In [ ]:
# Only run if you need specific libraries when using jupyter
# !pip install pandas
# !pip install numpy
# !pip install spacy
# !pip install demoji
# !pip install fasttext
# !pip install requests
# !pip install tqdm
# !pip install sklearn
# !pip install "gensim>=4.0.0"
In [ ]:
# Imports

# Data access, editing and management
import pandas as pd
import numpy as np
import sqlite3
# POS extraction and tokenization
import spacy
import regex as re
import demoji
# Language identification for tokens
import fasttext
import requests
# Processing time visualization
from tqdm import tqdm
tqdm.pandas()
# To run console commands for installation
import os
# For vectorization and clustering
from sklearn.feature_extraction.text import TfidfVectorizer
from spacy.lang.en.stop_words import STOP_WORDS as stop_words
from gensim.models import Word2Vec
from sklearn.metrics.pairwise import cosine_similarity
from sklearn.cluster import KMeans

Extract DF from part 1¶

In [ ]:
# Extracting articles df
df = pd.read_pickle('articles.pkl')
# df

Filter DF to only show as much relevant data as possible, eliminating files with errors, empty strings, and no content¶

In [ ]:
# Filter out bad request or any empty body data on the df

# Remove articles that do not have any text - run only once to not cause error
df = df.loc[df['body_text'] != '']
df.loc[df['body_text'] == '']
Out[ ]:
title author publication body_text url state
In [ ]:
# Get rid of any nan values in body and title
a = df.loc[~df['title'].isnull()]
df = a
b = a.loc[~a['body_text'].isnull()]
df = b
In [ ]:
df.loc[df['body_text'].isnull()]
Out[ ]:
title author publication body_text url state
In [ ]:
# Remove any 403 error files
a = df.loc[(~df['title'].str.contains('403')) & (~df['url'].isnull())]
b = a.loc[(~a['title'].str.contains('Forbidden')) & (~a['url'].isnull())]
df = b
b.loc[df['title'].str.contains('Forbidden')]
Out[ ]:
title author publication body_text url state
In [ ]:
# Reset index after performing first cleanup
df = df.reset_index(drop=True)

Clean up text data to ensure POS tokens significance can be extracted properly by spacy¶

In [ ]:
# Get emoji codes from library demoji
demoji.download_codes()
/var/folders/gv/857l914131304z8vlfgswdg80000gn/T/ipykernel_7742/932325091.py:2: FutureWarning: The demoji.download_codes attribute is deprecated and will be removed from demoji in a future version. It is an unused attribute as emoji codes are now distributed directly with the demoji package.
  demoji.download_codes()
In [ ]:
'''
Function to remove any emojis in text
'''
def remove_emojis(text):
    dem = demoji.findall(text)
    for item in dem.keys():
        text = re.sub(item, '', text)
    return text
In [ ]:
# Function to clean unprocessed text body from each article
def clean_text(text):
    # Remove emojis
    text = remove_emojis(text)
    # Remove any solo numbers in line
    text = re.sub(r'^[0-9]+\s.*', '', text, flags=re.MULTILINE)
    # Replace multiple spaces with one
    text = re.sub(' +', ' ', text)
    # Replace multiple newlines by splitting string into substrings saved in a list
    text = re.split('\s*\n\s*\n', text)
    text = [item for item in text if len(re.split(' ', item)) > 5]
    # Join all vals in list as a one string again
    text = " ".join(text)
    # Replace newline characters left with single space
    text = re.sub('\n', ' ', text)
    # Return cleaned text string
    return text
In [ ]:
# Clean text within column 'body_text' in dataframe df
df['body_text'] = [clean_text(text) for text in df['body_text']]
In [ ]:
df.head(3)
Out[ ]:
title author publication body_text url state
0 Tornadoes severe weather updates: 26 dead in M... None None Start the day smarter How often do women givin... https://www.usatoday.com/story/news/nation/202... Mississippi
1 Fatality confirmed in Vermont flooding amid ex... ABC News None ABC NewsVideoLiveShowsElectionsInterest Succe... https://abcnews.go.com/US/tornadoes-midwest-fl... Illinois
2 Terrifying moment monster tornado rips apart A... Aneeta Bhole None US women spark fury with ANOTHER listless rend... https://www.dailymail.co.uk/news/article-11926... Arkansas

Store df as pickle - intermediary step¶

In [ ]:
df.to_pickle('articles_cleaned.pkl')

sql = sqlite3.connect('articles_cleaned.db')
df.to_sql('articles_cleaned', sql, if_exists='replace')
sql.close()

Tokenization and POS tagging via Spacy¶

Language detection function to ensure all tokens will be properly tagged based on the english language via fasttext¶

In [ ]:
# Download from web the model for language detection from fasttext
model_filename = "lid.176.ftz"
r = requests.get(f"https://dl.fbaipublicfiles.com/fasttext/supervised-models/{model_filename}")
open(model_filename, 'wb').write(r.content)
# load language identification model 
lang_model = fasttext.load_model(model_filename)
Warning : `load_model` does not return WordVectorModel or SupervisedModel any more, but a `FastText` object which is very similar.
In [ ]:
'''
Function that detects if a text contains a great quantity of tokens in another language,
if it does, it is removed from our sample, but if it is below the threshold, we do not remove
the words due to the fact that natural disasters often use name of locations in the U.S. that
are rooted in words from other languages.

'''
def detect_language(doc):
    # Temporarily remove newline symbols due to function format requirements
    text = doc.replace("\n", " ")
    # Set desired language
    correct = "en"
    doc_l = lang_model.predict(text, k=2)
    # If first label is english and english label is highest value of two found languages
    if (doc_l[0][0].replace("__label__", "") == "en" and doc_l[1][0] > 2*doc_l[1][1]) or (doc_l[0][1].replace("__label__", "") == "en" and doc_l[1][1] > doc_l[1][0]):
        # Confirm to use text
        return True

        # In case we wish to proceed to evaluate tokens and extract unnecessary non-english words
        # # Create flag
        # ok = not_ok = 0
        # # Perform individual token checks via fasttext
        # for token in tokens:
        #     l = lang_model.predict(token, k=2)
        #     # If percentage in english is greater than twice the percentage of other language
        #     if l[1][0] > 2*l[1][1]):
        #         # Simplify label to language abbreviation
        #         predict = l[0][0].replace("__label__", "")
        #         # If extracted language result is English
        #         if predict == correct:
        #             ok += 1
        #         else:
        #             print(f"Error at '{text}'")
        #             print(f"should be {correct}, predicted {predict} ")
        #             not_ok += 1

        #     print(f"ok = {ok}, not ok = {not_ok}")
    else:
        # Indicate document is in another language mostly and won't be adecuate to be used for k-means
        return False

Part of Speech(POS) tagging function to Find and store into DF POS via spacy¶

In [ ]:
# Install spacy module by running through os library in terminal/console
!python3 -m spacy download en_core_web_lg
Collecting en-core-web-lg==3.5.0
  Downloading https://github.com/explosion/spacy-models/releases/download/en_core_web_lg-3.5.0/en_core_web_lg-3.5.0-py3-none-any.whl (587.7 MB)
     ━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━ 587.7/587.7 MB 4.5 MB/s eta 0:00:0000:0100:02
Requirement already satisfied: spacy<3.6.0,>=3.5.0 in /Users/ryangarland/opt/anaconda3/lib/python3.9/site-packages (from en-core-web-lg==3.5.0) (3.5.3)
Requirement already satisfied: smart-open<7.0.0,>=5.2.1 in /Users/ryangarland/opt/anaconda3/lib/python3.9/site-packages (from spacy<3.6.0,>=3.5.0->en-core-web-lg==3.5.0) (5.2.1)
Requirement already satisfied: thinc<8.2.0,>=8.1.8 in /Users/ryangarland/opt/anaconda3/lib/python3.9/site-packages (from spacy<3.6.0,>=3.5.0->en-core-web-lg==3.5.0) (8.1.10)
Requirement already satisfied: setuptools in /Users/ryangarland/opt/anaconda3/lib/python3.9/site-packages (from spacy<3.6.0,>=3.5.0->en-core-web-lg==3.5.0) (63.4.1)
Requirement already satisfied: spacy-loggers<2.0.0,>=1.0.0 in /Users/ryangarland/opt/anaconda3/lib/python3.9/site-packages (from spacy<3.6.0,>=3.5.0->en-core-web-lg==3.5.0) (1.0.4)
Requirement already satisfied: preshed<3.1.0,>=3.0.2 in /Users/ryangarland/opt/anaconda3/lib/python3.9/site-packages (from spacy<3.6.0,>=3.5.0->en-core-web-lg==3.5.0) (3.0.8)
Requirement already satisfied: catalogue<2.1.0,>=2.0.6 in /Users/ryangarland/opt/anaconda3/lib/python3.9/site-packages (from spacy<3.6.0,>=3.5.0->en-core-web-lg==3.5.0) (2.0.8)
Requirement already satisfied: numpy>=1.15.0 in /Users/ryangarland/opt/anaconda3/lib/python3.9/site-packages (from spacy<3.6.0,>=3.5.0->en-core-web-lg==3.5.0) (1.21.5)
Requirement already satisfied: cymem<2.1.0,>=2.0.2 in /Users/ryangarland/opt/anaconda3/lib/python3.9/site-packages (from spacy<3.6.0,>=3.5.0->en-core-web-lg==3.5.0) (2.0.7)
Requirement already satisfied: murmurhash<1.1.0,>=0.28.0 in /Users/ryangarland/opt/anaconda3/lib/python3.9/site-packages (from spacy<3.6.0,>=3.5.0->en-core-web-lg==3.5.0) (1.0.9)
Requirement already satisfied: srsly<3.0.0,>=2.4.3 in /Users/ryangarland/opt/anaconda3/lib/python3.9/site-packages (from spacy<3.6.0,>=3.5.0->en-core-web-lg==3.5.0) (2.4.6)
Requirement already satisfied: pathy>=0.10.0 in /Users/ryangarland/opt/anaconda3/lib/python3.9/site-packages (from spacy<3.6.0,>=3.5.0->en-core-web-lg==3.5.0) (0.10.1)
Requirement already satisfied: jinja2 in /Users/ryangarland/opt/anaconda3/lib/python3.9/site-packages (from spacy<3.6.0,>=3.5.0->en-core-web-lg==3.5.0) (2.11.3)
Requirement already satisfied: packaging>=20.0 in /Users/ryangarland/opt/anaconda3/lib/python3.9/site-packages (from spacy<3.6.0,>=3.5.0->en-core-web-lg==3.5.0) (21.3)
Requirement already satisfied: wasabi<1.2.0,>=0.9.1 in /Users/ryangarland/opt/anaconda3/lib/python3.9/site-packages (from spacy<3.6.0,>=3.5.0->en-core-web-lg==3.5.0) (1.1.2)
Requirement already satisfied: pydantic!=1.8,!=1.8.1,<1.11.0,>=1.7.4 in /Users/ryangarland/opt/anaconda3/lib/python3.9/site-packages (from spacy<3.6.0,>=3.5.0->en-core-web-lg==3.5.0) (1.10.8)
Requirement already satisfied: spacy-legacy<3.1.0,>=3.0.11 in /Users/ryangarland/opt/anaconda3/lib/python3.9/site-packages (from spacy<3.6.0,>=3.5.0->en-core-web-lg==3.5.0) (3.0.12)
Requirement already satisfied: langcodes<4.0.0,>=3.2.0 in /Users/ryangarland/opt/anaconda3/lib/python3.9/site-packages (from spacy<3.6.0,>=3.5.0->en-core-web-lg==3.5.0) (3.3.0)
Requirement already satisfied: tqdm<5.0.0,>=4.38.0 in /Users/ryangarland/opt/anaconda3/lib/python3.9/site-packages (from spacy<3.6.0,>=3.5.0->en-core-web-lg==3.5.0) (4.64.1)
Requirement already satisfied: typer<0.8.0,>=0.3.0 in /Users/ryangarland/opt/anaconda3/lib/python3.9/site-packages (from spacy<3.6.0,>=3.5.0->en-core-web-lg==3.5.0) (0.7.0)
Requirement already satisfied: requests<3.0.0,>=2.13.0 in /Users/ryangarland/opt/anaconda3/lib/python3.9/site-packages (from spacy<3.6.0,>=3.5.0->en-core-web-lg==3.5.0) (2.28.1)
Requirement already satisfied: pyparsing!=3.0.5,>=2.0.2 in /Users/ryangarland/opt/anaconda3/lib/python3.9/site-packages (from packaging>=20.0->spacy<3.6.0,>=3.5.0->en-core-web-lg==3.5.0) (3.0.9)
Requirement already satisfied: typing-extensions>=4.2.0 in /Users/ryangarland/opt/anaconda3/lib/python3.9/site-packages (from pydantic!=1.8,!=1.8.1,<1.11.0,>=1.7.4->spacy<3.6.0,>=3.5.0->en-core-web-lg==3.5.0) (4.3.0)
Requirement already satisfied: urllib3<1.27,>=1.21.1 in /Users/ryangarland/opt/anaconda3/lib/python3.9/site-packages (from requests<3.0.0,>=2.13.0->spacy<3.6.0,>=3.5.0->en-core-web-lg==3.5.0) (1.26.11)
Requirement already satisfied: idna<4,>=2.5 in /Users/ryangarland/opt/anaconda3/lib/python3.9/site-packages (from requests<3.0.0,>=2.13.0->spacy<3.6.0,>=3.5.0->en-core-web-lg==3.5.0) (3.3)
Requirement already satisfied: certifi>=2017.4.17 in /Users/ryangarland/opt/anaconda3/lib/python3.9/site-packages (from requests<3.0.0,>=2.13.0->spacy<3.6.0,>=3.5.0->en-core-web-lg==3.5.0) (2022.9.24)
Requirement already satisfied: charset-normalizer<3,>=2 in /Users/ryangarland/opt/anaconda3/lib/python3.9/site-packages (from requests<3.0.0,>=2.13.0->spacy<3.6.0,>=3.5.0->en-core-web-lg==3.5.0) (2.0.4)
Requirement already satisfied: blis<0.8.0,>=0.7.8 in /Users/ryangarland/opt/anaconda3/lib/python3.9/site-packages (from thinc<8.2.0,>=8.1.8->spacy<3.6.0,>=3.5.0->en-core-web-lg==3.5.0) (0.7.9)
Requirement already satisfied: confection<1.0.0,>=0.0.1 in /Users/ryangarland/opt/anaconda3/lib/python3.9/site-packages (from thinc<8.2.0,>=8.1.8->spacy<3.6.0,>=3.5.0->en-core-web-lg==3.5.0) (0.0.4)
Requirement already satisfied: click<9.0.0,>=7.1.1 in /Users/ryangarland/opt/anaconda3/lib/python3.9/site-packages (from typer<0.8.0,>=0.3.0->spacy<3.6.0,>=3.5.0->en-core-web-lg==3.5.0) (8.0.4)
Requirement already satisfied: MarkupSafe>=0.23 in /Users/ryangarland/opt/anaconda3/lib/python3.9/site-packages (from jinja2->spacy<3.6.0,>=3.5.0->en-core-web-lg==3.5.0) (2.0.1)
✔ Download and installation successful
You can now load the package via spacy.load('en_core_web_lg')
In [ ]:
# Create Spacy tokenizer based on downloaded language model in english
nlp = spacy.load("en_core_web_lg")

# Function to assign POS types into df
def word_types(doc):
    nouns = []
    adjectives = []
    verbs = []
    lemmas = []
    nav = []
    for token in doc:
        lemmas.append(token.lemma_)
        # adjectives (and adverbs)
        if token.pos_ == "ADJ": #or token.pos_ == "ADV":
            adjectives.append(token.lemma_)
            nav.append(token.lemma_)
        # nouns
        if token.pos_ == "NOUN" or token.pos_ == "PROPN":
            nouns.append(token.lemma_)
            nav.append(token.lemma_)
        # verbs
        if token.pos_ == "VERB" or token.pos_ == "AUX":
            verbs.append(token.lemma_)
            nav.append(token.lemma_)
            
    return (nouns, adjectives, verbs, nav, lemmas)

Main tokenization and tagging function¶

In [ ]:
# Navigate through each row to set POS tags in corresponding locations
def pos_tagging(a:pd.DataFrame):
    # Iterate through rows to get text of each row
    for index, row in a.iterrows():
        # Check if language is considered English
        l = detect_language(row['body_text'])
        # If returns True because it is in English, perform tokenization
        if l: 
            # Use Spacy library to create tokens with text of document selected
            tokens = nlp(row['body_text'])
            # If produced tokens amount to greater than 30
            if len(tokens) >= 30:
                (nouns, adjectives, verbs, nav, lemmas) = word_types(tokens)
                a.at[index, 'nouns'] = "|".join(nouns)
                a.at[index, 'adjetives'] = "|".join(adjectives)
                a.at[index, 'verbs'] = "|".join(verbs)
                a.at[index, 'nav'] = "|".join(nav) # combinations
                a.at[index, 'lemmas'] = "|".join(lemmas)
                a.at[index, 'num_tokens'] = len(tokens)
In [ ]:
# Temporary small df for testing
# a = df.copy(deep=True)
# a = a[:10]
# pos_tagging(a)
# a
In [ ]:
# Function call for pos tagging extraction - averages 18 minutes of run
pos_tagging(df)
In [ ]:
df.head(2)
Out[ ]:
title author publication body_text url state nouns adjetives verbs nav lemmas num_tokens
0 Tornadoes severe weather updates: 26 dead in M... None None Start the day smarter How often do women givin... https://www.usatoday.com/story/news/nation/202... Mississippi day|woman|birth|hospital|heart|attack|seizure|... smart|individual|other|deadly|notable|severe|d... start|do|give|experience|podcast|sell|topic'wi... start|day|smart|do|woman|give|birth|individual... start|the|day|smart|how|often|do|woman|give|bi... 2488.0
1 Fatality confirmed in Vermont flooding amid ex... ABC News None ABC NewsVideoLiveShowsElectionsInterest Succe... https://abcnews.go.com/US/tornadoes-midwest-fl... Illinois ABC|NewsVideoLiveShowsElectionsInterest|Succes... aboutturn|extreme|nationwideExtreme|most|multi... notify|break|confirm|flood|continue|affect|pas... ABC|NewsVideoLiveShowsElectionsInterest|Succes... |ABC|NewsVideoLiveShowsElectionsInterest|Succ... 998.0

If in need to start off from beginning but not perform clean¶

In [ ]:
# df = pd.read_pickle('articles_cleaned.pkl')

Cleanup extended df from rows with no tags data and formatting issues¶

In [ ]:
# Remove from df rows with empty cells in the POS tag columns
a = df.loc[~df['nouns'].isnull()]
df = a
# Reset index
df = df.reset_index(drop=True)
In [ ]:
# Check if any null values still contained
df.loc[df['nouns'].isnull()]
Out[ ]:
title author publication body_text url state nouns adjetives verbs nav lemmas num_tokens
In [ ]:
# Output df
df.sample(3)
Out[ ]:
title author publication body_text url state nouns adjetives verbs nav lemmas num_tokens
2034 1 killed and almost 2 dozen injured in overnig... Nouran Salahieh,Rob Shackelford None 1. How relevant is this ad to you? 2. Did yo... https://www.cnn.com/2023/06/19/weather/severe-... Mississippi ad|issue|video|player|content|ad|video|content... relevant|technical|slow|loud|repetitive|overni... be|do|encounter|be|load|freeze|do|finish|load|... relevant|be|ad|do|encounter|technical|issue|vi... |1|.|how|relevant|be|this|ad|to|you|?| |2|.|d... 1551.0
2170 Red Cross Urges Tennessee Residents to Prepare... None None Truman Show Podcast (2010 - 2022) Red Cross Ur... http://www.wgnsradio.com/article/80229/red-cro... Tennessee Truman|Show|Podcast|Red|Cross|Urges|Tennessee|... strong|severe|late|cold|i-65|high|high|severe|... prepare|have|issue|develop|approach|include|af... Truman|Show|Podcast|Red|Cross|Urges|Tennessee|... Truman|Show|Podcast|(|2010|-|2022|)|Red|Cross|... 1378.0
2111 Storm in Atlantic not immediate concern for So... Shamira McCray smccray@postandcourier.com None You are the owner of this article. Edit Artic... https://www.postandcourier.com/hurricanewire/s... South Carolina owner|article|Edit|Article|New|article|permiss... mixed|stray|possible|few|low|immediate|weekly|... be|add|have|edit|be|update|be|could|move|recei... be|owner|article|Edit|Article|add|New|article|... you|be|the|owner|of|this|article|.| |Edit|Arti... 1095.0

Store and extract data as DB and Pickle files¶

In [ ]:
# Store df also in a local sqlite3 database for easy management and create new pickle file with edited format
df.to_pickle('articles_extended.pkl')

# Transform list on tokens column into text due to sqlite3 requirements in data types
sql = sqlite3.connect('articles_extended.db')
df.to_sql('articles_extended', sql, if_exists='replace')
sql.close()
In [ ]:
df = pd.read_pickle('articles_extended.pkl')

Create document-term matrix using the TfidfVectorizer applied to the dataframe's column nouns¶

In [ ]:
# Create a tf-idf vectorizer containing stopwords
tfidf_vectorizer = TfidfVectorizer(stop_words=list(stop_words), min_df=10, sublinear_tf=True, use_idf=True)
# Use fit transform on vectorizer with nouns data - standard deviation, then mean of data to scale values
tfidf_vectors = tfidf_vectorizer.fit_transform(df["nouns"])
# Create df from tfidf results and values
tfidf_df = pd.DataFrame(tfidf_vectors)
/Users/ryangarland/opt/anaconda3/lib/python3.9/site-packages/sklearn/feature_extraction/text.py:396: UserWarning: Your stop_words may be inconsistent with your preprocessing. Tokenizing the stop words generated tokens ['ll', 've'] not in stop_words.
  warnings.warn(
In [ ]:
tfidf_df
Out[ ]:
0
0 (0, 5861)\t0.027134004404549616\n (0, 6752)...
1 (0, 8501)\t0.02930637980512278\n (0, 10650)...
2 (0, 2346)\t0.009349884057244705\n (0, 6961)...
3 (0, 7752)\t0.06488928059327886\n (0, 3783)\...
4 (0, 7678)\t0.06674913323624099\n (0, 4275)\...
... ...
3691 (0, 6831)\t0.08196341432564008\n (0, 2654)\...
3692 (0, 565)\t0.14638919552160054\n (0, 7652)\t...
3693 (0, 4789)\t0.1438990788235409\n (0, 776)\t0...
3694 (0, 1763)\t0.07624550775721466\n (0, 10335)...
3695 (0, 679)\t0.1164187202915018\n (0, 6778)\t0...

3696 rows × 1 columns

Extract nouns as word tokens from df['nouns'] column¶

In [ ]:
# For word split by given specific regex, which has been set to all lowercase, and is not found in stop_words
# And is found in the text within each row of a df column called 'nouns'
gensim_words = [[w for w in re.split(r'[\\|\\#]', doc.lower()) if w not in stop_words]
                    for doc in df["nouns"]]
# Output list of nouns per row that has excluded stopwords
gensim_words
Out[ ]:
[['day',
  'woman',
  'birth',
  'hospital',
  'heart',
  'attack',
  'seizure',
  'kidney',
  'failure',
  'blood',
  'transfusion',
  'problem',
  'death',
  'human',
  'trafficking',
  'sports',
  'entertainment',
  'life',
  'money',
  'tech',
  'travel',
  'opinion',
  'obituariesonly',
  'usa',
  'today',
  'newsletters',
  'subscribers',
  'archives',
  'crossword',
  'enewspaper',
  'magazines',
  'investigations',
  'weather',
  'forecast',
  'video',
  'humankind',
  'curiousbest',
  'booklist',
  'pets',
  'food',
  'reviewed',
  'coupons',
  'blueprint',
  'best',
  'auto',
  'insurance',
  'best',
  'pet',
  'insurance',
  'best',
  'travel',
  'insurance',
  'best',
  'credit',
  'cards',
  'best',
  'cd',
  'rate',
  'best',
  'personal',
  'loans',
  'map',
  'south',
  'weather',
  'tornado',
  'updatessusan',
  'miller',
  'john',
  'bacon',
  'jorge',
  'l.',
  'ortiz',
  'ross',
  'todayrolling',
  'fork',
  'miss.',
  'severe',
  'storm',
  'south',
  'sunday',
  'day',
  'tornado',
  'mississippi',
  'delta',
  'region',
  'country',
  'area',
  'town',
  'dozen',
  'people',
  'storm',
  'prediction',
  'center',
  'tornado',
  'hail',
  'louisiana',
  'mississippi',
  'alabama',
  'night',
  'national',
  'weather',
  'service',
  'office',
  'jackson',
  'mississippi',
  'photo',
  'hail',
  'state',
  'sunday',
  'size',
  'baseball',
  'search',
  'rescue',
  'team',
  'sunday',
  'rubble',
  'weekend',
  'tornado',
  'people',
  'twister',
  'ground',
  'mississippi',
  'hour',
  'friday',
  'night',
  'house',
  'foundation',
  'tree',
  'branch',
  'car',
  'toy',
  'block',
  'rolling',
  'fork',
  'sharkey',
  'county',
  'mile',
  'jackson',
  'tornado',
  'mayor',
  'eldridge',
  'walker',
  'sheriff',
  'department',
  'time',
  'community',
  'resident',
  'time',
  'siren',
  'storm',
  'siren',
  'walker',
  'royce',
  'steed',
  'emergency',
  'manager',
  'humphreys',
  'county',
  'destruction',
  'silver',
  'city',
  'impact',
  'tuscaloosa',
  'birmingham',
  'tornado',
  'hurricane',
  'katrina',
  '2005.“it',
  'devastation',
  'steed',
  'town',
  'population',
  'map',
  '”one',
  'man',
  'morgan',
  'county',
  'alabama',
  'sheriff',
  'department',
  'supercell',
  'mississippi',
  'twister',
  'mile',
  'tornado',
  'damage',
  'north',
  'central',
  'alabama',
  'brian',
  'squitieri',
  'storm',
  'storm',
  'prediction',
  'center',
  'dozen',
  'people',
  'mississippi',
  'emergency',
  'management',
  'agency',
  'deadly',
  'storms',
  'tornado',
  '►',
  'pope',
  'francis',
  'prayer',
  'sunday',
  'people',
  'mississippi',
  'tornado',
  'noon',
  'blessing',
  'vatican',
  'city.',
  'president',
  'joe',
  'biden',
  'sunday',
  'emergency',
  'declaration',
  'mississippi',
  'funding',
  'carroll',
  'humphreys',
  'monroe',
  'sharkey',
  'county',
  'area',
  'friday',
  'night',
  'biden',
  'damage',
  'mississippi',
  'gov.',
  'tate',
  'reeves',
  'state',
  'emergency',
  'federal',
  'emergency',
  'management',
  'agency',
  'home',
  'mississippi',
  'tornado',
  'storm',
  'georgia',
  'tiger',
  'enclosure',
  'tornado',
  'georgia',
  'sunday',
  'morning',
  'building',
  'closing',
  'road',
  'tree',
  'power',
  'line',
  'tiger',
  'animal',
  'park',
  'gov.',
  'brian',
  'kemp',
  'state',
  'emergency',
  'order',
  'hospital',
  'structure',
  'tornado',
  'milledgeville',
  'georgia',
  'police',
  'department',
  'photo',
  'house',
  'tree',
  'resident',
  'emergency',
  'thousand',
  'power',
  'baldwin',
  'county',
  'mile',
  'macon',
  'mile',
  'milledgeville',
  'tornado',
  'cannonville',
  'troup',
  'county',
  'alabama',
  'border',
  'damage',
  'lagrange',
  'daily',
  'news',
  'storm',
  'dollar',
  'size',
  'hail',
  'building',
  'people',
  'injury',
  'official',
  'tiger',
  'enclosure',
  'sunday',
  'wild',
  'animal',
  'safari',
  'pine',
  'mountain',
  'park',
  'tornado',
  'damage',
  'park',
  'facebook',
  'page',
  'post',
  'park',
  'tornado',
  'damage',
  'employee',
  'animal',
  'tigers',
  'safe',
  'post',
  'enclosure',
  'resource',
  'official',
  'resident',
  'help',
  "way'as",
  'recovery',
  'effort',
  'state',
  'leader',
  'delta',
  'region',
  'resident',
  'reeves',
  'word',
  'way',
  'security',
  'secretary',
  'alejandro',
  'mayorkas',
  'fema',
  'administrator',
  'deanne',
  'criswell',
  'agency',
  'support',
  'afternoon',
  'news',
  'conference',
  'rolling',
  'fork',
  'term',
  'recovery',
  'event',
  'criswell',
  'issue',
  'housing',
  '”mississippi',
  'emergency',
  'management',
  'agency',
  'number',
  'resource',
  'water',
  'tarps',
  'restroom',
  'battery',
  'charger',
  'fuel',
  'generator',
  '"it',
  'experience',
  'time',
  'thing',
  'politic',
  'reeves',
  'politic',
  'friend',
  'neighbor',
  'helpthe',
  'mississippi',
  'department',
  'public',
  'safety',
  'donation',
  'water',
  'good',
  'paper',
  'product',
  'victim',
  'storm',
  'way',
  'salvation',
  'army',
  'alabama',
  'louisiana',
  'mississippi',
  'office',
  'supply',
  'feeding',
  'unit',
  'agency',
  'donation',
  'red',
  'cross',
  'disaster',
  'worker',
  'ground',
  'mississippi',
  'help',
  'way',
  'redcross.org',
  'cross',
  'text',
  'redcross',
  'donation',
  'children',
  'emergency',
  'response',
  'team',
  'supply',
  'water',
  'food',
  'diaper',
  'hygiene',
  'kit',
  'family',
  'effort',
  'condition',
  'cluster',
  'friday',
  'storm',
  'tornado',
  'region',
  'siege',
  'weather',
  'sunday',
  'cluster',
  'thunderstorm',
  'alabama',
  'georgia',
  'mississippi',
  'national',
  'weather',
  'service',
  'tornado',
  'watch',
  'mississippi',
  'night',
  'weather',
  'service',
  'tornado',
  'alabama',
  'sunday',
  'night',
  'corridor',
  'supercell',
  'tornado',
  'portion',
  'alabama',
  'montgomery',
  'couple',
  'hour',
  'weather',
  'service',
  'sunday',
  'accuweather',
  'hail',
  'size',
  'golf',
  'ball',
  'alabama',
  'mississippi',
  'sunday',
  'thunderstorm',
  'addition',
  'hail',
  'weather',
  'service',
  'jackson',
  'mississippi',
  'wind',
  'gust',
  'mph',
  'mph',
  'tornado',
  'damage?the',
  'system',
  'path',
  'friday',
  'northeastward',
  'mississippi',
  'alabama',
  'accuweather',
  'national',
  'weather',
  'service',
  'tornado',
  'damage',
  'mile',
  'jackson',
  'town',
  'rolling',
  'fork',
  'sharkey',
  'county',
  'silver',
  'city',
  'humphreys',
  'county',
  'brunt',
  'damage',
  'tornado',
  'mph',
  'tornado',
  'rating',
  'national',
  'weather',
  'service',
  'office',
  'jackson',
  'saturday',
  'tornado',
  'wind',
  'gust',
  'mph',
  'mph',
  'weather',
  'service',
  'tornadoes',
  'explained',
  'tornado',
  'watch',
  'storm',
  'tornado',
  'tornado',
  'mississippi',
  'deep',
  'south',
  'state',
  'decade',
  'national',
  'weather',
  'service',
  'record',
  'april',
  'people',
  'mississippi',
  'tornado',
  'state',
  'u.s.',
  'weather',
  'service',
  'meteorologist',
  'chris',
  'outler',
  'alabama',
  'outbreak',
  'twister',
  'people',
  'damage',
  'sharkey',
  'county?sharkey',
  'county',
  'population',
  'mississippi',
  'delta',
  'region',
  '%',
  'county',
  'population',
  'black',
  '%',
  'census',
  'datum',
  '%',
  'county',
  'household',
  'poverty',
  'county',
  'household',
  'income',
  'household',
  'income',
  'county',
  'level',
  'poverty',
  'mayor',
  'walker',
  'sunday',
  'community',
  'family',
  "''walker",
  'storm',
  'sheriff',
  'department',
  'time',
  'community',
  'resident',
  'time',
  'siren',
  'storm',
  'siren',
  'area',
  'stranger',
  'challenge',
  'backbone',
  'economy',
  'agriculture',
  'lower',
  'delta',
  'flooding',
  'year',
  'crop',
  'farmer',
  'income',
  'farmhand',
  'job',
  'money',
  'economy',
  'brian',
  'broom',
  'diner',
  'worker',
  'refrigeratorthe',
  'owner',
  'employee',
  'rolling',
  'fork',
  'diner',
  'restaurant',
  'walk',
  'refrigerator',
  'rest',
  'restaurant',
  'photo',
  'group',
  'people',
  'cooler',
  'chuck',
  'dairy',
  'bar',
  'wind',
  'refrigerator',
  'ground',
  'owner',
  'tracy',
  'harden',
  'usa',
  'today.“all',
  'light',
  'cooler',
  'husband',
  'wind',
  'refrigerator',
  'door',
  'harden',
  'door',
  'sky',
  'claire',
  'thornton',
  'witnesses',
  'terror',
  'twister',
  'hitcornel',
  'knight',
  'relative',
  'home',
  'rolling',
  'fork',
  'wife',
  'daughter',
  'tornado',
  'direction',
  'transformer',
  'sky',
  'sheddrick',
  'bell',
  'partner',
  'daughter',
  'closet',
  'home',
  'rolling',
  'fork',
  'minute',
  'storm',
  'wind',
  'window',
  'daughter',
  'partner',
  'eye',
  'tornado',
  'deadlynighttime',
  'tornado',
  'tornado',
  'scientist',
  'study',
  'northern',
  'illinois',
  'university',
  'professor',
  'walker',
  'ashley',
  'andrew',
  'krmenec',
  'tornado',
  '%',
  'tornado',
  '%',
  'tornado',
  'death',
  'nighttime',
  'tornado',
  'death',
  'daytime',
  'reason',
  'weather.com',
  'meteorologist',
  'jon',
  'erdman',
  'lightning',
  'tornado',
  'night',
  'erdman',
  'challenge',
  'science',
  'community',
  'face',
  'public',
  'shelter',
  'threat',
  'tornado',
  'second',
  'shelter',
  'doyle',
  'ricecontributing',
  'christine',
  'fernando',
  'claire',
  'thornton',
  'usa',
  'today',
  'jackson',
  'miss.',
  'clarion',
  'ledger',
  'associated',
  'press',
  'weekly',
  'adabout',
  'newsroom',
  'staff',
  'ethical',
  'principles',
  'correction',
  'press',
  'accessibility',
  'sitemap',
  'subscription',
  'terms',
  'conditions',
  'terms',
  'service',
  'california',
  'privacy',
  'rights',
  'privacy',
  'policy',
  'privacy',
  'policydo',
  'sell',
  'share',
  'target',
  'infocookie',
  'settingscontact',
  'account',
  'feedback',
  'home',
  'delivery',
  'enewspaper',
  'usa',
  'today',
  'shop',
  'usa',
  'today',
  'print',
  'editions',
  'licensing',
  'reprints',
  'advertise',
  'careers',
  'internships',
  'businessnews',
  'tips',
  'letter',
  'editor',
  'newsletters',
  'mobile',
  'app',
  'facebook',
  'twitter',
  'instagram',
  'linkedin',
  'pinterest',
  'youtube',
  'reddit',
  'flipboard',
  'jobs',
  'sports',
  'betting',
  'sports',
  'weekly',
  'studio',
  'gannett',
  'classifieds',
  'coupons',
  'blueprint',
  'auto',
  'insurance',
  'pet',
  'insurance',
  'travel',
  'insurance',
  'credit',
  'cards',
  'banking',
  'personal',
  'loans',
  'usa',
  'today',
  'division',
  'gannett',
  'satellite',
  'information',
  'network',
  'llc'],
 ['abc',
  'newsvideoliveshowselectionsinterest',
  'successfully',
  "addedwe'll",
  'news',
  'desktop',
  'notification',
  'story',
  'interest',
  'offonlog',
  'instream',
  'onfatality',
  'vermont',
  'weather',
  'weather',
  'country',
  'bymax',
  'golembo',
  'melissa',
  'griffin',
  'morgan',
  'winsor',
  'ivan',
  'pereirajuly',
  'pm1:48storm',
  'cloud',
  'chicago',
  'illinois',
  'july',
  'national',
  'weather',
  'service',
  'tornado',
  'warning',
  'area',
  'charles',
  'rex',
  'arbogast',
  'apat',
  'person',
  'floodwater',
  'vermont',
  'week',
  'state',
  'authority',
  'thursday',
  'stephen',
  'davoll',
  'barre',
  'city',
  'vermont',
  'wednesday',
  'result',
  'accident',
  'home',
  'vermont',
  'department',
  'health',
  'fatality',
  'week',
  'storm',
  'flooding',
  'green',
  'mountain',
  'state',
  'friday',
  'president',
  'joe',
  'biden',
  'disaster',
  'declaration',
  'state',
  'action',
  'funding',
  'county',
  'chittenden',
  'lamoille',
  'rutland',
  'washington',
  'windham',
  'windsor',
  'white',
  'house',
  'disaster',
  'declaration',
  'funding',
  'government',
  'addison',
  'bennington',
  'caledonia',
  'chittenden',
  'essex',
  'franklin',
  'grand',
  'isle',
  'lamoille',
  'orange',
  'orleans',
  'rutland',
  'washington',
  'windham',
  'windsor',
  'county',
  'white',
  'house',
  'announcement',
  'weather',
  'united',
  'states',
  'storm',
  'heat',
  'wave',
  'country',
  'tips',
  'tornadostorm',
  'twister',
  'illinois',
  'wednesday',
  'evening',
  'tree',
  'roof',
  'flight',
  'chicago',
  'area',
  'tornado',
  'chicago',
  'area',
  'city',
  'airport',
  'national',
  'weather',
  'service',
  'flight',
  "o'hare",
  'international',
  'airport',
  'wednesday',
  'flight',
  'tracking',
  'service',
  'flightaware',
  'tornado',
  'iowa',
  'michigan',
  'night',
  'report',
  'damage',
  'line',
  'wind',
  'mile',
  'hour',
  'texas',
  'michigan',
  'report',
  'golf',
  'ball',
  'hail',
  'missouri',
  'nebraska',
  'kansas',
  'damage',
  'sinnott',
  'tree',
  'service',
  'building',
  'mccook',
  'illinois',
  'july',
  'national',
  'weather',
  'service',
  'tornado',
  'warning',
  'chicago',
  'area',
  'nam',
  'y.',
  'huh',
  'weather',
  'wednesday',
  'evening',
  'storm',
  'system',
  'midwest',
  'threat',
  'northeast',
  'thursday',
  'kentucky',
  'vermont',
  'wind',
  'hail',
  'tornado',
  'storm',
  'system',
  'path',
  'city',
  'cincinnati',
  'ohio',
  'charleston',
  'west',
  'virginia',
  'pittsburgh',
  'pennsylvania',
  'binghamton',
  'new',
  'york',
  'albany',
  'new',
  'york',
  'burlington',
  'vermont',
  'floodwater',
  'safety',
  'tipsa',
  'flood',
  'watch',
  'new',
  'york',
  'vermont',
  'new',
  'hampshire',
  'vermont',
  'capital',
  'montpelier',
  'rainfall',
  'flooding',
  'week',
  'thursday',
  'threat',
  'rainfall',
  'flooding',
  'weekend',
  'northeast',
  'interstate',
  'travel',
  'corridor',
  'forecast',
  'inch',
  'rain',
  'new',
  'england',
  'vermont',
  'new',
  'hampshire',
  'maine',
  'storm',
  'cloud',
  'chicago',
  'illinois',
  'july',
  'national',
  'weather',
  'service',
  'tornado',
  'warning',
  'area',
  'charles',
  'rex',
  'arbogast',
  'apmeanwhile',
  'million',
  'americans',
  'u.s.',
  'state',
  'heat',
  'alert',
  'thursday',
  'washington',
  'florida',
  'heat',
  'index',
  'degree',
  'fahrenheit',
  'mid',
  '-',
  'south',
  'gulf',
  'coast',
  'florida',
  'temperature',
  'houston',
  'miami',
  'wednesday',
  'temperature',
  'phoenix',
  'degree',
  'fahrenheit',
  'day',
  'arizona',
  'capital',
  'track',
  'day',
  'streak',
  '1974.more',
  'heat',
  'safety',
  'forecast',
  'heat',
  'week',
  'temperature',
  'southwest',
  'weekend',
  'heat',
  'watch',
  'effect',
  'burbank',
  'california',
  'friday',
  'monday',
  'temperature',
  'degree',
  'fahrenheit',
  'hospital',
  'emergency',
  'department',
  'visit',
  'heat',
  'illness',
  'month',
  'centers',
  'disease',
  'control',
  'prevention',
  'abc',
  'news',
  'youri',
  'benadjaoud',
  'report',
  'topicsweathertop',
  'storieshouse',
  'ufo',
  'hearing',
  'ex',
  'knowledge',
  'craftjul',
  'amruin',
  'vatican',
  'emperor',
  'nero',
  'theaterjul',
  'pmsinead',
  "o'connor",
  'u',
  'singer',
  '56jul',
  'pmmcconnell',
  'press',
  'conference',
  'return',
  'pmwhistleblower',
  'congress',
  'decade',
  'program',
  'ufosjul',
  'pmabc',
  'news',
  'live24/7',
  'coverage',
  'news',
  'eventsabc',
  'news',
  'networkprivacy',
  'policyyour',
  'state',
  'privacy',
  'rightschildren',
  'online',
  'privacy',
  'policyinterest',
  'adsabout',
  'nielsen',
  'measurementterms',
  'usedo',
  'sell',
  'informationcontact',
  'uscopyright',
  'abc',
  'news',
  'internet',
  'ventures',
  'right'],
 ['woman',
  'fury',
  'rendition',
  'star',
  'spangled',
  'banner',
  'world',
  'cup',
  'holland',
  'player',
  'anthem',
  'arm',
  'ariana',
  'grande',
  'boyfriend',
  'ethan',
  'slater',
  'divorce',
  'wife',
  'actor',
  'family',
  'beyonce',
  'mom',
  'tina',
  'knowles',
  'divorce',
  'husband',
  'richard',
  'lawson',
  'year',
  'marriage',
  'difference',
  'outdoors',
  'nbc',
  'report',
  'people',
  'space',
  'trauma',
  'people',
  'trump',
  'flag',
  'ladies',
  'view',
  'hunter',
  'biden',
  'joe',
  'republicans',
  'witch',
  'hunt',
  'son',
  'acting',
  'meghan',
  'markle',
  'actor',
  'strike',
  'warning',
  'sign',
  'alzheimer',
  'symptom',
  'study',
  'revealed',
  'california',
  'gov.',
  'gavin',
  'newsom',
  'hollywood',
  'strike',
  'industry',
  'billion',
  'state',
  'economy',
  'chaos',
  'revealed',
  'marines',
  'carbon',
  'monoxide',
  'poisoning',
  'car',
  'gas',
  'station',
  'camp',
  'lejeune',
  'ohio',
  'cop',
  'fired',
  'footage',
  'k-9',
  'trucker',
  'hand',
  'police',
  'chase',
  'mud',
  'flap',
  'moment',
  'naked',
  'woman',
  'fire',
  'driver',
  'police',
  'chase',
  'san',
  'francisco',
  'bay',
  'bridge',
  'vampire',
  'appliance',
  'cash',
  'device',
  'energy',
  'bill',
  'somber',
  'michelle',
  'martha',
  'vineyard',
  'golf',
  'club',
  'game',
  'tennis',
  'outing',
  'chef',
  'paddle',
  'boarding',
  'obamas',
  'home',
  'joe',
  'rogan',
  'critic',
  'jason',
  'aldean',
  'song',
  'small',
  'town',
  'rap',
  'song',
  'michael',
  'jackson',
  'abuse',
  'lawsuit',
  'wade',
  'robson',
  'james',
  'safechuck',
  'appeal',
  'court',
  'search',
  'la',
  'attorney',
  'downtown',
  'area',
  'day',
  'family',
  'moment',
  'judge',
  'hunter',
  'sweetheart',
  'plea',
  'deal',
  'tax',
  'gun',
  'charge',
  'investigation',
  'judge',
  'hunter',
  'job',
  'president',
  'son',
  'drug',
  'alcohol',
  'employment',
  'condition',
  'release',
  'plea',
  'deal',
  'hunter',
  'biden',
  'extent',
  'drug',
  'alcohol',
  'use',
  'president',
  'addict',
  'son',
  'rehab',
  'stint',
  'year',
  'court',
  'appearance',
  'hunter',
  'plea',
  'deal',
  'joe',
  'president',
  'line',
  'son',
  'deal',
  'china',
  'ukraine',
  'republicans',
  'allegation',
  'hunter',
  'biden',
  'prosecutor',
  'crime',
  'deal',
  'china',
  'ukraine',
  'joe',
  'read',
  'email',
  'hunter',
  'biden',
  'lawyer',
  'trick',
  'information',
  'son',
  'sweetheart',
  'plea',
  'deal',
  'falls',
  'apart',
  'karine',
  'jean',
  'pierre',
  'rejects',
  'white',
  'house',
  'story',
  'joe',
  'knowledge',
  'hunter',
  'deal',
  'press',
  'secretary',
  'plea',
  'deal',
  'firearm',
  'possession',
  'speaker',
  'kevin',
  'mccarthy',
  'collapse',
  'hunter',
  'plea',
  'deal',
  'charge',
  'republicans',
  'sweetheart',
  'agreement',
  'prosecutor',
  'arkansas',
  'mass',
  'casualty',
  'alert',
  'dozen',
  'monster',
  'tornado',
  'neighborhood',
  'truck',
  'tree',
  'state',
  'friday',
  'little',
  'rock',
  'arkansas',
  'tornado',
  'damage',
  'building',
  'tree',
  'vehiclestornadoe',
  'home',
  'tree',
  'little',
  'rock',
  'people',
  'dozen',
  'national',
  'weather',
  'service',
  'dozen',
  'tornado',
  'report',
  'arkansas',
  'tennessee',
  'illinois',
  'bhole',
  'lewis',
  'pennock',
  'james',
  'gordon',
  'dailymail.com',
  'edt',
  'march',
  'edt',
  'april',
  'e',
  '-',
  'mail',
  '1.8k',
  'share',
  'view',
  'comment',
  'people',
  'tornado',
  'state',
  'midwest',
  'arkansas',
  'illinois',
  'tennessee',
  'iowa',
  'university',
  'arkansas',
  'medical',
  'sciences',
  'hospital',
  'state',
  'trauma',
  'center',
  'level-1',
  'mass',
  'casualty',
  'alert',
  'tornado',
  'little',
  'rock',
  'friday',
  'evening',
  'area',
  'hospital',
  'patient',
  'condition',
  'victim',
  'tornado',
  'little',
  'rock',
  'area',
  'tornado',
  'home',
  'neighborhood',
  'vehicle',
  'tree',
  'debris',
  'road',
  'people',
  'shelter',
  'roofs',
  'wall',
  'building',
  'tree',
  'vehicle',
  'belvidere',
  'illinois',
  'people',
  'wind',
  'roof',
  'concertgoer',
  'metal',
  'band',
  'morbid',
  'angel',
  'twister',
  'thunderstorm',
  'swath',
  'u.s.',
  'heartland',
  'expanse',
  'spring',
  'weather',
  'status',
  'hand',
  'deck',
  'aaron',
  'gilkey',
  'spokesperson',
  'metropolitan',
  'emergency',
  'medical',
  'services',
  'agency',
  'homes',
  'west',
  'little',
  'rock',
  'damage',
  'tornado',
  'neighborhood',
  'storm',
  'trail',
  'destruction',
  'neighborhood',
  'storm',
  'monster',
  'tornado',
  'arkansas',
  'capital',
  'little',
  'rock',
  'week',
  'dozen',
  'twister',
  'mississippi',
  'alabama',
  'tornado',
  'des',
  'moines',
  'iowa',
  'twister',
  'iowa',
  'hail',
  'illinois',
  'wind',
  'grass',
  'fire',
  'oklahoma',
  'storm',
  'system',
  'swath',
  'country',
  'home',
  'people',
  'south',
  'midwest',
  'storm',
  'week',
  'dozen',
  'twister',
  'mississippi',
  'alabama',
  'weather',
  'system',
  'floor',
  'little',
  'rock',
  'baptist',
  'medical',
  'center',
  'person',
  'twister',
  'man',
  'vortex',
  'roof',
  'building',
  'tornado',
  'level',
  'mass',
  'casualty',
  'strength',
  'video',
  'wake',
  'system',
  'debris',
  'street',
  'little',
  'rock',
  'hour',
  'rolling',
  'fork',
  'storm',
  'week',
  'footage',
  'weather',
  'channel',
  'area',
  'city',
  'block',
  'home',
  'roof',
  'wall',
  'vehicle',
  'street',
  'national',
  'weather',
  'service',
  'tornado',
  'activity',
  'home',
  'tree',
  'little',
  'rock',
  'little',
  'rock',
  'mayor',
  'frank',
  'scott',
  'jr.',
  'twitter',
  'arkansas',
  'governor',
  'sarah',
  'huckabee',
  'sanders',
  'national',
  'guard',
  'troop',
  'emergency',
  'response',
  'sanders',
  'order',
  'state',
  'disaster',
  'response',
  'recovery',
  'fund',
  'discretion',
  'director',
  'state',
  'division',
  'emergency',
  'management',
  'reporter',
  'twister',
  'capital',
  'city',
  'arkansas',
  'blast',
  'spring',
  'weather',
  'united',
  'states',
  'nation',
  'midsection',
  'texas',
  'great',
  'lakes',
  'thunderstorm',
  'tornado',
  'time',
  'people',
  'little',
  'rock',
  'hospital',
  'fatality',
  'little',
  'rock',
  'mayor',
  'frank',
  'scott',
  'jr.',
  'twitter',
  'baptist',
  'health',
  'medical',
  'center',
  'town',
  'north',
  'little',
  'rock',
  'arkansas',
  'river',
  'capital',
  'patient',
  'storm',
  'condition',
  'television',
  'station',
  'kthv',
  'tv',
  'storm',
  'death',
  'north',
  'little',
  'rock',
  'people',
  'twister',
  'emergency',
  'department',
  'unity',
  'health',
  'hospital',
  'jacksonville',
  'administrator',
  'kevin',
  'burton',
  'national',
  'weather',
  'service',
  'tornado',
  'report',
  'arkansas',
  'iowa',
  'million',
  'americans',
  'great',
  'plans',
  'midwest',
  'south',
  'east',
  'warning',
  'advisory',
  'weather',
  'hazard',
  'friday',
  'afternoon',
  'evening',
  'weekend',
  'national',
  'weather',
  'service',
  'home',
  'tree',
  'tornado',
  'little',
  'rock',
  'law',
  'office',
  'building',
  'tornado',
  'little',
  'rock',
  'building',
  'tornado',
  'north',
  'little',
  'rock',
  'brick',
  'building',
  'shrub',
  'debris',
  'tornado',
  'ventusky',
  'privacy',
  'policy',
  'weather',
  'service',
  'tornado',
  'region',
  'texas',
  'mid',
  'south',
  'midwest',
  'north',
  'wisconsin',
  'people',
  'area',
  'twister',
  'friday',
  'afternoon',
  'evening',
  "'this",
  'situation',
  'weather',
  'service',
  'northeastern',
  'arkansas',
  'missouri',
  'boot',
  'heel',
  'kentucky',
  'tennessee',
  'risk',
  'thunderstorm',
  'tornado',
  'hail',
  'line',
  'wind',
  'weather',
  'service',
  'city',
  'chicago',
  'indianapolis',
  'memphis',
  'harm',
  'way',
  'weather',
  'metropolitan',
  'emergency',
  'medical',
  'services',
  'people',
  'arkansas',
  'area',
  'tornado',
  'des',
  'moines',
  'weather',
  'mile',
  'town',
  'wynne',
  'mile',
  'little',
  'rock',
  'police',
  'chief',
  'dozen',
  'destruction',
  'town',
  "'the",
  'town',
  'half',
  'damage',
  'east',
  'west',
  'wynne',
  'mayor',
  'jennifer',
  'hobbs',
  'cnn',
  'friday',
  'evening',
  'triage',
  'mode',
  'people',
  'risk',
  'national',
  'weather',
  'service',
  'tornado',
  'business',
  'district',
  'neighborhood',
  'little',
  'rock',
  'north',
  'little',
  'rock',
  'little',
  'rock',
  'tornado',
  'neighborhood',
  'city',
  'shopping',
  'center',
  'kroger',
  'grocery',
  'store',
  'arkansas',
  'river',
  'north',
  'little',
  'rock',
  'city',
  'damage',
  'home',
  'business',
  'vehicle',
  'weather',
  'mile',
  'town',
  'wynne',
  'mile',
  'little',
  'rock',
  'police',
  'chief',
  'dozen',
  'destruction',
  'town',
  'tornado',
  'destruction',
  'building',
  'little',
  'rock',
  'area',
  'homes',
  'tile',
  'roof',
  'telegraph',
  'pole',
  'powerline',
  'power',
  'tornado',
  'debris',
  'street',
  'arkansas',
  'capital',
  'storm',
  'friday',
  'afternoon',
  'television',
  'news',
  'crew',
  'little',
  'rock',
  'tree',
  'wind',
  'tree',
  'generation',
  'friday',
  'storm',
  'road',
  'branch',
  'tree',
  'area',
  'branch',
  'place',
  'wall',
  'home',
  'emergency',
  'service',
  'scene',
  'powerline',
  'tree',
  'road',
  'university',
  'arkansas',
  'medical',
  'sciences',
  'medical',
  'center',
  'little',
  'rock',
  'mass',
  'casualty',
  'level',
  'spokesperson',
  'leslie',
  'taylor',
  'people',
  'center',
  'count',
  'mark',
  'hulsey',
  'project',
  'manager',
  'pulaski',
  'county',
  'little',
  'rock',
  'person',
  'condition',
  'resident',
  'niki',
  'scott',
  'cover',
  'bathroom',
  'husband',
  'tornado',
  'way',
  'glass',
  'tornado',
  'house',
  'street',
  'tree',
  'scott',
  'chainsaw',
  'siren',
  'area',
  'little',
  'rock',
  'fire',
  'department',
  'damage',
  'debris',
  'little',
  'rock',
  'firefighter',
  'rescue',
  'operation',
  'area',
  'resident',
  'aftermath',
  'friday',
  'afternoon',
  'lawn',
  'debris',
  'storm',
  'area',
  'windows',
  'slate',
  'rooftop',
  'wooden',
  'panel',
  'home',
  'widow',
  'place',
  'debris',
  'ground',
  'home',
  'powerlines',
  'tree',
  'area',
  'storm',
  'trail',
  'destruction',
  'person',
  'roof',
  'building',
  'storm',
  'tornado',
  'warning',
  'johnson',
  'county',
  'hills',
  'iowa',
  'storm',
  'damage',
  'casey',
  'gas',
  'station',
  'tornado',
  'warning',
  'hills',
  'iowa',
  'pile',
  'wreckage',
  'roadside',
  'little',
  'rock',
  'arkansas',
  'friday',
  'afternoon',
  'little',
  'rock',
  'tornado',
  'neighborhood',
  'city',
  'trees',
  'tornado',
  'little',
  'rock',
  'firefighter',
  'operation',
  'friday',
  'storm',
  'cleanup',
  'customer',
  'arkansas',
  'power',
  'outage',
  'tree',
  'powerline',
  'tree',
  'area',
  'storm',
  'gov.',
  'sarah',
  'huckabee',
  'sanders',
  'state',
  'emergency',
  'damage',
  'state',
  'path',
  'storm',
  'arkansans',
  'weather',
  'storm',
  "'little",
  'rock',
  'mayor',
  'frank',
  'scott',
  'jr.',
  'assistance',
  'national',
  'guard',
  "'please",
  'road',
  'area',
  'emergency',
  'responder',
  'scott',
  'little',
  'rock',
  'guitar',
  'center',
  'people',
  'video',
  'phone',
  'sky',
  'tornado',
  'it´s',
  'way',
  'red',
  'padilla',
  'singer',
  'songwriter',
  'band',
  'red',
  'revelers',
  'video',
  'padilla',
  'bandmate',
  'store',
  'minute',
  'dozen',
  'tornado',
  'power',
  'flashlight',
  'phone',
  'padilla',
  'clinton',
  'national',
  'airport',
  'passenger',
  'worker',
  'bathroom',
  'little',
  'rock',
  'fire',
  'department',
  'damage',
  'debris',
  'end',
  'city',
  'firefighter',
  'rescue',
  'operation',
  'area',
  'department',
  'facebook',
  ...],
 ['dialog',
  'website',
  'datum',
  'cookie',
  'site',
  'functionality',
  'marketing',
  'personalization',
  'analytic',
  'website',
  'consent',
  'cookie',
  'policy',
  'subscriber',
  'window)subscribe',
  'window)manage',
  'window)ez',
  'pay(opens',
  'window)vacation',
  'stop(open',
  'window)benefit',
  'subscribing(open',
  'new',
  'window)sun',
  'insiderread',
  'today',
  'newspaper(opens',
  'window)baltimore',
  'window)evening',
  'edition(open',
  'county',
  'times(opens',
  'window)capital',
  'window)the',
  'aegis(open',
  'evening',
  'edition(open',
  'window)advertise',
  'us(opens',
  'anne',
  'arundel',
  'countybaltimore',
  'citybaltimore',
  'countycarroll',
  'countyharford',
  'countyhoward',
  'countycrimeeducationsun',
  'investigatesenvironmentmarijuananation',
  'oriolesbaltimore',
  'ravenscollege',
  'sportshigh',
  'school',
  'sportssport',
  'racingbusinessconsumer',
  'reviewsautos(open',
  'estatetop',
  'workplaces',
  'reviews(open',
  'window)politicselectionshealthcoronavirusentertainmentmoviesartsmusicevents(open',
  'window)tvtv',
  'schedulehoroscopescomicsfeaturesnewsmakerhot',
  'baltimorefood',
  'drinkcalendarfun',
  'games(opens',
  'window)horoscopes(open',
  'daily(open',
  'window)daily',
  'window)solitaire(open',
  'window)bubble',
  'shooter',
  'window)obituariesdeath',
  'notices(opens',
  'window)editorial',
  'obituariesplace',
  'notice(open',
  'window)opinioneditorialreader',
  'edcolumnistssubmit',
  'letter',
  'editor(opens',
  'window)submit',
  'op',
  'ed(open',
  'maryland(open',
  'window)aboutcontact',
  'centerawardsspecial',
  'sections(open',
  'window)2023',
  'j.',
  'corey',
  'internship(open',
  'window)about',
  'ads(open',
  'window)rssbranded',
  'contentadvertising',
  'ascend(open',
  'window)paid',
  'content',
  'brandpoint(opens',
  'window)paid',
  'partner',
  'content(opens',
  'window)more(open',
  'window)archives(opens',
  'window)reprint',
  'licensing(opens',
  'window)classifiedsen',
  'españolprivacy',
  'window)public',
  'notices(opens',
  'window)tag',
  'disclosure(opens',
  'window)term',
  'service(open',
  'window)the',
  'sun',
  'store',
  'weather',
  'storm',
  'tuesday',
  'night',
  'street',
  'residencesby',
  'dan',
  'belson',
  'lilly',
  'pricebaltimore',
  'sun•last',
  'jun',
  'pmexpandcar',
  'turn',
  'barricade',
  'osler',
  'drive',
  'auburn',
  'drive',
  'towson',
  'tree',
  'power',
  'line',
  'monday',
  'evening',
  'storm',
  'jerry',
  'jackson',
  'baltimore',
  'sun)thunderstorm',
  'tuesday',
  'night',
  'baltimore',
  'metro',
  'region',
  'start',
  'week',
  'storm',
  'home',
  'intersection',
  'tree',
  'power',
  'line',
  'national',
  'weather',
  'service',
  'wednesday',
  'sky',
  'temperature',
  'high',
  'degree',
  'agency',
  'week',
  'storm',
  'shower',
  'thunderstorm',
  'a.m.',
  'friday',
  'advertisementstorm',
  'inch',
  'rainbegan',
  'tuesday',
  'afternoon',
  'pause',
  'region',
  'weather',
  'service',
  'tuesday',
  'shower',
  'flooding',
  'intersection',
  'baltimore',
  'car',
  'precipitation',
  'orioles',
  'game',
  'cincinnati',
  'reds',
  'tuesday',
  'night',
  'camden',
  'yards',
  'hour',
  'minute',
  'monday',
  'night',
  'game',
  'hour',
  'minute',
  'advertisementmonday',
  'thunderstorm',
  'inch',
  'rain',
  'inner',
  'harbor',
  'quarter',
  'size',
  'hail',
  'wind',
  'gust',
  'mph',
  'region',
  'weather',
  'service',
  'towson',
  'dozen',
  'report',
  'power',
  'line',
  'tree',
  'car',
  'storm',
  'report',
  'rain',
  'camden',
  'yards',
  'rain',
  'delay',
  'hour',
  'minute',
  'inning',
  'reds',
  'orioles',
  'game',
  'tuesday',
  'night',
  'julio',
  'cortez',
  'ap)a',
  'thunderstorm',
  'watch',
  'place',
  'central',
  'maryland',
  'monday',
  'afternoon',
  'night',
  'p.m.',
  'monday',
  'storm',
  'storm',
  'power',
  'people',
  'baltimore',
  'baltimore',
  'county',
  'monday',
  'night',
  'outage',
  'tuesday',
  'evening',
  'baltimore',
  'gas',
  'electric',
  'outage',
  'map',
  'bel',
  'air',
  'lightning',
  'thunderstorm',
  'alarm',
  'fire',
  'people',
  'condominium',
  'fire',
  'roof',
  'floor',
  'building',
  'sheridan',
  'place',
  'loss',
  'maryland',
  'state',
  'fire',
  'marshal',
  'cat',
  'precipitation',
  'maryland',
  'year',
  'century',
  'investigator',
  'lightning',
  'cause',
  'alarm',
  'fire',
  'bel',
  'air',
  'thunderstorm',
  'area',
  'monday',
  'evening',
  'cat',
  'injury',
  'john',
  'gallagher',
  'bavfcmore',
  'info',
  'https://t.co/c1vdduagej',
  'pic.twitter.com/fcj9hhbykp',
  'maryland',
  'state',
  'fire',
  'marshal',
  '@marylandosfm',
  'june',
  'jun',
  'pm',
  'advertisement',
  'june',
  'oriolesorioles',
  'hander',
  'cade',
  'povich',
  'club',
  '.',
  'pitching',
  'prospect',
  'triple',
  'a1hbaltimore',
  'oriolesorioles',
  'row',
  'phillies',
  'kyle',
  'bradish',
  'lead',
  'adley',
  'rutschman',
  'run',
  'homer',
  'horan',
  'goal',
  'draw',
  'netherlands',
  'world',
  'connecttribune',
  'publishing',
  'chicago',
  'tribuneorlando',
  'sentinelthe',
  'morning',
  'pa.',
  'daily',
  'press',
  'va.',
  'studio',
  'york',
  'daily',
  'newssun',
  'sentinel',
  'fla.',
  'hartford',
  'courantthe',
  'virginian',
  'pilotcompany',
  'infoabout',
  'centercareersprivacy',
  'policymanage',
  'web',
  'notificationsadvertise',
  'uscalifornia',
  'notice',
  'collectiondo',
  'sell',
  'share',
  'informationabout',
  'adscontact',
  'usclassifiedsterm',
  'servicearchivessite',
  'mapnotice',
  'financial',
  'incentivecookie',
  'policycookie',
  'preferencescopyright',
  'baltimore',
  'sun'],
 ['election',
  'result',
  'iowa',
  'news',
  'metro',
  'news',
  'national',
  'news',
  'understanding',
  'autism',
  'special',
  'reports',
  'iowa',
  'politics',
  'golden',
  'apple',
  'veterans',
  'voice',
  'history',
  'sign',
  'email',
  'newsletters',
  'bestreviews',
  'man',
  'fort',
  'dodge',
  'lawmaker',
  'ragbrai',
  'dog',
  'puppy',
  'hoarding',
  'case',
  'arl',
  'federal',
  'reserve',
  'interest',
  'rate',
  'hike',
  'desantis',
  'rfk',
  'jr.',
  'cdc',
  'fda',
  'indy',
  'soundoff',
  'andy',
  'murphy',
  'law',
  'football',
  'friday',
  'primetime',
  'high',
  'school',
  'high',
  'school',
  'scores',
  'rvtv',
  'kirk',
  'ferentz',
  'big',
  'media',
  'days',
  'niang',
  'nba',
  'dream',
  'state',
  'new',
  'ushl',
  'commissioner',
  'buccaneer',
  'arena',
  'situation',
  'tory',
  'taylor',
  'pound',
  'season',
  'lebron',
  'james',
  'son',
  'arrest',
  'bulldog',
  'enzugusi',
  'menace',
  'maps',
  'radar',
  'iowa',
  'weather',
  'channel',
  'skycam',
  'network',
  'warnings',
  'weather',
  'related',
  'closings',
  'road',
  'conditions',
  'emergency',
  'hotlines',
  'iowa',
  'river',
  'gage',
  'severe',
  'weather',
  'awareness',
  'weather',
  'blog',
  'weather',
  'senior',
  'salutes',
  'photolink',
  'science',
  'center',
  'iowa',
  'cheers',
  'business',
  'cooking',
  'dollar',
  'sense',
  'wellness',
  'wednesday',
  'guest',
  'day',
  'contact',
  'iowa',
  'rave',
  'review',
  'live',
  'poll',
  'iowa',
  'farmers',
  'women',
  'schedule',
  'air',
  'app',
  'center',
  'sign',
  'daily',
  'email',
  'alert',
  'streaming',
  'senior',
  'scholastic',
  'spotlight',
  'clear',
  'shelters',
  'community',
  'calendar',
  'contests',
  'children',
  'programming',
  'photolink',
  'advertise',
  'news',
  'team',
  'story',
  'idea',
  'press',
  'regional',
  'news',
  'partners',
  'bestreviews',
  'public',
  'file',
  'post',
  'job',
  'job',
  'employment',
  'opportunities',
  'wind',
  'snow',
  'iowa',
  'end',
  'week',
  'dec',
  'pm',
  'cst',
  'dec',
  'pm',
  'cst',
  'dec',
  'pm',
  'cst',
  'dec',
  'pm',
  'cst',
  'article',
  'information',
  'article',
  'time',
  'stamp',
  'story',
  'winter',
  'storm',
  'blast',
  'air',
  'track',
  'state',
  'tomorrow',
  'afternoon',
  'holiday',
  'weekend',
  'inch',
  'snow',
  'iowa',
  'wind',
  'travel',
  'area',
  'end',
  'snow',
  'range',
  'winter',
  'storm',
  'central',
  'iowa',
  'pm',
  'wednesday',
  'saturday',
  'snow',
  'western',
  'iowa',
  'pm',
  'wednesday',
  'flake',
  'des',
  'moines',
  'pm',
  'wednesday',
  'couple',
  'hour',
  'snow',
  'wind',
  'storm',
  'iowa',
  'night',
  'half',
  'thursday',
  'wind',
  'gust',
  'mph',
  'low',
  'mph',
  'gust',
  'thursday',
  'friday',
  'snow',
  'band',
  'wednesday',
  'snow',
  'band',
  'wednesday',
  'second',
  'snow',
  'band',
  'thursday',
  'second',
  'snow',
  'band',
  'thursday',
  'blizzard',
  'condition',
  'thursday',
  'blizzard',
  'condition',
  'visibility',
  'tact',
  'friday',
  'snow',
  'ove',
  'snow',
  'wind',
  'temperature',
  'wind',
  'wind',
  'chill',
  'watch',
  'time',
  'period',
  'des',
  'moines',
  'wind',
  'chill',
  'thursday',
  'morning',
  'past',
  'lunch',
  'saturday',
  'thursday',
  'morning',
  'wind',
  'chill',
  'thursday',
  'evening',
  'wind',
  'chill',
  'friday',
  'morning',
  'wind',
  'chill',
  'snowfall',
  'total',
  'inch',
  'range',
  'central',
  'iowa',
  'moment',
  'snow',
  'total',
  'billing',
  'storm',
  'wind',
  'couple',
  'inch',
  'accumulation',
  'travel',
  'snow',
  'forecast',
  'mega',
  'doppler',
  's',
  'weather',
  'warnings',
  'advisories',
  'road',
  'conditions',
  'emergency',
  'hotlines',
  'download',
  '13warnme',
  'app',
  'life',
  'situation',
  'cold',
  'wind',
  'travel',
  'vehicle',
  'road',
  'frostbite',
  'minute',
  'rescue',
  'motorist',
  'travel',
  'plan',
  'element',
  'thursday',
  'typo',
  'error(required',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'amazon',
  'school',
  'deal',
  'schooler',
  'school',
  'corner',
  'amazon',
  'supply',
  'school',
  'deal',
  'supply',
  'schooler',
  'august',
  'vegetable',
  'flower',
  'flower',
  'plant',
  'hour',
  'soil',
  'air',
  'temperature',
  'sunshine',
  'august',
  'month',
  'planting',
  'chemical',
  'guys',
  'kit',
  'car',
  'car',
  'care',
  'hour',
  'chemical',
  'guys',
  'car',
  'wash',
  'kit',
  'time',
  'deal',
  'man',
  'fort',
  'dodge',
  'soldier',
  'niger',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'senate',
  'gop',
  'leader',
  'mcconnell',
  'news',
  'conference',
  'samsung',
  'smartphone',
  'bet',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'man',
  'fort',
  'dodge',
  'soldier',
  'niger',
  'senate',
  'gop',
  'leader',
  'mcconnell',
  'news',
  'conference',
  'samsung',
  'smartphone',
  'bet',
  'journalist',
  'year',
  'prison',
  'ocean',
  'heat',
  'dog',
  'puppy',
  'hoarding',
  'case',
  'animal',
  'gov.',
  'reynolds',
  'chats',
  'schedule',
  'tens',
  'thousands',
  'brave',
  'heat',
  'ragbrai',
  'ragbrai',
  'route',
  'des',
  'moines',
  'metro',
  'wednesday',
  'new',
  'ushl',
  'commissioner',
  'buccaneer',
  'arena',
  'situation',
  'niang',
  'iowa',
  'journalist',
  'year',
  'prison',
  'ocean',
  'heat',
  'people',
  'high',
  'arizona',
  'trump',
  'biden',
  'republicans',
  'arizona',
  'girl',
  'montana',
  'lawmaker',
  'ragbrai',
  'attorney',
  'm',
  'settlement',
  'water',
  'thank',
  'inbox',
  'gift',
  'summer',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'home',
  'depot',
  'foot',
  'skeleton',
  'halloween',
  'deal',
  'day',
  'prime',
  'day',
  'favorite',
  'amazon',
  'essentials',
  'clothe',
  'new',
  'ushl',
  'commissioner',
  'buccaneer',
  'arena',
  'situation',
  'lawmaker',
  'ragbrai',
  'man',
  'fort',
  'dodge',
  'dog',
  'puppy',
  'hoarding',
  'case',
  'arl',
  'heat',
  'wave',
  'iowa',
  'east',
  'fire',
  'garage',
  'ragbrai',
  'route',
  'des',
  'moines',
  'traffic',
  'man',
  'fort',
  'dodge',
  'lawmaker',
  'ragbrai',
  'dog',
  'puppy',
  'hoarding',
  'case',
  'arl',
  'federal',
  'reserve',
  'interest',
  'rate',
  'hike',
  'desantis',
  'rfk',
  'jr.',
  'cdc',
  'fda',
  'mcconnell',
  'briefing',
  'colleague',
  'politic',
  'hill',
  'hour',
  'news',
  'sports',
  'video',
  'center',
  'mega',
  'doppler',
  's',
  'weather',
  'iowa',
  'contact',
  'jobs',
  'online',
  'public',
  'file',
  'public',
  'file',
  'eeo',
  'fcc',
  'applications',
  'android',
  'app',
  'google',
  'play',
  'android',
  'weather',
  'app',
  'google',
  'play',
  'personal',
  'information',
  'personal',
  'information',
  'nexstar',
  'media',
  'inc.',
  'rights'],
 ['website',
  'united',
  'states',
  'government',
  'website',
  'government',
  'organization',
  'united',
  'states',
  'https://',
  'website',
  'share',
  'information',
  'website',
  'characterization',
  'storm',
  'flow',
  'dynamic',
  'headwater',
  'stream',
  'south',
  'carolina',
  'characterization',
  'storm',
  'flow',
  'dynamic',
  'headwater',
  'stream',
  'south',
  'carolina',
  'author',
  'thomas',
  'h.',
  'epps',
  'daniel',
  'r.',
  'hitchcock',
  'anand',
  'd.',
  'jayakaran',
  'drake',
  'r.',
  'loflin',
  'thomas',
  'm.',
  'williams',
  'devendra',
  'm.',
  'amatya',
  'source',
  'journal',
  'american',
  'water',
  'resources',
  'association',
  'jawra',
  'abstract',
  'monitoring',
  'order',
  'watershed',
  'south',
  'carolina',
  'united',
  'states',
  'region',
  'growth',
  'land',
  'use',
  'change',
  'storm',
  'event',
  'year',
  'period',
  'runoff',
  'coefficient',
  'roc',
  'storm',
  'response',
  'tsr',
  'percent',
  'rainfall',
  'roc',
  'calculation',
  'hydrograph',
  'separation',
  'method',
  'streamflow',
  'base',
  'flow',
  'runoff',
  'component',
  'roc',
  'ratio',
  'upper',
  'debidue',
  'creek',
  'udc',
  'watershed',
  'watershed',
  'ws80',
  'tsr',
  'result',
  'udc',
  'ws80',
  'variability',
  'event',
  'runoff',
  'generation',
  'trend',
  'water',
  'table',
  'elevation',
  'fluctuation',
  'evapotranspiration',
  'elevation',
  'breakpoint',
  'watershed',
  'antecedent',
  'water',
  'table',
  'elevation',
  'streamflow',
  'rocs',
  'tsrs',
  'threshold',
  'groundwater',
  'elevation',
  'event',
  'runoff',
  'generation',
  'response',
  'rainfall',
  'land',
  'use',
  'decision',
  'making',
  'baseline',
  'hydrology',
  'benchmark',
  'management',
  'goal',
  'event',
  'surface',
  'groundwater',
  'interaction',
  'keyword',
  'surface',
  'water',
  'groundwater',
  'interaction',
  'runoff',
  'management',
  'streamflow',
  'hydrology',
  'order',
  'stream',
  'hydrograph',
  'separation',
  'south',
  'carolina',
  'citation',
  'epps',
  'thomas',
  'h.',
  'hitchcock',
  'daniel',
  'r.',
  'jayakaran',
  'anand',
  'd.',
  'loflin',
  'drake',
  'r.',
  'williams',
  'thomas',
  'm.',
  'amatya',
  'devendra',
  'm.',
  'characterization',
  'storm',
  'flow',
  'dynamic',
  'headwater',
  'stream',
  'south',
  'carolina',
  'plain',
  'journal',
  'american',
  'water',
  'resources',
  'association',
  'jawra',
  'doi',
  'jawr.12000'],
 ['contentskip',
  'content',
  'register',
  'article',
  'newsletter',
  'weather',
  'forecast',
  'weather',
  'alert',
  'inbox',
  'subscriber',
  'sign',
  'time',
  'owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'lee',
  'enterprises',
  'terms',
  'service',
  '',
  '',
  'privacy',
  'policy',
  'help',
  'center',
  'account',
  'dashboard',
  'profile',
  'item',
  'wind',
  'snow',
  'thousand',
  'power',
  'arizona',
  'storm',
  'wind',
  'snow',
  'thousand',
  'power',
  'arizona',
  'storm',
  'susan',
  'immel',
  'dog',
  'wednesday',
  'afternoon',
  'snowstorm',
  'condition',
  'jake',
  'bacon',
  'arizona',
  'daily',
  'sun',
  'chase',
  'christopher',
  'journeyman',
  'lineman',
  'arizona',
  'public',
  'service',
  'power',
  'line',
  'flagstaff',
  'wednesday',
  'morning',
  'line',
  'power',
  'area',
  'flagstaff',
  'power',
  'outage',
  'blizzard',
  'wind',
  'area',
  'jake',
  'bacon',
  'arizona',
  'daily',
  'sun',
  'snow',
  'hurricane',
  'force',
  'wind',
  'arizona',
  'tuesday',
  'night',
  'wednesday',
  'thousand',
  'cold',
  'utility',
  'ponderosa',
  'pine',
  'snow',
  'blizzard',
  'buffalo',
  'park',
  'wednesday',
  'afternoon',
  'jake',
  'bacon',
  'arizona',
  'daily',
  'sun',
  'wednesday',
  'morning',
  'national',
  'weather',
  'service',
  'nws',
  'snowfall',
  'inch',
  'nws',
  'meteorologist',
  'charge',
  'brian',
  'klimowski',
  'certainty',
  'snowfall',
  'blizzard',
  'condition',
  'severity',
  'wind',
  'snow',
  'landscape',
  'nws',
  'wind',
  'mph',
  'flagstaff',
  'area',
  'ability',
  'power',
  'outage',
  'road',
  'closure',
  'impact',
  'wind',
  'situation',
  'klimowski',
  'outage',
  'flagstaff',
  'community',
  'hour',
  'wednesday',
  'morning',
  'wind',
  'tree',
  'power',
  'line',
  'coconino',
  'county',
  'official',
  'utility',
  'provider',
  'arizona',
  'public',
  'service',
  'aps',
  '%',
  'coconino',
  'county',
  'customer',
  'electricity',
  'wednesday',
  'morning',
  'height',
  'outage',
  'customer',
  'power',
  'nws',
  'office',
  'weather',
  'thank',
  'system',
  'office',
  'las',
  'vegas',
  'lake',
  'powell',
  'water',
  'level',
  'lining',
  'cmt',
  'music',
  'video',
  'jason',
  'aldean',
  'song',
  'singer',
  'lyric',
  'window',
  'cleaning',
  'truck',
  'collision',
  'industrial',
  'avenue',
  'flagstaff',
  'coconino',
  'county',
  'board',
  'supervisors',
  'term',
  'ordinance',
  'flagstaff',
  'rescue',
  'hiker',
  'elden',
  'lookout',
  'trail',
  'arizona',
  'woman',
  'power',
  'debt',
  'utility',
  'earthquake',
  'arizona',
  'town',
  'report',
  'injury',
  'damage',
  'bakery',
  'owner',
  'scratch',
  'winter',
  'roof',
  'collapse',
  'kachina',
  'village',
  'arizona',
  'woman',
  'yellowstone',
  'bison',
  'attack',
  'boyfriend',
  'hospital',
  'proposal',
  'tom',
  'brady',
  'supermodel',
  'twitter',
  'x',
  'today',
  'news',
  'building',
  'buffet',
  'pawn',
  'shop',
  'nau',
  'master',
  'plan',
  'mask',
  'burger',
  'chain',
  'employee',
  'state',
  'utah',
  'man',
  'park',
  'grand',
  'canyon',
  'packraft',
  'trip',
  'movie',
  'flagstaff',
  'lady',
  'van',
  'park',
  'downtown',
  'street',
  'artist',
  'jetsonorama',
  'flagstaff',
  'history',
  'mural',
  'south',
  'san',
  'francisco',
  'street',
  'doney',
  'park',
  'resident',
  'nicolle',
  'young',
  'power',
  'outage',
  'wood',
  'stove',
  'child',
  'solution',
  'wind',
  'fire',
  'smoke',
  'house',
  'smoke',
  'alarm',
  'young',
  'house',
  'smoke',
  'inspection',
  'young',
  'wind',
  'rooftop',
  'spark',
  'arrestor',
  'angle',
  'smoke',
  'chimney',
  'stack',
  'house',
  'youngs',
  'room',
  'week',
  'year',
  'power',
  'power',
  'doney',
  'park',
  'customer',
  'a.m.',
  'period',
  'outage',
  'water',
  'provider',
  'doney',
  'park',
  'water',
  'dpw',
  'result',
  'customer',
  'water',
  'pressure',
  'home',
  'dpw',
  'general',
  'manager',
  'marc',
  'twidwell',
  'power',
  'outage',
  'booster',
  'station',
  'booster',
  'station',
  'line',
  'tidwell',
  'a.m.',
  'facility',
  'a.m.',
  'meantime',
  'dpw',
  'customer',
  'd.j.',
  'montoya',
  'water',
  'station',
  'home',
  'pot',
  'snow',
  'iron',
  'wood',
  'stove',
  'lot',
  'camping',
  'wood',
  'house',
  'montoya',
  'lesson',
  'son',
  'problem',
  'solution',
  'core',
  'flagstaff',
  'outage',
  'fourth',
  'street',
  'resident',
  'jason',
  'spoon',
  'morning',
  'second',
  'power',
  'outage',
  'ice',
  'storm',
  'flagstaff',
  'resident',
  'rob',
  'jones',
  'scene',
  'snow',
  'maggedon',
  'flagstaff',
  'wednesday',
  'morning',
  'generation',
  'storm',
  'wind',
  'mph',
  'snow',
  'jake',
  'bacon',
  'arizona',
  'daily',
  'sun',
  'garbage',
  'foot',
  'snow',
  'floor',
  'jones',
  'day',
  'colorado',
  'plateau',
  'day',
  'aps',
  'restoration',
  'time',
  'area',
  'hope',
  'power',
  'restoration',
  'push',
  'evening',
  'continental',
  'country',
  'club',
  'resident',
  'sherri',
  'jablonski',
  'hour',
  'power',
  'wind',
  'chill',
  'temperature',
  'degree',
  'fahrenheit',
  'situation',
  'aps',
  'jablonski',
  'jablonski',
  'camp',
  'stove',
  'garage',
  'meal',
  'water',
  'midday',
  'house',
  'temperature',
  'degree',
  'layer',
  'resident',
  'continental',
  'country',
  'club',
  'area',
  'coconino',
  'county',
  'emergency',
  'services',
  'red',
  'cross',
  'station',
  'sinagua',
  'middle',
  'school',
  'nick',
  'leatherwood',
  'chase',
  'christopher',
  'journeyman',
  'arizona',
  'public',
  'service',
  'work',
  'wednesday',
  'morning',
  'power',
  'line',
  'east',
  'flagstaff',
  'blizzard',
  'wind',
  'power',
  'interruption',
  'neighborhood',
  'city',
  'jake',
  'bacon',
  'arizona',
  'daily',
  'sun',
  'situation',
  'munds',
  'park',
  'outage',
  'customer',
  'midday',
  'area',
  'power',
  'p.m.',
  'severity',
  'munds',
  'park',
  'propane',
  'delivery',
  'failure',
  'establishment',
  'warming',
  'shelter',
  'munds',
  'park',
  'community',
  'church',
  'failure',
  'location',
  'generator',
  'aps',
  'division',
  'director',
  'mackenzie',
  'rodgers',
  'loss',
  'power',
  'munds',
  'park',
  'area',
  'outage',
  'line',
  'transmission',
  'line',
  'crew',
  'line',
  'damage',
  'tree',
  'wind',
  'way',
  'transmission',
  'line',
  'tree',
  'power',
  'line',
  'photo',
  'arizona',
  'public',
  'service',
  'aps',
  'aps',
  'official',
  'incident',
  'power',
  'outage',
  'mph',
  'wind',
  'forest',
  'arizona',
  'wednesday',
  'feb',
  'tree',
  'tree',
  'mile',
  'line',
  'hurricane',
  'force',
  'wind',
  'ponderosa',
  'pine',
  'forest',
  'arizona',
  'hour',
  'wednesday',
  'morning',
  'tree',
  'power',
  'line',
  'place',
  'power',
  'outage',
  'rodgers',
  'crew',
  'area',
  'need',
  'repair',
  'progress',
  'munds',
  'park',
  'day',
  'power',
  'member',
  'community',
  'nightfall',
  'wednesday',
  'beginning',
  'marathon',
  'aps',
  'power',
  'outage',
  'situation',
  'rodgers',
  'wind',
  'folk',
  'foot',
  'snow',
  'area',
  'foot',
  'bulldozer',
  'equipment',
  'truck',
  'snow',
  'wind',
  'excess',
  'mph',
  'power',
  'outage',
  'arizona',
  'wednesday',
  'utility',
  'provider',
  'arizona',
  'public',
  'service',
  'crew',
  'blizzard',
  'condition',
  'power',
  'thousand',
  'customer',
  'courtesy',
  'arizona',
  'public',
  'service',
  'snow',
  'wind',
  'forecast',
  'slew',
  'incident',
  'arizona',
  'rodgers',
  'aps',
  'response',
  'resource',
  'resource',
  'period',
  'rodgers',
  'snow',
  'thursday',
  'friday',
  'point',
  'saturday',
  'outage',
  'time',
  'period',
  'customer',
  'chase',
  'christopher',
  'journeyman',
  'lineman',
  'arizona',
  'public',
  'service',
  'line',
  'crew',
  'power',
  'line',
  'flagstaff',
  'wednesday',
  'morning',
  'blizzard',
  'line',
  'city',
  'loss',
  'power',
  'neighborhood',
  'jake',
  'bacon',
  'arizona',
  'daily',
  'sun',
  'wednesday',
  'afternoon',
  'nws',
  'winter',
  'storm',
  'friday',
  'a.m.',
  'time',
  'official',
  'potential',
  'inch',
  'snow',
  'accumulation',
  'wind',
  'chill',
  'temperature',
  'degree',
  'fahrenheit',
  'wind',
  'gust',
  'mph',
  'flagstaff',
  'area',
  'respite',
  'friday',
  'night',
  'chance',
  'snow',
  'return',
  'saturday',
  'evening',
  '"[saturday',
  'night',
  'event',
  'klimowski',
  'inch',
  'snow',
  'event',
  'information',
  'aps',
  'power',
  'outage',
  'outagemap.aps.com/outageviewer/',
  'gallery',
  'snowstorm',
  'flagstaff',
  'outage',
  'closure',
  'cancellation',
  'snowstorm',
  'condition',
  'closure',
  'cancellation',
  'wind',
  'flagstaff',
  'hour',
  'wednesday',
  'morning',
  'sean',
  'golightly',
  'sgolightly@azdailysun.com',
  'weather',
  'forecast',
  'weather',
  'alert',
  'inbox',
  'registration',
  'use',
  'site',
  'agreement',
  'user',
  'agreement',
  'privacy',
  'policy',
  'storm',
  'wind',
  'snow',
  'arizona',
  'winter',
  'storm',
  'wind',
  'snow',
  'wednesday',
  'arizona',
  'new',
  'mexico',
  'mile',
  'stretch',
  'thousand',
  'power',
  'coconino',
  'county',
  'wind',
  'snow',
  'snarl',
  'p.m.',
  'update',
  'aps',
  'restoration',
  'estimation',
  'continental',
  'country',
  'club',
  'bellemont',
  'area',
  'p.m.',
  'storm',
  'wind',
  'snow',
  'potential',
  'outage',
  'arizona',
  'outage',
  'aps',
  'northern',
  'arizona',
  'division',
  'director',
  'mackenzie',
  'rogers',
  'crew',
  'rush',
  'storm',
  'flagstaff',
  'city',
  'street',
  'crew',
  'prep',
  'round',
  'snowfall',
  'road',
  'event',
  'city',
  'street',
  'section',
  'director',
  'samuel',
  'beckett',
  'propane',
  'provider',
  'amerigas',
  'flagstaff',
  'area',
  'connie',
  'olmstead',
  'abandonment',
  'money',
  'highway',
  'closure',
  'thursday',
  'morning',
  'motorist',
  'caution',
  'highway',
  'closure',
  'thursday',
  'morning',
  'forecast',
  'wind',
  'snow',
  'afternoon',
  'flagstaff',
  'family',
  'food',
  'center',
  'delivery',
  'volunteer',
  'force',
  'storm',
  'hurdle',
  'food',
  'bank',
  'community',
  'search',
  'rescue',
  'crew',
  'shelter',
  'coconino',
  'county',
  'people',
  'coconino',
  'county',
  'spot',
  'onslaught',
  'wind',
  'snow',
  'meal',
  'wheels',
  'food',
  'adult',
  'flagstaff',
  'meals',
  'wheels',
  'lifeline',
  'senior',
  'coconino',
  'county',
  'winter',
  'flagstaff',
  'winter',
  'history',
  'date',
  'winter',
  'flagstaff',
  'receipt',
  'watch',
  'mitch',
  'mcconnell',
  'freezes',
  'press',
  'conference',
  'republican',
  'colleagues',
  'ivy',
  'league',
  'colleges',
  'rich',
  'class',
  'student',
  'ivy',
  'league',
  'colleges',
  'rich',
  'class',
  'student',
  'swimming',
  'seine',
  'returns',
  'paris',
  'year',
  'swimming',
  'seine',
  'returns',
  'paris',
  'year',
  'fifa',
  'lotr',
  'fan',
  'new',
  'zealand',
  'hobbiton',
  'fifa',
  'lotr',
  'fan',
  'new',
  'zealand',
  'hobbiton',
  'copyright',
  'arizona',
  'daily',
  'sun',
  's',
  'thompson',
  'st',
  'flagstaff',
  'az',
  'term',
  'use',
  '',
  '',
  'privacy',
  'policy',
  '',
  '',
  'info',
  '',
  '',
  'cookie',
  'preferences',
  'blox',
  'content',
  'management',
  'system',
  'minute',
  'news',
  'device'],
 ['journalism',
  'month',
  'home',
  'rjespañol',
  'video',
  'lake',
  'mead',
  'news',
  'nation',
  'world',
  'science',
  'technology',
  'special',
  'features',
  'state',
  'despair',
  'alpine',
  'motel',
  'fire',
  'storm',
  'area',
  'nevada',
  'north',
  'las',
  'vegas',
  'southwest',
  'summerlin',
  'centennial',
  'hills',
  'strip',
  'oct.',
  'columns',
  'poker',
  'national',
  'finals',
  'rodeo',
  'las',
  'vegas',
  'bowl',
  'super',
  'bowl',
  'nba',
  'summer',
  'league',
  'tv',
  'radio',
  'lights',
  'fc',
  'mma',
  'ufc',
  'boxing',
  'golf',
  'entrepreneurs',
  'real',
  'estate',
  'news',
  'business',
  'press',
  'sheldon',
  'adelson',
  'michael',
  'ramirez',
  'cartoon',
  'victor',
  'joecks',
  'richard',
  'a.',
  'epstein',
  'victor',
  'davis',
  'hanson',
  'auto',
  'news',
  'dealer',
  'news',
  'classifieds',
  'place',
  'ad',
  'content',
  'new',
  'homes',
  'real',
  'estate',
  'millions',
  'real',
  'estate',
  'news',
  'classifieds',
  'place',
  'classified',
  'ad',
  'service',
  'directory',
  'transportation',
  'merchandise',
  'legal',
  'information',
  'real',
  'estate',
  'classifieds',
  'garage',
  'sales',
  'pets',
  'rentals',
  'faq',
  'place',
  'classified',
  'ad',
  'contests',
  'promotions',
  'best',
  'las',
  'vegas',
  'contests',
  'tv',
  'guide',
  'content',
  'storm',
  'area',
  'nevada',
  'town',
  'year',
  'ness',
  'life',
  'basis',
  'world',
  'people',
  'blip',
  'nevada',
  'map',
  'highlight',
  'alienstock',
  'las',
  'vegas',
  'review',
  'journal',
  'september',
  'september',
  'pm',
  'connie',
  'west',
  "a'le'inn",
  'business',
  'bit',
  'festival',
  'year',
  'thursday',
  'sept.',
  'rachel',
  'l.e.',
  'baskow',
  'las',
  'vegas',
  'review',
  'journal',
  '@left_eye_imagesone',
  'extraterrestrial',
  'highway',
  'sign',
  'graffiti',
  'alien',
  'research',
  'center',
  'alienstock',
  'merchandise',
  'year',
  'event',
  'thursday',
  'sept.',
  'rachel',
  'l.e.',
  'baskow',
  'las',
  'vegas',
  'review',
  'journal',
  '@left_eye_imagesone',
  'extraterrestrial',
  'highway',
  'sign',
  'graffiti',
  'alien',
  'research',
  'center',
  'alienstock',
  'merchandise',
  'year',
  'event',
  'thursday',
  'sept.',
  'rachel',
  'l.e.',
  'baskow',
  'las',
  'vegas',
  'review',
  'journal',
  'west',
  'son',
  'cody',
  'theising',
  'bedding',
  'room',
  "a'le'inn",
  'business',
  'bit',
  'festival',
  'year',
  'thursday',
  'sept.',
  'rachel',
  'l.e.',
  'baskow',
  'las',
  'vegas',
  'review',
  'journal',
  'alien',
  'research',
  'center',
  'storm',
  'area',
  'merchandise',
  'year',
  'event',
  'thursday',
  'sept.',
  'rachel',
  'l.e.',
  'baskow',
  'las',
  'vegas',
  'review',
  'journal',
  'mailbox',
  's.r.',
  'hiko',
  'rachel',
  'thursday',
  'sept.',
  'l.e.',
  'baskow',
  'las',
  'vegas',
  'review',
  'journal',
  "a'le'inn",
  'business',
  'bit',
  'alienstock',
  'year',
  'thursday',
  'sept.',
  'rachel',
  'l.e.',
  'baskow',
  'las',
  'vegas',
  'review',
  'journal',
  'west',
  "a'le'inn",
  'business',
  'bit',
  'festival',
  'year',
  'thursday',
  'sept.',
  'rachel',
  'l.e.',
  'baskow',
  'las',
  'vegas',
  'review',
  'journal',
  'stage',
  'alienstock',
  'bit',
  'disrepair',
  "a'le'inn",
  'business',
  'bit',
  'festival',
  'year',
  'thursday',
  'sept.',
  'rachel',
  'l.e.',
  'baskow',
  'las',
  'vegas',
  'review',
  'journal',
  'vehicle',
  'state',
  'route',
  'rachel',
  'year',
  'alienstock',
  'event',
  'thursday',
  'sept.',
  'l.e.',
  'baskow',
  'las',
  'vegas',
  'review',
  'journal',
  '@left_eye_imagesalien',
  'extraterrestrial',
  'highway',
  'mural',
  'e',
  '-',
  't-',
  'fresh',
  'jerky',
  'store',
  'thursday',
  'sept.',
  'hiko',
  'l.e.',
  'baskow',
  'las',
  'vegas',
  'review',
  'journal',
  '@left_eye_imagesalienstock',
  'merchandise',
  "a'le'inn",
  'business',
  'bit',
  'festival',
  'year',
  'thursday',
  'sept.',
  'rachel',
  'l.e.',
  'baskow',
  'las',
  'vegas',
  'review',
  'journal',
  '@left_eye_imagesrachel',
  'webmaster',
  'joerg',
  'arnu',
  'property',
  'website',
  'alienstock',
  'thursday',
  'sept.',
  'rachel',
  'l.e.',
  'baskow',
  'las',
  'vegas',
  'review',
  'journal',
  '@left_eye_imagesrachel',
  'webmaster',
  'joerg',
  'arnu',
  'home',
  'work',
  'station',
  'website',
  'alienstock',
  'thursday',
  'sept.',
  'rachel',
  'l.e.',
  'baskow',
  'las',
  'vegas',
  'review',
  'journal',
  '@left_eye_imagesweb',
  'page',
  'rachel',
  'webmaster',
  'joerg',
  'arnu',
  'home',
  'work',
  'station',
  'alienstock',
  'thursday',
  'sept.',
  'rachel',
  'l.e.',
  'baskow',
  'las',
  'vegas',
  'review',
  'journal',
  'west',
  'window',
  'service',
  'area',
  "a'le'inn",
  'business',
  'bit',
  'festival',
  'year',
  'thursday',
  'sept.',
  'rachel',
  'l.e.',
  'baskow',
  'las',
  'vegas',
  'review',
  'journal',
  'roberts',
  'creator',
  'storm',
  'area',
  'bud',
  'light',
  'area',
  'celebration',
  'event',
  'downtown',
  'las',
  'vegas',
  'events',
  'center',
  'tuesday',
  'sept.',
  'las',
  'vegas',
  'l.e.',
  'baskow',
  'las',
  'vegas',
  'review',
  'journal',
  'area',
  'founder',
  'matty',
  'roberts',
  'medium',
  'start',
  'area',
  'celebration',
  'thursday',
  'sept.',
  'downtown',
  'las',
  'vegas',
  'events',
  'center',
  'las',
  'vegas',
  'benjamin',
  'hager',
  'las',
  'vegas',
  'review',
  'journal',
  '@benjaminhphoto',
  'generation',
  'month',
  'ness',
  'life',
  'basis',
  'thing',
  'hand',
  'popeyes',
  'chicken',
  'sandwich',
  'world',
  'people',
  'blip',
  'nevada',
  'map',
  'mile',
  'rachel',
  'sunday',
  'anniversary',
  'day',
  'facebook',
  'user',
  'college',
  'student',
  'night',
  'goof',
  'area',
  'alien',
  'result',
  'joke',
  'lincoln',
  'county',
  'business',
  'owner',
  'litigation',
  'rachel',
  'resident',
  'state',
  'person',
  'coronavirus',
  'guideline',
  'year',
  'water',
  'connie',
  'west',
  'proprietor',
  'business',
  'rachel',
  'thing',
  'town',
  'area',
  'a’le’inn',
  'spotlight',
  'july',
  'facebook',
  'prank',
  'plan',
  'gate',
  'facility',
  'music',
  'art',
  'festival',
  'alienstock',
  'event',
  'disarray',
  'day',
  'sept.',
  'man',
  'phrase',
  'storm',
  'area',
  'tie',
  'day',
  'festival',
  'minute',
  'couple',
  'people',
  'diy',
  'vibe',
  'west',
  'summer',
  'medium',
  'world',
  'cafe',
  'aftermath',
  'day',
  'aftermath',
  'lawsuit',
  'countersuit',
  'meme',
  'creator',
  'team',
  'wrath',
  'member',
  'group',
  'neighbor',
  'way',
  'thing',
  'people',
  'time',
  'alienstock',
  'people',
  'community',
  'west',
  'event',
  'tab',
  'bill',
  'court',
  'february',
  'festival',
  'hell',
  'lot',
  'work',
  'edition',
  'result',
  'pandemic',
  'sponsor',
  'covid',
  'plug',
  'commissioner',
  'county',
  'state',
  'thing',
  'sponsor',
  'year',
  'handful',
  'enthusiast',
  'highway',
  'establishment',
  'weekend',
  'year',
  'festival',
  'place',
  'year',
  'people',
  'west',
  'lot',
  'animosity',
  'joerg',
  'arnu',
  'west',
  'towel',
  'event',
  'town',
  'camp',
  'rachel',
  'resident',
  'group',
  'west',
  'plan',
  'arnu',
  'lot',
  'animosity',
  'rachel',
  'town',
  'opposite',
  'camp',
  'summer',
  'arnu',
  'position',
  'webmaster',
  'rachel',
  'platform',
  'visitor',
  'weekend',
  'year',
  'feature',
  'website',
  'link',
  'sister',
  'site',
  'alienstock',
  'rachel',
  'software',
  'developer',
  'group',
  'family',
  'percent',
  'property',
  'rachel',
  'alienstock',
  'festival',
  'arnu',
  'stranger',
  'property',
  'home',
  'lense',
  'tourist',
  'area',
  'rachel',
  'security',
  'lighting',
  'summer',
  'car',
  'property',
  'night',
  'spot',
  'mile',
  'gas',
  'station',
  'emergency',
  'room',
  'town',
  'place',
  'place',
  'arnu',
  'point',
  'year',
  'event',
  'thing',
  'animosity',
  'scale',
  'festival',
  'rachel',
  'alienstock',
  'arnu',
  'world',
  'focus',
  'alienstock',
  'festival',
  'weekend',
  'area',
  'basecamp',
  'alien',
  'research',
  'center',
  'hiko',
  'ambition',
  'dj',
  'paul',
  'oakenfold',
  'prospect',
  'england',
  'jet',
  'opening',
  'night',
  'george',
  'harris',
  'tourist',
  'attraction',
  'gawker',
  'plan',
  'rest',
  'festival',
  'ticket',
  'harris',
  'way',
  'lot',
  'money',
  'people',
  'lot',
  'people',
  'course',
  'couple',
  'day',
  'discrepancy',
  'harris',
  'year',
  'bank',
  'loan',
  'positive',
  'advertising',
  'harris',
  'world',
  'day',
  'news',
  'cycle',
  'day',
  'alien',
  'research',
  'center',
  'week',
  'harris',
  'visitor',
  'area',
  'merchandise',
  'west',
  'iteration',
  'festival',
  'oct.',
  'covid-19',
  'schedule',
  'spring',
  'way',
  'word',
  'life',
  'loss',
  'middle',
  'harris',
  'place',
  'ufologist',
  'hobby',
  'storm',
  'area',
  'eric',
  'holt',
  'test',
  'lincoln',
  'county',
  'emergency',
  'manager',
  'job',
  'month',
  'world',
  'fear',
  'visitor',
  'crowd',
  'event',
  'nightmare',
  'place',
  'environment',
  'infrastructure',
  'holt',
  'month',
  'half',
  'resource',
  'effort',
  'time',
  'people',
  'rachel',
  'attendee',
  'weekend',
  'holt',
  'number',
  'perspective',
  'people',
  'town',
  'resident',
  'equivalent',
  'year',
  'worth',
  'las',
  'vegas',
  'visitor',
  'city',
  'preparation',
  'holt',
  'county',
  'cost',
  'weekend',
  'agency',
  'service',
  'charge',
  'equipment',
  'personnel',
  'thing',
  'lincoln',
  'county',
  'commissioner',
  'fund',
  'holt',
  'covid-19',
  'resource',
  'year',
  'impact',
  'hope',
  'money',
  'state',
  'process',
  'holt',
  'gov.',
  'steve',
  'sisolak',
  'help',
  'carson',
  'city',
  'matty',
  'roberts',
  'sort',
  'person',
  'trail',
  'devastation',
  'wake',
  'year',
  'idea',
  'sensation',
  'bakersfield',
  'california',
  'resident',
  'year',
  'vape',
  'shop',
  'college',
  'class',
  'person',
  'day',
  'electrician',
  'roberts',
  'fever',
  'dream',
  'way',
  'kind',
  'bonker',
  'story',
  'lot',
  'people',
  'wanna',
  'book',
  'roberts',
  'idea',
  'class',
  'book',
  'post',
  'people',
  'amargosa',
  'valley',
  'facility',
  'a.m.',
  'sept.',
  'night',
  'boredom',
  'roberts',
  'world',
  'warcraft',
  'facebook',
  'self',
  'area',
  'whistleblower',
  'bob',
  'lazar',
  'joe',
  'rogan',
  'podcast',
  'people',
  'rsvp’d',
  'phenomenon',
  'people',
  'czechoslovakia',
  'attention',
  'month',
  'wildfire',
  'roberts',
  'point',
  'man',
  'fbi',
  'watchlist',
  'rachel',
  'event',
  'roberts',
  'party',
  'sept.',
  'downtown',
  'las',
  'vegas',
  'events',
  'center',
  'launch',
  'bud',
  'light',
  'edition',
  'area',
  'beer',
  'party',
  'june',
  'weekend',
  'tour',
  'east',
  'coast',
  'escape',
  'room',
  'obstacle',
  'course',
  'work',
  'covid-19',
  'track',
  'roberts',
  'money',
  't',
  'shirt',
  'summer',
  'regret',
  'website',
  'shirt',
  'amazon',
  'people',
  'million',
  'thing',
  'roberts',
  'college',
  'kid',
  'vape',
  'shop',
  'trouble',
  'alienstock',
  'right',
  'dispute',
  'west',
  'thing',
  'day',
  'roberts',
  'dream',
  'contact',
  'christopher',
  'lawrence',
  'clawrence@reviewjournal.com',
  '@life_onthecouch',
  'twitter',
  'local',
  'nevadatagged',
  'video',
  'mc',
  'storm',
  'area',
  'alienstock',
  'story',
  'facebook',
  'team',
  'valley',
  'fire',
  'hiker',
  'hospital',
  'july',
  'pm',
  'rosalie',
  'rhodes',
  'diana',
  'matienzo',
  'rivera',
  'state',
  'park',
  'nye',
  'county',
  'youth',
  'facility',
  'license',
  'revocation',
  'july',
  'pm',
  'youth',
  'facility',
  'nye',
  'county',
  'fine',
  'revocation',
  'state',
  'license',
  'thousand',
  'nevadans',
  ...],
 ['guest',
  'place',
  'fox',
  'dream',
  'team',
  'surprise',
  'link',
  'weather',
  'hourly',
  'forecast',
  'day',
  'forecast',
  'interactive',
  'radar',
  'watches',
  'warning',
  'gallery',
  'utah',
  'weather',
  'authority',
  'photo',
  'lightning',
  'storm',
  'northern',
  'utah',
  'lightning',
  'storm',
  'wasatch',
  'thursday',
  'night',
  'utah',
  'weather',
  'authority',
  'view',
  'storm',
  'photo',
  'lightning',
  'storm',
  'jordan',
  'jason',
  'yeaman',
  'thursday',
  'night',
  'lightning',
  'display',
  'salt',
  'lake',
  'city',
  'photo',
  'patio',
  'bolt',
  'ground',
  'strike',
  'action',
  'cloud',
  'luz',
  'hernandez',
  'lightning',
  'utah',
  'county',
  'cell',
  'jeremiah',
  'heaton',
  'tonight',
  'storm',
  'buffalo',
  'point',
  'lightning',
  'strike',
  'hour',
  'cloud',
  'tom',
  'reynolds',
  'east',
  'layton',
  'storm!"photo',
  'jenna',
  'nelson',
  'gallery',
  'utah',
  'weather',
  'authority',
  'photo',
  'lightning',
  'storm',
  'northern',
  'utah',
  'lightning',
  'storm',
  'jordan',
  'yeaman',
  'thursday',
  'night',
  'lightning',
  'display',
  'salt',
  'lake',
  'city',
  'photo',
  'patio',
  'bolt',
  'ground',
  'strike',
  'action',
  'cloud',
  'hernandez',
  'lightning',
  'utah',
  'county',
  'cell',
  'over"jeremiah',
  'heaton',
  'tonight',
  'storm',
  'buffalo',
  'point',
  'lightning',
  'strike',
  'hour',
  'cloud',
  'reynolds',
  'east',
  'layton',
  'storm!"jenna',
  'nelson',
  'kody',
  'holliday',
  'scripps',
  'local',
  'media',
  'scripps',
  'media',
  'inc',
  'light',
  'people',
  'way'],
 ['examsupsc',
  'specialexpress',
  'et',
  'alhealth',
  'specials',
  'winter',
  'storm',
  'blackout',
  'energy',
  'texas',
  'winter',
  'storm',
  'blackout',
  'energy',
  'texas',
  'texas',
  'winter',
  'storm',
  'dozen',
  'death',
  'winter',
  'storm',
  'uri',
  'state',
  'authority',
  'condition',
  'day',
  'rahel',
  'philipose',
  'desk',
  'panaji',
  '',
  '',
  'february',
  'ist',
  'snowplows',
  'road',
  'winter',
  'storm',
  'sunday',
  'feb.',
  'oklahoma',
  'city',
  'ap)as',
  'texas',
  'midst',
  'blast',
  'winter',
  'weather',
  'temperature',
  'level',
  'people',
  'state',
  'power',
  'demand',
  'electricity',
  'power',
  'grid',
  'dozen',
  'death',
  'winter',
  'storm',
  'uri',
  'state',
  'authority',
  'condition',
  'day',
  'sunday',
  'president',
  'joe',
  'biden',
  'emergency',
  'texas',
  'assistance',
  'response',
  'effort',
  'electricity',
  'reliability',
  'council',
  'texas',
  'ercot',
  'operator',
  'state',
  'power',
  'grid',
  'criticism',
  'state',
  'leadership',
  'governor',
  'greg',
  'abbott',
  'body',
  'hour',
  'power',
  'grid',
  'operator',
  'way',
  'power',
  'outage',
  'texas',
  'blackout',
  'folk',
  'power',
  'people',
  'power',
  'region',
  'power',
  'event',
  'event',
  'ercot',
  'ceo',
  'bill',
  'magness',
  'dallas',
  'morning',
  'news',
  'snap',
  'gas',
  'power',
  'price',
  'record',
  'level',
  'country',
  'bloomberg',
  'city',
  'richardson',
  'worker',
  'kaleb',
  'love',
  'ice',
  'fountain',
  'tuesday',
  'feb.',
  'richardson',
  'texas',
  'ap',
  'power',
  'outage',
  'state',
  'texas',
  'temperature',
  'decade',
  'state',
  'spike',
  'electricity',
  'demand',
  'source',
  'energy',
  'gas',
  'coal',
  'wind',
  'cold',
  'ice',
  'result',
  'power',
  'grid',
  'operator',
  'blackout',
  'state',
  'advertisement',
  'ercot',
  'level',
  'emergency',
  'alert',
  'customer',
  'electricity',
  'use',
  'situation',
  'control',
  'traffic',
  'light',
  'infrastructure',
  'power',
  'tweet',
  'express',
  'telegram',
  'channel',
  'texas',
  'state',
  'power',
  'grid',
  'ercot',
  'cent',
  'state',
  'electricity',
  'temperature',
  'sunday',
  'degree',
  'state',
  'resident',
  'thermostat',
  'warmth',
  'power',
  'grid',
  'record',
  'demand',
  'megawatt',
  'mw',
  'winter',
  'peak',
  'january',
  'ercot',
  'winter',
  'peak',
  'demand',
  'record',
  'evening',
  'mw',
  'p.m.',
  'mw',
  'winter',
  'peak',
  'january',
  'thank',
  'today',
  '',
  '',
  'saveenergy',
  'pic.twitter.com/eq56llxcas',
  'ercot',
  'february',
  'state',
  'source',
  'power',
  'gas',
  'line',
  'ice',
  'wind',
  'turbine',
  'coal',
  'pile',
  'energy',
  'generator',
  'grid',
  'demand',
  'ercot',
  'power',
  'outage',
  'minute',
  'tuesday',
  'million',
  'power',
  'state',
  'weather',
  'power',
  'blackout',
  'expert',
  'electricity',
  'crisis',
  'texas',
  'state',
  'wealth',
  'energy',
  'resource',
  'fact',
  'texas',
  'oil',
  'gas',
  'energy',
  'producer',
  'energy',
  'information',
  'administration',
  'crisis',
  'lack',
  'power',
  'source',
  'energy',
  'infrastructure',
  'expert',
  'advertisement',
  'meantime',
  'electricity',
  'price',
  'cent',
  'storm',
  'state',
  'week',
  'cnn',
  'time',
  'market',
  'price',
  'power',
  'grid',
  'megawatt',
  'hour',
  'monday',
  'morning',
  'price',
  'megawatt',
  'hour',
  'reuters',
  'coronaviru',
  'gyanvapi',
  'mosque',
  'survey',
  'issue',
  'varanasi',
  'dispute?explainspeaking',
  'sense',
  'rajasthan',
  'minimum',
  'guaranteed',
  'income',
  'billhow',
  'saudi',
  'arabia',
  'mbs',
  'football',
  'landscapeclick',
  'outcome',
  'state',
  'blackout',
  'blackout',
  'state',
  'covid-19',
  'inoculation',
  'centre',
  'rollout',
  'vaccine',
  'freezer',
  'power',
  'generator',
  'health',
  'worker',
  'place',
  'houston',
  'vaccine',
  'dose',
  'arrival',
  'uri',
  'winter',
  'storm',
  'texas',
  'track',
  'people',
  'week',
  'verge',
  'texans',
  'end',
  'week',
  'dshs',
  'number',
  'readwhat',
  'confidence',
  'motion?kargil',
  'vijay',
  'diwas',
  'indian',
  'army',
  'condition',
  'pm',
  'modi',
  'sri',
  'lanka',
  'president',
  'amendment',
  'makeba',
  'song',
  'instagram',
  'reel',
  'story',
  'national',
  'guard',
  'troop',
  'state',
  'family',
  'winter',
  'storm',
  'death',
  'carbon',
  'monoxide',
  'poisoning',
  'united',
  'states',
  'people',
  'car',
  'crash',
  'car',
  'pileup',
  'sunday',
  'houston',
  'fire',
  'chief',
  'samuel',
  'pea',
  'ie',
  'online',
  'media',
  'services',
  'pvt',
  'ltd',
  'ist',
  'advertisementmore',
  'explainedkargil',
  'vijay',
  'diwas',
  'army',
  'weather',
  'terrain',
  'explainedwhat',
  'confidence',
  'motion?explainedpm',
  'modi',
  'sri',
  'lanka',
  'amendment',
  'india',
  'caresexplainedhow',
  'russia',
  'ukraine',
  'maliana',
  'year',
  'resident',
  'appeal',
  'rahul',
  'disqualificationentertainmentgadar',
  'trailer',
  'deol',
  'army',
  'son',
  'christopher',
  'nolan',
  'classic',
  'film',
  'yettrendingsiblings',
  'father',
  'heartbeat',
  'year',
  'death',
  'origin',
  'news',
  'director',
  'google',
  'year',
  'experience',
  'leg',
  'landmine',
  'accident',
  'uri',
  'india',
  'blade',
  'jumper',
  'gamessportswhy',
  'ashwin',
  'comeback',
  'world',
  'cupopinionafter',
  'manipur',
  'question',
  'supreme',
  'court',
  'kargil',
  'vijay',
  'diwas',
  'army',
  'weather',
  'terrain',
  'lifestylefighting',
  'myositis',
  'samantha',
  'ruth',
  'prabhu',
  'yoga',
  'balitechnologysamsung',
  'galaxy',
  'z',
  'flip',
  'event',
  'live',
  'advertisementmust',
  'readsportssoldier',
  'leg',
  'landmine',
  'accident',
  'uri',
  'india',
  'blade',
  'jumper',
  'gamessportswhy',
  'ashwin',
  'comeback',
  'world',
  'cupsportswhy',
  'shubman',
  'gill',
  'test',
  'average',
  'technologysamsung',
  'galaxy',
  'z',
  'flip',
  'event',
  'live',
  'technologyspacex',
  'rocket',
  'launch',
  'hole',
  'earth',
  'ionospheretechnologysamsung',
  'galaxy',
  'z',
  'flip',
  'tab',
  's9',
  'galaxy',
  'myositis',
  'samantha',
  'ruth',
  'prabhu',
  'yoga',
  'baliadvertisementexpress',
  'opinionopinionafter',
  'manipur',
  'question',
  'supreme',
  'court',
  'opinionhow',
  'trai',
  'consultation',
  'streaming',
  'india',
  'uae',
  'pakistan',
  'economyopinionwith',
  'gst',
  'game',
  'death',
  'taxis',
  'jul',
  'news',
  'smuggling',
  'case',
  'opp',
  'corners',
  'nepal',
  'govt',
  'house02sayajibaug',
  'zoo',
  'bridge',
  'public',
  'repair',
  'crime',
  'branch',
  'thief',
  'gang',
  'personnel',
  'basis',
  'maharashtra',
  'dy',
  'cm',
  'devendra',
  'fadnavis05hc',
  'proceeding',
  'sugar',
  'factory',
  'ncp',
  'mla',
  'rohit',
  'pawaradvertisement',
  'rahel',
  'philiposerahel',
  'philipose',
  'senior',
  'sub',
  'editor',
  'indianexpress.com',
  'news',
  'd',
  'daily',
  'briefing',
  'police',
  'chargesheet',
  'brij',
  'bhushan',
  'sc',
  'ed',
  'chief',
  'tenure',
  'briefing',
  'sco',
  'bjp',
  'briefing',
  'sushil',
  'kumar',
  'modi',
  'concern',
  'ucc',
  'ncp',
  'crisis',
  'bjp',
  'e',
  '-',
  'paperpremiumindiaelection',
  'revieweyetrendingcitiesnewsletterswebseriesphotosvideosaudioweb',
  'stories',
  'crosswordsee',
  'examsupsc',
  'specialexpress',
  'et',
  'alhealth',
  'specials',
  'categories',
  'news',
  'political',
  'pulse',
  'opinion',
  'mumbai',
  'news',
  'delhi',
  'news',
  'pune',
  'news',
  'bangalore',
  'news',
  'bollywood',
  'news',
  'health',
  'news',
  'india',
  'news',
  'sports',
  'news',
  'lifestyle',
  'news',
  'jobs',
  'mobile',
  'tabs',
  'tech',
  'reviews',
  'gadgets',
  'mobile',
  'tabs',
  'food',
  'wine',
  'elections',
  'fitness',
  'newslatest',
  'newsincome',
  'tax',
  'slabhealth',
  'wellnesscricket',
  'newseducation',
  'newsentertainment',
  'news',
  'expressbuy',
  'digital',
  'premiumtrending',
  'newswhy',
  'expressexpress',
  'et',
  'albuy',
  'access',
  'planhoroscopebusinesslatest',
  'storiestoday',
  'politic',
  'oppn',
  'protest',
  'parliament',
  'pm',
  'modi',
  'rally',
  'sikar25',
  'village',
  'ferozepur',
  'fazilka',
  'edge',
  'flow',
  'water',
  'sutlejmeta',
  'nick',
  'clegg',
  'ai',
  'carbon',
  'burden',
  'europe',
  'hypocrisypratap',
  'bhanu',
  'mehta',
  'israel',
  'floundering',
  'future',
  'oursjio',
  'financial',
  'services',
  'blackrock',
  'asset',
  'management',
  'venturesoldier',
  'leg',
  'landmine',
  'accident',
  'uri',
  'india',
  'blade',
  'jumper',
  'asian',
  'gamesjuly',
  'year',
  'sri',
  'lanka',
  'violenceexpress',
  'view',
  'view',
  'imf',
  'forecast',
  'growth',
  'view',
  'parliament',
  'logjam',
  'manipur',
  'hour',
  'housemamata',
  'banerjee',
  'bhangar',
  'kolkata',
  'policefir',
  'chief',
  'education',
  'board',
  'illegality',
  'postingsschool',
  'job',
  'scam',
  'action',
  'abhishek',
  'july',
  'edwoman',
  'husband',
  'loan',
  'air',
  'flight',
  'pune',
  'hyderabad',
  'bengaluru',
  'indian',
  'express',
  'website',
  'green',
  'credibility',
  'trustworthiness',
  'newsguard',
  'service',
  'news',
  'source',
  'standard',
  'express',
  'group',
  'indian',
  'express',
  'financial',
  'express',
  'iebangla.com',
  'loksatta',
  'iemalayalam.com',
  'jansatta',
  'iegujarati.com',
  'expressgroup',
  'myinsuranceclub',
  'newsletters',
  'story',
  'strength',
  'ramnath',
  'goenka',
  'excellence',
  'journalism',
  'awards',
  'online',
  'classes',
  'kids',
  'light',
  'house',
  'journalism',
  'compare',
  'term',
  'insurance',
  'quick',
  'link',
  't&c',
  'privacy',
  'policy',
  'advertise',
  'brand',
  'solutions',
  'contact',
  'provision',
  'offense',
  'website',
  'dnpa',
  'code',
  'conduct',
  'csr',
  'copyright',
  'indian',
  'express',
  'p',
  'ltd.',
  'rights'],
 ['plan',
  'servicesoverview',
  'monthly',
  'solar',
  'lease',
  'solar',
  'lease',
  'monthly',
  'solar',
  'loan',
  'purchase',
  'solar',
  'system',
  'sunrunoverview',
  'guarantee',
  'customer',
  'career',
  'moving',
  'easy',
  'plans',
  'servicesoverview',
  'monthly',
  'solar',
  'lease',
  'solar',
  'lease',
  'monthly',
  'solar',
  'loan',
  'purchase',
  'solar',
  'system',
  'solar',
  'state',
  'solar',
  'faqs',
  'solar',
  'education',
  'cost',
  'contact',
  'sign',
  'cost',
  'home',
  'learn',
  'cost',
  'home',
  'hawaiiâ\x80\x99s',
  'severe',
  'weather',
  'events',
  'sunrun',
  'team',
  'feb',
  'â',
  'climate',
  'change',
  'hawaii',
  'resident',
  'weather',
  'event',
  'outage',
  'disaster',
  'hawaiithereâ\x80\x99s',
  'climate',
  'change',
  'threat',
  'life',
  'planet.1',
  'weather',
  'eventsâ\x80\x94such',
  'hurricane',
  'storm',
  'flood',
  'heat',
  'wave',
  'wildfire',
  'droughtsâ\x80\x94which',
  'u.s.',
  'state',
  'territory',
  'decade',
  'hawaii',
  'storm',
  'rain',
  'flood',
  'wind',
  'damage',
  'climate',
  'scientist',
  'storm',
  'flash',
  'flood',
  'warming',
  'warming',
  'number',
  'category',
  'storm',
  'rainfall',
  'weather',
  'preparedness',
  'plan',
  'step',
  'hawaii',
  'storm',
  'flood',
  'copy',
  'red',
  'cross',
  'hurricane',
  'safety',
  'checklist',
  'flood',
  'safety',
  'checklist',
  'tip',
  'tactic',
  'weather',
  'event',
  'hawaii',
  'â',
  'extreme',
  'weather',
  'impact',
  'islandshurricane',
  'season',
  'hawaii',
  'june',
  'november',
  'year',
  'hurricane',
  'hawaii',
  'windstorm',
  'cyclone',
  'disaster',
  'cyclone',
  'season',
  'storm',
  'time',
  'example',
  'number',
  'storm',
  'hawaii',
  'hurricane',
  'season',
  'cyclone',
  'storm',
  'landfall',
  'island',
  'february',
  'storm',
  'power',
  'line',
  'road',
  'snow',
  'climate',
  'change',
  'resident',
  'hawaii',
  'type',
  'storm',
  'impact',
  'storm',
  'hawaii',
  'flood',
  'ocean',
  'mountainside',
  'flooding',
  'event',
  'big',
  'island',
  'august',
  'island',
  'kauai',
  'march',
  'island',
  'maui',
  'oahu',
  'march',
  'flood',
  'landslide',
  'road',
  'bridge',
  'evacuation',
  'rescue',
  'dozen',
  'family',
  'hawaiiâ\x80\x99s',
  'storm',
  'flood',
  'ocean',
  'temperature',
  'acidification',
  'hawaiiâ\x80\x99s',
  'reef',
  'ecosystem',
  'ocean',
  'heat',
  'greenhouse',
  'gas',
  'ghg',
  'emission',
  'ocean',
  'temperature',
  'ocean',
  'water',
  'study',
  'ocean',
  'acidity',
  '%',
  'end',
  'century',
  'ocean',
  'temperature',
  'acidification',
  'rise',
  'coral',
  'algae',
  'tissue',
  'process',
  'bleaching',
  'loss',
  'protection',
  'flooding',
  'event',
  'likely.8',
  'time',
  'cleaner',
  'safer',
  'futurethe',
  'energy',
  'sun',
  'carbon',
  'resource',
  'country.9',
  'panel',
  'installation',
  'hawaii',
  'day',
  'state',
  'year10',
  'home',
  'weather',
  'event',
  'hawaii',
  'energy',
  'use',
  'rooftop',
  'panel',
  'hawaii',
  'energy',
  'storage',
  'system',
  'energy',
  'light',
  'food',
  'home',
  'device',
  'day',
  'afternoon',
  'night',
  'plus',
  'installation',
  'equivalent',
  'mph',
  'winds.11',
  'thank',
  'material',
  'panel',
  'extreme',
  'rain.12',
  'power',
  'hawaii',
  '%',
  'cost',
  'hawaii',
  'home',
  'â',
  'sunrun',
  'system',
  'solar',
  'battery',
  'peace',
  'mind',
  'sunrun',
  'nationâ\x80\x99s',
  'energy',
  'storage',
  'company.14',
  'hawaii',
  'homeowner',
  'energy',
  'plan',
  'battery',
  'storage',
  'solution',
  'match',
  'budget',
  'energy',
  'need',
  'switch',
  'sunrun',
  'installer',
  'hawaii',
  'system',
  'power',
  'system',
  'lock',
  'energy',
  'rate',
  'decade',
  'day',
  'night',
  'storage',
  'home',
  'essential',
  '24/7',
  'monitoring',
  'maintenance',
  'lease',
  'plan',
  'incentive',
  'hawaii',
  'energy',
  'future',
  'hawaii',
  'devastation',
  'storm',
  'flash',
  'flood',
  'ocean',
  'temperature',
  'hawaiiâ\x80\x99s',
  'community',
  'environment',
  'disaster',
  'resident',
  'year',
  'state',
  'effort',
  '%',
  'electricity',
  'energy',
  'source',
  'wind',
  'â',
  'â',
  'energy',
  'hawaii',
  'carbon',
  'footprint',
  'state',
  'energy',
  'goal',
  'ourâ',
  'product',
  'selectorâ',
  'formâ',
  'service',
  'sunrun',
  'solar',
  'advisors',
  'installation',
  'hawaii',
  'energy',
  'future',
  'hand',
  'sunrun',
  'friend',
  'family',
  'member',
  'sunrun',
  'message',
  'text',
  'message',
  'sunrun',
  'product',
  'service',
  'telephone',
  'number',
  'autodialer',
  'state',
  'â\x80\x9cdo',
  'callâ\x80\x9d',
  'list',
  'message',
  'datum',
  'rate',
  'maximum',
  'text',
  'month',
  'text',
  'term',
  'service',
  'reference',
  'â\x80\x9cglobal',
  'warming',
  'life',
  'earthâ\x80\x9d',
  'center',
  'biological',
  'diversity2',
  'storm',
  'hurricane',
  'seasonâ\x80\x9d',
  'â\x80\x94',
  'insurance',
  'journal3',
  'storm',
  'lane',
  'hawaii',
  'foot',
  'rain.â\x80\x9d',
  'cbs',
  'news4',
  'â\x80\x9cheavy',
  'rain',
  'flood',
  'hawaii',
  'scientist',
  'occurrence',
  'climate',
  'usa',
  'today5',
  'â\x80\x9coffice',
  'public',
  'health',
  'preparedness',
  'hurricane',
  'seasonâ\x80\x9d',
  'state',
  'hawaii',
  'department',
  'health6',
  'â\x80\x9cstrong',
  'storm',
  'damageâ\x80\x94and',
  'snowâ\x80\x94to',
  'hawaiiâ\x80\x9d',
  'seattle',
  'times7',
  'governor',
  'state',
  'emergency',
  'floodsâ\x80\x9d',
  'new',
  'york',
  'times8',
  'â\x80\x9chow',
  'climate',
  'crisis',
  'hawaiiâ\x80\x9d',
  'climate',
  'reality',
  'project9',
  'climate',
  'change',
  'â\x80\x94',
  'solar',
  'energy',
  'industries',
  'association',
  'seia)10',
  'hawaiiâ\x80\x9d',
  'â\x80\x94',
  'best',
  'places11',
  'solar',
  'panels',
  'hurricane',
  'â\x80\x94',
  'solar',
  'panels',
  'waterproof',
  'material',
  'design',
  'â\x80\x94',
  'energy',
  'follower13',
  'solar',
  'power',
  'panels',
  'hawaii',
  'cost',
  'company',
  'roi',
  'decisiondata.org14',
  'sunrun',
  'ranked',
  'residential',
  'solar',
  'plus',
  'storage',
  'vendor',
  'clean',
  'technica15',
  'hawaii',
  'clean',
  'energy',
  'initiative',
  'hcei',
  'hawaii',
  'state',
  'energy',
  'office',
  'tesla',
  'powerwall',
  'kilowatt',
  'hour',
  'kwh',
  'electricity',
  'home',
  'day',
  'lg',
  'chem',
  'battery',
  'kwh',
  'home',
  'hour',
  'â',
  'customerâ\x80\x99s',
  'ability',
  'rebate',
  'incentive',
  'tax',
  'credit',
  'factor',
  'limitation',
  'state',
  'subsidization',
  'policy',
  'product',
  'type',
  'customer',
  'purchase',
  'home',
  'system',
  'sunrun',
  'plan',
  'home',
  'state',
  'contractor',
  'license',
  'information',
  'terms',
  'privacy',
  'policy',
  'personal',
  'information',
  'service',
  'site',
  'ford',
  'motor',
  'company',
  'sunrun',
  'bush',
  'st',
  'san',
  'francisco',
  'company'],
 ['app',
  'searchsign',
  'locationsclosecheyennesee',
  'storiessafetyfood',
  'drinksportssee',
  'moreadditional',
  'contentnational',
  'newslocal',
  'newsletternewsbreak',
  'corporateabout',
  'uscontributorspublishersadvertisersterm',
  'use',
  'privacy',
  'policydo',
  'sell',
  'share',
  'info',
  'help',
  'centersign',
  'cheyenne',
  'wy',
  'update',
  'emailsubscribey95',
  'countryse',
  'wyoming',
  'storm',
  'foot',
  'snow',
  'strong',
  'windsby',
  'doug',
  'randall,2023',
  'doug',
  'randall,2023',
  'publisher',
  'newsbreakcomments',
  '0add',
  'commentyou',
  'popularit',
  'climate',
  'change',
  'flooding',
  'war',
  'flood',
  'control',
  'damage',
  'montpelier',
  'vt14',
  'day',
  'agochief',
  'justice',
  'suspension',
  'matrimonial',
  'trial',
  'judicial',
  'vacanciespassaic',
  'nj15',
  'day',
  'agopowerful',
  'magnitude',
  'earthquake',
  'alaska',
  'peninsula',
  'local',
  'tsunami',
  'warningssand',
  'point',
  'ak10',
  'day',
  'agoget',
  'cheyenne',
  'wy',
  'update',
  'emailsubscribe',
  'particle',
  'medium',
  'term',
  'use',
  'privacy',
  'policydo',
  'sell',
  'share',
  'info',
  'help',
  'centercomments',
  '0closecommunity',
  'policy'],
 ['month',
  'subscribe',
  'month',
  'subscribe',
  'month',
  'subscribe',
  'winter',
  'storm',
  'north',
  'dakota',
  'bismarck',
  'ap',
  'calendar',
  'spring',
  'north',
  'dakota',
  'national',
  'weather',
  'service',
  'agency',
  'winter',
  'storm',
  'state',
  'week',
  'system',
  'today',
  'wednesday',
  'ra',
  'march',
  'bismarck',
  'ap',
  'calendar',
  'spring',
  'north',
  'dakota',
  'national',
  'weather',
  'service',
  'agency',
  'winter',
  'storm',
  'state',
  'week',
  'system',
  'today',
  'wednesday',
  'rain',
  'rain',
  'snow',
  'inch',
  'snow',
  'north',
  'dakota',
  'east',
  'wind',
  'blizzard',
  'condition',
  'dunn',
  'county',
  'forum',
  'auditor',
  'selection',
  'process',
  'navigator',
  'hearing',
  'disagreement',
  'validity',
  'witness',
  'testimony',
  'cross',
  '-',
  'examination',
  'cfo',
  'country',
  'star',
  'greg',
  'hager',
  'dickinson',
  'bandshell',
  'tonight',
  'hunter',
  'biden',
  'tax',
  'charge',
  'dickinson',
  'state',
  'university',
  'mark',
  'trap',
  'shooting',
  'team',
  'pulp',
  'non',
  '-',
  'fiction',
  'dickinson',
  'lemonade',
  'day',
  'big',
  'sticks',
  'sodbusters',
  'sunday',
  'win',
  'dickinson',
  'press',
  'forum',
  'communications',
  'company',
  'sims',
  'street',
  'dickinson',
  'nd',
  '',
  '',
  'javascript',
  'javascript',
  'page',
  'news',
  'message',
  'error',
  'customer',
  'support',
  'team'],
 ['health',
  'sex',
  'relationships',
  'viral',
  'trends',
  'human',
  'interest',
  'parenting',
  'fashion',
  'beauty',
  'food',
  'drink',
  'travel',
  'flash',
  'flooding',
  'vermont',
  'storm',
  'tornado',
  'northeast',
  'thursday',
  'social',
  'link',
  'chris',
  'oberholtz',
  'fox',
  'weather',
  'thank',
  'submission',
  'thunderstorm',
  'watch',
  'high',
  'plains',
  'forecaster',
  'storm',
  'hail',
  'heat',
  'wave',
  'million',
  'calvin',
  'hurricane',
  'eastern',
  'pacific',
  'new',
  'england',
  'flooding',
  'year',
  'round',
  'rain',
  'thunderstorm',
  'watch',
  'p.m.',
  'edt',
  'southeast',
  'indiana',
  'eastern',
  'kentucky',
  'ohio',
  'southwest',
  'pennsylvania',
  'west',
  'virginia',
  'thunderstorm',
  'watch',
  'effect',
  'p.m.',
  'edt',
  'new',
  'york',
  'vermont',
  'massachusetts',
  'connecticut',
  'series',
  'disturbance',
  'shower',
  'thunderstorm',
  'northeast',
  'thursday',
  'weekend',
  'city',
  'town',
  'northeast',
  'new',
  'england',
  'foot',
  'rain',
  'sunday',
  'area',
  'inch',
  'person',
  'flooding',
  'new',
  'york',
  'vermont',
  'state',
  'flooding',
  'event',
  'area',
  'flooding',
  'week',
  'vermont',
  'flash',
  'flooding',
  'inch',
  'rain',
  'northeast',
  'saturday',
  'shower',
  'thunderstorm',
  'northeast',
  'weekend',
  'fox',
  'weather',
  'day',
  'flash',
  'flood',
  'emergency',
  'hudson',
  'valley',
  'vermont',
  'fox',
  'weather',
  'meteorologist',
  'britta',
  'merwin',
  'storm',
  'rain',
  'weather',
  'flash',
  'flood',
  'emergency',
  'level',
  'trough',
  'pressure',
  'thursday',
  'east',
  'coast',
  'chance',
  'thunderstorm',
  'rain',
  'ohio',
  'valley',
  'northeast',
  'flow',
  'system',
  'moisture',
  'fox',
  'forecast',
  'center',
  'city',
  'town',
  'northeast',
  'inch',
  'rain',
  'sunday',
  'fox',
  'weather',
  'upstate',
  'new',
  'york',
  'new',
  'england',
  'ohio',
  'valley',
  'risk',
  'flash',
  'flooding',
  'friday',
  'flood',
  'watch',
  'new',
  'york',
  'vermont',
  'merwin',
  'response',
  'flash',
  'flood',
  'threat',
  'coast',
  'friday',
  'new',
  'england',
  'mid',
  'risk',
  'flooding',
  'fox',
  'forecast',
  'center',
  'flash',
  'flood',
  'threat',
  'saturday',
  'rain',
  'thunderstorm',
  'flash',
  'flooding',
  'alert',
  'new',
  'york',
  'interior',
  'new',
  'england',
  'ohio',
  'valley',
  'friday',
  'fox',
  'weather',
  'hail',
  'wind',
  'northeast',
  'ohio',
  'valley',
  'thursday',
  'thunderstorm',
  'new',
  'york',
  'vermont',
  'wind',
  'hail',
  'couple',
  'tornado',
  'thursday',
  'afternoon',
  'evening',
  'noaa',
  'storm',
  'prediction',
  'center',
  'spc',
  'schenectady',
  'utica',
  'rome',
  'saratoga',
  'springs',
  'rotterdam',
  'new',
  'york',
  'city',
  'northeast',
  'level',
  'risk',
  'zone',
  'weather',
  'level',
  'risk',
  'storm',
  'area',
  'northeast',
  'ohio',
  'valley',
  'tornado',
  'pennsylvania',
  'joke',
  'reality',
  'merwin',
  'shelter',
  'spc',
  'outlook',
  '%',
  'tornado',
  'risk',
  'area',
  'new',
  'york',
  'state',
  '%',
  'tornado',
  'risk',
  'area',
  'ohio',
  'valley',
  'vermont',
  'pentagon',
  'dig',
  'tuberville',
  'm',
  'story',
  'time',
  'girl',
  'montana',
  'police',
  'station',
  'miracle',
  'story',
  'time',
  'onlooker',
  'hunter',
  'biden',
  'sweetheart',
  'plea',
  'deal',
  'court',
  'story',
  'time',
  'teen',
  'country',
  'concert',
  'girlfriend',
  'horror',
  'expert',
  'weight',
  'overview',
  'found',
  'program',
  'safety',
  'pack',
  'fire',
  'extinguisher',
  '%',
  'sheet',
  'sleeper',
  'review',
  'expert',
  'sleep',
  'foundation',
  '%',
  'wayfair',
  'outdoor',
  'seating',
  'sale',
  'set',
  'sectional',
  'today',
  'beach',
  'wagon',
  'cart',
  'rollin',
  'beach',
  'kylie',
  'jenner',
  'stormi',
  'surgery',
  'teen',
  'kylie',
  'jenner',
  'boob',
  'job',
  'year',
  'denial',
  'jamie',
  'lynn',
  'spears',
  'responsibility',
  'fame',
  'noise',
  'activity',
  'mid',
  '-',
  'prison',
  'r.i.p.',
  'sinéad',
  'o’connor',
  'irish',
  'singer',
  'compare',
  'subject',
  'dead',
  'kevin',
  'spacey',
  'drinking',
  'acquittal',
  'london',
  'hotspot',
  'girl',
  'montana',
  'police',
  'station',
  'miracle',
  'news',
  'metro',
  'sports',
  'sports',
  'betting',
  'business',
  'opinion',
  'entertainment',
  'fashion',
  'beauty',
  'shopping',
  'lifestyle',
  'real',
  'estate',
  'media',
  'tech',
  'health',
  'travel',
  'astrology',
  'video',
  'photos',
  'stories',
  'alexa',
  'cover',
  'horoscopes',
  'sport',
  'odd',
  'podcast',
  'columnists',
  'classifieds',
  'email',
  'newsletters',
  'rss',
  'ny',
  'post',
  'official',
  'store',
  'home',
  'delivery',
  'new',
  'york',
  'post',
  'customer',
  'service',
  'apps',
  'community',
  'guidelines',
  'contact',
  'tips',
  'newsroom',
  'letters',
  'editor',
  'licensing',
  'reprints',
  'careers',
  'vulnerability',
  'disclosure',
  'program',
  'nyp',
  'holdings',
  'inc.',
  'rights',
  'reserved',
  'terms',
  'use',
  'membership',
  'terms',
  'privacy',
  'notice',
  'sitemap',
  'information'],
 ['skip',
  'contentplay',
  'live',
  'navigation',
  'menunavigation',
  'news',
  'sectionsmiddle',
  'eastafricaasiaus',
  'canadalatin',
  'americaeuropeasia',
  'pacificukraine',
  'warworld',
  'cupeconomyopinionvideomoreshow',
  'sectionscoronavirusclimate',
  'crisisinvestigationsinteractivesfeaturesin',
  'picturesscience',
  'technologysportspodcastsplay',
  'live',
  'click',
  'searchsearchnews',
  'weatheru',
  'biden',
  'emergency',
  'mississippi',
  'storm',
  'recoverydeath',
  'toll',
  'storm',
  'tornado',
  'state',
  'mississippi',
  'alabama.play',
  'videoplay',
  'mar',
  'mar',
  'president',
  'joe',
  'biden',
  'emergency',
  'declaration',
  'mississippi',
  'storm',
  'state',
  'people',
  'alabama',
  'biden',
  'aid',
  'supplement',
  'state',
  'recovery',
  'effort',
  'area',
  'white',
  'house',
  'statement',
  'sunday',
  'funding',
  'people',
  'county',
  'carroll',
  'humphreys',
  'monroe',
  'sharkey',
  'statement',
  'storm',
  'tornado',
  'state',
  'mississippi',
  'alabama',
  'roof',
  'car',
  'neighbourhood',
  'al',
  'jazeera',
  'mississippi',
  'emergency',
  'management',
  'agency',
  'death',
  'toll',
  'saturday',
  'dozen',
  'people',
  'alabama',
  'man',
  'trailer',
  'weather',
  'sheriff',
  'office',
  'morgan',
  'county',
  'twitter',
  'tornado',
  'ground',
  'hour',
  'path',
  'destruction',
  'km',
  'mile',
  'mississippi',
  'friday',
  'nicholas',
  'price',
  'meteorologist',
  'national',
  'weather',
  'service',
  'jackson',
  'mississippi',
  'death',
  'rolling',
  'fork',
  'town',
  'mississippi',
  'town',
  'percent',
  'fifth',
  'population',
  'poverty',
  'line',
  'united',
  'states',
  'census',
  'datum',
  'home',
  'rolling',
  'fork',
  'rubble',
  'tree',
  'trunk',
  'twig',
  'car',
  'toy',
  'town',
  'water',
  'tower',
  'ground',
  'city',
  'mayor',
  'eldridge',
  'walker',
  'cnn',
  'day',
  'michael',
  'searcy',
  'storm',
  'chaser',
  'tornado',
  'rolling',
  'fork',
  'hour',
  'rescue',
  'people',
  'vehicle',
  'vehicle',
  'building',
  'scream',
  'cry',
  'help',
  'reuters',
  'news',
  'agency',
  'group',
  'rubble',
  'people',
  'member',
  'family',
  'shelter',
  'bathroom',
  'rest',
  'house',
  'wind',
  'van',
  'home',
  'searcy',
  'silver',
  'city',
  'community',
  'resident',
  'room',
  'bathtub',
  'tornado',
  'governor',
  'tate',
  'reeves',
  'silver',
  'city',
  'saturday',
  'state',
  'emergency',
  'area',
  'scale',
  'damage',
  'loss',
  'today',
  'twitter',
  'homes',
  'business',
  'community',
  'president',
  'joe',
  'biden',
  'image',
  'mississippi',
  'statement',
  'reeves',
  'condolence',
  'support',
  'recovery',
  'storm',
  'responder',
  'emergency',
  'personnel',
  'americans',
  'biden',
  'support',
  'mississippi',
  'official',
  'emergency',
  'shelter',
  'national',
  'guard',
  'armory',
  'rolling',
  'fork',
  'federal',
  'emergency',
  'management',
  'agency',
  'director',
  'deanne',
  'criswell',
  'mississippi',
  'sunday',
  'white',
  'house',
  'mississippi',
  'weather',
  'sunday',
  'wind',
  'hail',
  'emergency',
  'management',
  'agency',
  'tornado',
  'fear',
  'storm',
  'mississippi',
  'operation',
  'rescue',
  'worker',
  'damage',
  'roof',
  'building',
  'car',
  'pile',
  'debris',
  'electricity',
  'repair',
  'power',
  'customer',
  'dark',
  'mississippi',
  'alabama',
  'volunteer',
  'town',
  'lauren',
  'hoda',
  'mile',
  'vicksburg',
  'morning',
  'people',
  'town',
  'time',
  'tornado',
  'source',
  'al',
  'jazeera',
  'news',
  'agenciesaj',
  'logoaj',
  'logoaj',
  'logoaboutshow',
  'moreabout',
  'uscode',
  'ethicsterms',
  'conditionseu',
  'eea',
  'regulatory',
  'noticeprivacy',
  'policycookie',
  'policycookie',
  'preferencessitemapcommunity',
  'guidelineswork',
  'ushr',
  'qualityconnectshow',
  'morecontact',
  'usadvertise',
  'usappschannel',
  'findertv',
  'tipour',
  'channelsshow',
  'moreal',
  'jazeera',
  'arabical',
  'jazeera',
  'englishal',
  'jazeera',
  'investigative',
  'unital',
  'jazeera',
  'mubasheral',
  'jazeera',
  'documentaryal',
  'jazeera',
  'balkansaj+our',
  'networkshow',
  'moreal',
  'jazeera',
  'centre',
  'studiesal',
  'jazeera',
  'media',
  'institutelearn',
  'arabical',
  'jazeera',
  'centre',
  'public',
  'liberties',
  'human',
  'rightsal',
  'jazeera',
  'forumal',
  'jazeera',
  'hotel',
  'partnersfollow',
  'al',
  'jazeera',
  'english',
  'facebooktwitteryoutubeinstagram',
  'al',
  'jazeera',
  'media',
  'network'],
 ['news',
  'business',
  'crime',
  'public',
  'safety',
  'education',
  'government',
  'politics',
  'health',
  'national',
  'news',
  'coronavirus',
  'st.',
  'paul',
  'ramsey',
  'county',
  'anoka',
  'county',
  'washington',
  'county',
  'dakota',
  'county',
  'minnesota',
  'wisconsin',
  'sports',
  'minnesota',
  'vikings',
  'minnesota',
  'twins',
  'minnesota',
  'wild',
  'minnesota',
  'timberwolves',
  'minnesota',
  'lynx',
  'minnesota',
  'united',
  'fc',
  'college',
  'sports',
  'gophers',
  'football',
  'st.',
  'paul',
  'saints',
  'gophers',
  'men',
  'basketball',
  'high',
  'school',
  'sports',
  'outdoors',
  'restaurants',
  'food',
  'drink',
  'restaurant',
  'news',
  'restaurant',
  'review',
  'restaurant',
  'recipe',
  'takeout',
  'thing',
  'book',
  'movies',
  'tv',
  'arts',
  'music',
  'concerts',
  'restaurants',
  'food',
  'drink',
  'theater',
  'travel',
  'treasure',
  'hunt',
  'winter',
  'carnival',
  'state',
  'fair',
  'home',
  'garden',
  'events',
  'sign',
  'newsletters',
  'alerts',
  'tornado',
  'south',
  'dakota',
  'hospital',
  'facebook',
  'opens',
  'window)click',
  'reddit',
  'opens',
  'window)click',
  'twitter',
  'opens',
  'window)click',
  'opens',
  'window)click',
  'link',
  'friend',
  'opens',
  'new',
  'window)moreclick',
  'linkedin',
  'opens',
  'window)click',
  'pinterest',
  'opens',
  'window)click',
  'tumblr',
  'opens',
  'window)submit',
  'stumbleupon',
  'opens',
  'window',
  'newsletters',
  'alerts',
  'tornado',
  'south',
  'dakota',
  'hospital',
  'sound',
  'share',
  'facebook',
  'opens',
  'window)click',
  'reddit',
  'opens',
  'window)click',
  'twitter',
  'opens',
  'window)click',
  'opens',
  'window)click',
  'link',
  'friend',
  'opens',
  'new',
  'window)moreclick',
  'linkedin',
  'opens',
  'window)click',
  'pinterest',
  'opens',
  'window)click',
  'tumblr',
  'opens',
  'window)submit',
  'stumbleupon',
  'opens',
  'window)in',
  'tuesday',
  'sept.',
  'photo',
  'debris',
  'ground',
  'advance',
  'auto',
  'parts',
  'weather',
  'sioux',
  'falls',
  's.d.',
  'abigail',
  'dollins',
  'argus',
  'leader',
  'ap',
  'tuesday',
  'sept.',
  'photo',
  'passerby',
  'store',
  'weather',
  'area',
  'sioux',
  'falls',
  's.d.',
  'argus',
  'leader',
  'argus',
  'leader',
  'ap)in',
  'tuesday',
  'sept.',
  'photo',
  'vehicle',
  'debris',
  'street',
  'weather',
  'area',
  'sioux',
  'falls',
  's.d.',
  'abigail',
  'dollins',
  'argus',
  'leader',
  'ap)in',
  'tuesday',
  'sept.',
  'photo',
  'tree',
  'debris',
  'sidewalk',
  'weather',
  'sioux',
  'falls',
  's.d.',
  'abigail',
  'dollins',
  'argus',
  'leader',
  'ap)show',
  'caption',
  'expandby',
  'dave',
  'kolpack',
  '',
  '',
  'associated',
  'presspublished',
  'september',
  'p.m.',
  'updated',
  'september',
  'warning',
  'midnight',
  'tornado',
  'clock',
  'stopwatch',
  'staff',
  'member',
  'night',
  'shift',
  'health',
  'center',
  'sioux',
  'falls',
  'hospital',
  'minute',
  'resident',
  'center',
  'building',
  'david',
  'flicek',
  'president',
  'ceo',
  'avera',
  'mckennan',
  'hospital',
  'university',
  'health',
  'center',
  'south',
  'dakota',
  'city',
  'tornado',
  'sioux',
  'falls',
  'year',
  'avera',
  'health',
  'system',
  'hospital',
  'preparedness',
  'training',
  'work',
  'ef-2',
  'tornado',
  'hospital',
  'campus',
  'twister',
  'wind',
  'speed',
  'mph',
  'system',
  'heart',
  'hospital',
  'man',
  'heart',
  'attack',
  'doctor',
  'nurse',
  'man',
  'life',
  'storm',
  'ceo',
  'avera',
  'heart',
  'hospital',
  'nick',
  'gibbs',
  'hospital',
  'drill',
  'staff',
  'flicek',
  'natasha',
  'sundet',
  'year',
  'nurse',
  'manager',
  'health',
  'center',
  'hospital',
  'patient',
  'hospital',
  'ground',
  'chunk',
  'metal',
  'building',
  'glass',
  'tree',
  'limb',
  'trash',
  'car',
  'window',
  'sundet',
  'building',
  'water',
  'ceiling',
  'patient',
  'adolescent',
  'sundet',
  'child',
  'blanket',
  'shock',
  'national',
  'weather',
  'service',
  'ef-2',
  'tornado',
  'city',
  'lead',
  'meteorologist',
  'todd',
  'heitkamp',
  'wednesday',
  'dozen',
  'building',
  'tree',
  'power',
  'line',
  'devastation',
  'storm',
  'flicek',
  'people',
  'injury',
  'debris',
  'hospital',
  'campus',
  'sioux',
  'falls',
  'tornado',
  'october',
  'heitkamp',
  'weather',
  'service',
  'staff',
  'cover',
  'storm',
  'snafu',
  'city',
  'siren',
  'warning',
  'system',
  'siren',
  'sioux',
  'falls',
  'damage',
  'rest',
  'city',
  'mayor',
  'paul',
  'tenhaken',
  'miscommunication',
  'staff',
  'team',
  'administration',
  'building',
  'storm',
  'resident',
  'area',
  'fire',
  'chief',
  'brad',
  'goodroad',
  'news',
  'conference',
  'wednesday',
  'business',
  'advanced',
  'auto',
  'parts',
  'store',
  'wall',
  'kohl',
  'best',
  'buy',
  'roof',
  'pizza',
  'ranch',
  'damage',
  'red',
  'cross',
  'shelter',
  'sioux',
  'empire',
  'fairgrounds',
  'armory',
  'people',
  'storm',
  'city',
  'people',
  'mile',
  'kilometer',
  'southwest',
  'minneapolis',
  'xcel',
  'energy',
  'customer',
  'power',
  'point',
  'damage',
  'electricity',
  'wednesday',
  'morning',
  'storm',
  'system',
  'rest',
  'state',
  'south',
  'dakota',
  'department',
  'public',
  'safety',
  'report',
  'flooding',
  'hutchinson',
  'brule',
  'county',
  'assistance',
  'articles',
  'national',
  'news',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'judge',
  'concern',
  'term',
  'agreement',
  'attorney',
  'm',
  'settlement',
  'water',
  'system',
  'contamination',
  'chemical',
  'federal',
  'reserve',
  'rate',
  'time',
  'inflation',
  'sign',
  'pedestrian',
  'fire',
  'new',
  'york',
  'construction',
  'crane',
  'arm',
  'crash',
  'street',
  'senate',
  'gop',
  'leader',
  'mcconnell',
  'news',
  'conference',
  'mid',
  '-',
  'sentence',
  'weather',
  'service',
  'thunderstorm',
  'wednesday',
  'plains',
  'upper',
  'midwest',
  'nebraska',
  'minnesota',
  'iowa',
  'wisconsin',
  'threat',
  'nebraska',
  'weather',
  'service',
  'flash',
  'flooding',
  'north',
  'state',
  'story',
  'sioux',
  'falls',
  'fire',
  'chief',
  'brad',
  'goodroad',
  'goodread',
  'tag',
  'south',
  'dakotaweather',
  'sign',
  'newsletters',
  'alerts',
  'popularmost',
  'popularmissing',
  'forest',
  'lake',
  'girl',
  'tent',
  'police',
  'isanti',
  'county',
  'man',
  'forest',
  'lake',
  'girl',
  'tent',
  'police',
  'isanti',
  'county',
  'man',
  'gable',
  'steveson',
  'wrestling',
  'future',
  'wwe',
  'speculation',
  'transfer',
  'iowagable',
  'steveson',
  'wrestling',
  'future',
  'wwe',
  'speculation',
  'transfer',
  'iowaminnesota',
  'state',
  'fair',
  'state',
  'fair',
  'goodviking',
  'message',
  'rookie',
  'jordan',
  'addison',
  'mph',
  'again’viking',
  'message',
  'rookie',
  'jordan',
  'addison',
  'mph',
  "again'‘good",
  'morning',
  'america',
  'east',
  'metro',
  'time',
  "month'good",
  'morning',
  'america',
  'east',
  'metro',
  'time',
  'culture',
  'problem',
  'football',
  'coach',
  'p.j.',
  'fleckgophers',
  'ad',
  'culture',
  'problem',
  'football',
  'coach',
  'p.j.',
  'flecktwins',
  'jorge',
  'lópez',
  'miami',
  'swap',
  'middle',
  'relieverstwin',
  'jorge',
  'lópez',
  'miami',
  'swap',
  'middle',
  'relievers3',
  'm',
  'chapter',
  'ceo',
  'm',
  'chapter',
  'ceo',
  'investorsgynecologist',
  'patient',
  'year',
  'prisongynecologist',
  'patient',
  'year',
  'singer',
  'sinéad',
  'o’connor',
  'age',
  'singer',
  'sinéad',
  'o’connor',
  'age',
  'thing',
  'step',
  'plane',
  'collision',
  'feetthe',
  'business',
  'strip',
  'club',
  'colorado',
  'dancer',
  'way',
  'uncertainties‘funnel',
  'cloud',
  'tree',
  'brooklyn',
  'power',
  'outage',
  'staten',
  'island',
  'nursing',
  'hometaylor',
  'swift',
  'album',
  'swiftie',
  '.',
  'guide',
  'tip',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'judge',
  'concern',
  'term',
  'agreement',
  'attorney',
  'm',
  'settlement',
  'water',
  'system',
  'contamination',
  'chemical',
  'federal',
  'reserve',
  'rate',
  'time',
  'inflation',
  'sign',
  'pedestrian',
  'fire',
  'new',
  'york',
  'construction',
  'crane',
  'arm',
  'crash',
  'street',
  'senate',
  'gop',
  'leader',
  'mcconnell',
  'news',
  'conference',
  'mid',
  '-',
  'whistleblower',
  'congress',
  'decade',
  'program',
  'ufos',
  'newsroom',
  'contacts',
  'pioneer',
  'press',
  'store',
  'commenting',
  'photo',
  'reprint',
  'account',
  'privacy',
  'policy',
  'accessibility',
  'terms',
  'use',
  'cookie',
  'policy',
  'california',
  'notice',
  'collection',
  'notice',
  'financial',
  'incentive',
  'share',
  'personal',
  'information',
  'arbitration',
  'powered',
  'wordpress.com',
  'vip'],
 ['contentskip',
  'content',
  'register',
  'article',
  'newsletter',
  'weather',
  'forecast',
  'weather',
  'alert',
  'inbox',
  'subscriber',
  'sign',
  'time',
  'owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'lee',
  'enterprises',
  'terms',
  'service',
  '',
  '',
  'privacy',
  'policy',
  'help',
  'center',
  'account',
  'dashboard',
  'profile',
  'item',
  'stormy',
  'monday',
  'night',
  'nebraska',
  'storm',
  'stormy',
  'monday',
  'night',
  'nebraska',
  'storm',
  'shower',
  'storm',
  'day',
  'activity',
  'monday',
  'night',
  'nebraska',
  'wind',
  'hail',
  'spot',
  'hazard',
  'timing',
  'storm',
  'weather',
  'update',
  'video',
  'apple',
  'podcast',
  'google',
  'podcast',
  'rss',
  'feed',
  'omny',
  'studio',
  'apple',
  'podcast',
  'google',
  'podcast',
  'rss',
  'feed',
  'omny',
  'studio',
  'weather',
  'forecast',
  'weather',
  'alert',
  'inbox',
  'registration',
  'use',
  'site',
  'agreement',
  'user',
  'agreement',
  'privacy',
  'policy',
  'stormy',
  'monday',
  'night',
  'nebraska',
  'storm',
  'matt',
  'holiner',
  'forecast',
  'watch',
  'mitch',
  'mcconnell',
  'freezes',
  'press',
  'conference',
  'republican',
  'colleagues',
  'ivy',
  'league',
  'colleges',
  'rich',
  'class',
  'student',
  'ivy',
  'league',
  'colleges',
  'rich',
  'class',
  'student',
  'swimming',
  'seine',
  'returns',
  'paris',
  'year',
  'swimming',
  'seine',
  'returns',
  'paris',
  'year',
  'fifa',
  'lotr',
  'fan',
  'new',
  'zealand',
  'hobbiton',
  'fifa',
  'lotr',
  'fan',
  'new',
  'zealand',
  'hobbiton',
  'arizona',
  'flight',
  'grand',
  'island',
  'midair',
  'copyright',
  'york',
  'news',
  'times',
  'po',
  'box',
  'york',
  'ne',
  'term',
  'use',
  '',
  '',
  'privacy',
  'policy',
  '',
  '',
  'info',
  '',
  '',
  'cookie',
  'preferences',
  'blox',
  'content',
  'management',
  'system',
  'minute',
  'news',
  'device'],
 ['associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'u.s.',
  'news',
  'tornado',
  'pfizer',
  'plant',
  'north',
  'carolina',
  'heat',
  'flood',
  'tornado',
  'home',
  'pfizer',
  'plant',
  'north',
  'carolina',
  'string',
  'weather',
  'event',
  'u.s.',
  'july',
  'raleigh',
  'n.c.',
  'ap',
  'tornado',
  'pfizer',
  'plant',
  'north',
  'carolina',
  'wednesday',
  'rain',
  'community',
  'kentucky',
  'area',
  'california',
  'south',
  'florida',
  'heat',
  'pfizer',
  'manufacturing',
  'complex',
  'twister',
  'midday',
  'rocky',
  'mount',
  'email',
  'report',
  'injury',
  'company',
  'statement',
  'employee',
  'roof',
  'building',
  'pfizer',
  'plant',
  'store',
  'quantity',
  'medicine',
  'nash',
  'county',
  'sheriff',
  'keith',
  'stone',
  'report',
  'pallet',
  'medicine',
  'facility',
  'rain',
  'wind',
  'stone',
  'vermont',
  'phish',
  'flood',
  'recovery',
  'effort',
  'search',
  'team',
  'body',
  'child',
  'flooding',
  'nova',
  'scotia',
  'weekend',
  'cloudburst',
  'climate',
  'change',
  'plant',
  'anesthesia',
  'drug',
  '%',
  'medication',
  'pfizer',
  'supply',
  'u.s.',
  'hospital',
  'company',
  'website',
  'erin',
  'fox',
  'pharmacy',
  'director',
  'university',
  'utah',
  'health',
  'damage',
  'term',
  'shortage',
  'pfizer',
  'production',
  'site',
  'rebuild',
  'national',
  'weather',
  'service',
  'tweet',
  'damage',
  'ef3',
  'tornado',
  'wind',
  'speed',
  'mph',
  'kph).the',
  'edgecombe',
  'county',
  'sheriff',
  'office',
  'rocky',
  'mount',
  'facebook',
  'report',
  'people',
  'tornado',
  'life',
  'injury',
  'report',
  'nash',
  'county',
  'people',
  'structure',
  'wral',
  'tv',
  'home',
  'brian',
  'varnell',
  'family',
  'member',
  'dortches',
  'area',
  'news',
  'outlet',
  'sister',
  'child',
  'home',
  'room',
  'house',
  'varnell',
  'home',
  'wall',
  'chunk',
  'roof',
  'u.s.',
  'onslaught',
  'temperature',
  'floodwater',
  'phoenix',
  'time',
  'temperature',
  'record',
  'rescuer',
  'people',
  'rain',
  'home',
  'vehicle',
  'kentucky',
  'forecaster',
  'relief',
  'sight',
  'heat',
  'storm',
  'example',
  'miami',
  'heat',
  'index',
  'degree',
  'fahrenheit',
  'degree',
  'celsius',
  'week',
  'temperature',
  'weekend',
  'kentucky',
  'meteorologist',
  'life',
  'situation',
  'community',
  'mayfield',
  'wingo',
  'flash',
  'flooding',
  'week',
  'thunderstorm',
  'kentucky',
  'gov.',
  'andy',
  'beshear',
  'state',
  'emergency',
  'wednesday',
  'storm',
  'forecaster',
  'inch',
  'centimeter',
  'rain',
  'kentucky',
  'illinois',
  'missouri',
  'ohio',
  'mississippi',
  'river',
  'storm',
  'system',
  'thursday',
  'friday',
  'new',
  'england',
  'ground',
  'flood',
  'connecticut',
  'mother',
  'year',
  'daughter',
  'river',
  'tuesday',
  'pennsylvania',
  'search',
  'child',
  'flash',
  'flooding',
  'saturday',
  'night',
  'phoenix',
  'time',
  'record',
  'wednesday',
  'morning',
  'temperature',
  'f',
  'c',
  'threat',
  'heat',
  'illness',
  'resident',
  'record',
  'f',
  'c',
  'weather',
  'service',
  'lindsay',
  'lamont',
  'sweet',
  'republic',
  'ice',
  'cream',
  'shop',
  'phoenix',
  'business',
  'day',
  'people',
  'heat',
  'lot',
  'people',
  'evening',
  'ice',
  'cream',
  'thing',
  'lamont',
  'heat',
  'death',
  'maricopa',
  'county',
  'phoenix',
  'health',
  'official',
  'wednesday',
  'heat',
  'fatality',
  'week',
  'year',
  'total',
  'death',
  'week',
  'week',
  'heat',
  'investigation',
  'time',
  'year',
  'heat',
  'death',
  'county',
  'investigation',
  'phoenix',
  'desert',
  'city',
  'people',
  'record',
  'tuesday',
  'u.s.',
  'city',
  'day',
  'temperature',
  'f',
  'c',
  'wednesday',
  'national',
  'weather',
  'service',
  'meteorologist',
  'matthew',
  'hirsh',
  'phoenix',
  'f',
  'c',
  'wednesday',
  'temperature',
  'city',
  'temperature',
  'time',
  'f',
  'c',
  'country',
  'miami',
  'day',
  'heat',
  'index',
  'excess',
  'f',
  'c',
  'record',
  'day',
  'june',
  'week',
  'weekend',
  'cameron',
  'pine',
  'national',
  'weather',
  'service',
  'meteorologist',
  'region',
  'day',
  'heat',
  'index',
  'threshold',
  'f',
  'c',
  'sea',
  'surface',
  'temperature',
  'degree',
  'relief',
  'sight',
  'pine',
  'year',
  'los',
  'angeles',
  'area',
  'man',
  'trailhead',
  'death',
  'valley',
  'national',
  'park',
  'california',
  'tuesday',
  'afternoon',
  'temperature',
  'f',
  'c',
  'ranger',
  'heat',
  'factor',
  'national',
  'park',
  'service',
  'statement',
  'wednesday',
  'heat',
  'fatality',
  'death',
  'valley',
  'summer',
  'year',
  'man',
  'car',
  'july',
  'human',
  'climate',
  'change',
  'el',
  'nino',
  'heat',
  'record',
  'scientist',
  'globe',
  'heat',
  'june',
  'july',
  'day',
  'month',
  'temperature',
  'day',
  'university',
  'maine',
  'climate',
  'reanalyzer',
  'scientist',
  'warming',
  'heat',
  'southwest',
  'rainfall',
  'reality.___finley',
  'norfolk',
  'virginia',
  'associated',
  'press',
  'reporter',
  'anita',
  'snow',
  'phoenix',
  'freida',
  'frisaro',
  'miami',
  'jonel',
  'aleccia',
  'temecula',
  'california',
  'rebecca',
  'reynolds',
  'louisville',
  'kentucky',
  'report',
  'associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights'],
 ['content',
  'search',
  'dnr',
  'website',
  'toggle',
  'navigation',
  'toggle',
  'search',
  'search',
  'dnr',
  'website',
  'search',
  'recreationbiking',
  'line',
  'skatingboatingcampingcanoeing',
  'kayakingcross',
  '-',
  'country',
  'skiingfishinghikinghorseback',
  'ridinghunting',
  'trappingnature',
  'viewingoff',
  'highway',
  'vehicle',
  'ridingrecreation',
  'sportssnowmobilingsnowshoeingmore',
  'management',
  'piershunter',
  'highway',
  'vehicle',
  'trailsruffed',
  'grouse',
  'management',
  'areasscientific',
  'forestsstate',
  'park',
  'recreation',
  'trailsstate',
  'water',
  'trailswalk',
  'accesseswildlife',
  'management',
  'wildlifeforestsinvasive',
  'speciesplantsprairiesrare',
  'speciesrock',
  'mineralswatermore',
  'education',
  'safetyboat',
  'water',
  'education',
  'safety',
  'resource',
  'vehicle',
  'safety',
  'classessafety',
  'training',
  'instructorsmore',
  'licenses',
  'permits',
  'regulationscritical',
  'habitat',
  'license',
  'plateslicense',
  'information',
  'license',
  'license',
  'online',
  'hunting',
  'lotteriespermitsregulationsmilitary',
  'personnel',
  'benefitsmore',
  'event',
  'seasonscommunity',
  'eventsenvironmental',
  'seasonshunting',
  'trapping',
  'seasonshunting',
  'fishing',
  'eventssafety',
  'training',
  'class',
  'area',
  'park',
  'trail',
  'dnrcareerscontact',
  'office',
  'locator',
  'map',
  'medium',
  'inquiriesmission',
  'engagementsocial',
  'mediavolunteeringmore',
  '\u200c',
  'homenatureclimate',
  'present',
  'climate',
  'conditionslatest',
  'precipitation',
  'reportsmaps',
  'chartsdata',
  'tablesblog',
  'newsletter',
  'journaldroughtstream',
  'flow',
  'floodingstorm',
  'reportsreal',
  'time',
  'weatherother',
  'resources',
  'page',
  'menu',
  'climate',
  'journal',
  'page',
  'account',
  'minnesota',
  'weather',
  'event',
  'weather',
  'feature',
  'legacy',
  'climate',
  'journal',
  'journal',
  'article',
  'page',
  'july',
  'thunderstorms',
  'heavy',
  'rain',
  'july',
  'worst',
  'heat',
  'wavesevere',
  'thunderstorms',
  'july',
  'climatologyjune',
  'rain',
  'june',
  'dryness',
  'mid',
  '-',
  'mayjune',
  'smoke',
  'eventmay',
  'day',
  'rest',
  'summerhistorical',
  'memorial',
  'weekend',
  'weathermay',
  'wildfire',
  'smoke',
  'outbreakmay',
  'heavy',
  'rain',
  'flooding2023',
  'fishing',
  'openerapril',
  'spring',
  'stormmid',
  'april',
  'heat',
  'waveapril',
  'fool',
  'day',
  'thunder',
  'slush',
  'snowmarch',
  'spring',
  'phenologysnowy',
  'winter',
  'winter',
  'storm',
  'duper',
  'clipper',
  'march',
  'wet',
  'snow',
  'march',
  'snow',
  'northern',
  'mn',
  'february',
  'march',
  'snowy',
  'meteorological',
  'winterice',
  'slush',
  'heavy',
  'rain',
  'february',
  'winter',
  'storm',
  'february',
  'day',
  'rainjanuary',
  'st.',
  'cloud',
  'summarydr',
  'king',
  'u',
  'm',
  'st.',
  'paul',
  'campus',
  'april',
  'twin',
  'cities',
  'snow',
  'cold',
  'indexanother',
  'winter',
  'storm',
  'january',
  'snowfall',
  'twin',
  'citiesdecember',
  'event',
  'snow',
  'arctic',
  'ground',
  'blizzard',
  'december',
  'ice',
  'slush',
  'rain',
  'december',
  'minnesota',
  'heavy',
  'snow',
  'december',
  'christmasearly',
  'december',
  'hydroclimnovember',
  'heavy',
  'snowthanksgiving',
  'day',
  'climatologysnowy',
  'week',
  'november',
  'november',
  'stormsbig',
  'november',
  'storm',
  'nov',
  'heavy',
  'precipitation',
  'factsrecord',
  'warm',
  'november',
  'firearm',
  'deer',
  'hunting',
  'openerdrought',
  'st.',
  'cloud',
  'weather',
  'summaryextremely',
  'dry',
  'octoberhalloween',
  'climatologydirty',
  'rain',
  'october',
  'snow',
  'season',
  'october',
  '2022heat',
  'hail',
  'september',
  'tornadoesstate',
  'fair',
  'beneficial',
  'rains',
  'southern',
  'minnesota',
  'august',
  '2022.intense',
  'heat',
  'humidity',
  'august',
  '2022july',
  'twin',
  'cities',
  'superstorm',
  'july',
  'july',
  'recapmore',
  'damaging',
  'thunderstorms',
  'june',
  '2022hail',
  'heavy',
  'rain',
  'june',
  'storm',
  'june',
  'heat',
  'june',
  'july',
  '4th',
  'snows',
  'minnesotaheat',
  'burst',
  'tracy',
  'mn',
  'june',
  '2022a',
  'history',
  'degree',
  'citiesmay',
  'hem',
  'thunderstorm',
  'day',
  'long',
  'track',
  'tornadoes',
  'damaging',
  'windswhat',
  'hot',
  'day',
  'summer?historical',
  'memorial',
  'weekend',
  'weathersouthern',
  'minnesota',
  'hailstorms',
  'severe',
  'weather',
  '2022wet',
  'condition',
  'flooding',
  'thunderstorm',
  'fishing',
  'opener',
  'weathersevere',
  'storms',
  'heavy',
  'rains',
  'thunderstorm',
  'ice',
  'cloudy',
  'wet',
  'snowy',
  'april',
  'april',
  'flooding',
  'april',
  'mid',
  '-',
  'system',
  'april',
  'storm',
  'snow',
  'rain',
  'wind',
  'april',
  'slush',
  'storm',
  'april',
  'spring',
  'phenologyanother',
  'wet',
  'slushy',
  'icy',
  'storm',
  'march',
  'slushy',
  'spring',
  'storm',
  'march',
  'storm',
  'snow',
  'burst',
  'march',
  'march',
  'hydroclimwomen',
  'charge',
  'harriet',
  'grasse',
  'weather',
  'bureaufebruary',
  '2022yes',
  'gusty',
  'winter!cold',
  'snowy',
  'meteorological',
  'wintersnowstorm',
  'february',
  'year',
  'winter',
  'whiteouts',
  'northwestern',
  'mnanother',
  'day',
  'clipper',
  'february',
  'river',
  'valley',
  'blizzard',
  'january',
  'feb',
  'hallett',
  'greene',
  'country',
  'black',
  'meteorologistthe',
  'twin',
  'cities',
  'snow',
  'cold',
  'indexjanuary',
  'anniversary',
  'january',
  'snowstormsthe',
  'january',
  'super',
  'clipper',
  'snowstormjanuary',
  'thawsdecember',
  'event',
  'big',
  'december',
  'winter',
  'storm',
  'december',
  'mid',
  '-',
  'december',
  'severe',
  'weather',
  'wind',
  'event',
  'december',
  'snow',
  'southern',
  'minnesota',
  'december',
  'winter',
  'storm',
  'december',
  'drought',
  'december',
  'hydroclimnovember',
  'deer',
  'opener',
  'november',
  'hydroclimoctober',
  'anniversary',
  'halloween',
  'blizzardso',
  'october',
  'tornadoes!more',
  'tornado',
  'western',
  'minnesota',
  'october',
  'waters',
  'tornado',
  'october',
  'minnesota',
  'tornadoes',
  'october',
  'october',
  'hydroclimseptember',
  'tornadoesminnesota',
  'micro',
  '-',
  'season',
  'fall',
  'weather',
  'september',
  'hydroclimaugust',
  'smokewarm',
  'august',
  'august',
  'wet',
  'spellaugust',
  'severe',
  'weather',
  'heavy',
  'rainaugust',
  'heavy',
  'rainsstate',
  'fair',
  'weatheraugust',
  'heavy',
  'rainsearly',
  'august',
  'hydroclimjuly',
  '2021july',
  'st.',
  'cloud',
  'summarydry',
  'july',
  'minnesota',
  'severe',
  'thunderstorms',
  'july',
  'rain',
  'july',
  'climatologyearly',
  'july',
  'hydroclimjune',
  'dry',
  'junewilliam',
  'hallett',
  'greene',
  'country',
  'black',
  'meteorologisthail',
  'heavy',
  'rain',
  'southeast',
  'minnesota',
  'june',
  'heat',
  'waveearly',
  'season',
  'heat',
  'wavesearly',
  'june',
  'hydroclimmay',
  'day',
  'weekend',
  'climatologysmall',
  'tornadoes',
  'heavy',
  'rains',
  'twin',
  'cities',
  'hydroclimapril',
  'fishing',
  'opener',
  'weather1991',
  'normal',
  'precipitation',
  'map',
  'change',
  'period',
  'april',
  'heat',
  'april',
  'april',
  'hydroclimmarch',
  '2021hail',
  'heavy',
  'snow',
  'march',
  'spring',
  'phenologythe',
  'twin',
  'cities',
  'snow',
  'cold',
  'indexearly',
  'march',
  'hydroclimfebruary',
  '2021snow',
  'february',
  'february',
  'cold',
  'outbreakat',
  'zero',
  'streaks',
  'twin',
  'citiesthe',
  'twin',
  'cities',
  'snow',
  'cold',
  'indexearly',
  'february',
  'hydroclimjanuary',
  'st.',
  'cloud',
  'summarywarm',
  'slightly',
  'snowy',
  'half',
  'winterslushy',
  'snows',
  'jan',
  'january',
  'hydroclimdecember',
  'st.',
  'cloud',
  'summarylake',
  'ice',
  'event',
  'blizzard',
  'december',
  'chance',
  'white',
  'christmasnovember',
  'st.',
  'cloud',
  'summarythanksgiving',
  'day',
  'climatology',
  'twin',
  'citieswinter',
  'storm',
  'november',
  'firearm',
  'deer',
  'hunting',
  'openerrecord',
  'november',
  'warmthhistorical',
  'election',
  'day',
  'weatheroctober',
  'cold',
  'octoberhalloween',
  'climatologywinter',
  'storm',
  'october',
  'october',
  'snowstorm',
  'october',
  'october',
  'snowfallswindy',
  'october',
  '2020does',
  'snowy',
  'october',
  'foretell',
  'winter?september',
  'sky',
  'september',
  'wind',
  'damage',
  'flooding',
  'august',
  'area',
  'hail',
  'storm',
  'august',
  'mega',
  'rain',
  'eventjuly',
  'severe',
  'weather',
  'tornadoesjuly',
  'hailstormsevere',
  'thunderstorms',
  'deadly',
  'tornado',
  'july',
  'worst',
  'heat',
  'wave',
  'july',
  'climatologyjune',
  'minnesota',
  'extreme',
  'rains',
  'june',
  'rain',
  'june',
  'anniversary',
  'minnesota',
  'tornado',
  'outbreak',
  'june',
  'depression',
  'cristobal',
  'june',
  'storms',
  'june',
  '2020more',
  'storm',
  'heat',
  'june',
  'minnesota',
  'june',
  'weather',
  'severe',
  'storms',
  'june',
  'minnesota',
  'tornado',
  'year',
  'day',
  'weather',
  'minnesotasouthern',
  'minnesota',
  'soaker',
  'fishing',
  'opener',
  'weatherapril',
  'minnesota',
  'april',
  '2020200th',
  'anniversary',
  'tornado',
  'minnesota',
  'april',
  'snow',
  'april',
  '2020snow',
  'ice',
  'april',
  'storm',
  'march',
  'ice',
  'spring',
  'phenologyhydroclim',
  'minnesota',
  'march',
  'february',
  'minnesota',
  'february',
  'january',
  'blizzardthe',
  'twin',
  'cities',
  'snow',
  'cold',
  'indexhydroclim',
  'minnesota',
  'january',
  'weather',
  'climate',
  'stories',
  'weather',
  'event',
  'storm',
  'rain',
  'blizzard',
  'december',
  '2019more',
  'precipitation',
  'records',
  'chance',
  'white',
  'christmaslake',
  'ice',
  'minnesota',
  'december',
  'weekend',
  'winter',
  'storm',
  'november',
  'december',
  'snow',
  'november',
  'day',
  'climatology',
  'twin',
  'citiesdeer',
  'opener',
  'minnesota',
  'november',
  'climatologyoctober',
  'high',
  'wind',
  'floodingoctober',
  'blizzardearly',
  'season',
  'snows',
  'meana',
  'blizzard',
  'october',
  'minnesota',
  'october',
  'september',
  'rain',
  'september',
  'lake',
  'city',
  'tornado',
  'september',
  'mn',
  'heavy',
  'rains',
  'september',
  'rain',
  'flooding',
  'september',
  'minnesota',
  'september',
  'waterspout',
  'august',
  'state',
  'fair',
  'weathermore',
  'hail',
  'august',
  'minnesota',
  'august',
  'july',
  'hail',
  'july',
  'stormy',
  'july',
  'minnesota',
  'derecho',
  'july',
  'heat',
  'storms',
  'july',
  '15th',
  'storms',
  'heat',
  'floodingjuly',
  'climatologyhydroclim',
  'minnesota',
  'july',
  'area',
  'rain',
  'flood',
  'june',
  'minnesota',
  'severe',
  'storm',
  'june',
  'devastating',
  'fergus',
  'falls',
  'tornado',
  'june',
  '1919ef-2',
  'tornado',
  'fertile',
  'mn',
  'june',
  'storm',
  'tornado',
  'june',
  'newsletter',
  'june',
  'tornado',
  '24th',
  '27thhistorical',
  'memorial',
  'weekend',
  'weathermore',
  'rain',
  'snow',
  'lake',
  'ice',
  'recaphydroclim',
  'minnesota',
  'snow',
  'soaking',
  'rains',
  'opener',
  'weather',
  'minnesota',
  'april',
  'rains',
  'southern',
  'mn',
  'april',
  'storm',
  'blizzard',
  'april',
  'ice',
  'april',
  'snowstormsmarch',
  'snow',
  'rain',
  'march',
  '2019cold',
  'outbreak',
  'march',
  'minnesota',
  'march',
  'snow',
  'march',
  'twin',
  'cities',
  'snow',
  'cold',
  'indexfebruary',
  'snow',
  'february',
  'bomb',
  'cyclone',
  'february',
  'snow',
  'february',
  '2019more',
  'snow',
  'february',
  '2019more',
  'snow',
  'february',
  'february',
  'snow',
  'mn',
  'february',
  '2019snow',
  'ice',
  'february',
  '2019cold',
  'outbreak',
  'january',
  'storm',
  'january',
  'extreme',
  'minnesotajanuary',
  'snowfall',
  'southern',
  'minnesotalake',
  'ice',
  'zero',
  'temperature',
  'twin',
  'citiesdecember',
  'mn',
  'sets',
  'statewide',
  'annual',
  'precipitation',
  'recordlake',
  'ice',
  'event',
  'storm',
  'december',
  'minnesota',
  'december',
  'december',
  'autumn',
  'day',
  'climatology',
  'twin',
  'citieshydroclim',
  'minnesota',
  'november',
  'opener',
  'weatherhalloween',
  'climatologyfirst',
  'snow',
  'season',
  'southern',
  'minnesota',
  'october',
  'northwest',
  'minnesota',
  'early',
  'heavy',
  'snow',
  'october',
  'gloomy',
  'autumn',
  'minnesota',
  'october',
  'rains',
  'high',
  'winds',
  'tornadoes',
  'september',
  'storm',
  'tornado',
  'september',
  'minnesota',
  'september',
  'rains',
  'southeast',
  'september',
  'storm',
  'flooding',
  'september',
  'minnesota',
  'august',
  'heavy',
  'rains',
  'august',
  'skies',
  'august',
  'thunderstorms',
  'tornado',
  'august',
  'minnesota',
  'july',
  'rain',
  'july',
  'mn',
  'heavy',
  'rain',
  'july',
  'minnesota',
  'storm',
  'june',
  '29father',
  'day',
  'weekend',
  'heat',
  'stormsjune',
  'storm',
  'rain',
  'windhydroclim',
  'minnesota',
  'june',
  'weekend',
  'heat',
  'wave',
  ...],
 ['local',
  'news',
  'brooklyn',
  'bronx',
  'manhattan',
  'queens',
  'staten',
  'island',
  'long',
  'island',
  'northern',
  'suburbs',
  'new',
  'jersey',
  'gilgo',
  'beach',
  'killings',
  'world',
  'news',
  'crime',
  'missing',
  'lottery',
  'thing',
  'destination',
  'ny',
  'marijuana',
  'legalization',
  'ny',
  'nj',
  'traffic',
  'automotive',
  'news',
  'monica',
  'pix',
  'politics',
  'politics',
  'hill',
  'newsletters',
  'press',
  'releases',
  'lawmaker',
  'pot',
  'pet',
  'heat',
  'wave',
  'crane',
  'company',
  'owner',
  'manslaughter',
  'livery',
  'cab',
  'nyc',
  'pix11',
  'news',
  'tv',
  'replay',
  'interactive',
  'radar',
  'daily',
  'hourly',
  'forecast',
  'maps',
  'radar',
  'weather',
  'science',
  'weather',
  'alerts',
  'heat',
  'mr.',
  'g',
  'byron',
  'miranda',
  'stacy',
  'ann',
  'gooden',
  'chris',
  'cimino',
  'dan',
  'mannarino',
  'hazel',
  'sanchez',
  'vanessa',
  'freeman',
  'craig',
  'treadway',
  'kirstin',
  'cole',
  'ben',
  'aaron',
  'byron',
  'miranda',
  'alex',
  'lee',
  'justin',
  'walters',
  'long',
  'island',
  'organization',
  'difference',
  'year',
  'upper',
  'west',
  'shooting',
  'nypd',
  'jeremy',
  'jordan',
  'shop',
  'horrors',
  'nyc',
  'tout',
  'rat',
  'complaint',
  'storm',
  'tree',
  'brooklyn',
  'marysol',
  'castro',
  'alex',
  'lee',
  'ben',
  'aaron',
  'star',
  'harvey',
  'pix11',
  'partner',
  'new',
  'leash',
  'life',
  'flower',
  'friday',
  'people',
  'kindness',
  'comedian',
  'birthday',
  'national',
  'wine',
  'cheese',
  'day',
  'pairing',
  'tequila',
  'cocktail',
  'taste',
  'occasion',
  'barbie',
  'party',
  'ny',
  'sportsnation',
  'mlb',
  'nba',
  'nhl',
  'nfl',
  'liv',
  'golf',
  'pga',
  'championship',
  'pix11',
  'sports',
  'nation',
  'marc',
  'malusis',
  'justin',
  'walters',
  'joe',
  'mauceri',
  'perry',
  'sook',
  'moose',
  'loose',
  'hope',
  'giants',
  'training',
  'rodgers',
  'pay',
  'cut',
  'year',
  'deal',
  'giants',
  'tackle',
  'andrew',
  'thomas',
  'lebron',
  'james',
  'son',
  'arrest',
  'moose',
  'loose',
  'sauce',
  'gardner',
  'ny',
  'mets',
  'livestream',
  'mets',
  'livestream',
  'pix11',
  'mets',
  'livestream',
  'faq',
  'mets',
  'owner',
  'trade',
  'deadline',
  'selloff',
  'contact',
  'pix11',
  'pix11',
  'news',
  'team',
  'pix11',
  'tv',
  'listing',
  'pix11',
  'pix11',
  'news',
  'app',
  'press',
  'releases',
  'advertise',
  'pix11',
  'careers',
  'post',
  'job',
  'job',
  'sharing',
  'medium',
  'pix11',
  'woman',
  'hispanic',
  'heritage',
  'month',
  'broadway',
  'g',
  'thing',
  'changemakers',
  'small',
  'business',
  'spotlight',
  'calendar',
  'pix11',
  'contests',
  'aaa',
  'automotive',
  'impact',
  'new',
  'leash',
  'life',
  'marysol',
  'castro',
  'bestreviews',
  'bestreviews',
  'daily',
  'deals',
  'regional',
  'news',
  'partners',
  'walgreens',
  'myw',
  'days',
  'member',
  'event',
  'new',
  'leash',
  'life',
  'swallow',
  'tail',
  'yellow',
  'jacket',
  'new',
  'leash',
  'life',
  'otter',
  'sand',
  'dollar',
  'japan',
  'cuts',
  'festival',
  'new',
  'japanese',
  'cinema',
  'amazon',
  'prime',
  'day',
  'business',
  'storm',
  'flooding',
  'new',
  'jersey',
  'matthew',
  'euzarraga',
  'video',
  'credit',
  'magee',
  'hickey',
  'apr',
  'pm',
  'edt',
  'apr',
  'pm',
  'edt',
  'matthew',
  'euzarraga',
  'video',
  'credit',
  'magee',
  'hickey',
  'apr',
  'pm',
  'edt',
  'apr',
  'pm',
  'edt',
  'new',
  'york',
  'pix11',
  'national',
  'weather',
  'service',
  'flooding',
  'advisory',
  'saturday',
  'storm',
  'area',
  'rain',
  'wind',
  'p.m.',
  'flood',
  'watch',
  'new',
  'jersey',
  'county',
  'atlantic',
  'atlantic',
  'coastal',
  'cape',
  'camden',
  'cape',
  'coastal',
  'atlantic',
  'coastal',
  'ocean',
  'cumberland',
  'eastern',
  'monmouth',
  'gloucester',
  'northwestern',
  'burlington',
  'ocean',
  'salem',
  'southeastern',
  'burlington',
  'western',
  'monmouth',
  'new',
  'jersey',
  'rainwater',
  'flooding',
  'flood',
  'watch',
  'p.m.',
  'queens',
  'long',
  'island',
  'flooding',
  'flood',
  'alert',
  'sunday',
  'night',
  'southern',
  'queens',
  'far',
  'rockaway',
  'nassau',
  'southwest',
  'suffolk',
  'county',
  'alert',
  'typo',
  'error(required',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'amazon',
  'school',
  'deal',
  'schooler',
  'school',
  'corner',
  'amazon',
  'supply',
  'school',
  'deal',
  'supply',
  'schooler',
  'august',
  'vegetable',
  'flower',
  'flower',
  'plant',
  'hour',
  'soil',
  'air',
  'temperature',
  'sunshine',
  'august',
  'month',
  'planting',
  'chemical',
  'guys',
  'kit',
  'car',
  'car',
  'care',
  'hour',
  'chemical',
  'guys',
  'car',
  'wash',
  'kit',
  'time',
  'deal',
  'bomb',
  'threat',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'russia',
  'un',
  'meeting',
  'transgender',
  'intersex',
  'people',
  'cambodia',
  'hun',
  'sen',
  'asia',
  'leader',
  'bomb',
  'threat',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'russia',
  'un',
  'meeting',
  'transgender',
  'intersex',
  'people',
  'cambodia',
  'hun',
  'sen',
  'asia',
  'leader',
  'millipede',
  'specie',
  'leg',
  'lawmaker',
  'pot',
  'pet',
  'heat',
  'wave',
  'lawmaker',
  'pot',
  'pet',
  'heat',
  'wave',
  'crane',
  'company',
  'owner',
  'manslaughter',
  'livery',
  'cab',
  'owner',
  'crane',
  'manhattan',
  'ny',
  'nj',
  'forecast',
  'heat',
  'thunderstorm',
  'firefighter',
  'newark',
  'fire',
  'department',
  'moose',
  'loose',
  'hope',
  'giants',
  'training',
  'gilgo',
  'body',
  'year',
  'owner',
  'crane',
  'new',
  'york',
  'city',
  'giants',
  'tackle',
  'andrew',
  'thomas',
  'year',
  'upper',
  'west',
  'shooting',
  'nypd',
  'new',
  'millipede',
  'specie',
  'leg',
  'lawmaker',
  'pot',
  'pet',
  'heat',
  'wave',
  'crane',
  'company',
  'owner',
  'manslaughter',
  'samsung',
  'smartphone',
  'bet',
  'livery',
  'cab',
  'nyc',
  'firefighter',
  'newark',
  'fire',
  'department',
  'pix11',
  'online',
  'catch',
  'mets',
  'queens',
  'lottery',
  'player',
  'powerball',
  'drawing',
  'gilgo',
  'victim',
  'hunter',
  'mta',
  'boss',
  'fla.',
  'shift',
  'exhibit',
  'jay',
  'z',
  'brooklyn',
  'public',
  'nyc',
  'library',
  'book',
  'crane',
  'company',
  'owner',
  'manslaughter',
  'pet',
  'heat',
  'wave',
  'lawmaker',
  'pot',
  'gift',
  'summer',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'home',
  'depot',
  'foot',
  'skeleton',
  'halloween',
  'deal',
  'day',
  'prime',
  'day',
  'favorite',
  'heat',
  'nyc',
  'heat',
  'nyc',
  'resource',
  'tenant',
  'rent',
  'nyc',
  'tenant',
  'suicide',
  'prevention',
  'health',
  'resource',
  'pix11',
  'news',
  'tv',
  'replay',
  'mets',
  'game',
  'rain',
  'news',
  'nyc',
  'news',
  'covid-19',
  'pix11',
  'morning',
  'news',
  'nyc',
  'weather',
  'nyc',
  'sports',
  'contact',
  'report',
  'android',
  'app',
  'google',
  'play',
  'personal',
  'information',
  'personal',
  'information',
  'nexstar',
  'media',
  'inc.',
  'rights'],
 ['associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights',
  'hunter',
  'biden',
  'plea',
  'deal',
  'new',
  'mexico',
  'storm',
  'driving',
  'condition',
  'albuquerque',
  'n.m.',
  'ap',
  'forecaster',
  'winter',
  'storm',
  'new',
  'mexico',
  'friday',
  'saturday',
  'driving',
  'condition',
  'wind',
  'snow',
  'snow',
  'accumulation',
  'mountain',
  'impact',
  'holiday',
  'travel',
  'weather',
  'service',
  'statement',
  'thursday',
  'temperature',
  'friday',
  'valley',
  'rainfall',
  'air',
  'midnight',
  'rain',
  'snow',
  'saturday',
  'morning',
  'weather',
  'service',
  'weekend',
  'wind',
  'temperature',
  'saturday',
  'sunday',
  'forecaster',
  'wind',
  'chill',
  'associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights'],
 ['accessibility',
  'link',
  'content',
  'keyboard',
  'shortcut',
  'player',
  'books',
  'movies',
  'television',
  'pop',
  'culture',
  'food',
  'art',
  'design',
  'performing',
  'arts',
  'life',
  'kit',
  'gaming',
  'podcasts',
  'shows',
  'expand',
  'collapse',
  'submenu',
  'podcast',
  'flash',
  'flood',
  'people',
  'pennsylvania',
  'family',
  'area',
  'charleston',
  's.c.',
  'way',
  'barbecue',
  'flash',
  'flood',
  'official',
  'flash',
  'flood',
  'people',
  'pennsylvania',
  'july',
  'pm',
  'et',
  'july',
  'pm',
  'et',
  'roadblock',
  'monday',
  'july',
  'washington',
  'crossing',
  'pa.',
  'weather',
  'weekend',
  'roadblock',
  'monday',
  'july',
  'washington',
  'crossing',
  'pa.',
  'weather',
  'weekend',
  'authority',
  'pennsylvania',
  'child',
  'rainfall',
  'saturday',
  'evening',
  'flash',
  'flood',
  'people',
  'child',
  'mother',
  'band',
  'thunderstorm',
  'northeast',
  'million',
  'people',
  'maryland',
  'maine',
  'authority',
  'upper',
  'makefield',
  'township',
  'delaware',
  'river',
  'mile',
  'philadelphia',
  'sunday',
  'morning',
  'people',
  'floodwater',
  'body',
  'total',
  'fatality',
  'mass',
  'casualty',
  'incident',
  'like',
  'township',
  'facebook',
  'post',
  'whyy',
  'death',
  'bucks',
  'co.',
  'flash',
  'flooding',
  'child',
  'year',
  'girl',
  'month',
  'brother',
  'authority',
  'monday',
  'matilda',
  'mattie',
  'sheils',
  'conrad',
  'sheils',
  'mother',
  'year',
  'katie',
  'seley',
  'child',
  'jim',
  'sheils',
  'father',
  'year',
  'son',
  'safety',
  'child',
  'grandmother',
  'hospital',
  'family',
  'area',
  'charleston',
  's.c.',
  'way',
  'barbecue',
  'flash',
  'flood',
  'official',
  'climate',
  'climate',
  'change',
  'heat',
  'wave',
  'storm',
  'drought',
  'climate',
  'report',
  'bucks',
  'county',
  'coroner',
  'office',
  'victim',
  'flash',
  'flood',
  'year',
  'enzo',
  'depiero',
  'year',
  'susan',
  'barnhart',
  'year',
  'yuko',
  'love',
  'year',
  'linda',
  'depiero',
  'national',
  'weather',
  'service',
  'people',
  'northeast',
  'risk',
  'rainfall',
  'sunday',
  'storm',
  'philadelphia',
  'new',
  'york',
  'city',
  'hartford',
  'boston',
  'metro',
  'area',
  'npr',
  'juliana',
  'kim',
  'report',
  'support',
  'public',
  'radio',
  'sponsor',
  'npr',
  'npr',
  'careers',
  'npr',
  'shop',
  'npr',
  'event',
  'npr',
  'term',
  'use',
  'privacy',
  'privacy',
  'choices',
  'text'],
 ['day',
  'woman',
  'birth',
  'hospital',
  'heart',
  'attack',
  'seizure',
  'kidney',
  'failure',
  'blood',
  'transfusion',
  'problem',
  'death',
  'human',
  'trafficking',
  'sports',
  'entertainment',
  'life',
  'money',
  'tech',
  'travel',
  'opinion',
  'obituariesonly',
  'usa',
  'today',
  'newsletters',
  'subscribers',
  'archives',
  'crossword',
  'enewspaper',
  'magazines',
  'investigations',
  'weather',
  'forecast',
  'video',
  'humankind',
  'curiousbest',
  'booklist',
  'pets',
  'food',
  'reviewed',
  'coupons',
  'blueprint',
  'best',
  'auto',
  'insurance',
  'best',
  'pet',
  'insurance',
  'best',
  'travel',
  'insurance',
  'best',
  'credit',
  'cards',
  'best',
  'cd',
  'rate',
  'best',
  'personal',
  'loans',
  'weathersnowadd',
  'topicsnow',
  'nh',
  'maine',
  'storm',
  'prompt',
  'advisory',
  'road',
  'ian',
  'lenahanportsmouth',
  'winter',
  'storm',
  'new',
  'england',
  'new',
  'hampshire',
  'maine',
  'snow',
  'thursday',
  'friday',
  'morning',
  'region',
  'snowfall',
  'inch',
  'snow',
  'area',
  'new',
  'hampshire',
  'maine',
  'lunchtime',
  'meteorologist',
  'nikki',
  'becker',
  'national',
  'weather',
  'service',
  'gray',
  'maine',
  'mix',
  'thursday',
  'evening',
  'snow',
  'matter',
  'hour',
  'midnight',
  'number',
  'town',
  'city',
  'region',
  'p.m.',
  'night',
  'sleet',
  'hour',
  'becker',
  'friday',
  'morning',
  'hour',
  'rain',
  'p.m.',
  'p.m.',
  'mix',
  'way',
  'midnight',
  'midnight',
  'snow',
  'winter',
  'weather',
  'system',
  'colorado',
  'east',
  'coast',
  'week',
  'accuweather',
  'meteorologist',
  'john',
  'gresiak',
  'usa',
  'today',
  'friday',
  'snow',
  'mountain',
  'northeast',
  'adirondacks',
  'green',
  'mountain',
  'maine',
  'snowfall',
  'friday',
  'night',
  'country',
  'snow',
  'utah',
  'arizona',
  'colorado',
  'new',
  'mexico',
  'friday',
  'accuweather',
  'friday',
  'winter',
  'weather',
  'forecast',
  'storm',
  'east',
  'snow',
  'return',
  'utah',
  'arizona',
  'snow',
  'total',
  'new',
  'hampshire',
  'maine',
  'communities?snowfall',
  'total',
  'national',
  'weather',
  'service',
  'friday',
  'town',
  'city',
  'new',
  'hampshire',
  'maine',
  'coastline',
  'snow',
  'state',
  'morning',
  'report',
  'portsmouth',
  'new',
  'hampshire',
  'inch',
  'snow',
  'bridge',
  'kittery',
  'maine',
  'inch',
  'snow',
  'becker',
  'dover',
  'new',
  'hampshire',
  'inch',
  'snow',
  'durham',
  'inch',
  'hour',
  'great',
  'bay',
  'half',
  'inch',
  'a.m.',
  'kennebunk',
  'maine',
  'half',
  'inch',
  'becker',
  'report',
  'snowfall',
  'area',
  'community',
  'inch',
  'municipality',
  'wintry',
  'mix',
  'beginning',
  'storm',
  'flooding',
  'advisory',
  'beach',
  'area',
  'nh',
  'mainewhile',
  'wind',
  'meteorologist',
  'flooding',
  'advisory',
  'national',
  'weather',
  'service',
  'portland',
  'maine',
  'area',
  'maine',
  'coastline',
  'peak',
  'tide',
  'becker',
  'storm',
  'roads?road',
  'storm',
  'new',
  'hampshire',
  'state',
  'police',
  'weather',
  'incident',
  'a.m.',
  'friday',
  'instance',
  'injury',
  'car',
  'interstate',
  'northbound',
  'new',
  'hampshire',
  'travel',
  'time',
  'destination',
  'morning',
  'snow',
  'ice',
  'vehicle',
  'new',
  'hampshire',
  'state',
  'police',
  'medium',
  'maine',
  'turnpike',
  'authority',
  'thursday',
  'evening',
  'speed',
  'limit',
  'mph',
  'place',
  'request',
  'maine',
  'state',
  'police“please',
  'caution',
  'speed',
  'condition',
  'limit',
  'turnpike',
  'authority',
  'new',
  'hampshire',
  'department',
  'transportation',
  'crash',
  'interstate',
  'friday',
  'traffic',
  'impact',
  'accident',
  'lane',
  'road',
  'ashley',
  'r.',
  'williams',
  'usa',
  'todayfeatured',
  'weekly',
  'adabout',
  'newsroom',
  'staff',
  'ethical',
  'principles',
  'correction',
  'press',
  'accessibility',
  'sitemap',
  'subscription',
  'terms',
  'conditions',
  'terms',
  'service',
  'california',
  'privacy',
  'rights',
  'privacy',
  'policy',
  'privacy',
  'policydo',
  'sell',
  'share',
  'target',
  'infocookie',
  'settingscontact',
  'account',
  'feedback',
  'home',
  'delivery',
  'enewspaper',
  'usa',
  'today',
  'shop',
  'usa',
  'today',
  'print',
  'editions',
  'licensing',
  'reprints',
  'advertise',
  'careers',
  'internships',
  'businessnews',
  'tips',
  'letter',
  'editor',
  'newsletters',
  'mobile',
  'app',
  'facebook',
  'twitter',
  'instagram',
  'linkedin',
  'pinterest',
  'youtube',
  'reddit',
  'flipboard',
  'jobs',
  'sports',
  'betting',
  'sports',
  'weekly',
  'studio',
  'gannett',
  'classifieds',
  'coupons',
  'blueprint',
  'auto',
  'insurance',
  'pet',
  'insurance',
  'travel',
  'insurance',
  'credit',
  'cards',
  'banking',
  'personal',
  'loans',
  'usa',
  'today',
  'division',
  'gannett',
  'satellite',
  'information',
  'network',
  'llc'],
 ['navigation',
  'menumenustory',
  'savedto',
  'revist',
  'article',
  'profile',
  'view',
  'story',
  'alerta',
  'bomb',
  'cyclone',
  'brings',
  'flooding',
  'new',
  'england',
  'againbackchannelbusinessculturegearideassciencesecuritymorechevronstory',
  'revist',
  'article',
  'profile',
  'view',
  'story',
  'alertsign',
  'insearchsearchbackchannelbusinessculturegearideassciencesecuritypodcastsvideoartificial',
  'intelligenceclimategamesnewslettersmagazineeventswired',
  'insiderjobscouponsmegan',
  'moltenisciencemar',
  'pma',
  'bomb',
  'cyclone',
  'bring',
  'flooding',
  'new',
  'england',
  'againadd',
  'foot',
  'storm',
  'surge',
  'tide',
  'recipe',
  'flooding',
  'foot',
  'storm',
  'surge',
  'tide',
  'recipe',
  'flooding',
  'craig',
  'f.',
  'walker',
  'boston',
  'globe',
  'getty',
  'imagessave',
  'storysavesince',
  'friday',
  'morning',
  'duxbury',
  'fire',
  'department',
  'dispatch',
  'center',
  'barrage',
  'tree',
  'house',
  'mayflower',
  'street',
  'wire',
  'keene',
  'street',
  'congress',
  'massachusetts',
  'town',
  'grip',
  'winter',
  'storm',
  'riley',
  'nor’easter',
  'weekend',
  'mile',
  'swath',
  'new',
  'england',
  'wind',
  'hurricane',
  'force',
  'mile',
  'hour',
  'moon',
  'thursday',
  'night',
  'official',
  'region',
  'flooding',
  'event',
  'superstorm',
  'history',
  'riley',
  'country',
  'year',
  'twitter',
  'content',
  'site',
  'boston',
  'portland',
  'maine',
  'january',
  'bomb',
  'cyclone',
  'flood',
  'record',
  'blizzard',
  'weekend',
  'storm',
  'eastern',
  'massachusetts',
  'inch',
  'rain',
  'foot',
  'storm',
  'surge',
  'flooding',
  'problem',
  'mover',
  'storm',
  'cycle',
  'normal',
  'nor’easter',
  'percent',
  'boston',
  'flood',
  'event',
  'climate',
  'change',
  'ocean',
  'temperature',
  'winter',
  'cyclone',
  'sea',
  'level',
  'storm',
  'home',
  'business',
  'infrastructure',
  'place',
  'duxbury',
  'water',
  'future',
  'week',
  'person',
  'town',
  'water',
  'vehicle',
  'fire',
  'department',
  'fleet',
  'inch',
  'tire',
  'truck',
  'flood',
  'rescue',
  'evacuation',
  'january',
  'storm',
  'vehicle',
  'guard',
  'outpost',
  'duxbury',
  'resident',
  'request',
  'volume',
  'popularculturecritical',
  'role',
  'lays',
  'era',
  'tabletop',
  'games',
  'live',
  'action',
  'role',
  'playlaurence',
  'russellsecuritytwitter',
  'scammers',
  'friend',
  'downselena',
  'larsongearhow',
  'old',
  'comicsomar',
  'l.',
  'gallagacultureoppenheimer',
  'dharma',
  'deathjohn',
  'semleytwitter',
  'content',
  'site',
  'storm',
  'flooding',
  'ambulance',
  'fire',
  'engine',
  'rescue',
  'duxbury',
  'fire',
  'captain',
  'rob',
  'reardon',
  'vehicle',
  'surplus',
  'fort',
  'drum',
  'new',
  'york',
  'capability',
  'time',
  'weekend',
  'storm',
  'reardon',
  'license',
  'plate',
  'yesterday',
  'pm',
  'shift',
  'tonight',
  'peak',
  'tide',
  'flooding',
  'duxbury',
  'municipality',
  'catastrophe',
  'response',
  'competency',
  'face',
  'weather',
  'hurricane',
  'harvey',
  'inadequacy',
  'houston',
  'fire',
  'department',
  'ability',
  'citizen',
  'flood',
  'city',
  'official',
  'water',
  'vehicle',
  'boat',
  'rescue',
  'equipment',
  'kind',
  'disaster',
  'mitigation',
  'technique',
  'city',
  'budget',
  'year',
  'community',
  'investment',
  'infrastructure',
  'flooding',
  'place',
  'course',
  'energy',
  'policy',
  'generation',
  'superstorm',
  'outwondering',
  'bomb',
  'cyclone',
  'thing',
  'term',
  "nor'easter",
  'joke',
  'storm',
  'east',
  'coast',
  'january',
  'jfk',
  'airport',
  'class',
  'weather',
  'climate',
  'change',
  'weather',
  'system',
  'megan',
  'molteni',
  'science',
  'writer',
  'stat',
  'news',
  'staff',
  'writer',
  'wired',
  'biotechnology',
  'health',
  'privacy',
  'biology',
  'frisbee',
  'carleton',
  'college',
  'graduate',
  'degree',
  'journalism',
  'university',
  'california',
  'berkeley',
  'twittertopicsextreme',
  'weatherhurricanesinfrastructuremore',
  'death',
  'destroyer',
  'worlds',
  'story',
  'oppenheimer',
  'infamous',
  'quotethe',
  'line',
  'hindu',
  'text',
  'bhagavad',
  'gita',
  'robert',
  'oppenheimer',
  'meaning',
  'james',
  'tempertoninside',
  'youth',
  'climate',
  'lawsuit',
  'trial',
  'held',
  'montana',
  'resident',
  'state',
  'constitution',
  'guarantee',
  'environment',
  'forbesweird',
  'weather',
  'air',
  'travel',
  'worseflight',
  'delay',
  'cancellation',
  'turbulence',
  'weather',
  'ramp',
  'thing',
  'climate',
  'change',
  'amanda',
  'grid',
  'collapse',
  'heat',
  'wave',
  'far',
  'deadlierclimate',
  'change',
  'summer',
  'blackout',
  'heat',
  'illness',
  'power',
  'system',
  'vulnerability',
  'maryn',
  'care',
  'key',
  'healthy',
  'populationpoverty',
  'housing',
  'availability',
  'space',
  'population',
  'government',
  'christina',
  'pagelok',
  'surfer',
  'wave?how',
  'energy',
  'wave',
  'kelly',
  'slater',
  'math',
  'rhett',
  'allainwhy',
  'scientist',
  'atlantic',
  'currentsis',
  'system',
  'current',
  'atlantic',
  'climate',
  'chaos',
  'matt',
  'simonthe',
  'arctic',
  'freezer',
  'poweras',
  'glacier',
  'methane',
  'groundwater',
  'surface',
  'climate',
  'arctic',
  'decline',
  'matt',
  'simonwired',
  'tomorrow',
  'source',
  'information',
  'idea',
  'sense',
  'world',
  'transformation',
  'wired',
  'conversation',
  'technology',
  'aspect',
  'life',
  'culture',
  'business',
  'science',
  'breakthrough',
  'innovation',
  'lead',
  'way',
  'thinking',
  'connection',
  'industry',
  'staffpress',
  'centercouponseditorial',
  'standardsarchivecontactadvertisecontact',
  'uscustomer',
  'carejobsrssaccessibility',
  'helpcondé',
  'nast',
  'storedo',
  'info',
  'condé',
  'nast',
  'right',
  'use',
  'site',
  'acceptance',
  'user',
  'agreement',
  'privacy',
  'policy',
  'cookie',
  'statement',
  'california',
  'privacy',
  'rights',
  'wired',
  'portion',
  'sale',
  'product',
  'site',
  'affiliate',
  'partnerships',
  'retailer',
  'material',
  'site',
  'permission',
  'condé',
  'nast',
  'ad',
  'choicesselect',
  'stateslargechevronukitaliajapón'],
 ['ie',
  'experience',
  'site',
  'browser',
  'skip',
  'news',
  'newsworldbusinesshealthvideoculture',
  'trendsnbc',
  'news',
  'tiplineshare',
  'save',
  'newsmanage',
  'profileemail',
  'preferencessign',
  'outsearchsearchprofile',
  'newssign',
  'sign',
  'increate',
  'profilesectionsu.s.',
  'newspoliticsworldlocalbusinesshealthinvestigationsculture',
  'trendssciencesportstech',
  'mediavideo',
  'featuresphotosweathernbc',
  'selectdecision',
  'blknbc',
  'newsmsnbcmeet',
  'pressdatelinefeaturednbc',
  'news',
  'nowbetternightly',
  'filmsstay',
  'tunedspecial',
  'featuresnewsletterspodcastslisten',
  'nowmore',
  'nbccnbcnbc.comnbcu',
  'learnpeacocknext',
  'steps',
  'vetsparent',
  'news',
  'site',
  'maphelpfollow',
  'nbc',
  'newssearchsearchfacebooktwitteremailsmsprintwhatsappredditpocketflipboardpinterestlinkedinu.s.',
  'newsat',
  'tornado',
  'nashville',
  'tennesseeit',
  'tornado',
  'event',
  'tennessee',
  'history',
  'damage',
  'power',
  'outage',
  'loss',
  'life',
  'video',
  'nashville',
  'tornado',
  'death',
  'toll',
  'dozen',
  'news',
  'nowprintmarch',
  'utc',
  'march',
  'pm',
  'phil',
  'helsel',
  'ben',
  'kesslen',
  'david',
  'k.',
  'liat',
  'people',
  'thousand',
  'household',
  'business',
  'power',
  'tornado',
  'nashville',
  'tennessee',
  'tuesday',
  'official',
  'death',
  'county',
  'davidson',
  'nashville',
  'putnam',
  'benton',
  'wilson',
  'official',
  'death',
  'putnam',
  'county',
  'official',
  'tuesday',
  'death',
  'toll',
  'putnam',
  'death',
  'storm',
  'loss',
  'life',
  'state',
  'gov.',
  'bill',
  'lee',
  'state',
  'emergency',
  'people',
  'folk',
  'devastation',
  'resident',
  'aftermath',
  'circumstance',
  'people',
  'tennessee',
  'lee',
  'carnage',
  'tennessee',
  'tornado',
  'event',
  'united',
  'states',
  'people',
  'lee',
  'county',
  'alabama',
  'year',
  'march',
  'tornado',
  'event',
  'tennessee',
  'history',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'storm',
  'prediction',
  'center',
  'twister',
  'people',
  'tennessee',
  'march',
  'tornado',
  'feb.',
  'authority',
  'drone',
  'footage',
  'tornado',
  'trail',
  'devastation',
  'nashvillemarch',
  'people',
  'debris',
  'mcferrin',
  'avenue',
  'michael',
  'dolfini',
  'girlfriend',
  'albree',
  'sexton',
  'nashville',
  'police',
  'attaboy',
  'lounge',
  'dolfini',
  'police',
  'height',
  'power',
  'outage',
  'home',
  'business',
  'customer',
  'electricity',
  'tuesday',
  'afternoon',
  'nashville',
  'electric',
  'service',
  'president',
  'donald',
  'trump',
  'tennessee',
  'week',
  'wish',
  'people',
  'tennessee',
  'wake',
  'tornado',
  'people',
  'trump',
  'tuesday',
  'washington',
  'national',
  'association',
  'counties',
  'legislative',
  'conference',
  'leader',
  'tennessee',
  'gov.',
  'bill',
  'lee',
  'fema',
  'ground',
  'friday',
  'weather',
  'dozen',
  'home',
  'building',
  'tennesseans',
  'super',
  'tuesday',
  'primary',
  'state',
  'official',
  'resident',
  'poll',
  'nbc',
  'news',
  'app',
  'news',
  'politicsat',
  'building',
  'nashville',
  'police',
  'building',
  'damage',
  'downtown',
  'east',
  'precinct',
  '"emergency',
  'responder',
  'person',
  'area',
  'police',
  'tornado',
  'downtown',
  'nashville',
  'aim',
  'city',
  'national',
  'weather',
  'service',
  'meteorologist',
  'faith',
  'borden',
  'video',
  'twitter',
  'damage',
  'apartment',
  'complex',
  'sight',
  'fourth',
  'ave',
  'n',
  'germantown',
  'windows',
  'water',
  'building',
  'video',
  'ryan',
  'breslin',
  '@rybrez',
  'march',
  'blakeley',
  'galbraith',
  'resident',
  'vista',
  'apartments',
  'nashville',
  'germantown',
  'neighborhood',
  'fire',
  'department',
  'people',
  'building',
  'chaos',
  'apartment',
  'neighborhood',
  'galbraith',
  'car',
  'garage',
  'inch',
  'water',
  'floor',
  'apartment',
  'building',
  'people',
  'mirror',
  'building',
  'storm',
  'march',
  'nashville',
  'tenn.',
  'mark',
  'humphrey',
  'apmain',
  'street',
  'east',
  'nashville',
  'a.m.',
  'tree',
  'debris',
  'tennessean',
  'newspaper',
  'nashville',
  'building',
  'road',
  'newspaper',
  'photo',
  'damage',
  'building',
  'vehicle',
  'council',
  'member',
  'brett',
  'withers',
  'points',
  'neighborhood',
  'hit',
  'nashville',
  'school',
  'tuesday',
  'damage',
  'city',
  'official',
  'night',
  'nashville',
  'u.s.',
  'rep.',
  'jim',
  'cooper',
  'd',
  'tenn.',
  'mayor',
  'office',
  'request',
  'assistance',
  'mayor',
  'cooper',
  'tennessee',
  'tornado',
  'night',
  'reminder',
  'life',
  "is'march",
  'night',
  'reminder',
  'life',
  'nashville',
  'mayor',
  'john',
  'cooper',
  'congressman',
  'brother',
  'press',
  'conference',
  'tuesday',
  'morning',
  'rescue',
  'personnel',
  'city',
  'building',
  'resident',
  'tornado',
  'act',
  'nature',
  'mayor',
  'autozone',
  'store',
  'man',
  'storm',
  'debris',
  'tornado',
  'march',
  'nashville',
  'tenn.',
  'mark',
  'humphrey',
  'aplater',
  'tuesday',
  'cooper',
  'statement',
  'emergency',
  'order',
  'city',
  'hall',
  'effort',
  'supply',
  'service',
  'resident',
  'hands',
  'nashville',
  'website',
  'time',
  'people',
  'city',
  'nashville',
  'suburbs',
  'mount',
  'juliet',
  'lebanon',
  'weather',
  'service',
  'police',
  'mount',
  'juliet',
  'east',
  'nashville',
  'town',
  'damage',
  'injury',
  'aid',
  'agency',
  'power',
  'line',
  'police',
  'department',
  'sheriff',
  'office',
  'wilson',
  'county',
  'home',
  'mount',
  'juliet',
  'lebanon',
  'damage',
  'home',
  'road',
  'hazard',
  'helicopter',
  'tornado',
  'destruction',
  'pic.twitter.com/xmbpbombuf',
  'metro',
  'nashville',
  'pd',
  '@mnpdnashville',
  'march',
  'tennessee',
  'state',
  'super',
  'tuesday',
  'polling',
  'location',
  'storm',
  'nbc',
  'nashville',
  'affiliate',
  'nashville',
  'polling',
  'location',
  'hour',
  'site',
  'percent',
  'total',
  'mayor',
  'official',
  'polling',
  'location',
  'area',
  'hour',
  'tennessee',
  'secretary',
  'state',
  'tre',
  'hargett',
  'twitter',
  'weather',
  'service',
  'tornado',
  'warning',
  'middle',
  'tennessee',
  'storm',
  'area',
  'lightning',
  'rain',
  'mph',
  'wind',
  'storm',
  'weather',
  'service',
  'phil',
  'helselphil',
  'helsel',
  'reporter',
  'nbc',
  'news',
  'ben',
  'kesslenben',
  'kesslen',
  'reporter',
  'nbc',
  'news',
  'david',
  'k.',
  'lidavid',
  'k.',
  'li',
  'news',
  'reporter',
  'nbc',
  'news',
  'digital',
  'kurt',
  'chirbas',
  'kathryn',
  'prociv',
  'aboutcontacthelpcareersad',
  'choicesprivacy',
  'policydo',
  'informationca',
  'noticenew',
  'terms',
  'service',
  'july',
  'news',
  'sitemapadvertiseselect',
  'shoppingselect',
  'personal',
  'finance',
  'nbc',
  'universalnbc',
  'news',
  'logomsnbc',
  'logotoday',
  'logo'],
 ['news',
  'sports',
  'business',
  'tribal',
  'news',
  'life',
  'advertise',
  'obituaries',
  'enewspaper',
  'legals',
  'localnorthcentral',
  'montana',
  'flooding',
  'david',
  'murraygreat',
  'falls',
  'tribunenorthcentral',
  'montanans',
  'temperature',
  'national',
  'weather',
  'service',
  'great',
  'falls',
  'month',
  'april',
  'temperature',
  'great',
  'falls',
  'degree',
  'average',
  'half',
  'june',
  'high',
  'degree',
  'time',
  'year',
  'trend',
  'middle',
  'week',
  'change',
  'temperature',
  '90',
  'friday',
  'temperature',
  'great',
  'falls',
  'degree',
  'wednesday',
  'low',
  'dozen',
  'degree',
  'freezing',
  'mph',
  'wind',
  'gust',
  'mph',
  'area',
  'rocky',
  'mountain',
  'foot',
  'accumulation',
  'snow',
  'half',
  'foot',
  'elevation',
  'national',
  'weather',
  'service',
  'nws',
  'marias',
  'pass',
  'route',
  'backcountry',
  'condition',
  'country',
  'glacier',
  'national',
  'park',
  'visibility',
  'condition',
  'winter',
  'weather',
  'advisory',
  'snowfall',
  'rate',
  'country',
  'snow',
  'route',
  'disorientation',
  'winter',
  'weather',
  'advisories',
  'place',
  'noon',
  'wednesday',
  'southern',
  'rocky',
  'mountain',
  'ft',
  'big',
  'belt',
  'little',
  'belt',
  'mountains',
  'ft',
  'central',
  'montana',
  '”the',
  'weather',
  'degree',
  'turn',
  'wind',
  'temperature',
  'mid-80',
  '90',
  'region',
  'thursday',
  'nws',
  'staff',
  'meteorologist',
  'austin',
  'mcdowell',
  'whipsaw',
  'temperature',
  'weather',
  'system',
  'region',
  'level',
  'temperature',
  'mcdowell',
  'system',
  'mid',
  '-',
  'week',
  'flow',
  'temperature',
  'california',
  'area',
  'thunderstorm',
  'friday',
  'saturday',
  'season',
  'snowstorm',
  'mountain',
  'temperature',
  'concern',
  'potential',
  'flooding',
  'southwestern',
  'montana',
  'flooding',
  'weekend',
  'road',
  'bridge',
  'home',
  'area',
  'gardiner',
  'red',
  'lodge',
  'risk',
  'flooding',
  'montana',
  'area',
  'north',
  'yellowstone',
  'national',
  'park',
  'precipitation',
  'elevation',
  'snow',
  'mcdowell',
  'effect',
  'weather',
  'system',
  'rocky',
  'mountain',
  'area',
  'snowpack',
  'area',
  'southwest',
  'montana',
  'rain',
  'snow',
  '”the',
  'nws',
  'flooding',
  'mountain',
  'runoff',
  'rocky',
  'mountain',
  'impact',
  'area',
  'southwestern',
  'montana',
  'story',
  'yellowstone',
  'national',
  'park',
  'entrance',
  'visitor',
  'south',
  'west',
  'yellowstone',
  'gate',
  'flooding',
  'park',
  'entrance',
  'area',
  'national',
  'park',
  'service',
  'visitor',
  'resident',
  'park',
  'accommodation',
  'availability',
  'lodging',
  'bozeman',
  'service',
  'mile',
  'west',
  'yellowstone',
  'bozeman',
  'erosion',
  'mitigation',
  'roadway',
  'gallatin',
  'canyon',
  'u.s.',
  'highway',
  'traffic',
  'big',
  'sky',
  'area',
  'bozeman',
  'gallatin',
  'canyon',
  'vehicle',
  'area',
  'lookie',
  'lou',
  'traffic',
  'hazards!”a',
  'break',
  'heat',
  'summer',
  'merman',
  'desert',
  'palm',
  'springs',
  'nurse',
  'andré',
  'chambers',
  'star',
  'documentary',
  'santa',
  'paula',
  'shelter',
  'county',
  'city',
  'money',
  'washington',
  'state',
  'drought',
  'emergency',
  'dozen',
  'county',
  'oregon',
  'wildfire',
  'update',
  'bedrock',
  'fire',
  'acre',
  'flat',
  'fire',
  '%',
  'nws',
  'flood',
  'warning',
  'gallatin',
  'river',
  'north',
  'big',
  'sky',
  'forks',
  'flooding',
  'city',
  'gallatin',
  'gateway',
  'flooding',
  'impact',
  'logan',
  'flood',
  'warning',
  'state',
  'flood',
  'advisory',
  'ennis',
  'area',
  'madison',
  'river',
  'anticipation',
  'emergency',
  'water',
  'release',
  'hebgen',
  'dam',
  'flood',
  'watch',
  'missouri',
  'river',
  'toston',
  'runoff',
  'madison',
  'gallatin',
  'rivers',
  'area',
  'staff',
  'directory',
  'careers',
  'accessibility',
  'support',
  'site',
  'map',
  'legals',
  'ethical',
  'principles',
  'subscription',
  'terms',
  'conditions',
  'terms',
  'service',
  'privacy',
  'policy',
  'california',
  'privacy',
  'rights',
  'privacy',
  'policydo',
  'sell',
  'share',
  'target',
  'infocookie',
  'settingscontact',
  'support',
  'business',
  'business',
  'advertising',
  'terms',
  'conditions',
  'buy',
  'sell',
  'licensing',
  'reprints',
  'help',
  'center',
  'subscriber',
  'guide',
  'account',
  'feedbacksubscribe',
  'today',
  'newsletters',
  'mobile',
  'app',
  'facebook',
  'twitter',
  'enewspaper',
  'storytellers',
  'archives',
  'rss',
  'feedsjobs',
  'cars',
  'homes',
  'classifieds',
  'education',
  'localiq',
  'digital',
  'marketing',
  'solutions',
  'right'],
 ['health',
  'sex',
  'relationships',
  'viral',
  'trends',
  'human',
  'interest',
  'parenting',
  'fashion',
  'beauty',
  'food',
  'drink',
  'travel',
  'multiple',
  'tornado',
  'havoc',
  'missouri',
  'thank',
  'submission',
  'tornado',
  'damage',
  'north',
  'carolina',
  'pfizer',
  'plant',
  'term',
  'shortage',
  'drug',
  'expert',
  'pfizer',
  'north',
  'carolina',
  'pharmaceutical',
  'plant',
  'tornado',
  'injury',
  'photo',
  'cloud',
  'downtown',
  'chicago',
  'tornado',
  'tornado',
  'chicago',
  'o’hare',
  'airport',
  'weather',
  'warning',
  'flight',
  'people',
  'tornado',
  'missouri',
  'wednesday',
  'morning',
  'south',
  'twister',
  'missouri',
  'state',
  'highway',
  'patrol',
  'fatality',
  'injury',
  'tornado',
  'dawn',
  'bollinger',
  'county',
  'mile',
  'st.',
  'louis',
  'damage',
  'highway',
  'patrol',
  'sgt',
  'clark',
  'parrott',
  'parrott',
  'search',
  'rescue',
  'operation',
  'county',
  'crew',
  'chainsaw',
  'tree',
  'brush',
  'home',
  'justin',
  'gibbs',
  'national',
  'weather',
  'service',
  'meteorologist',
  'kentucky',
  'storm',
  'missouri',
  'tornado',
  'twister',
  'dusk',
  'dawn',
  'nightmare',
  'warning',
  'standpoint',
  'gibbs',
  'associated',
  'press',
  'tornado',
  'timing',
  'morning',
  'damage',
  'tornado',
  'missouri',
  'facebook',
  'joshua',
  'wells',
  'missouri',
  'state',
  'highway',
  'patrol',
  'twister',
  'death',
  'injury',
  'facebook',
  'joshua',
  'wells',
  'missouri',
  'tornado',
  'twister',
  'south',
  'midwest',
  'photo',
  'elmurod',
  'usubaliev',
  'anadolu',
  'agency',
  'getty',
  'images',
  'gibbs',
  'tornado',
  'ground',
  'minute',
  'twister',
  'minute',
  'missouri',
  'official',
  'bollinger',
  'county',
  'resident',
  'area',
  'responder',
  'search',
  'rescue',
  'operation',
  'missouri',
  'gov.',
  'mike',
  'parson',
  'area',
  'resource',
  'community',
  'damage',
  'tornado',
  'missouri',
  'april',
  'state',
  'highway',
  'patrol',
  'ap',
  'storm',
  'day',
  'dozen',
  'tornado',
  'south',
  'midwest',
  'people',
  'dozen',
  'home',
  'arkansas',
  'iowa',
  'illinois',
  'parson',
  'state',
  'national',
  'guard',
  'friday',
  'storm',
  'response',
  'order',
  'effect',
  'wednesday',
  'weather',
  'system',
  'state',
  'storm',
  'wednesday',
  'twister',
  'hail',
  'missouri',
  'gov.',
  'mike',
  'parson',
  'state',
  'national',
  'guard',
  'response',
  'storm',
  'facebook',
  'joshua',
  'wells',
  'tornado',
  'people',
  'facebook',
  'joshua',
  'wells',
  'national',
  'weather',
  'service',
  'tornado',
  'thunderstorm',
  'wind',
  'advisory',
  'americans',
  'agency',
  'storm',
  'system',
  'missouri',
  'upper',
  'great',
  'lakes',
  'region',
  'ukrainians',
  'fighter',
  'drone',
  'order',
  'dild',
  'story',
  'time',
  'sinéad',
  "o'connor",
  'tweet',
  'story',
  'time',
  'onlooker',
  'hunter',
  'biden',
  'sweetheart',
  'plea',
  'deal',
  'court',
  'story',
  'time',
  'world',
  'place',
  'reservation',
  'year',
  'waitlist',
  'expert',
  'weight',
  'overview',
  'found',
  'program',
  'safety',
  'pack',
  'fire',
  'extinguisher',
  '%',
  'sheet',
  'sleeper',
  'review',
  'expert',
  'sleep',
  'foundation',
  '%',
  'wayfair',
  'outdoor',
  'seating',
  'sale',
  'set',
  'sectional',
  'today',
  'beach',
  'wagon',
  'cart',
  'rollin',
  'beach',
  'beyoncé',
  'mom',
  'tina',
  'knowles',
  'file',
  'divorce',
  'richard',
  'lawson',
  'difference',
  'kevin',
  'spacey',
  'drinking',
  'acquittal',
  'london',
  'hotspot',
  'rhoc',
  'recap',
  'shannon',
  'beador',
  'tamra',
  'revelation',
  'relationship',
  'noise',
  'activity',
  'mid',
  '-',
  'prison',
  'r.i.p.',
  'sinéad',
  'o’connor',
  'irish',
  'singer',
  'compare',
  'subject',
  'dead',
  'heather',
  'terry',
  'dubrow',
  'm',
  'beverly',
  'hills',
  'estate',
  'year',
  'sinéad',
  "o'connor",
  'tweet',
  'news',
  'metro',
  'sports',
  'sports',
  'betting',
  'business',
  'opinion',
  'entertainment',
  'fashion',
  'beauty',
  'shopping',
  'lifestyle',
  'real',
  'estate',
  'media',
  'tech',
  'health',
  'travel',
  'astrology',
  'video',
  'photos',
  'stories',
  'alexa',
  'cover',
  'horoscopes',
  'sport',
  'odd',
  'podcast',
  'columnists',
  'classifieds',
  'email',
  'newsletters',
  'rss',
  'ny',
  'post',
  'official',
  'store',
  'home',
  'delivery',
  'new',
  'york',
  'post',
  'customer',
  'service',
  'apps',
  'community',
  'guidelines',
  'contact',
  'tips',
  'newsroom',
  'letters',
  'editor',
  'licensing',
  'reprints',
  'careers',
  'vulnerability',
  'disclosure',
  'program',
  'nyp',
  'holdings',
  'inc.',
  'rights',
  'reserved',
  'terms',
  'use',
  'membership',
  'terms',
  'privacy',
  'notice',
  'sitemap',
  'information'],
 ['day',
  'woman',
  'birth',
  'hospital',
  'heart',
  'attack',
  'seizure',
  'kidney',
  'failure',
  'blood',
  'transfusion',
  'problem',
  'death',
  'human',
  'trafficking',
  'sports',
  'entertainment',
  'life',
  'money',
  'tech',
  'travel',
  'opinion',
  'obituariesonly',
  'usa',
  'today',
  'newsletters',
  'subscribers',
  'archives',
  'crossword',
  'enewspaper',
  'magazines',
  'investigations',
  'weather',
  'forecast',
  'video',
  'humankind',
  'curiousbest',
  'booklist',
  'pets',
  'food',
  'reviewed',
  'coupons',
  'blueprint',
  'best',
  'auto',
  'insurance',
  'best',
  'pet',
  'insurance',
  'best',
  'travel',
  'insurance',
  'best',
  'credit',
  'cards',
  'best',
  'cd',
  'rate',
  'best',
  'personal',
  'loans',
  'map',
  'south',
  'weather',
  'tornado',
  'updatessusan',
  'miller',
  'john',
  'bacon',
  'jorge',
  'l.',
  'ortiz',
  'ross',
  'todayrolling',
  'fork',
  'miss.',
  'severe',
  'storm',
  'south',
  'sunday',
  'day',
  'tornado',
  'mississippi',
  'delta',
  'region',
  'country',
  'area',
  'town',
  'dozen',
  'people',
  'storm',
  'prediction',
  'center',
  'tornado',
  'hail',
  'louisiana',
  'mississippi',
  'alabama',
  'night',
  'national',
  'weather',
  'service',
  'office',
  'jackson',
  'mississippi',
  'photo',
  'hail',
  'state',
  'sunday',
  'size',
  'baseball',
  'search',
  'rescue',
  'team',
  'sunday',
  'rubble',
  'weekend',
  'tornado',
  'people',
  'twister',
  'ground',
  'mississippi',
  'hour',
  'friday',
  'night',
  'house',
  'foundation',
  'tree',
  'branch',
  'car',
  'toy',
  'block',
  'rolling',
  'fork',
  'sharkey',
  'county',
  'mile',
  'jackson',
  'tornado',
  'mayor',
  'eldridge',
  'walker',
  'sheriff',
  'department',
  'time',
  'community',
  'resident',
  'time',
  'siren',
  'storm',
  'siren',
  'walker',
  'royce',
  'steed',
  'emergency',
  'manager',
  'humphreys',
  'county',
  'destruction',
  'silver',
  'city',
  'impact',
  'tuscaloosa',
  'birmingham',
  'tornado',
  'hurricane',
  'katrina',
  '2005.“it',
  'devastation',
  'steed',
  'town',
  'population',
  'map',
  '”one',
  'man',
  'morgan',
  'county',
  'alabama',
  'sheriff',
  'department',
  'supercell',
  'mississippi',
  'twister',
  'mile',
  'tornado',
  'damage',
  'north',
  'central',
  'alabama',
  'brian',
  'squitieri',
  'storm',
  'storm',
  'prediction',
  'center',
  'dozen',
  'people',
  'mississippi',
  'emergency',
  'management',
  'agency',
  'deadly',
  'storms',
  'tornado',
  '►',
  'pope',
  'francis',
  'prayer',
  'sunday',
  'people',
  'mississippi',
  'tornado',
  'noon',
  'blessing',
  'vatican',
  'city.',
  'president',
  'joe',
  'biden',
  'sunday',
  'emergency',
  'declaration',
  'mississippi',
  'funding',
  'carroll',
  'humphreys',
  'monroe',
  'sharkey',
  'county',
  'area',
  'friday',
  'night',
  'biden',
  'damage',
  'mississippi',
  'gov.',
  'tate',
  'reeves',
  'state',
  'emergency',
  'federal',
  'emergency',
  'management',
  'agency',
  'home',
  'mississippi',
  'tornado',
  'storm',
  'georgia',
  'tiger',
  'enclosure',
  'tornado',
  'georgia',
  'sunday',
  'morning',
  'building',
  'closing',
  'road',
  'tree',
  'power',
  'line',
  'tiger',
  'animal',
  'park',
  'gov.',
  'brian',
  'kemp',
  'state',
  'emergency',
  'order',
  'hospital',
  'structure',
  'tornado',
  'milledgeville',
  'georgia',
  'police',
  'department',
  'photo',
  'house',
  'tree',
  'resident',
  'emergency',
  'thousand',
  'power',
  'baldwin',
  'county',
  'mile',
  'macon',
  'mile',
  'milledgeville',
  'tornado',
  'cannonville',
  'troup',
  'county',
  'alabama',
  'border',
  'damage',
  'lagrange',
  'daily',
  'news',
  'storm',
  'dollar',
  'size',
  'hail',
  'building',
  'people',
  'injury',
  'official',
  'tiger',
  'enclosure',
  'sunday',
  'wild',
  'animal',
  'safari',
  'pine',
  'mountain',
  'park',
  'tornado',
  'damage',
  'park',
  'facebook',
  'page',
  'post',
  'park',
  'tornado',
  'damage',
  'employee',
  'animal',
  'tigers',
  'safe',
  'post',
  'enclosure',
  'resource',
  'official',
  'resident',
  'help',
  "way'as",
  'recovery',
  'effort',
  'state',
  'leader',
  'delta',
  'region',
  'resident',
  'reeves',
  'word',
  'way',
  'security',
  'secretary',
  'alejandro',
  'mayorkas',
  'fema',
  'administrator',
  'deanne',
  'criswell',
  'agency',
  'support',
  'afternoon',
  'news',
  'conference',
  'rolling',
  'fork',
  'term',
  'recovery',
  'event',
  'criswell',
  'issue',
  'housing',
  '”mississippi',
  'emergency',
  'management',
  'agency',
  'number',
  'resource',
  'water',
  'tarps',
  'restroom',
  'battery',
  'charger',
  'fuel',
  'generator',
  '"it',
  'experience',
  'time',
  'thing',
  'politic',
  'reeves',
  'politic',
  'friend',
  'neighbor',
  'helpthe',
  'mississippi',
  'department',
  'public',
  'safety',
  'donation',
  'water',
  'good',
  'paper',
  'product',
  'victim',
  'storm',
  'way',
  'salvation',
  'army',
  'alabama',
  'louisiana',
  'mississippi',
  'office',
  'supply',
  'feeding',
  'unit',
  'agency',
  'donation',
  'red',
  'cross',
  'disaster',
  'worker',
  'ground',
  'mississippi',
  'help',
  'way',
  'redcross.org',
  'cross',
  'text',
  'redcross',
  'donation',
  'children',
  'emergency',
  'response',
  'team',
  'supply',
  'water',
  'food',
  'diaper',
  'hygiene',
  'kit',
  'family',
  'effort',
  'condition',
  'cluster',
  'friday',
  'storm',
  'tornado',
  'region',
  'siege',
  'weather',
  'sunday',
  'cluster',
  'thunderstorm',
  'alabama',
  'georgia',
  'mississippi',
  'national',
  'weather',
  'service',
  'tornado',
  'watch',
  'mississippi',
  'night',
  'weather',
  'service',
  'tornado',
  'alabama',
  'sunday',
  'night',
  'corridor',
  'supercell',
  'tornado',
  'portion',
  'alabama',
  'montgomery',
  'couple',
  'hour',
  'weather',
  'service',
  'sunday',
  'accuweather',
  'hail',
  'size',
  'golf',
  'ball',
  'alabama',
  'mississippi',
  'sunday',
  'thunderstorm',
  'addition',
  'hail',
  'weather',
  'service',
  'jackson',
  'mississippi',
  'wind',
  'gust',
  'mph',
  'mph',
  'tornado',
  'damage?the',
  'system',
  'path',
  'friday',
  'northeastward',
  'mississippi',
  'alabama',
  'accuweather',
  'national',
  'weather',
  'service',
  'tornado',
  'damage',
  'mile',
  'jackson',
  'town',
  'rolling',
  'fork',
  'sharkey',
  'county',
  'silver',
  'city',
  'humphreys',
  'county',
  'brunt',
  'damage',
  'tornado',
  'mph',
  'tornado',
  'rating',
  'national',
  'weather',
  'service',
  'office',
  'jackson',
  'saturday',
  'tornado',
  'wind',
  'gust',
  'mph',
  'mph',
  'weather',
  'service',
  'tornadoes',
  'explained',
  'tornado',
  'watch',
  'storm',
  'tornado',
  'tornado',
  'mississippi',
  'deep',
  'south',
  'state',
  'decade',
  'national',
  'weather',
  'service',
  'record',
  'april',
  'people',
  'mississippi',
  'tornado',
  'state',
  'u.s.',
  'weather',
  'service',
  'meteorologist',
  'chris',
  'outler',
  'alabama',
  'outbreak',
  'twister',
  'people',
  'damage',
  'sharkey',
  'county?sharkey',
  'county',
  'population',
  'mississippi',
  'delta',
  'region',
  '%',
  'county',
  'population',
  'black',
  '%',
  'census',
  'datum',
  '%',
  'county',
  'household',
  'poverty',
  'county',
  'household',
  'income',
  'household',
  'income',
  'county',
  'level',
  'poverty',
  'mayor',
  'walker',
  'sunday',
  'community',
  'family',
  "''walker",
  'storm',
  'sheriff',
  'department',
  'time',
  'community',
  'resident',
  'time',
  'siren',
  'storm',
  'siren',
  'area',
  'stranger',
  'challenge',
  'backbone',
  'economy',
  'agriculture',
  'lower',
  'delta',
  'flooding',
  'year',
  'crop',
  'farmer',
  'income',
  'farmhand',
  'job',
  'money',
  'economy',
  'brian',
  'broom',
  'diner',
  'worker',
  'refrigeratorthe',
  'owner',
  'employee',
  'rolling',
  'fork',
  'diner',
  'restaurant',
  'walk',
  'refrigerator',
  'rest',
  'restaurant',
  'photo',
  'group',
  'people',
  'cooler',
  'chuck',
  'dairy',
  'bar',
  'wind',
  'refrigerator',
  'ground',
  'owner',
  'tracy',
  'harden',
  'usa',
  'today.“all',
  'light',
  'cooler',
  'husband',
  'wind',
  'refrigerator',
  'door',
  'harden',
  'door',
  'sky',
  'claire',
  'thornton',
  'witnesses',
  'terror',
  'twister',
  'hitcornel',
  'knight',
  'relative',
  'home',
  'rolling',
  'fork',
  'wife',
  'daughter',
  'tornado',
  'direction',
  'transformer',
  'sky',
  'sheddrick',
  'bell',
  'partner',
  'daughter',
  'closet',
  'home',
  'rolling',
  'fork',
  'minute',
  'storm',
  'wind',
  'window',
  'daughter',
  'partner',
  'eye',
  'tornado',
  'deadlynighttime',
  'tornado',
  'tornado',
  'scientist',
  'study',
  'northern',
  'illinois',
  'university',
  'professor',
  'walker',
  'ashley',
  'andrew',
  'krmenec',
  'tornado',
  '%',
  'tornado',
  '%',
  'tornado',
  'death',
  'nighttime',
  'tornado',
  'death',
  'daytime',
  'reason',
  'weather.com',
  'meteorologist',
  'jon',
  'erdman',
  'lightning',
  'tornado',
  'night',
  'erdman',
  'challenge',
  'science',
  'community',
  'face',
  'public',
  'shelter',
  'threat',
  'tornado',
  'second',
  'shelter',
  'doyle',
  'ricecontributing',
  'christine',
  'fernando',
  'claire',
  'thornton',
  'usa',
  'today',
  'jackson',
  'miss.',
  'clarion',
  'ledger',
  'associated',
  'press',
  'weekly',
  'adabout',
  'newsroom',
  'staff',
  'ethical',
  'principles',
  'correction',
  'press',
  'accessibility',
  'sitemap',
  'subscription',
  'terms',
  'conditions',
  'terms',
  'service',
  'california',
  'privacy',
  'rights',
  'privacy',
  'policy',
  'privacy',
  'policydo',
  'sell',
  'share',
  'target',
  'infocookie',
  'settingscontact',
  'account',
  'feedback',
  'home',
  'delivery',
  'enewspaper',
  'usa',
  'today',
  'shop',
  'usa',
  'today',
  'print',
  'editions',
  'licensing',
  'reprints',
  'advertise',
  'careers',
  'internships',
  'businessnews',
  'tips',
  'letter',
  'editor',
  'newsletters',
  'mobile',
  'app',
  'facebook',
  'twitter',
  'instagram',
  'linkedin',
  'pinterest',
  'youtube',
  'reddit',
  'flipboard',
  'jobs',
  'sports',
  'betting',
  'sports',
  'weekly',
  'studio',
  'gannett',
  'classifieds',
  'coupons',
  'blueprint',
  'auto',
  'insurance',
  'pet',
  'insurance',
  'travel',
  'insurance',
  'credit',
  'cards',
  'banking',
  'personal',
  'loans',
  'usa',
  'today',
  'division',
  'gannett',
  'satellite',
  'information',
  'network',
  'llc'],
 ['sports',
  'high',
  'school',
  'sports',
  'college',
  'sports',
  'connecticut',
  'sun',
  'uconn',
  'men',
  'uconn',
  'women',
  'uconn',
  'football',
  'uconn',
  'huskies',
  'thing',
  'horoscopes',
  'ctnow',
  'food',
  'drink',
  'event',
  'calendar',
  'advertising',
  'ascend',
  'paid',
  'content',
  'brandpoint',
  'paid',
  'partner',
  'content',
  'illinois',
  'survey',
  'storm',
  'damage',
  'tornado',
  'twitter',
  'opens',
  'window)click',
  'facebook',
  'opens',
  'window',
  'courant.com',
  'faq',
  'ct',
  'man',
  'baby',
  'daughter',
  'cause',
  'july',
  'pm',
  'illinois',
  'survey',
  'storm',
  'damage',
  'tornado',
  'chicago',
  'area',
  'share',
  'twitter',
  'opens',
  'window)click',
  'facebook',
  'opens',
  'window)by',
  'associated',
  'press',
  '',
  '',
  'published',
  'july',
  'a.m.',
  'updated',
  'july',
  'claire',
  'savage',
  'rick',
  'callahan',
  'associated',
  'press',
  'chicago',
  'ap',
  'national',
  'weather',
  'service',
  'team',
  'storm',
  'damage',
  'thursday',
  'chicago',
  'area',
  'illinois',
  'wind',
  'tornado',
  'roof',
  'building',
  'tree',
  'resident',
  'safety',
  'siren',
  'team',
  'weather',
  'service',
  'thursday',
  'morning',
  'storm',
  'damage',
  'wednesday',
  'area',
  'chicago',
  'area',
  'tornado',
  'damage',
  'zachary',
  'yack',
  'meteorologist',
  'weather',
  'service',
  'chicago',
  'area',
  'office',
  'thursday',
  'afternoon',
  'weather',
  'service',
  'grade',
  'tornado',
  'cicero',
  'area',
  'o’hare',
  'international',
  'airport',
  'twister',
  'passenger',
  'shelter',
  'airport',
  'flight',
  'injury',
  'team',
  'damage',
  'weather',
  'service',
  'chicago',
  'area',
  'office',
  'twitter',
  'ty',
  'carr',
  'resident',
  'skyline',
  'motel',
  'mccook',
  'illinois',
  'tornado',
  'roof',
  'carr',
  'toddler',
  'reporter',
  'noise',
  'crackling',
  'wind',
  'rajan',
  'patel',
  'family',
  'motel',
  'family',
  'chicago',
  'area',
  '1990',
  'motel',
  'place',
  'patel',
  'man',
  'weather',
  'service',
  'map',
  'medium',
  'area',
  'cicero',
  'area',
  'report',
  'storm',
  'damage',
  'indication',
  'radar',
  'tornado',
  'yack',
  'team',
  'tornado',
  'area',
  'track',
  'intensity',
  'rating',
  'weather',
  'service',
  'tornado',
  'thunderstorm',
  'supercell',
  'meteorologist',
  'victor',
  'gensini',
  'tornado',
  'wednesday',
  'morning',
  'rainfall',
  'cloud',
  'cover',
  'instability',
  'atmosphere',
  'storm',
  'system',
  'tornado',
  'gensini',
  'professor',
  'meteorology',
  'northern',
  'illinois',
  'university',
  'thunderstorm',
  'foot',
  'storm',
  'yesterday',
  '25,000-',
  'foot',
  'range',
  'cluster',
  'storm',
  'afternoon',
  'northwest',
  'illinois',
  'interstate',
  'corridor',
  'suburb',
  'chicago',
  'peak',
  'intensity',
  'p.m.',
  'time',
  'gensini',
  'folk',
  'today',
  'tree',
  'limb',
  'planning',
  'funeral',
  'hillary',
  'timpe',
  'countryside',
  'illinois',
  'suburb',
  'southwest',
  'chicago',
  'husband',
  'greg',
  'tornado',
  'neighborhood',
  'home',
  'force',
  'twister',
  'year',
  'tree',
  'ground',
  'wind',
  'basement',
  'dog',
  'couple',
  'second',
  'video',
  'tv',
  'station',
  'people',
  'shelter',
  'o’hare',
  'concourse',
  'flight',
  'airport',
  'flight',
  'tracking',
  'service',
  'flightaware',
  'kevin',
  'bargnes',
  'director',
  'communication',
  'o’hare',
  'chicago',
  'midway',
  'international',
  'airport',
  'wgn',
  'tv',
  'wednesday',
  'night',
  'damage',
  'airport',
  'weather',
  'service',
  'emergency',
  'manager',
  'roof',
  'community',
  'huntley',
  'mchenry',
  'county',
  'chicago',
  'huntley',
  'battalion',
  'chief',
  'mike',
  'pierce',
  'abc-7',
  'tv',
  'firefighter',
  'emergency',
  'service',
  'power',
  'line',
  'tree',
  'tree',
  'branch',
  'power',
  'outage',
  'building',
  'damage',
  'apartment',
  'building',
  'customer',
  'power',
  'region',
  'power',
  'thursday',
  'morning',
  'michigan',
  'weather',
  'service',
  'survey',
  'team',
  'tornado',
  'peak',
  'wind',
  'mph',
  'kph',
  'p.m.',
  'storage',
  'facility',
  'village',
  'colon',
  'mile',
  'kilometer',
  'southeast',
  'kalamazoo',
  'garage',
  'door',
  'roofing',
  'material',
  'field',
  'yard',
  'meter',
  'team',
  'tree',
  'year',
  'tornado',
  'chicago',
  'area',
  'city',
  'limit',
  'chicago',
  'national',
  'weather',
  'service',
  'weather',
  'service',
  'tornado',
  'chicago',
  'metro',
  'area',
  'palos',
  'hills',
  'cook',
  'county',
  'april',
  'twister',
  'mile',
  'kilometer',
  'oak',
  'lawn',
  'chicago',
  'people',
  'damage',
  'weather',
  'service',
  'callahan',
  'indianapolis',
  'michael',
  'jackson',
  'employee',
  'sex',
  'abuse',
  'lawyer',
  'court',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'judge',
  'concern',
  'term',
  'agreement',
  'federal',
  'reserve',
  'rate',
  'time',
  'inflation',
  'sign',
  'uk',
  'billionaire',
  'family',
  'trust',
  'tottenham',
  'soccer',
  'club',
  'insider',
  'trading',
  'chicago',
  'tribune',
  'new',
  'york',
  'daily',
  'news',
  'sun',
  'sentinel',
  'fla.',
  'daily',
  'press',
  'va.',
  'daily',
  'meal',
  'baltimore',
  'sun',
  'orlando',
  'sentinel',
  'morning',
  'pa.',
  'virginian',
  'pilot',
  'studio',
  'contact',
  'classifieds',
  'careers',
  'privacy',
  'policy',
  'cookie',
  'policy',
  'terms',
  'service',
  'sitemap',
  'manage',
  'subscription',
  'ez',
  'pay',
  'vacation',
  'stop',
  'delivery',
  'issue',
  'subscriber',
  'term',
  'subscriber',
  'terms',
  'conditions',
  'cookie',
  'policy',
  'cookie',
  'preferences',
  'california',
  'notice',
  'collection',
  'notice',
  'financial',
  'incentive',
  'share',
  'information'],
 ['home',
  'mail',
  'news',
  'finance',
  'sports',
  'entertainment',
  'life',
  'search',
  'shopping',
  'yahoo',
  'plus',
  'yahoo',
  'life',
  'newsletter',
  'yahoo',
  'lifestyle',
  'yahoo',
  'lifestyle',
  'search',
  'query',
  'sign',
  'mail',
  'sign',
  'mail',
  'life',
  'health',
  'facts',
  'life',
  'mental',
  'health',
  'resources',
  'unwind',
  'parent',
  'kid',
  'mini',
  'ways',
  'ttc',
  'style',
  'beauty',
  'good',
  'news',
  'horoscopes',
  'shopping',
  'buying',
  'guides',
  'winter',
  'storm',
  'snow',
  'illinois',
  'maineread',
  'winter',
  'storm',
  'snow',
  'illinois',
  'winter',
  'storm',
  'snow',
  'illinois',
  'winter',
  'storm',
  'snow',
  'illinois',
  'winter',
  'storm',
  'snow',
  'illinois',
  'winter',
  'storm',
  'snow',
  'illinois',
  'winter',
  'storm',
  'snow',
  'illinois',
  'sosnowskimarch',
  'pm·7',
  'min',
  'reada',
  'storm',
  'slew',
  'problem',
  'south',
  'state',
  'midwest',
  'week',
  'zone',
  'snow',
  'edge',
  '-',
  'mississippi',
  'valley',
  'great',
  'lakes',
  'new',
  'york',
  'state',
  'new',
  'england',
  'accuweather',
  'meteorologist',
  'travel',
  'disruption',
  'snowfall',
  'total',
  'inch',
  'mile',
  'corridor',
  'united',
  'states',
  'multiday',
  'weather',
  'outbreak',
  'south',
  'storm',
  'path',
  'portion',
  'midwest',
  'snow',
  'total',
  'chicago',
  'area',
  'corridor',
  'snow',
  'city',
  'suburb',
  'inch',
  'snow',
  'farther',
  'east',
  'indiana',
  'half',
  'michigan',
  'inch',
  'snow',
  'hour',
  'snow',
  'flight',
  'delay',
  'cancellation',
  'detroit',
  'airport',
  'issue',
  'city',
  'albany',
  'boston',
  'flight',
  'delay',
  'rain',
  'visibility',
  'south',
  'hub',
  'st.',
  'louis',
  'pittsburgh',
  'new',
  'york',
  'city',
  'philadelphia',
  'ripple',
  'effect',
  'delay',
  'nation',
  'storm',
  'crew',
  'plane',
  'storm',
  'nation',
  'airline',
  'travel',
  'hub',
  'midwest',
  'northeast',
  'accuweather',
  'senior',
  'meteorologist',
  'dean',
  'devore',
  'volume',
  'traveler',
  'spring',
  'break',
  'matter',
  'accuweather',
  'app',
  'unlock',
  'accuweather',
  'alerts',
  'premium+"there',
  'gradient',
  'snowfall',
  'metro',
  'area',
  'upper',
  'midwest',
  'northeast',
  'devore',
  'wedge',
  'air',
  'storm',
  'air',
  'north',
  'system',
  'continuesin',
  'chicago',
  'gradient',
  'downtown',
  'chicago',
  'flurry',
  'storm',
  'place',
  'mile',
  'south',
  'hour',
  'snow',
  'whiteout',
  'condition',
  'gradient',
  'area',
  'edge',
  'storm',
  'accuweather',
  'meteorologist',
  'andrew',
  'johnson',
  'levine',
  'storm',
  'air',
  'north',
  'snow',
  'rain',
  'rain',
  'snow',
  'missouri',
  'illinois',
  'indiana',
  'friday',
  'band',
  'snow',
  'west',
  'michigan',
  'dozen',
  'mile',
  'mixture',
  'snow',
  'rain',
  'chicago',
  'friday',
  'evening',
  'snow',
  'band',
  'indiana',
  'dozen',
  'mile',
  'detroit',
  'snowfall',
  'rate',
  'inch',
  'hour',
  'swath',
  'road',
  'condition',
  'snow',
  'accuweather',
  'forecaster',
  'condition',
  'distance',
  'air',
  'precipitation',
  'rain',
  'chicago',
  'neighborhood',
  'storm',
  'northwest',
  'city',
  'air',
  'place',
  'precipitation',
  'setup',
  'east',
  'moisture',
  'detroit',
  'metro',
  'area',
  'inch',
  'snow',
  'inch',
  'north',
  'west',
  'devore',
  'michigan',
  'foot',
  'snow',
  'area',
  'downriver',
  'couple',
  'inch',
  'snow',
  'slush',
  'change',
  'rain',
  'friday',
  'night',
  'rain',
  'fog',
  'thunderstorm',
  'travel',
  'trouble',
  'portion',
  'interstate',
  'corridor',
  'midwest',
  'north',
  'ohio',
  'friday',
  'stretch',
  'i-80',
  'indiana',
  'snow',
  'interstate',
  'michigan',
  'vehicle',
  'snow',
  'region',
  'rain',
  'pace',
  'drainage',
  'area',
  'flooding',
  'risk',
  'vehicle',
  'highway',
  'snow',
  'rain',
  'area',
  'wind',
  'storm',
  'portion',
  'tennessee',
  'ohio',
  'valley',
  'appalachians',
  'hurricane',
  'force',
  'mph',
  'store',
  'friday',
  'night',
  'score',
  'power',
  'outage',
  'road',
  'tree',
  'mid',
  '-',
  'afternoon',
  'friday',
  'utility',
  'customer',
  'power',
  'south',
  'state',
  'situation',
  'northeast',
  'storm',
  'great',
  'lakes',
  'friday',
  'night',
  'storm',
  'shape',
  'coast',
  'storm',
  'steam',
  'saturday',
  'area',
  'snow',
  'sleet',
  'northeast',
  'midwest',
  'snow',
  'new',
  'york',
  'state',
  'snowfall',
  'accumulation',
  'inch',
  'foot',
  'friday',
  'afternoon',
  'saturday',
  'farther',
  'period',
  'snow',
  'sleet',
  'rain',
  'travel',
  'condition',
  'time',
  'appalachians',
  'friday',
  'precipitation',
  'rain',
  'friday',
  'friday',
  'night',
  'rain',
  'fog',
  'travel',
  'highway',
  'flight',
  'delay',
  'condition',
  'new',
  'england',
  'line',
  'rain',
  'snow',
  'downtown',
  'area',
  'boston',
  'inch',
  'snow',
  'slush',
  'changeover',
  'rain',
  'devore',
  'area',
  'west',
  'city',
  'center',
  'inch',
  'snow',
  'area',
  'interstate',
  'storm',
  'snow',
  'system',
  'saturday',
  'night',
  'accumulation',
  'boston',
  'storm',
  'potential',
  'new',
  'england',
  'foot',
  'snow',
  'accuweather',
  'local',
  'stormmax',
  'inch',
  'ridge',
  'peak',
  'storm',
  'friday',
  'saturday',
  'storm',
  'new',
  'york',
  'city',
  'snowfall',
  'year',
  'devore',
  'storm',
  'monday',
  'night',
  'tuesday',
  'inch',
  'snow',
  'central',
  'park',
  'inch',
  'bronx',
  'change',
  'friday',
  'friday',
  'evening',
  'snow',
  'coating',
  'new',
  'york',
  'city',
  'devore',
  'rain',
  'time',
  'friday',
  'night',
  'saturday',
  'morning',
  'big',
  'apple',
  'portion',
  'i-80',
  'new',
  'jersey',
  'pennsylvania',
  'time',
  'friday',
  'afternoon',
  'evening',
  'burst',
  'snow',
  'sleet',
  'combination',
  'rain',
  'cloud',
  'ceiling',
  'fog',
  'travel',
  'road',
  'airline',
  'delay',
  'i-95',
  'corridor',
  'washington',
  'd.c.',
  'philadelphia',
  'new',
  'york',
  'city',
  'weekend',
  'travel',
  'condition',
  'west',
  'east',
  'midwest',
  'northeast',
  'sunday',
  'snow',
  'shower',
  'portion',
  'new',
  'york',
  'new',
  'england',
  'condition',
  'march',
  'spring',
  'pattern',
  'midwest',
  'northeast',
  'air',
  'potential',
  'storm',
  'snow',
  'correction',
  'story',
  'snow',
  'storm',
  'new',
  'york',
  'city',
  'week',
  'storm',
  'new',
  'york',
  'city',
  'total',
  'inch',
  'inch',
  'snow',
  'monday',
  'tuesday',
  'inch',
  'snow',
  'level',
  'safety',
  'ad',
  'weather',
  'alert',
  'premium+',
  'accuweather',
  'app',
  'accuweather',
  'alerts',
  'expert',
  'meteorologist',
  'weather',
  'risk',
  'family',
  'car',
  'death',
  'life·7',
  'min',
  'olive',
  'oil',
  'brain',
  'health',
  'studyyahoo',
  'life·5',
  'min',
  'readbarbie',
  'death',
  'anxiety',
  'yahoo',
  'life·7',
  'min',
  'people',
  'joy',
  'frustration',
  'pronoun',
  'yahoo',
  'life·6',
  'min',
  'james',
  'lebron',
  'james',
  'year',
  'son',
  'arrest',
  'condition',
  'yahoo',
  'life·6',
  'min',
  'storiesyahoo',
  'life',
  "shopping'so",
  'office',
  'chair',
  'amazon',
  "midnight'provides",
  'support',
  'head',
  'hip',
  'hand',
  'fan',
  'lumbar',
  'support',
  'life',
  'bra',
  'warner',
  'style',
  'smooth',
  '%',
  'off)it',
  'figure',
  'life',
  'shoppingpsst',
  'airpods',
  'shopper',
  'love',
  '99the',
  'charging',
  'case',
  'day',
  'listening',
  'pleasure',
  'life',
  'shoppingnordstrom',
  'anniversary',
  'sale',
  'shop',
  'le',
  'creuset',
  'coach',
  'outsave',
  '%',
  'brand',
  'store',
  'discount',
  'event.2d',
  'life',
  'shoppinga',
  'size',
  'fit',
  'coverup',
  'sale',
  'vacation',
  'packing',
  'begin!more',
  'shopper',
  'star',
  'rating',
  'price',
  'couple.4d',
  'agoyahoo',
  "life'i'm",
  'chubby',
  'latina',
  'size',
  'model',
  'denise',
  'bidot',
  'model"we\'re',
  'narrative',
  'people',
  'thing',
  'bidot.2d',
  'agoyahoo',
  'life',
  'foot',
  'massager',
  'heaven',
  'shopper',
  '%',
  'code',
  'goodbye',
  'ache',
  'muscle',
  'fatigue.4d',
  'life',
  'shoppingthe',
  'deal',
  'amazon',
  'saturday',
  'memory',
  'foam',
  'pillow',
  'pack',
  '%',
  'massage',
  'gun',
  'saving',
  '%',
  'price.4d',
  'agoyahoo',
  'life',
  'shoppingamazon',
  'swimsuit',
  'coverup',
  'sale',
  'price',
  'cupshe',
  'splash',
  'piece',
  'coverup',
  'heat',
  'wave.4d',
  'agoyahoo',
  'tummy',
  'sale',
  'summer',
  'figure',
  'blouse.1d',
  'stories',
  'twitterfacebookinstagrampinterestyoutubeyahoo!healthparentingstyle',
  'beautygood',
  'newshoroscopesshoppingterms',
  'privacy',
  'policyprivacy',
  'adssite',
  'map',
  'yahoo',
  'right'],
 ['link',
  'weather',
  'detailed',
  'forecast',
  'hourly',
  'forecast',
  'daily',
  'forecast',
  'radar',
  'weather',
  'alerts',
  'school',
  'closings',
  'delays',
  'severe',
  'weather',
  'awareness',
  'weather',
  'news',
  'weather',
  'cams',
  'moisture',
  'rain',
  'temperature',
  'cleveland',
  'power',
  'weather',
  'team',
  'pm',
  'nov',
  'day',
  'temperature',
  'degree',
  'thursday',
  'air',
  'veterans',
  'day',
  'rain',
  'temperature',
  'pattern',
  'flip',
  'set',
  'system',
  'area',
  'end',
  'week',
  'south',
  'remnant',
  'hurricane',
  'nicole',
  'moisture',
  'region',
  'west',
  'arrow',
  'area',
  'interest',
  'graphic',
  'system',
  'threat',
  'rain',
  'temperature',
  'need',
  'rain',
  'drought',
  'monitor',
  'summary',
  'weather',
  'month',
  'october',
  'november',
  'drought',
  '%',
  'ohio',
  'condition',
  '%',
  'drought',
  'wind',
  'moisture',
  'ground',
  'week',
  'fire',
  'danger',
  'week',
  'report',
  'wildfire',
  'ohio',
  'wildfire',
  'state',
  'need',
  'rain',
  'friday',
  'rain',
  'potential',
  'remnant',
  'nicole',
  'lot',
  'moisture',
  'rainfall',
  'friday',
  'weather',
  'prediction',
  'center',
  'area',
  'risk',
  'rainfall',
  'friday',
  'threat',
  'flash',
  'flood',
  'rainfall',
  'community',
  'north',
  'west',
  'rule',
  'inch',
  'rainfall',
  'friday',
  'inch',
  'rain',
  'east',
  'graphic',
  'idea',
  'rainfall',
  'total',
  'need',
  'rain',
  'lot',
  'rain',
  'hour',
  'drain',
  'house',
  'leave',
  'flooding',
  'tomorrow',
  'visibility',
  'road',
  'cold',
  'blast',
  'region',
  'temperature',
  '70',
  '50',
  '40',
  '30',
  'thursday',
  'sunday',
  'wind',
  'lake',
  'erie',
  'stage',
  'lake',
  'effect',
  'rain',
  'snow',
  'shower',
  'thursday',
  'afternoon',
  'snowfall',
  'total',
  'change',
  'day',
  'cold',
  'day',
  'outlook',
  'climate',
  'predication',
  'center',
  'temperature',
  'week',
  'katie',
  'mcgraw',
  '@katiemcgrawx',
  'november',
  'timing',
  'thursday',
  'day',
  'time',
  'high',
  'degree',
  'digit',
  'friday',
  'high',
  'mid',
  '50',
  'sunday',
  'high',
  'degree',
  'cloud',
  'thursday',
  'night',
  'rain',
  'south',
  'mid',
  '-',
  'morning',
  'friday',
  'area',
  'period',
  'rain',
  'rain',
  'afternoon',
  'slowly',
  'west',
  'east',
  'end',
  'friday',
  'rain',
  'friday',
  'night',
  'midnight',
  'rain',
  'community',
  'friday',
  'evening',
  'shower',
  'lake',
  'effect',
  'rain',
  'snow',
  'shower',
  'weekend',
  'image',
  'futurecast',
  'idea',
  'timing',
  'coverage',
  'article',
  'day',
  'information',
  'katie',
  'mcgraw',
  'facebook',
  'twitter',
  'power',
  'weather',
  'team',
  'news',
  'app',
  'stormshield',
  'app',
  'weather',
  'alert',
  'ios',
  'android',
  'device',
  'radar',
  'power',
  'forecast',
  'news',
  'weather',
  'team',
  'mark',
  'johnson',
  'facebook',
  'twittertrent',
  'magill',
  'facebook',
  'twitterphil',
  'sakal',
  'facebook',
  'twitter',
  'copyright',
  'scripps',
  'media',
  'inc.',
  'right',
  'material',
  'sign',
  'email',
  'newsletter',
  'news',
  'cleveland',
  'area',
  'day',
  'newsletters',
  'severe',
  'weather',
  'alert',
  'smartphone',
  'scripps',
  'local',
  'media',
  'scripps',
  'media',
  'inc',
  'light',
  'people',
  'way'],
 ['news',
  'headlines',
  'crime',
  'public',
  'safety',
  'california',
  'news',
  'national',
  'news',
  'world',
  'news',
  'politics',
  'education',
  'environment',
  'science',
  'health',
  'mr.',
  'roadshow',
  'transportation',
  'local',
  'news',
  'map',
  'bay',
  'area',
  'san',
  'jose',
  'santa',
  'clara',
  'county',
  'peninsula',
  'san',
  'mateo',
  'county',
  'alameda',
  'county',
  'santa',
  'cruz',
  'county',
  'sal',
  'pizarro',
  'obituaries',
  'news',
  'local',
  'obituaries',
  'place',
  'obituary',
  'opinion',
  'editorials',
  'opinion',
  'columnists',
  'letters',
  'editor',
  'commentary',
  'cartoons',
  'election',
  'endorsements',
  'sports',
  'san',
  'francisco',
  'san',
  'francisco',
  'giants',
  'golden',
  'state',
  'warriors',
  'raiders',
  'oakland',
  'athletics',
  'san',
  'jose',
  'sharks',
  'san',
  'jose',
  'earthquakes',
  'bay',
  'fc',
  'college',
  'sports',
  'pac-12',
  'hotline',
  'high',
  'school',
  'sports',
  'sports',
  'sports',
  'columnists',
  'sports',
  'blogs',
  'entertainment',
  'thing',
  'restaurants',
  'food',
  'drink',
  'celebrities',
  'tv',
  'streaming',
  'movies',
  'music',
  'theater',
  'lifestyle',
  'advice',
  'travel',
  'pets',
  'animals',
  'comics',
  'puzzles',
  'games',
  'horoscopes',
  'event',
  'calendar',
  'morning',
  'report',
  'email',
  'newsletter',
  'share',
  'facebook',
  'opens',
  'window)click',
  'twitter',
  'opens',
  'window)click',
  'opens',
  'window)click',
  'link',
  'friend',
  'opens',
  'window)click',
  'reddit',
  'opens',
  'window',
  'morning',
  'report',
  'email',
  'newsletter',
  'fact',
  'reporter',
  'source',
  'storm',
  'minnesota',
  'december',
  'tornado',
  'share',
  'facebook',
  'opens',
  'window)click',
  'twitter',
  'opens',
  'window)click',
  'opens',
  'window)click',
  'link',
  'friend',
  'opens',
  'window)click',
  'reddit',
  'opens',
  'window',
  'tornado',
  'map',
  'wednesday',
  'dec.',
  'courtesy',
  'twin',
  'cities',
  'office',
  'national',
  'weather',
  'service',
  'staff',
  'wire',
  'report',
  'published',
  'december',
  'a.m.',
  'updated',
  'december',
  'a.m.',
  'season',
  'weather',
  'system',
  'twin',
  'cities',
  'wednesday',
  'night',
  'thunder',
  'lightning',
  'wind',
  'metro',
  'tornado',
  'hartland',
  'freeborn',
  'county',
  'mile',
  'st.',
  'paul',
  'national',
  'weather',
  'service',
  'tornado',
  'minnesota',
  'december',
  'survey',
  'team',
  'freeborn',
  'county',
  'today',
  'tornado',
  'damage',
  'hartland',
  'area',
  'stanley',
  'wi',
  'result',
  'tornado',
  'strength',
  'tornado',
  'afternoon',
  'pic.twitter.com/ynrgnulgw8',
  'nws',
  'twin',
  'cities',
  '@nwstwincitie',
  'december',
  'thursday',
  'morning',
  'metro',
  'twin',
  'cities',
  'office',
  'national',
  'weather',
  'service',
  'wind',
  'gust',
  'mile',
  'hour',
  'a.m.',
  'minneapolis',
  'st.',
  'paul',
  'international',
  'airport',
  'thursday',
  'morning',
  'weather',
  'service',
  'report',
  'wind',
  'morning',
  'gust',
  'mph',
  'snow',
  'inch',
  'wind',
  'today',
  'chance',
  'snow',
  'friday',
  'night',
  'saturday',
  'morning',
  'mnwx',
  'wiwx',
  'pic.twitter.com/s2r94m9k6b',
  'nws',
  'twin',
  'cities',
  '@nwstwincitie',
  'december',
  'line',
  'storm',
  'great',
  'plains',
  'wednesday',
  'thursday',
  'tornado',
  'wind',
  'path',
  'december',
  'storm',
  'northeast',
  'national',
  'weather',
  'service',
  'tornado',
  'thunderstorm',
  'warning',
  'minnesota',
  'wisconsin',
  'wednesday',
  'evening',
  'report',
  'wind',
  'gust',
  'mph',
  'minnesota',
  'power',
  'outage',
  'tree',
  'building',
  'damage',
  'weather',
  'service',
  'tornado',
  'watch',
  'wednesday',
  'minnesota',
  'county',
  'twin',
  'cities',
  'wisconsin',
  'county',
  'watch',
  'p.m.',
  'minnesota',
  'county',
  'p.m.',
  'wisconsin',
  'county',
  'hour',
  'thunderstorm',
  'twin',
  'cities',
  'p.m.',
  'damage',
  'power',
  'grid',
  'infrastructure',
  'p.m.',
  'power',
  'outage',
  'minnesota',
  'fillmore',
  'county',
  'today',
  'record',
  'number',
  'hurricane',
  'force',
  'mph',
  'thunderstorm',
  'wind',
  'day',
  'counting',
  'record',
  'august',
  'pic.twitter.com/bqulyjjew5',
  'nws',
  'storm',
  'prediction',
  'center',
  '@nwsspc',
  'december',
  'storm',
  'wind',
  'warning',
  'a.m.',
  'thursday',
  'gust',
  'mph',
  'wind',
  'risk',
  'tree',
  'power',
  'line',
  'power',
  'outage',
  'xcel',
  'energy',
  'work',
  'crew',
  'wednesday',
  'night',
  'risk',
  'weather',
  'line',
  'fairmont',
  'northfield',
  'ellsworth',
  'wis.',
  'twin',
  'cities',
  'north',
  'graphic',
  'national',
  'weather',
  'service',
  'storm',
  'prediction',
  'center',
  'scale',
  'metro',
  'weather',
  'risk',
  'level',
  'risk',
  'area',
  'weather',
  'service',
  'outbreak',
  'thunderstorm',
  'mid',
  '-',
  'december',
  'addition',
  'minnesota',
  'tornado',
  'december',
  'tornado',
  'record',
  'book',
  'nov.',
  'maple',
  'plain',
  'state',
  'climatology',
  'office',
  'tornado',
  'season',
  'assistant',
  'state',
  'climatologist',
  'pete',
  'boulay',
  'wednesday',
  'boulay',
  'minnesota',
  'thunderstorm',
  'december',
  'year',
  'storm',
  'potential',
  'storm',
  'risk',
  'weather',
  'december',
  'record',
  'temperature',
  'storm',
  'weather',
  'service',
  'high',
  'minneapolis',
  'st.',
  'paul',
  'international',
  'airport',
  'degree',
  'record',
  'day',
  'degree',
  'fog',
  'area',
  'wednesday',
  'fog',
  'advisory',
  'twin',
  'cities',
  'morning',
  'crash',
  'fog',
  'minnesota',
  'state',
  'patrol',
  'chain',
  'reaction',
  'crash',
  'condition',
  'wednesday',
  'morning',
  'u.s.',
  'olmsted',
  'county',
  'pine',
  'island',
  'a.m.',
  'crash',
  'vehicle',
  'passenger',
  'car',
  'closure',
  'northbound',
  'highway',
  'hour',
  'crash',
  'series',
  'crash',
  'road',
  'minnesota',
  'traffic',
  'fog',
  'victim',
  'olmsted',
  'county',
  'crash',
  'ski',
  'hills',
  'temperature',
  '50',
  'thunderstorm',
  'condition',
  'snow',
  'chairlift',
  'number',
  'area',
  'alpine',
  'ski',
  'hill',
  'afton',
  'alps',
  'wild',
  'mountain',
  'welch',
  'village',
  'wednesday',
  'facebook',
  'post',
  'afton',
  'alps',
  'hill',
  'november',
  'minnesota',
  'ski',
  'slope',
  'snow',
  'number',
  'run',
  'weather',
  'system',
  'man',
  'base',
  'hill',
  'influx',
  'skier',
  'snowboarder',
  'winter',
  'holiday',
  'midwest',
  'storm',
  'system',
  'great',
  'plains',
  'midwest',
  'highway',
  'kansas',
  'tornado',
  'nebraska',
  'iowa',
  'concern',
  'fire',
  'temperature',
  'wind',
  'dust',
  'visibility',
  'west',
  'wakeeney',
  'kan.',
  'state',
  'department',
  'transportation',
  'semitrailer',
  'kansas',
  'official',
  'interstate',
  'colorado',
  'border',
  'salina',
  'state',
  'highway',
  'county',
  'kansas',
  'national',
  'weather',
  'service',
  'tornado',
  'report',
  'plains',
  'state',
  'nebraska',
  'iowa',
  'wind',
  'mph',
  'kansas',
  'nebraska',
  'iowa',
  'number',
  'wind',
  'storm',
  'time',
  'anytime',
  'year',
  'brian',
  'barjenbruch',
  'meteorologist',
  'national',
  'weather',
  'service',
  'valley',
  'neb.',
  'december',
  'system',
  'heel',
  'tornado',
  'weekend',
  'path',
  'state',
  'arkansas',
  'missouri',
  'tennessee',
  'illinois',
  'kentucky',
  'people',
  'national',
  'weather',
  'service',
  'wind',
  'warning',
  'area',
  'new',
  'mexico',
  'michigan',
  'wisconsin',
  'illinois',
  'mph',
  'texas',
  'panhandle',
  'kansas',
  'weather',
  'service',
  'observation',
  'site',
  'lamar',
  'colo.',
  'gust',
  'mph',
  'wednesday',
  'morning',
  'wind',
  'gust',
  'mph',
  'russell',
  'kan.',
  'greg',
  'butcher',
  'city',
  'administrator',
  'seward',
  'neb.',
  'office',
  'city',
  'hall',
  'wednesday',
  'wall',
  'cloud',
  'butcher',
  'hit',
  'damage',
  'telephone',
  'pole',
  'butcher',
  'official',
  'fire',
  'risk',
  'edge',
  'weather',
  'system',
  'condition',
  'climate',
  'change',
  'scientist',
  'weather',
  'event',
  'temperature',
  'human',
  'climate',
  'change',
  'event',
  'storm',
  'system',
  'warming',
  'analysis',
  'computer',
  'simulation',
  'time',
  'connection',
  'question',
  'event',
  'climate',
  'change',
  'event',
  'climate',
  'change',
  'northern',
  'illinois',
  'university',
  'meteorology',
  'professor',
  'victor',
  'gensini',
  'extent',
  'climate',
  'change',
  'role',
  'event',
  'absence',
  'climate',
  'change',
  'temperature',
  'wednesday',
  'ocean',
  'temperature',
  'gulf',
  'mexico',
  'warming',
  'jeff',
  'masters',
  'yale',
  'climate',
  'connections',
  'meteorologist',
  'weather',
  'underground',
  'record',
  'heat',
  'heat',
  'today',
  'storm',
  'damage',
  'potential',
  'articles',
  'weather',
  'imagination',
  'tree',
  'california',
  'cost',
  'california',
  'workplace',
  'job',
  'injury',
  'year',
  'california',
  'beaver',
  'nuisance',
  'water',
  'issue',
  'wildfire',
  'california',
  'energy',
  'cost',
  'state',
  'error',
  'policies',
  'standards',
  'contact',
  'morning',
  'report',
  'email',
  'newsletter',
  'popularmost',
  'popularask',
  'amy',
  'neighbor',
  'mistake’?ask',
  'amy',
  'neighbor',
  'cole',
  'home',
  'hoursharriette',
  'cole',
  'home',
  'abby',
  'fiance',
  'start',
  'dear',
  'abby',
  'fiance',
  'start',
  'dear',
  'abby',
  'pickleball',
  'abby',
  'pickleball',
  'partner?ask',
  'amy',
  'bride',
  'wedding',
  'plan',
  'standardsask',
  'amy',
  'bride',
  'wedding',
  'plan',
  'standardspac-12',
  'survival',
  'colorado',
  'conundrum',
  'challenge',
  'boulder',
  'existencepac-12',
  'survival',
  'colorado',
  'conundrum',
  'challenge',
  'boulder',
  'existencedear',
  'abby',
  'abby',
  'manner',
  'moment',
  'forgetfulness',
  'offer',
  'manner',
  'moment',
  'forgetfulness',
  'offer',
  'friendask',
  'amy',
  'boyfriend',
  'business',
  'people',
  'amy',
  'boyfriend',
  'business',
  'people',
  'housebuilt',
  'software',
  'death',
  'date',
  'thousand',
  'school',
  'chromebook',
  'recycling',
  'binbuilt',
  'software',
  'death',
  'date',
  'thousand',
  'school',
  'chromebook',
  'recycling',
  'bin',
  'trending',
  'thing',
  'step',
  'plane',
  'collision',
  'feetthe',
  'business',
  'strip',
  'club',
  'colorado',
  'dancer',
  'way',
  'uncertainties‘funnel',
  'cloud',
  'tree',
  'brooklyn',
  'power',
  'outage',
  'staten',
  'island',
  'nursing',
  'hometaylor',
  'swift',
  'album',
  'swiftie',
  '.',
  'guide',
  'tip',
  'subscribe',
  'today',
  'access',
  'digital',
  'offer',
  'cent',
  'imagination',
  'tree',
  'california',
  'cost',
  'california',
  'workplace',
  'job',
  'injury',
  'year',
  'california',
  'beaver',
  'nuisance',
  'water',
  'issue',
  'wildfire',
  'place',
  'obituary',
  'place',
  'real',
  'estate',
  'ad',
  'lottery',
  'digital',
  'access',
  'faq',
  'team',
  'special',
  'sections',
  'sponsor',
  'group',
  'sponsored',
  'access',
  'privacy',
  'policy',
  'accessibility',
  'network',
  'advertising',
  'daily',
  'ads',
  'place',
  'legal',
  'notice',
  'public',
  'notices',
  'best',
  'bay',
  'area',
  'employers',
  'monster.com',
  'terms',
  'use',
  'cookie',
  'policy',
  'california',
  'notice',
  'collection',
  'notice',
  'financial',
  'incentive',
  'share',
  'personal',
  'information',
  'arbitration',
  'powered',
  'wordpress.com',
  'vip'],
 ['news',
  'sports',
  'high',
  'schools',
  'life',
  'advertise',
  'obituaries',
  'enewspaper',
  'legals',
  'localsevere',
  'weather',
  'threat',
  'morning',
  'thunderstorm',
  'state',
  'journal',
  'stafflansing',
  'threat',
  'weather',
  'national',
  'weather',
  'service',
  'afternoon',
  'storm',
  'area',
  'michigan',
  'today',
  'flood',
  'advisory',
  'effect',
  'lower',
  'michigan',
  'tornado',
  'watch',
  'wednesday',
  'morning',
  'thunderstorm',
  'michigan',
  'storm',
  'indiana',
  'ohio',
  'p.m.',
  'nws',
  'detroit',
  'bureau',
  'mph',
  'tornado',
  'storm',
  'nws',
  'grand',
  'rapids',
  'office',
  'thunderstorm',
  'warning',
  'eaton',
  'county',
  'p.m.',
  'wednesday',
  'weather',
  '"thunderstorm',
  'region',
  'risk',
  'wind',
  'tornado',
  'east',
  'i-69',
  'afternoon',
  'storm',
  'afternoon',
  'nws',
  'detroit',
  'office',
  'thunderstorm',
  'warning',
  'eaton',
  'county',
  'warning',
  'clinton',
  'county',
  'ingham',
  'county',
  'tornado',
  'watch',
  'day',
  'p.m.',
  'nws',
  'warning',
  'watch',
  'consumers',
  'energy',
  'customer',
  'service',
  'outage',
  'portland',
  'lansing',
  'wednesday',
  'morning',
  'provider',
  'outage',
  'greater',
  'lansing',
  'area',
  'related',
  'tornado',
  'tornado',
  'warning',
  'difference',
  'alertsflood',
  'advisory',
  'michigana',
  'flood',
  'advisory',
  'lower',
  'michigan',
  'lansing',
  'area',
  'p.m.',
  'wednesday',
  'flooding',
  'rain',
  'portion',
  'michigan',
  'gratiot',
  'clinton',
  'eaton',
  'ingham',
  'ionia',
  'county',
  '"minor',
  'flooding',
  'drainage',
  'area',
  'national',
  'weather',
  'service',
  'grand',
  'rapids',
  'nws',
  'people',
  'water',
  'road',
  'thunderstorm',
  'southwest',
  'lower',
  'michigan',
  'hour',
  'nws',
  'inch',
  'rain',
  'area',
  'morning',
  'inch',
  'hour',
  'a.m.',
  'wednesday',
  'grand',
  'river',
  'lansing',
  'foot',
  'nws',
  'river',
  'foot',
  'minor',
  'flood',
  'stage',
  'foot',
  'red',
  'cedar',
  'river',
  'east',
  'lansing',
  'foot',
  'foot',
  'wednesday',
  'flood',
  'stage',
  'foot',
  'sycamore',
  'creek',
  'holt',
  'area',
  'foot',
  'flood',
  'stage',
  'foot',
  'meridian',
  'township',
  'police',
  'department',
  'road',
  'water',
  'okemos',
  'road',
  'central',
  'park',
  'drive',
  'haslett',
  'road',
  'hillcrest',
  'avenue',
  'seminole',
  'drive',
  'okemos',
  'road',
  'nakoma',
  'drive',
  'hamilton',
  'road',
  'huron',
  'hill',
  'drive',
  'ottawa',
  'drive',
  'nakoma',
  'drive',
  'woodcraft',
  'road',
  'tornado',
  'lower',
  'michigana',
  'tornado',
  'watch',
  'lower',
  'michigan',
  'lansing',
  'area',
  'p.m.',
  'wednesday',
  'national',
  'weather',
  'service',
  'watch',
  'portion',
  'michigan',
  'ohio',
  'indiana',
  'michigan',
  'county',
  'holland',
  'detroit',
  'north',
  'saginaw',
  'weather',
  'service',
  'thunderstorm',
  'hail',
  'risk',
  'storm',
  'wednesday',
  'morning',
  'wednesday',
  'evening',
  'inch',
  'diameter',
  'grand',
  'ledge',
  'hail',
  'inch',
  'diameter',
  'lake',
  'odessa',
  'weather',
  'service',
  'wind',
  'damage',
  'tornado',
  'brandon',
  'hoving',
  'forecaster',
  'weather',
  'service',
  'grand',
  'rapids',
  'risk',
  'april',
  'tornado',
  'past',
  '"forecaster',
  'timing',
  'severity',
  'storm',
  'hoving',
  'rain',
  'flooding',
  'week',
  'precipitation',
  'river',
  'bank',
  'park',
  'land',
  'farm',
  'field',
  'water',
  'forecaster',
  'staff',
  'directory',
  'careers',
  'accessibility',
  'support',
  'site',
  'map',
  'public',
  'notices',
  'ethical',
  'principles',
  'subscription',
  'terms',
  'conditions',
  'terms',
  'service',
  'privacy',
  'policy',
  'california',
  'privacy',
  'rights',
  'privacy',
  'policydo',
  'sell',
  'share',
  'target',
  'infocookie',
  'settingscontact',
  'support',
  'business',
  'business',
  'advertising',
  'terms',
  'conditions',
  'buy',
  'sell',
  'licensing',
  'reprints',
  'help',
  'center',
  'subscriber',
  'guide',
  'account',
  'feedbacklocal',
  'event',
  'today',
  'newsletters',
  'mobile',
  'app',
  'facebook',
  'twitter',
  'enewspaper',
  'storytellers',
  'archives',
  'rss',
  'feedsjobs',
  'cars',
  'homes',
  'classifieds',
  'education',
  'localiq',
  'digital',
  'marketing',
  'solutions',
  'right'],
 ['javascript',
  'site',
  'notification',
  'email',
  'address',
  'email',
  'address',
  'email',
  'address',
  'notification',
  'notification',
  'message',
  'session',
  'second',
  'session',
  'sign',
  'newsletter',
  'today',
  'news',
  'inbox',
  'sign',
  'storm',
  'destruction',
  'nw',
  'ohio',
  'copyright',
  'courier',
  '',
  '',
  'https://thecourier.com/',
  '',
  '',
  'w.',
  'sandusky',
  'st.',
  'findlay',
  'ohio',
  'ogden',
  'newspapers',
  'nutting',
  'company'],
 ['month',
  'subscribe',
  'month',
  'subscribe',
  'month',
  'subscribe',
  'blizzard',
  'condition',
  'north',
  'dakota',
  'winter',
  'storm',
  'inch',
  'snow',
  'accumulation',
  'mph',
  'wind',
  'national',
  'weather',
  'service',
  'snow',
  'blower',
  'street',
  'dickinson',
  'april',
  'blizzard',
  'city',
  'dickinson',
  'public',
  'works',
  'department',
  'november',
  'pm',
  'news',
  'reporting',
  'fact',
  'reporter',
  'source',
  'dickinson',
  'north',
  'dakota',
  'winter',
  'storm',
  'national',
  'weather',
  'service',
  'winter',
  'storm',
  'wind',
  'snow',
  'accumulation',
  'inch',
  'weather',
  'system',
  'blizzard',
  'condition',
  'region',
  'road',
  'condition',
  'stark',
  'county',
  'sheriff',
  'office',
  'resident',
  'stopping',
  'drizzle',
  'condition',
  'road',
  'stark',
  'county',
  'service',
  'announcement',
  'road',
  'bridge',
  'overpass',
  'caution',
  'result',
  'nws',
  'weather',
  'projection',
  'dickinson',
  'state',
  'university',
  'class',
  'system',
  'thursday',
  'nov.',
  'university',
  'residence',
  'hall',
  'food',
  'service',
  'student',
  'veteran',
  'day',
  'weekend',
  'class',
  'wednesday',
  'weather',
  'road',
  'condition',
  'night',
  'dickinson',
  'state',
  'employee',
  'thursday',
  'nov.',
  'employee',
  'supervisor',
  'employee',
  'campus',
  'service',
  'accumulation',
  'prediction',
  'dsu',
  'student',
  'faculty',
  'staff',
  'facility',
  'department',
  'time',
  'snow',
  'campus',
  'sidewalk',
  'road',
  'parking',
  'lot',
  'dickinson',
  'public',
  'school',
  'winter',
  'storm',
  'school',
  'tomorrow',
  'communication',
  'city',
  'county',
  'official',
  'change',
  'start',
  'time',
  'student',
  'learning',
  'device',
  'charger',
  'event',
  'school',
  'system',
  'learning',
  'day',
  'family',
  'change',
  'a.m.',
  'nov.',
  'family',
  'time',
  'accommodation',
  'understanding',
  'grace',
  'statement',
  'dps',
  'school',
  'building',
  'community',
  'decision',
  'safety',
  'family',
  'staff',
  'priority',
  '”with',
  'onset',
  'weather',
  'city',
  'dickinson',
  'contractor',
  'resident',
  'city',
  'decision',
  'winter',
  'shutdown',
  'nov.',
  'construction',
  'city',
  'right',
  'way',
  'emergency',
  'exemption',
  'national',
  'weather',
  'service',
  'area',
  'resident',
  'advice',
  'storm',
  'resident',
  'home',
  'winter',
  '“buy',
  'supply',
  'storm',
  'plan',
  'case',
  'power',
  'home',
  'nws',
  'press',
  'release',
  'vehicle',
  'weather',
  'safety',
  'kit',
  'gear',
  'necessity',
  'storm',
  'nws',
  'area',
  'resident',
  'date',
  'forecast',
  'storm',
  'plan',
  'date',
  'weather',
  'news',
  'news',
  'reporting',
  'fact',
  'reporter',
  'source',
  'james',
  'b.',
  'miller',
  'jr.',
  'james',
  'b.',
  'miller',
  'jr.',
  'editor',
  'dickinson',
  'press',
  'dickinson',
  'north',
  'dakota',
  'community',
  'news',
  'coverage',
  'north',
  'dakota',
  'dunn',
  'county',
  'forum',
  'auditor',
  'selection',
  'process',
  'navigator',
  'hearing',
  'disagreement',
  'validity',
  'witness',
  'testimony',
  'cross',
  '-',
  'examination',
  'cfo',
  'country',
  'star',
  'greg',
  'hager',
  'dickinson',
  'bandshell',
  'tonight',
  'hunter',
  'biden',
  'tax',
  'charge',
  'dickinson',
  'state',
  'university',
  'mark',
  'trap',
  'shooting',
  'team',
  'pulp',
  'non',
  '-',
  'fiction',
  'dickinson',
  'lemonade',
  'day',
  'big',
  'sticks',
  'sodbusters',
  'sunday',
  'win',
  'dickinson',
  'press',
  'forum',
  'communications',
  'company',
  'sims',
  'street',
  'dickinson',
  'nd',
  '',
  '',
  'javascript',
  'javascript',
  'page',
  'news',
  'message',
  'error',
  'customer',
  'support',
  'team'],
 ['hunter',
  'biden',
  'plea',
  'deal',
  'ufo',
  'takeaway',
  'whistleblower',
  'congress',
  'uap',
  'sinéad',
  "o'connor",
  'grammy',
  'singer',
  'netherlands',
  'u.s.',
  'draw',
  'rematch',
  'world',
  'cup',
  'federal',
  'reserve',
  'interest',
  'rate',
  'level',
  'year',
  'niger',
  'president',
  'guard',
  'coup',
  'ohio',
  'officer',
  'k-9',
  'man',
  'hand',
  'story',
  'tic',
  'tac',
  'ufo',
  'sighting',
  'storm',
  'system',
  'killer',
  'tornado',
  'south',
  'blizzard',
  'condition',
  'great',
  'plains',
  'december',
  'pm',
  'cbs',
  'ap',
  'storm',
  'blizzard',
  'tornado',
  'storm',
  'trail',
  'destruction',
  'south',
  'midwest',
  'blizzard',
  'storm',
  'system',
  'u.s.',
  'people',
  'louisiana',
  'tornado',
  'state',
  'north',
  'south',
  'new',
  'orleans',
  'area',
  'memory',
  'hurricane',
  'ida',
  'tornado',
  'march',
  'linger',
  'system',
  'blizzard',
  'condition',
  'great',
  'plains',
  'rain',
  'portion',
  'northeast',
  'cbs',
  'news',
  'weather',
  'producer',
  'david',
  'parkinson',
  'rain',
  'pennsylvania',
  'corridor',
  'virginia',
  'maryland',
  'thursday',
  'morning',
  'inch',
  'ice',
  'power',
  'outage',
  'snow',
  'thursday',
  'friday',
  'parkinson',
  'snow',
  'new',
  'york',
  'total',
  'foot',
  'snow',
  'dark',
  'friday',
  'northern',
  'new',
  'england',
  'coastline',
  'rain',
  'injury',
  'louisiana',
  'authority',
  'number',
  'power',
  'outage',
  'wednesday',
  'night',
  'thursday',
  'morning',
  'poweroutage.us',
  'storm',
  'wednesday',
  'mother',
  'son',
  'state',
  'day',
  'system',
  'tornado',
  'woman',
  'wednesday',
  'southeast',
  'louisiana',
  'st.',
  'charles',
  'parish',
  'new',
  'orleans',
  'jefferson',
  'st.',
  'bernard',
  'parish',
  'area',
  'march',
  'tornado',
  'tornado',
  'new',
  'iberia',
  'louisiana',
  'people',
  'window',
  'building',
  'iberia',
  'medical',
  'center',
  'hospital',
  'night',
  'tornado',
  'threat',
  'mississippi',
  'county',
  'florida',
  'alabama',
  'weather',
  'threat',
  'vehicle',
  'window',
  'tornado',
  'damage',
  'gretna',
  'la.',
  'jefferson',
  'parish',
  'new',
  'orleans',
  'dec.',
  'new',
  'orleans',
  'emergency',
  'director',
  'collin',
  'arnold',
  'business',
  'residence',
  'city',
  'wind',
  'damage',
  'mississippi',
  'river',
  'west',
  'bank',
  'home',
  'people',
  'word',
  'damage',
  'home',
  'business',
  'damage',
  'jefferson',
  'parish',
  'sheriff',
  'office',
  'statement',
  'suburb',
  'west',
  'new',
  'orleans',
  'building',
  'sheriff',
  'office',
  'training',
  'academy',
  'building',
  'city',
  'gretna',
  'seat',
  'jefferson',
  'parish',
  'michael',
  'willis',
  'suv',
  'tornado',
  'cbs',
  'new',
  'orleans',
  'affiliate',
  'wwl',
  'tv."it',
  'tornado',
  'willis',
  'wood',
  'building',
  'spin',
  '"willis',
  'power',
  'wire',
  'willis',
  'damage',
  'naw',
  'god',
  'willis',
  'debris',
  'windshield',
  'passenger',
  'window',
  'tinting',
  'glass',
  'tint',
  'life',
  'willis',
  'passenger',
  'window',
  'tornado',
  'highway',
  'new',
  'iberia',
  'louisiana',
  'dec.',
  'st.',
  'bernard',
  'parish',
  'march',
  'twister',
  'devastation',
  'sheriff',
  'jimmy',
  'pohlman',
  'tornado',
  'damage',
  'mile',
  'stretch',
  'parish',
  'president',
  'guy',
  'mcinnis',
  'damage',
  'march',
  'tornado',
  'roof',
  'authority',
  'st.',
  'charles',
  'parish',
  'west',
  'new',
  'orleans',
  'woman',
  'tornado',
  'wednesday',
  'community',
  'killona',
  'mississippi',
  'river',
  'home',
  'people',
  'hospital',
  'injury',
  'residence',
  'st.',
  'charles',
  'parish',
  'sheriff',
  'greg',
  'champagne',
  'woman',
  'debris',
  'tornado',
  'mile',
  'louisiana',
  'hour',
  'authority',
  'body',
  'mother',
  'child',
  'tornado',
  'home',
  'tuesday',
  'keithville',
  'shreveport',
  'house',
  'house',
  'gov.',
  'john',
  'bel',
  'edwards',
  'reporter',
  'challenge',
  'emergency',
  'responder',
  'mile',
  'path',
  'destruction',
  'keithville',
  'emergency',
  'declaration',
  'day',
  'caddo',
  'parish',
  'coroner',
  'office',
  'body',
  'year',
  'nikolus',
  'little',
  'tuesday',
  'night',
  'wood',
  'body',
  'mother',
  'yoshiko',
  'a.',
  'smith',
  'storm',
  'debris',
  'wednesday',
  'caddo',
  'parish',
  'sheriff',
  'sgt',
  'casey',
  'jones',
  'boy',
  'father',
  'grocery',
  'storm',
  'family',
  'house',
  'jones',
  'storm',
  'louisiana',
  'north',
  'south',
  'union',
  'parish',
  'arkansas',
  'line',
  'farmerville',
  'mayor',
  'john',
  'crow',
  'tornado',
  'tuesday',
  'night',
  'apartment',
  'complex',
  'family',
  'neighboring',
  'trailer',
  'park',
  'home',
  'crow',
  'wednesday',
  'home',
  'lake',
  "d'arbonne",
  'tornado',
  'wednesday',
  'new',
  'iberia',
  'louisiana',
  'building',
  'new',
  'iberia',
  'medical',
  'center',
  'hospital',
  'official',
  'people',
  'injury',
  'mississippi',
  'rankin',
  'county',
  'tornado',
  'chicken',
  'house',
  'rooster',
  'sheriff',
  'bryan',
  'bailey',
  'mobile',
  'home',
  'park',
  'sharkey',
  'county',
  'mississippi',
  'debris',
  'storm',
  'journey',
  'snow',
  'sierra',
  'nevada',
  'damage',
  'tuesday',
  'thunderstorm',
  'storm',
  'texas',
  'people',
  'dallas',
  'suburb',
  'grapevine',
  'police',
  'spokesperson',
  'amanda',
  'mcnew',
  'storm',
  'east',
  'coast',
  'chaos',
  'forecaster',
  'system',
  'midwest',
  'ice',
  'rain',
  'snow',
  'day',
  'appalachians',
  'northeast',
  'national',
  'weather',
  'service',
  'winter',
  'storm',
  'wednesday',
  'night',
  'friday',
  'afternoon',
  'timing',
  'storm',
  'resident',
  'west',
  'virginia',
  'vermont',
  'mix',
  'snow',
  'ice',
  'sleet',
  'system',
  'fact',
  'impact',
  'area',
  'way',
  'california',
  'northeast',
  'meteorologist',
  'frank',
  'pereira',
  'national',
  'weather',
  'service',
  'college',
  'park',
  'maryland',
  'black',
  'hills',
  'south',
  'dakota',
  'snow',
  'foot',
  'spot',
  'hour',
  'end',
  'vicki',
  'weekly',
  'hotel',
  'tourist',
  'gambling',
  'city',
  'deadwood',
  'visitor',
  'casino',
  'mile',
  'span',
  'interstate',
  'south',
  'dakota',
  'wednesday',
  'state',
  'official',
  'driver',
  'highway',
  'minnesota',
  'snow',
  'tree',
  'limb',
  'wednesday',
  'weather',
  'service',
  'meteorologist',
  'ketzel',
  'levens',
  'duluth',
  'inch',
  'snow',
  'area',
  'startribune',
  'blizzard',
  'warning',
  'effect',
  'p.m.',
  'thursday',
  'inch',
  'snowfall',
  'weekend',
  'ufo',
  'takeaway',
  'whistleblower',
  'congress',
  'uap',
  'hunter',
  'biden',
  'plea',
  'deal',
  'story',
  'tic',
  'tac',
  'ufo',
  'sighting',
  'hammerhead',
  'worm',
  'december',
  'cbs',
  'interactive',
  'inc.',
  'rights',
  'material',
  'associated',
  'press',
  'report',
  'thank',
  'cbs',
  'news',
  'account',
  'feature',
  'email',
  'address',
  'email',
  'address',
  'alert',
  'forecast',
  'storm',
  'evening',
  'chicago',
  'weather',
  'alert',
  'storm',
  'threat',
  'humid',
  'thursday',
  'overnight',
  'storm',
  'wind',
  'minnesota',
  'lightning',
  'house',
  'fire',
  'metro',
  'weather',
  'alert',
  'thunderstorm',
  'warning',
  'heat',
  'index',
  'degree',
  'copyright',
  'cbs',
  'interactive',
  'inc.',
  'right',
  'privacy',
  'policy',
  'california',
  'notice',
  'personal',
  'information',
  'terms',
  'use',
  'advertise',
  'captioning',
  'cbs',
  'news',
  'paramount+',
  'cbs',
  'news',
  'store',
  'site',
  'map',
  'contact',
  'browser',
  'notification',
  'news',
  'event',
  'reporting'],
 ['yousign',
  'insign',
  'inabout',
  'usgot',
  'tip?buzzfeed.comscienceclimatethe',
  'texas',
  'winter',
  'storm',
  'power',
  'outage',
  'people',
  'state',
  'saysa',
  'buzzfeed',
  'news',
  'analysis',
  'failure',
  'texas',
  'power',
  'grid',
  'february',
  'people',
  'peter',
  'news',
  'reporter',
  'stephanie',
  'm.',
  'leebuzzfeed',
  'news',
  'reporter',
  'zahra',
  'news',
  'reporterposted',
  'number',
  'people',
  'winter',
  'storm',
  'power',
  'outage',
  'texas',
  'february',
  'time',
  'state',
  'buzzfeed',
  'news',
  'data',
  'analysis',
  'scale',
  'catastrophe',
  'million',
  'people',
  'darkness',
  'access',
  'water',
  'emergency',
  'service',
  'day',
  'state',
  'tally',
  'death',
  'people',
  'storm',
  'method',
  'toll',
  'disaster',
  'people',
  'storm',
  'week',
  'power',
  'outage',
  'toll',
  'consequence',
  'official',
  'neglect',
  'power',
  'grid',
  'collapse',
  'warning',
  'vulnerability',
  'weather',
  'state',
  'failure',
  'magnitude',
  'crisis',
  'victim',
  'storm',
  'power',
  'outage',
  'condition',
  'disease',
  'diabetes',
  'kidney',
  'problem',
  'cold',
  'stress',
  'crisis',
  'people',
  'today',
  'case',
  'year',
  'julius',
  'gonzales',
  'family',
  'dawn',
  'february',
  'way',
  'dialysis',
  'appointment',
  'clinic',
  'power',
  'maintenance',
  'worker',
  'dodge',
  'ram',
  'home',
  'wife',
  'mary',
  'town',
  'arcola',
  'texas',
  'year',
  'hour',
  'life',
  'michael',
  'starghill',
  'jr.',
  'buzzfeed',
  'news',
  'shelf',
  'mary',
  'gonzales',
  'home',
  'picture',
  'husband',
  'julius',
  'gonzales',
  'picture',
  'grandson',
  'right',
  'arcola',
  'texas',
  'gonzales',
  'home',
  'light',
  'couple',
  'blizzard',
  'hurricane',
  'power',
  'bone',
  'cold',
  'temperature',
  '20',
  'sweater',
  'blanket',
  'generator',
  'heater',
  'gonzales',
  'wife',
  'sleep',
  'a.m.',
  'february',
  'sweater',
  'jean',
  'sock',
  'gonzales',
  'noise',
  'bed',
  'wife',
  'plea',
  'paramedic',
  'paper',
  'gonzales',
  'death',
  'storm',
  'wife',
  'death',
  'certificate',
  'month',
  'julius',
  'disease',
  'blood',
  'pressure',
  'artery',
  'diabetes',
  'thyroid',
  'gland',
  'death',
  'michael',
  'starghill',
  'jr.',
  'buzzfeed',
  'news',
  'mary',
  'gonzales',
  'home',
  'arcola',
  'texas',
  'mary',
  'husband',
  'problem',
  'vest',
  'pulse',
  'pound',
  'bout',
  'covid-19.but',
  'mary',
  'storm',
  'fact',
  'dialysis',
  'examiner',
  'explanation',
  'husband',
  'year',
  'day',
  'cold',
  'heart',
  'buzzfeed',
  'news',
  'analysis',
  'death',
  'storm',
  'mortality',
  'datum',
  'cdc',
  'method',
  'death',
  'analysis',
  'toll',
  'covid-19',
  'pandemic',
  'analysis',
  'expert',
  'people',
  'texas',
  'week',
  'february',
  'estimate',
  'people',
  'storm',
  'week',
  'end',
  'range',
  'time',
  'number',
  'official',
  'state',
  'winter',
  'storm',
  'power',
  'outage',
  'texas',
  'spike',
  'death',
  'buzzfeed',
  'news',
  'analysis',
  'texas',
  'storm',
  'death',
  'buzzfeed',
  'news',
  'relative',
  'people',
  'power',
  'outage',
  'dozen',
  'death',
  'lawsuit',
  'death',
  'report',
  'record',
  'request',
  'examiner',
  'county',
  'texas',
  'interview',
  'story',
  'anguish',
  'confusion',
  'family',
  'relative',
  'confusion',
  'challenge',
  'survivor',
  'mary',
  'gonzales',
  'delay',
  'cause',
  'death',
  'husband',
  'income',
  'pension',
  'month',
  'acknowledgment',
  'death',
  'storm',
  'family',
  'assistance',
  'funeral',
  'cost',
  'death',
  'toll',
  'pressure',
  'state',
  'legislator',
  'energy',
  'regulator',
  'texas',
  'gov.',
  'greg',
  'abbott',
  'state',
  'infrastructure',
  'disaster',
  'abbott',
  'press',
  'secretary',
  'renae',
  'eze',
  'question',
  'death',
  'toll',
  'state',
  'abbott',
  'house',
  'senate',
  'solution',
  'event',
  'governor',
  'texans',
  'life',
  'winter',
  'storm',
  'family',
  'loss',
  'state',
  'session',
  'lawmaker',
  'week',
  'proposal',
  'vulnerability',
  'february',
  'storm',
  'michael',
  'webber',
  'professor',
  'engineering',
  'energy',
  'infrastructure',
  'university',
  'texas',
  'austin',
  'people',
  'propane',
  'tank',
  'houston',
  'feb.',
  'storm',
  'valentine',
  'day',
  'weekend',
  'forecast',
  'national',
  'weather',
  'service',
  'texas',
  'state',
  'snow',
  'ice',
  'day',
  'temperature',
  'severity',
  'weather',
  'day',
  'texas',
  'history',
  'abbott',
  'february',
  'press',
  'conference',
  'hospital',
  'place',
  'contingency',
  'plan',
  'ambulance',
  'provider',
  'driving',
  'condition',
  'governor',
  'texans',
  'power',
  'heat',
  'home',
  'supply',
  'couple',
  'day',
  'state',
  'situation',
  'state',
  'ability',
  'power',
  'abbott',
  'peter',
  'aldhous',
  'buzzfeed',
  'news',
  'wpc.ncep.noaa.gov',
  'day',
  'forecast',
  'winter',
  'storm',
  'severity',
  'a.m.',
  'central',
  'time',
  'feb.',
  'power',
  'state',
  'texas',
  'grid',
  'rest',
  'country',
  'power',
  'state',
  'line',
  'generator',
  'border',
  'lot',
  'power',
  'plant',
  'coal',
  'plant',
  'wind',
  'turbine',
  'panel',
  'problem',
  'failure',
  'state',
  'gas',
  'infrastructure',
  'texas',
  'electricity',
  'official',
  'gas',
  'operator',
  'equipment',
  'winter',
  'storm',
  'blackout',
  'power',
  'grid',
  'vulnerability',
  'temperature',
  'texans',
  'power',
  'week',
  'storm',
  'average',
  'hour',
  'university',
  'houston',
  'study',
  'people',
  'power',
  'day',
  'temperature',
  'digit',
  'swath',
  'state',
  'people',
  'home',
  'gas',
  'oven',
  'furniture',
  'belonging',
  'generator',
  'barbecue',
  'grill',
  'car',
  'heat',
  'state',
  'carbon',
  'monoxide',
  'disaster',
  'year',
  'power',
  'outage',
  'pipe',
  'million',
  'people',
  'access',
  'water',
  'snow',
  'gerald',
  'herring',
  'son',
  'jonathan',
  'morning',
  'february',
  'gerald',
  'herring',
  'army',
  'veteran',
  'power',
  'outage',
  'pipe',
  'home',
  'sugar',
  'land',
  'southwest',
  'houston',
  'phone',
  'herring',
  'son',
  'jonathan',
  'water',
  'neighbor',
  'house',
  'mention',
  'lifting',
  'son',
  'health',
  'thing',
  'jonathan',
  'herring',
  'buzzfeed',
  'news',
  'father',
  'surgery',
  'year',
  'valve',
  'heart',
  'episode',
  'thing',
  'son',
  'chris',
  'herring',
  'dad',
  'phone',
  'day',
  'spirit',
  'monitoring',
  'stepmom',
  'tap',
  'gif',
  'tap',
  'gif',
  'peter',
  'aldhous',
  'buzzfeed',
  'news',
  'percentage',
  'customer',
  'power',
  'region',
  'county',
  'storm',
  'day',
  'gerald',
  'herring',
  'paramedic',
  'hospital',
  'drive',
  'road',
  'chris',
  'gerald',
  'death',
  'disease',
  'blood',
  'pressure',
  'artery',
  'heart',
  'problem',
  'son',
  'cold',
  'catalyst',
  'death',
  'stress',
  'heart',
  'condition',
  'power',
  'water',
  'set',
  'circumstance',
  'chris',
  'storm',
  'power',
  'jonathan',
  'year',
  'idiot',
  'day',
  'death',
  'julius',
  'gonzales',
  'gerald',
  'herring',
  'cause',
  'stephen',
  'pustilnik',
  'fort',
  'bend',
  'county',
  'examiner',
  'buzzfeed',
  'news',
  'history',
  'investigator',
  'storm',
  'pustilnik',
  'family',
  'family',
  'member',
  'justin',
  'sullivan',
  'getty',
  'images',
  'family',
  'result',
  'power',
  'failure',
  'confirmation',
  'answer',
  'hope',
  'circumstance',
  'hour',
  'storm',
  'death',
  'examiner',
  'cause',
  'death',
  'examination',
  'body',
  'autopsy',
  'tv',
  'crime',
  'drama',
  'examiner',
  'diagnosis',
  'autopsy',
  'fact',
  'cause',
  'death',
  'storm',
  'confusion',
  'death',
  'condition',
  'autopsy',
  '%',
  'death',
  'disease',
  'instance',
  'autopsy',
  'study',
  'year',
  'cause',
  'death',
  'texas',
  'dozen',
  'texas',
  'county',
  'examiner',
  'office',
  'rest',
  'cause',
  'death',
  'responsibility',
  'official',
  'expertise',
  'county',
  'death',
  'examiner',
  'county',
  'investigation',
  'examination',
  'autopsy',
  'county',
  'job',
  'job',
  'kathryn',
  'pinneri',
  'director',
  'montgomery',
  'county',
  'texas',
  'vice',
  'president',
  'national',
  'association',
  'medical',
  'examiners',
  'buzzfeed',
  'news',
  'death',
  'galveston',
  'county',
  'death',
  'cause',
  'consideration',
  'storm',
  'power',
  'outage',
  'buzzfeed',
  'news',
  'list',
  'death',
  'storm',
  'county',
  'examiner',
  'office',
  'update',
  'cause',
  'death',
  'year',
  'eula',
  'piangenti',
  'heart',
  'failure',
  'exposure',
  'feb',
  'winter',
  'storm',
  '”erin',
  'barnhart',
  'examiner',
  'galveston',
  'county',
  'pathologist',
  'university',
  'texas',
  'medical',
  'branch',
  'buzzfeed',
  'news',
  'case',
  'reporter',
  'texas',
  'monthly',
  'death',
  'galveston',
  'storm',
  'power',
  'outage',
  'piangenti',
  'alzheimer',
  'disease',
  'problem',
  'daughter',
  'sharon',
  'stacy',
  'oxygen',
  'breathe',
  'hour',
  'electricity',
  'supply',
  'stacy',
  'house',
  'morning',
  'february',
  'power',
  'piangenti',
  'hospice',
  'care',
  'daughter',
  'breath',
  'stacy',
  'texas',
  'monthly',
  'time',
  'barnhart',
  'circumstance',
  'piangenti',
  'death',
  'funeral',
  'place',
  'body',
  'information',
  'piangenti',
  'case',
  'galveston',
  'fact',
  'victim',
  'power',
  'outage',
  'storm',
  'case',
  'year',
  'shirley',
  'napier',
  'home',
  'february',
  'power',
  'heart',
  'rhythm',
  'emt',
  'team',
  'hospital',
  'body',
  'temperature',
  'threshold',
  'hypothermia',
  'napier',
  'sunday',
  'death',
  'certificate',
  'cause',
  'death',
  'brain',
  'injury',
  'lack',
  'oxygen',
  'heart',
  'attack',
  'cause',
  'death',
  'steven',
  'napier',
  'shirley',
  'husband',
  'buzzfeed',
  'news',
  'electric',
  'reliability',
  'council',
  'texas',
  'ercot',
  'state',
  'power',
  'grid',
  'centerpoint',
  'energy',
  'utility',
  'home',
  'electricity',
  'death',
  'wife',
  'state',
  'decision',
  'power',
  'grid',
  'storm',
  'wife',
  'death',
  'money',
  'system',
  'napier',
  'homicide',
  'court',
  'filing',
  'ercot',
  'napier',
  'claim',
  'grid',
  'operator',
  'request',
  'comment',
  'buzzfeed',
  'news',
  'barnhart',
  'examiner',
  'galveston',
  'county',
  'death',
  'storm',
  'state',
  'count',
  'shelia',
  'james',
  'dale',
  'guss',
  'right',
  'friend',
  'year',
  'apartment',
  'houston',
  'power',
  'monday',
  'february',
  'thursday',
  'night',
  'james',
  'time',
  'year',
  'roommate',
  'week',
  'cover',
  'friday',
  'guss',
  'people',
  'point',
  'thing',
  'james',
  'james',
  'guss',
  'kind',
  'condition',
  'lot',
  'weight',
  'roommate',
  'james',
  'heart',
  'medication',
  'james',
  'cause',
  'death',
  'guss',
  'heart',
  'valve',
  'ethanolism',
  'term',
  'people',
  'death',
  'storm',
  'process',
  'james',
  'harris',
  'county',
  'examiner',
  'office',
  'comment',
  'guss',
  'case',
  'courtesy',
  'shelia',
  'james',
  'dwight',
  'walker',
  'brunt',
  'storm',
  'power',
  'house',
  'dallas',
  'county',
  'sister',
  'alfredia',
  'walker',
  'strhan',
  'house',
  'day',
  'february',
  'brother',
  'person',
  'walker',
  'strhan',
  'buzzfeed',
  'news',
  'service',
  'people',
  'walker',
  'strhan',
  'power',
  'outage',
  'walker',
  'death',
  'body',
  'brother',
  'cause',
  'death',
  'county',
  'record',
  'buzzfeed',
  'news',
  'disease',
  'diabetes',
  'mellitus',
  'jeffrey',
  'barnard',
  'county',
  'examiner',
  'record',
  'walker',
  'power',
  'death',
  'information',
  'office',
  'courtesy',
  'alfredia',
  'walker',
  'strhan',
  'courtesy',
  'shelia',
  'james',
  'courtesy',
  'alfredia',
  'walker',
  'strhan',
  'death',
  'toll',
  'storm',
  'power',
  'outage',
  'buzzfeed',
  'news',
  'model',
  'death',
  'week',
  'term',
  'trend',
  'estimate',
  'death',
  'storm',
  ...],
 ['washington',
  'news',
  'mt.',
  'pleasant',
  'news',
  'fairfield',
  'news',
  'clarion',
  'plainsman',
  'news',
  'winfield',
  'beacon',
  'news',
  'new',
  'london',
  'journal',
  'news',
  'washington',
  'news',
  'fairfield',
  'news',
  'mt.',
  'pleasant',
  'news',
  'clarion',
  'plainsman',
  'news',
  'fairfield',
  'fire',
  'station',
  'bid',
  'park',
  'buildingsmpcsd',
  'purchase',
  'agreement',
  'iw',
  'considerationrelief',
  'spotlight',
  'washington',
  'year',
  'fun',
  'crooked',
  'creek',
  'days',
  'friday',
  'night',
  'storm',
  'wellman',
  'kalen',
  'mccain',
  'mar.',
  'pm',
  'apr.',
  'pm',
  'wellman',
  'washington',
  'county',
  'storm',
  'rush',
  'hour',
  'friday',
  'night',
  'worrying',
  'damage',
  'event',
  'kalona',
  'riverside',
  'share',
  'hail',
  'wind',
  'billboard',
  'post',
  'office',
  'flag',
  'garbage',
  'washington',
  'wellman',
  'story',
  'tornado',
  'outskirt',
  'town',
  'path',
  'elm',
  'avenue',
  'cyclone',
  'handful',
  'house',
  'grain',
  'silo',
  'p.m.',
  'sky',
  'procession',
  'car',
  'city',
  'debris',
  'band',
  'cattle',
  'shelter',
  'damage',
  'home',
  'kari',
  'honsey',
  'joe',
  'allen',
  'storm',
  'shed',
  'honsey',
  'hill',
  'basement',
  'spot',
  'train',
  'tree',
  'thing',
  'house',
  'neighbor',
  'home',
  'road',
  'storm',
  'car',
  'debris',
  'power',
  'line',
  'lp',
  'tank',
  'field',
  'road',
  'grain',
  'elevator',
  'bystander',
  'brand',
  'machinery',
  'truck',
  'silo',
  'angela',
  'whetstine',
  'neighbor',
  'glimpse',
  'storm',
  'family',
  'basement',
  'bathroom',
  'cell',
  'minute',
  'pressure',
  'ear',
  'destruction',
  'space',
  'emergency',
  'responder',
  'home',
  'water',
  'ceiling',
  'shock',
  'comment',
  'friday',
  'night',
  'storm',
  'home',
  'kari',
  'honsey',
  'joe',
  'allen',
  'west',
  'wellman',
  'honsey',
  'train',
  'kalen',
  'mccain',
  'union',
  'building',
  'cyclone',
  'wellman',
  'chunk',
  'debris',
  'field',
  'family',
  'angela',
  'whetstine',
  'basement',
  'emergency',
  'responder',
  'kalen',
  'mccain',
  'union',
  'bystander',
  'grain',
  'elevator',
  'wellman',
  'brand',
  'kalen',
  'mccain',
  'union',
  'storm',
  'debris',
  'house',
  'street',
  'cornfield',
  'kalen',
  'mccain',
  'union',
  'storm',
  'washington',
  'damage',
  'exception',
  'billboard',
  'kalen',
  'mccain',
  'union',
  'damage',
  'storm',
  'wellman',
  'cloud',
  'friday',
  'storm',
  'annamarie',
  'ward',
  'union',
  'story',
  'idea',
  'news',
  'tip',
  'story',
  'idea',
  'news',
  'tip',
  'button',
  'submit',
  'news',
  'tip',
  'ainsworth',
  'film',
  'return',
  'friday',
  'saturday',
  'ainsworth',
  'film',
  'return',
  'friday',
  'saturdaykalen',
  'mccain',
  'news',
  'jul.',
  'energy',
  'company',
  'washington',
  'county',
  'mccain',
  'news',
  'jul.',
  'temperature',
  'week',
  'weather',
  'news',
  'jul.',
  'am1d',
  'board',
  'supervisors',
  'recommendation',
  'rezoneannamarie',
  'ward',
  'mt.',
  'pleasant',
  'news',
  'jul.',
  'pm9h',
  'salem',
  'woman',
  'arrestedannamarie',
  'ward',
  'mt.',
  'pleasant',
  'news',
  'jul.',
  'washington',
  'high',
  'school',
  'class',
  'news',
  'jul.',
  'am11h',
  'picture',
  'year',
  'sports',
  'jul.',
  'pm8h',
  'gerry',
  'sproule',
  'community',
  'jul.',
  'am11h',
  'washington',
  'county',
  'festival',
  'talents',
  'winner',
  'news',
  'jul.',
  'am11h',
  'comet',
  'softball',
  'scc',
  'krutsinger',
  'sports',
  'jul.',
  'pm9h',
  'highland',
  'stransky',
  '1a',
  'districthunter',
  'moeller',
  'sports',
  'jul.',
  'area',
  'softball',
  'player',
  '3a',
  'krutsinger',
  'sports',
  'jul.',
  'southeast',
  'iowa',
  'union',
  'employee',
  'source',
  'state',
  'news',
  'coverage',
  'washington',
  'mt.',
  'pleasant',
  'fairfield',
  'iowa',
  'southeast',
  'iowa',
  'union',
  'rights',
  'web',
  'accessibility',
  'privacy',
  'link',
  'site',
  'policies',
  'refund',
  'policy',
  'advertise',
  'local',
  'business',
  'directory',
  'careers',
  'digital',
  'edition',
  'public',
  'notices',
  'southeast',
  'iowa',
  'union',
  'rights',
  'web',
  'accessibility',
  'privacy'],
 ['permission',
  'article',
  'letter',
  'editor',
  'letter',
  'editor',
  'breaking',
  'news',
  'photo',
  'storm',
  'state',
  'emergency',
  'motorist',
  'thousand',
  'power',
  'today',
  'cloud',
  '70f.',
  'wind',
  'ssw',
  'mph',
  'tonight',
  'cloud',
  '70f.',
  'wind',
  'ssw',
  'mph',
  'july',
  'pm',
  'breaking',
  'news',
  'photo',
  'storm',
  'state',
  'emergency',
  'motorist',
  'thousand',
  'power',
  'dec',
  'jul',
  'winter',
  'storm',
  'west',
  'virginia',
  'year',
  'region',
  'friday',
  'night',
  'saturday',
  'highway',
  'motorist',
  'vehicle',
  'hour',
  'traffic',
  'west',
  'virginia',
  'turnpike',
  'charleston',
  'beckley',
  'standstill',
  'number',
  'accident',
  'tractor',
  'trailer',
  'woman',
  'south',
  'carolina',
  'register',
  'herald',
  'saturday',
  'morning',
  'parent',
  'michigan',
  'p.m.',
  'friday',
  'mile',
  'beckley',
  'father',
  'parent',
  'orange',
  'powerbar',
  'charleston',
  'barrier',
  'northbound',
  'lane',
  'information',
  'authority',
  'woman',
  'son',
  'student',
  'xavier',
  'university',
  'cincinnati',
  'roanoke',
  'va.',
  'mile',
  'beckley',
  'hour',
  'food',
  'water',
  'caller',
  'sister',
  'night',
  'interstate',
  'coal',
  'miner',
  'john',
  'crump',
  'mossy',
  'life',
  'coal',
  'city',
  'turnpike',
  'traffic',
  'p.m.',
  'friday',
  'home',
  'a.m.',
  'today',
  'traffic',
  'standstill',
  'hour',
  'turnpike',
  'mess',
  'wheel',
  'drive',
  'truck',
  'turnpike',
  'hour',
  'ordeal',
  'gov.',
  'joe',
  'manchin',
  'state',
  'emergency',
  'national',
  'guard',
  'personnel',
  'equipment',
  'turnpike',
  'beckley',
  'vehicle',
  'state',
  'homeland',
  'security',
  'emergency',
  'management',
  'director',
  'jimmy',
  'gianato',
  'national',
  'guard',
  'vehicle',
  'charleston',
  'traffic',
  'u.s.',
  'problem',
  'glen',
  'jean',
  'oak',
  'hill',
  'area',
  'turnpike',
  'situation',
  'beckley',
  'road',
  'process',
  'national',
  'guard',
  'personnel',
  'turnpike',
  'motorist',
  'food',
  'water',
  'fuel',
  'interstate',
  'greenbrier',
  'county',
  'emergency',
  'official',
  'public',
  'road',
  'region',
  'crew',
  'opportunity',
  'snowfall',
  'inch',
  'oak',
  'hill',
  'beckley',
  'marlinton',
  'pocahontas',
  'county',
  'inch',
  'alderson',
  'resident',
  'community',
  'bit',
  'foot',
  'snow',
  'emergency',
  'shelter',
  'region',
  'beckley',
  'dream',
  'center',
  'pinewood',
  'drive',
  'lewis',
  'community',
  'center',
  'oak',
  'hill',
  'high',
  'school',
  'pax',
  'volunteer',
  'fire',
  'department',
  'fayette',
  'county',
  'sandstone',
  'green',
  'sulphur',
  'springs',
  'volunteer',
  'fire',
  'department',
  'elton',
  'church',
  'lick',
  'creek',
  'baptist',
  'church',
  'summers',
  'county',
  'rhema',
  'christian',
  'church',
  'greenbrier',
  'county',
  'tree',
  'power',
  'line',
  'appalachian',
  'power',
  'customer',
  'beckley',
  'area',
  'electricity',
  'saturday',
  'morning',
  'pineville',
  'area',
  'rainelle',
  'area',
  'noon',
  'saturday',
  'allegheny',
  'energy',
  'customer',
  'nicholas',
  'county',
  'power',
  'webster',
  'county',
  'summers',
  'county',
  'greenbrier',
  'county',
  'pocahontas',
  'county',
  'storm',
  'snow',
  'event',
  'west',
  'virginia',
  'january',
  'snow',
  'roof',
  'collapse',
  'beckley',
  'area',
  'photo',
  'photos.register-herald.com',
  'articlesbeckley',
  'babe',
  'ruth',
  '14s',
  'win',
  'region',
  'advance',
  'world',
  'seriesfamily',
  'healthcare',
  'generation',
  'doctorsanother',
  'jones',
  'qb',
  'woodrow',
  'defensei',
  'mistake',
  'medicare',
  'advantage',
  'plantrail',
  'mcgraw',
  'definition',
  'school',
  'playerpitcher',
  'beckley',
  'babe',
  'ruth',
  'star',
  'historysheriff',
  'vehicle',
  'tax',
  'lawtara',
  'pack',
  'vibevance',
  'return',
  'qb',
  'renegades"chief',
  'hedinger',
  'life',
  'commentedsorry',
  'result',
  'article',
  'sign',
  'news',
  'coverage',
  'inbox',
  'amendment',
  'congress',
  'law',
  'establishment',
  'religion',
  'exercise',
  'freedom',
  'speech',
  'press',
  'right',
  'people',
  'government',
  'redress',
  'grievance',
  'n.',
  'kanawha',
  'st.',
  'beckley',
  'wv',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'blox',
  'content',
  'management',
  'system',
  'blox',
  'digital'],
 ['search',
  'fox',
  'weather',
  'fox',
  'weather',
  'app',
  'podcast',
  'nevada',
  'story',
  'fox',
  'weather',
  'app',
  'available',
  'android',
  'loading',
  'fox',
  'weather',
  'app',
  'privacy',
  'policy',
  'terms',
  'condition',
  'privacy',
  'choices',
  'media',
  'relations',
  'corporate',
  'information',
  'facebook',
  'twitter',
  'instagram',
  'youtube',
  'linkedin',
  'tiktok',
  'rss',
  'download',
  'app',
  'store',
  'google',
  'play',
  'material',
  'fox',
  'news',
  'network',
  'llc',
  'right'],
 ['contentdenver',
  'cosubscribenews',
  'feedneighbor',
  'postslocal',
  'newsarvada',
  'newslittleton',
  'newsgolden',
  'newsbroomfield',
  'newsboulder',
  'newscolorado',
  'springs',
  'newscheyenne',
  'newsgrand',
  'junction',
  'newscasper',
  'newslocal',
  'newscommunity',
  'cornercrime',
  'safetypolitics',
  'governmentschoolstraffic',
  'transitobituariespersonal',
  'financebest',
  'ofseasonal',
  'holidaysweatherarts',
  'entertainmentbusinesshealth',
  'wellnesshome',
  'gardensportstravelkids',
  'familypetsrestaurants',
  'barslocalstreamneighbor',
  'postslocal',
  'businesseseventsreal',
  'estatereal',
  'estate',
  'listingsreal',
  'estate',
  'newssee',
  'communitieslakewood',
  'coarvada',
  'colittleton',
  'cogolden',
  'cobroomfield',
  'coboulder',
  'cocolorado',
  'springs',
  'cocheyenne',
  'wygrand',
  'junction',
  'cocasper',
  'wystate',
  'editioncoloradonational',
  'editiontop',
  'national',
  'newssee',
  'communities0weathercolorado',
  'weather',
  'winter',
  'storm',
  'range',
  'palmer',
  'dividethe',
  'storm',
  'shot',
  'rain',
  'snow',
  'region',
  'cbs',
  'denver',
  'news',
  'partnerposted',
  'mon',
  'apr',
  'mtreply',
  'tuesday',
  'alert',
  'weather',
  'day',
  'change',
  'cbs)by',
  'dave',
  'aguilera',
  'cbs',
  'denver',
  'pacific',
  'storm',
  'system',
  'impact',
  'range',
  'palmer',
  'divide',
  'tuesday',
  'wednesday',
  'storm',
  'shot',
  'rain',
  'snow',
  'region',
  'tuesday',
  'alert',
  'weather',
  'day',
  'change',
  'denverwith',
  'time',
  'update',
  'patch',
  'subscriberead',
  'cbs',
  'denver',
  'cbs',
  'local',
  'digital',
  'media',
  'reach',
  'cbs',
  'television',
  'radio',
  'station',
  'perspective',
  'denverwith',
  'time',
  'update',
  'patch',
  'subscribethankreply',
  'sharecolorado',
  'weather',
  'winter',
  'storm',
  'range',
  'palmer',
  'dividethe',
  'rule',
  'space',
  'discussion',
  'language',
  'claim',
  'reply',
  'topic',
  'patch',
  'community',
  'guidelines',
  'reply',
  'denverarts',
  'entertainment',
  '1dfauci',
  'cheney',
  'abrams',
  'colorado',
  'speaker',
  'series',
  'denvercommunity',
  'corner',
  'jun',
  'new',
  'home',
  'comal',
  'legal',
  'shrooms',
  'inches',
  'forward',
  'shelter',
  'closingcommunity',
  'suncor',
  'dumping',
  'chemicals',
  'south',
  'platte',
  'horse',
  'foundfeatured',
  'eventsjul',
  'taxis',
  'retirement',
  'seminar',
  'jefferson',
  'county',
  'public',
  'library',
  'columbine',
  'library+',
  'eventfeatured',
  'classifieds+',
  'news',
  'nearbydenver',
  'co',
  'news',
  'patch',
  'today',
  'denver',
  'd',
  'jul',
  'co',
  'newscheck',
  'homes',
  'sale',
  'denverdenver',
  'co',
  'newsdenver',
  'area',
  'homeowners',
  'new',
  'houses',
  'marketdenver',
  'co',
  'newsnew',
  'dogs',
  'cats',
  'pets',
  'available',
  'adoption',
  'denver',
  'area',
  'sheltersdenver',
  'co',
  'news',
  'new',
  'home',
  'comal',
  'legal',
  'shrooms',
  'inches',
  'forward',
  'shelter',
  'closingbest',
  'denverdenver',
  'arts',
  'entertainment5',
  'best',
  'denver',
  'instagram',
  'spots',
  'cannabis',
  'church',
  'blue',
  'bear',
  'urban',
  'art+denver',
  'community',
  'best',
  'places',
  'denver',
  'area',
  'townersdenver',
  'restaurants',
  'bars5',
  'best',
  'denver',
  'ice',
  'cream',
  'spot',
  'little',
  'man',
  'ice',
  'cream',
  'vegan)denver',
  'community',
  'corner5',
  'best',
  'walking',
  'trails',
  'denver',
  'hiking',
  'requireddenver',
  'community',
  'cornershop',
  'denver',
  'farmers',
  'markets',
  'pro',
  'info',
  'yourcommunity',
  'patch',
  'appcorporate',
  'infoabout',
  'patchcareerspartnershipsadvertise',
  'patchsupportfaqscontact',
  'patchcommunity',
  'guidelinesposting',
  'instructionsterms',
  'useprivacy',
  'policy',
  'patch',
  'media',
  'rights'],
 ['profile',
  'mpls',
  'office',
  'm',
  'flight',
  'quality',
  'police',
  'child',
  'minneapolis',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'judge',
  'concern',
  'term',
  'agreement',
  'overnight',
  'storm',
  'power',
  'twin',
  'cities',
  'heat',
  'advisory',
  'today',
  'new',
  'deed',
  'commissioner',
  'share',
  'vision',
  'minnesota',
  'job',
  'future',
  'day',
  'david',
  'goliath',
  'duluth',
  'store',
  'maker',
  'indiana',
  'jones',
  'pack',
  'use',
  'film',
  'sinéad',
  "o'connor",
  'singer',
  'songwriter',
  'lynx',
  'lead',
  'mystics',
  'brooks',
  'veteran',
  'place',
  'thank',
  'hennepin',
  'county',
  'diner',
  'minnesota',
  'reader',
  'digest',
  'al',
  'breakfast',
  'ryan',
  'comeback',
  'twins',
  'series',
  'seattle',
  'storm',
  'wisconsin',
  'friday',
  'night',
  'town',
  'turtle',
  'lake',
  'tap',
  'bookmark',
  'article',
  'gift',
  'article',
  'article',
  'subscription',
  'july',
  'flores',
  'vikings',
  'defense',
  'sinéad',
  "o'connor",
  'singer',
  'songwriter',
  'day',
  'david',
  'goliath',
  'duluth',
  'store',
  'maker',
  'indiana',
  'jones',
  'pack',
  'use',
  'film',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'judge',
  'concern',
  'term',
  'agreement',
  'flores',
  'vikings',
  'defense',
  'sinéad',
  "o'connor",
  'singer',
  'songwriter',
  'day',
  'david',
  'goliath',
  'duluth',
  'store',
  'maker',
  'indiana',
  'jones',
  'pack',
  'use',
  'film',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'judge',
  'concern',
  'term',
  'agreement',
  'flores',
  'vikings',
  'defense',
  'sinéad',
  "o'connor",
  'singer',
  'songwriter',
  'day',
  'david',
  'goliath',
  'duluth',
  'store',
  'maker',
  'indiana',
  'jones',
  'pack',
  'use',
  'film',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'judge',
  'concern',
  'term',
  'agreement',
  'overnight',
  'storm',
  'power',
  'twin',
  'cities',
  'heat',
  'advisory',
  'today',
  'twins',
  'reliever',
  'lópez',
  'miami',
  'reliever',
  'floro',
  'flores',
  'vikings',
  'defense',
  'sinéad',
  "o'connor",
  'singer',
  'songwriter',
  'day',
  'david',
  'goliath',
  'duluth',
  'store',
  'maker',
  'indiana',
  'jones',
  'pack',
  'use',
  'film',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'judge',
  'concern',
  'term',
  'agreement',
  'overnight',
  'storm',
  'power',
  'twin',
  'cities',
  'heat',
  'advisory',
  'today',
  'twins',
  'reliever',
  'lópez',
  'miami',
  'reliever',
  'floro',
  'flores',
  'vikings',
  'defense',
  'sinéad',
  "o'connor",
  'singer',
  'songwriter',
  'day',
  'david',
  'goliath',
  'duluth',
  'store',
  'maker',
  'indiana',
  'jones',
  'pack',
  'use',
  'film',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'judge',
  'concern',
  'term',
  'agreement',
  'flores',
  'vikings',
  'defense',
  'sinéad',
  "o'connor",
  'singer',
  'songwriter',
  'day',
  'david',
  'goliath',
  'duluth',
  'store',
  'maker',
  'indiana',
  'jones',
  'pack',
  'use',
  'film',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'judge',
  'concern',
  'term',
  'agreement',
  'flores',
  'vikings',
  'defense',
  'sinéad',
  "o'connor",
  'singer',
  'songwriter',
  'day',
  'david',
  'goliath',
  'duluth',
  'store',
  'maker',
  'indiana',
  'jones',
  'pack',
  'use',
  'film',
  'flores',
  'vikings',
  'defense',
  'sinéad',
  "o'connor",
  'singer',
  'songwriter',
  'day',
  'david',
  'goliath',
  'duluth',
  'store',
  'maker',
  'indiana',
  'jones',
  'pack',
  'use',
  'film',
  'flores',
  'vikings',
  'defense',
  'sinéad',
  "o'connor",
  'singer',
  'songwriter',
  'day',
  'david',
  'goliath',
  'duluth',
  'store',
  'maker',
  'indiana',
  'jones',
  'pack',
  'use',
  'film',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'judge',
  'concern',
  'term',
  'agreement',
  'overnight',
  'storm',
  'power',
  'twin',
  'cities',
  'heat',
  'advisory',
  'today',
  'twins',
  'reliever',
  'lópez',
  'miami',
  'reliever',
  'floro',
  'flores',
  'vikings',
  'defense',
  'sinéad',
  "o'connor",
  'singer',
  'songwriter',
  'day',
  'david',
  'goliath',
  'duluth',
  'store',
  'maker',
  'indiana',
  'jones',
  'pack',
  'use',
  'film',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'judge',
  'concern',
  'term',
  'agreement',
  'overnight',
  'storm',
  'power',
  'twin',
  'cities',
  'heat',
  'advisory',
  'today',
  'twins',
  'reliever',
  'lópez',
  'miami',
  'reliever',
  'floro',
  'twins',
  'cody',
  'stashak',
  'juan',
  'minaya',
  'kansas',
  'city',
  'game',
  'twins',
  'starter',
  'j.a.',
  'happ',
  'season',
  'strikeout',
  'start',
  'storm',
  'damage',
  'wisconsin',
  'storm',
  'wisconsin',
  'friday',
  'night',
  'town',
  'turtle',
  'lake',
  'profile',
  'mpls',
  'office',
  'm',
  'flight',
  'quality',
  'police',
  'child',
  'minneapolis',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'judge',
  'concern',
  'term',
  'agreement',
  'business',
  'consultant',
  'page',
  'archive',
  'year',
  'startribune',
  'right'],
 ['owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'account',
  'dashboard',
  'profile',
  'item',
  'wsil',
  'tv',
  'news',
  'app',
  'wsil',
  'storm',
  'track',
  'weather',
  'app',
  'log',
  'account',
  'log',
  'account',
  'sign',
  'today',
  'account',
  'dashboard',
  'profile',
  'item',
  'heat',
  'advisory',
  'wed',
  'cdt',
  'sat',
  'pm',
  'cdt',
  'wind',
  'advisory',
  'effect',
  'morning',
  'pm',
  'cdt',
  'evening',
  'heat',
  'advisory',
  'effect',
  'morning',
  'heat',
  'index',
  'value',
  'southwest',
  'wind',
  'excess',
  'mph',
  'portions',
  'mo',
  'il',
  'pm',
  'today',
  'lake',
  'wind',
  'advisory',
  '*',
  'impact',
  'temperature',
  'humidity',
  'heat',
  'illness',
  'area',
  'lake',
  'gusty',
  'southwest',
  'wind',
  'plenty',
  'fluid',
  'air',
  'room',
  'sun',
  'relative',
  'neighbor',
  'child',
  'pet',
  'vehicle',
  'circumstance',
  'precaution',
  'time',
  'activity',
  'morning',
  'evening',
  'sign',
  'symptom',
  'heat',
  'exhaustion',
  'heat',
  'stroke',
  'clothing',
  'risk',
  'work',
  'occupational',
  'safety',
  'health',
  'administration',
  'rest',
  'break',
  'air',
  'environment',
  'heat',
  'location',
  'heat',
  'stroke',
  'emergency',
  'lake',
  'wind',
  'advisory',
  'wind',
  'chop',
  'area',
  'lake',
  'boat',
  'storm',
  'damage',
  'western',
  'kentucky',
  'southern',
  'illinois',
  'apr',
  'apr',
  'murray',
  'ky.',
  'community',
  'kentucky',
  'county',
  'damage',
  'storm',
  'area',
  'wednesday',
  'afternoon',
  'national',
  'weather',
  'service',
  'paducah',
  'storm',
  'report',
  'emergency',
  'management',
  'carlisle',
  'county',
  'tree',
  'trailer',
  'church',
  'roof',
  'damage',
  'tree',
  'carport',
  'truck',
  'carport',
  'lifting',
  'air',
  'house',
  'power',
  'pole',
  'thunderstorm',
  'storm',
  'report',
  'home',
  'roof',
  'damage',
  'tree',
  'hickman',
  'county',
  'ky.',
  'calloway',
  'county',
  'law',
  'enforcement',
  'tornado',
  'ground',
  'p.m.',
  'fenton',
  'kentucky',
  'lake',
  'roof',
  'vanderbilt',
  'chemical',
  'plant',
  'murray',
  'hamilton',
  'county',
  'emergency',
  'manager',
  'shed',
  'aluminum',
  'building',
  'wsil',
  'news',
  'weather',
  'app',
  'story',
  'alert',
  'device',
  'drug',
  'event',
  'place',
  'saturday',
  'people',
  'hospital',
  'collision',
  'traffic',
  'restrictions',
  'place',
  'tornado',
  'recovery',
  'work',
  'ky',
  'saturday',
  'cairo',
  'man',
  'deputy',
  'finger',
  'new',
  'scam',
  'business',
  'portion',
  'road',
  'water',
  'installation',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'copyright',
  'allen',
  'media',
  'broadcasting',
  'country',
  'aire',
  'dr.',
  'carterville',
  'il',
  'term',
  'use',
  'blox',
  'content',
  'management',
  'system',
  'blox',
  'digital'],
 ['permission',
  'article',
  'tornado',
  'system',
  'home',
  'arkansas',
  'home',
  'tree',
  'tornado',
  'little',
  'rock',
  'ark.',
  'friday',
  'march',
  'ap',
  'photo',
  'andrew',
  'demillo',
  'little',
  'rock',
  'ark.',
  'ap',
  'monster',
  'storm',
  'system',
  'south',
  'midwest',
  'friday',
  'tornado',
  'home',
  'shopping',
  'center',
  'vehicle',
  'tree',
  'people',
  'shelter',
  'person',
  'dozen',
  'little',
  'rock',
  'area',
  'authority',
  'town',
  'wynne',
  'arkansas',
  'official',
  'home',
  'people',
  'debris',
  'twister',
  'iowa',
  'hail',
  'illinois',
  'wind',
  'grass',
  'fire',
  'oklahoma',
  'storm',
  'system',
  'swath',
  'country',
  'people',
  'weather',
  'president',
  'joe',
  'biden',
  'aftermath',
  'tornado',
  'mississippi',
  'week',
  'government',
  'area',
  'little',
  'rock',
  'tornado',
  'neighborhood',
  'city',
  'shopping',
  'center',
  'kroger',
  'grocery',
  'store',
  'arkansas',
  'river',
  'north',
  'little',
  'rock',
  'city',
  'damage',
  'home',
  'business',
  'vehicle',
  'evening',
  'official',
  'pulaski',
  'county',
  'fatality',
  'north',
  'little',
  'rock',
  'detail',
  'university',
  'arkansas',
  'medical',
  'sciences',
  'medical',
  'center',
  'little',
  'rock',
  'mass',
  'casualty',
  'level',
  'patient',
  'spokesperson',
  'leslie',
  'taylor',
  'baptist',
  'health',
  'medical',
  'center',
  'little',
  'rock',
  'official',
  'afternoon',
  'people',
  'tornado',
  'injury',
  'condition',
  'mayor',
  'frank',
  'scott',
  'jr.',
  'assistance',
  'national',
  'guard',
  'evening',
  'official',
  'people',
  'city',
  'damage',
  'gov.',
  'sarah',
  'huckabee',
  'sanders',
  'member',
  'arkansas',
  'national',
  'guard',
  'authority',
  'damage',
  'state',
  'little',
  'rock',
  'resident',
  'niki',
  'scott',
  'cover',
  'bathroom',
  'husband',
  'tornado',
  'way',
  'glass',
  'tornado',
  'house',
  'street',
  'tree',
  'scott',
  'chainsaw',
  'siren',
  'area',
  'guitar',
  'center',
  'people',
  'video',
  'phone',
  'sky',
  'tornado',
  'way',
  'red',
  'padilla',
  'singer',
  'songwriter',
  'band',
  'red',
  'revelers',
  'video',
  'padilla',
  'associated',
  'press',
  'bandmate',
  'store',
  'minute',
  'dozen',
  'tornado',
  'power',
  'flashlight',
  'phone',
  'padilla',
  'clinton',
  'national',
  'airport',
  'passenger',
  'worker',
  'bathroom',
  'path',
  'storm',
  'sanders',
  'state',
  'emergency',
  'twitter',
  'arkansans',
  'weather',
  'storm',
  '”about',
  'mile',
  'memphis',
  'tennessee',
  'city',
  'wynne',
  'arkansas',
  'damage',
  'tornado',
  'sanders',
  'city',
  'councilmember',
  'lisa',
  'powell',
  'carter',
  'ap',
  'phone',
  'wynne',
  'power',
  'road',
  'debris',
  'panic',
  'wynne',
  'house',
  'tree',
  'street',
  'chief',
  'richard',
  'dennis',
  'city',
  'destruction',
  'people',
  'city',
  'official',
  'curfew',
  'p.m.',
  'tornado',
  'evening',
  'police',
  'covington',
  'tennessee',
  'storm',
  'damage',
  'power',
  'line',
  'tree',
  'tornado',
  'iowa',
  'damage',
  'building',
  'image',
  'barn',
  'house',
  'roofing',
  'siding',
  'tornado',
  'iowa',
  'city',
  'home',
  'university',
  'iowa',
  'watch',
  'party',
  'campus',
  'arena',
  'woman',
  'basketball',
  'final',
  'game',
  'video',
  'power',
  'pole',
  'roof',
  'apartment',
  'building',
  'suburb',
  'coralville',
  'home',
  'city',
  'hills',
  'customer',
  'arkansas',
  'power',
  'outage',
  'electricity',
  'oklahoma',
  'wind',
  'mph',
  'grass',
  'fire',
  'people',
  'home',
  'oklahoma',
  'city',
  'trooper',
  'portion',
  'interstate',
  'suburb',
  'edmond',
  'outage',
  'iowa',
  'illinois',
  'missouri',
  'tennessee',
  'texas',
  'illinois',
  'ben',
  'wagner',
  'radar',
  'operator',
  'woodford',
  'county',
  'emergency',
  'management',
  'agency',
  'hail',
  'window',
  'car',
  'building',
  'area',
  'roanoke',
  'peoria',
  'fire',
  'crew',
  'blaze',
  'el',
  'dorado',
  'kansas',
  'resident',
  'school',
  'child',
  'school',
  'chicago',
  'o’hare',
  'international',
  'airport',
  'traffic',
  'management',
  'program',
  'effect',
  'plane',
  'hour',
  'national',
  'weather',
  'service',
  'storm',
  'prediction',
  'center',
  'outbreak',
  'thunderstorm',
  'potential',
  'hail',
  'wind',
  'gust',
  'tornado',
  'distance',
  'ground',
  'supercell',
  'thunderstorm',
  'state',
  'temperature',
  'world',
  'meteorologist',
  'condition',
  'friday',
  'week',
  'twister',
  'people',
  'home',
  'mississippi',
  'toll',
  'mississippi',
  'sharkey',
  'county',
  'people',
  'county',
  'resident',
  'wind',
  'mph',
  'kph',
  'farming',
  'town',
  'rolling',
  'fork',
  'home',
  'pile',
  'rubble',
  'car',
  'town',
  'water',
  'tower',
  'condition',
  'result',
  'wind',
  'moisture',
  'gulf',
  'mexico',
  'north',
  'storm',
  'system',
  'weather',
  'service',
  'batch',
  'storm',
  'tuesday',
  'area',
  'week',
  'day',
  'april',
  'accuweather',
  'meteorologist',
  'brandon',
  'buckingham',
  'week',
  'university',
  'arkansas',
  'medical',
  'sciences',
  'medical',
  'center',
  'drinking',
  'water',
  'south',
  'dakota',
  'city',
  'risk',
  'disease',
  'official',
  'sturgis',
  'motorcycle',
  'rally',
  'approach',
  'vendor',
  'biker',
  'experience',
  'rapid',
  'city',
  'suspect',
  'saturday',
  'night',
  'incident',
  'pennington',
  'county',
  'july',
  'drink',
  'dash',
  'update',
  'rcpd',
  'man',
  'liquor',
  'theft',
  'sign',
  'newscenter1.tv',
  'newsletters',
  'success',
  'email',
  'link',
  'list',
  'signup',
  'error',
  'error',
  'request',
  'daily',
  'headlines',
  'news',
  'morning',
  'update',
  'news',
  'alert',
  'news',
  'news',
  'alert',
  'sport',
  'headline',
  'headline',
  'sport',
  'email',
  'list',
  'email',
  'address',
  'newscenter1.tv',
  's.',
  'plaza',
  'drive',
  'rapid',
  'city',
  'sd',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'blox',
  'content',
  'management',
  'system',
  'blox',
  'digital',
  'minute',
  'news',
  'device'],
 ['academics',
  'research',
  'administration',
  'bloomington',
  'business',
  'economy',
  'crime',
  'courts',
  'indiana',
  'investigations',
  'politics',
  'student',
  'government',
  'student',
  'life',
  'community',
  'events',
  'film',
  'iu',
  'auditorium',
  'jacobs',
  'school',
  'music',
  'local',
  'music',
  'football',
  'men',
  'basketball',
  'women',
  'basketball',
  'baseball',
  'volleyball',
  'wrestling',
  'men',
  'soccer',
  'women',
  'soccer',
  'swimming',
  'diving',
  'power',
  'storm',
  'thursday',
  'responder',
  'restoration',
  'effort',
  'memorial',
  'stadium',
  'parking',
  'lot',
  'june',
  'people',
  'indiana',
  'power',
  'storm',
  'thursday',
  'jul',
  'pm',
  'jul',
  'pm',
  'people',
  'indiana',
  'power',
  'storm',
  'thursday',
  'storm',
  'series',
  'tornado',
  'indiana',
  'week',
  'outage',
  'state',
  'duke',
  'energy',
  'press',
  'release',
  'liz',
  'irwin',
  'government',
  'community',
  'relations',
  'manager',
  'duke',
  'energy',
  'press',
  'release',
  'duke',
  'energy',
  'power',
  'people',
  'indiana',
  'crew',
  'damage',
  'power',
  'area',
  'outage',
  'company',
  'power',
  'customer',
  'friday',
  'morning',
  'storm',
  'system',
  'state',
  'friday',
  'saturday',
  'outage',
  'tornado',
  'storm',
  'sunday',
  'martin',
  'county',
  'monroe',
  'county',
  'emergency',
  'management',
  'monroe',
  'county',
  'highway',
  'department',
  'area',
  'responder',
  'effort',
  'storm',
  'restoration',
  'irwin',
  'release',
  'partner',
  'indiana',
  'university',
  'crew',
  'truck',
  'stadium',
  'parking',
  'lot',
  'press',
  'release',
  'crew',
  'personnel',
  'duke',
  'energy',
  'site',
  'ohio',
  'kentucky',
  'florida',
  'carolinas',
  'indiana',
  'restoration',
  'effort',
  'anthony',
  'brown',
  'duke',
  'energy',
  'indiana',
  'storm',
  'director',
  'personnel',
  'indiana',
  'lot',
  'progress',
  'lot',
  'work',
  'brown',
  'press',
  'release',
  'nature',
  'storm',
  'indiana',
  'district',
  'power',
  'restoration',
  'storm',
  'system',
  'state',
  'bloomington',
  'organization',
  'disaster',
  'loan',
  'duke',
  'energy',
  'company',
  'majority',
  'outage',
  'bloomfield',
  'columbus',
  'franklin',
  'martinsville',
  'vincennes',
  'midnight',
  'saturday',
  'customer',
  'bedford',
  'bloomington',
  'clinton',
  'greencastle',
  'princeton',
  'sullivan',
  'terre',
  'haute',
  'power',
  'midnight',
  'sunday',
  'release',
  'outage',
  'map',
  'status',
  'duke',
  'energy',
  'indiana',
  'outage',
  'map',
  'power',
  'outage',
  'customer',
  'text',
  'duke',
  'energy',
  'reporting',
  'system',
  'award',
  'content',
  'inbox',
  'sign',
  'daily',
  'rundown',
  'signup',
  'today',
  'support',
  'award',
  'college',
  'journalism',
  'site',
  'indiana',
  'department',
  'agriculture',
  'funding',
  'food',
  'bank',
  'green',
  'energy',
  'growth',
  'indiana',
  'inflation',
  'reduction',
  'act',
  'investigation',
  'president',
  'donald',
  'trump',
  'indiana',
  'department',
  'agriculture',
  'funding',
  'food',
  'bank',
  'green',
  'energy',
  'growth',
  'indiana',
  'inflation',
  'reduction',
  'act',
  'investigation',
  'president',
  'donald',
  'trump',
  'sportsmotor',
  'sport',
  'column',
  'ntt',
  'indycar',
  'series',
  'weekend',
  'iowa',
  'sportsman',
  'basketball',
  'story',
  'martha',
  'mop',
  'lady',
  'sportsmotor',
  'sport',
  'bloomington',
  'speedway',
  'year',
  'sportswoman',
  'basketball',
  'indiana',
  'woman',
  'basketball',
  'teri',
  'moren',
  'gold',
  'coach',
  'fiba',
  'women',
  'basketball',
  'world',
  'cup',
  'general',
  'info',
  'contact',
  'employment',
  'policies',
  'advertising',
  'print',
  'edition',
  'write',
  'publications',
  'arbutus',
  'orienter',
  'parent',
  'survival',
  'guide',
  'source',
  'guide',
  'international',
  'student',
  'guide',
  'big',
  'preview',
  'iu',
  'basketball',
  'guide',
  'housing',
  'living',
  'guide',
  'little',
  'race',
  'guide',
  'subscribe',
  'email',
  'update',
  'headline',
  'recap',
  'email',
  'update',
  'headline',
  'recap',
  'solutions',
  'state',
  'news',
  'content',
  'indiana',
  'daily',
  'student',
  'ids',
  'daily',
  'rundown',
  'monday',
  'friday',
  'look',
  'day',
  'story',
  'friday',
  'recap',
  'story',
  'week',
  'ids',
  'iu',
  'basketball',
  'monday',
  'edition',
  'iu',
  'basketball',
  'season',
  'link',
  'article',
  'column',
  'podcast'],
 ['livenewsweathergood',
  'expand',
  'collapse',
  'search',
  '☰',
  'search',
  'site',
  'news',
  'philadelphiapennsylvanianew',
  'jerseydelawaremore',
  'newsnational',
  'newsworld',
  'newsfox',
  'news',
  'sundayweather',
  'day',
  'forecastclosingsfox',
  'weatherradartemperatureswatche',
  'warningsweather',
  'appgood',
  'day',
  'digest',
  'newsletterkelly',
  'classroomtrafficwatch',
  'liveya',
  'thisseen',
  'tvsports',
  'fifa',
  'women',
  'world',
  'cupeaglesflyersphillies76ersunionfox',
  'sports',
  'appentertainment',
  'showsthe',
  'classh',
  'roomthings',
  'fox',
  'showswatch',
  'streamnewscasts',
  'replayslivenow',
  'foxnew',
  'specialswebcamsfox',
  'mattersfox',
  'originals',
  'black',
  'history',
  'monthhank',
  'takein',
  'focuskelly',
  'drivesour',
  'race',
  'realitysave',
  'streetsthe',
  'pulsehealth',
  'coronaviruscoronavirus',
  'mapcoronavirus',
  'vaccinedr',
  'mikehealth',
  'careopioid',
  'epidemicpolitics',
  'electioninauguration',
  'dayjoe',
  'bidenkamala',
  'harrisdonald',
  'j.',
  'trumpphilly',
  'city',
  'councilmoney',
  'businesscashing',
  'news',
  'fox',
  'appnew',
  'jersey',
  'news',
  'my9njnew',
  'york',
  'news',
  'fox',
  'nywashington',
  'dc',
  'news',
  'fox',
  'dcabout',
  'appscontact',
  'usfcc',
  'applicationshow',
  'listingswork',
  'heat',
  'watch',
  'fri',
  'edt',
  'fri',
  'pm',
  'edt',
  'delaware',
  'county',
  'eastern',
  'chester',
  'county',
  'eastern',
  'montgomery',
  'county',
  'lower',
  'bucks',
  'county',
  'philadelphia',
  'county',
  'camden',
  'county',
  'gloucester',
  'county',
  'mercer',
  'county',
  'northwestern',
  'burlington',
  'county',
  'somerset',
  'county',
  'new',
  'castle',
  'county',
  'heat',
  'advisory',
  'thu',
  'pm',
  'edt',
  'fri',
  'pm',
  'edt',
  'lancaster',
  'county',
  'lebanon',
  'county',
  'heat',
  'advisory',
  'thu',
  'edt',
  'fri',
  'edt',
  'delaware',
  'county',
  'eastern',
  'chester',
  'county',
  'eastern',
  'montgomery',
  'county',
  'lower',
  'bucks',
  'county',
  'philadelphia',
  'county',
  'camden',
  'county',
  'gloucester',
  'county',
  'mercer',
  'county',
  'northwestern',
  'burlington',
  'county',
  'somerset',
  'county',
  'new',
  'castle',
  'county',
  'heat',
  'advisory',
  'thu',
  'edt',
  'fri',
  'pm',
  'edt',
  'berks',
  'county',
  'lehigh',
  'county',
  'northampton',
  'county',
  'upper',
  'bucks',
  'county',
  'western',
  'chester',
  'county',
  'western',
  'montgomery',
  'county',
  'atlantic',
  'county',
  'cape',
  'county',
  'cumberland',
  'county',
  'salem',
  'county',
  'southeastern',
  'burlington',
  'county',
  'warren',
  'county',
  'hunterdon',
  'county',
  'ocean',
  'county',
  'warren',
  'county',
  'kent',
  'county',
  'inland',
  'sussex',
  'county',
  'tornado',
  'sussex',
  'county',
  'storm',
  'mile',
  'path',
  'destruction',
  'kelly',
  'rule',
  'fox',
  'staff',
  'april',
  'april',
  'delaware',
  'fox',
  'philadelphia',
  'share',
  'copy',
  'link',
  'email',
  'facebook',
  'twitter',
  'linkedin',
  'reddit',
  'sussex',
  'county',
  'delaware',
  'family',
  'death',
  'man',
  'saturday',
  'tornado',
  'outbreak',
  'tornado',
  'sussex',
  'county',
  'family',
  'death',
  'man',
  'storm',
  'sussex',
  'county',
  'del.',
  'man',
  'saturday',
  'evening',
  'storm',
  'aim',
  'delaware',
  'national',
  'weather',
  'service',
  'tornado',
  'sussex',
  'county',
  'delaware',
  'storm',
  'damage',
  'route',
  'greenwood',
  'bridgeville',
  'coverage',
  'nws',
  'tornado',
  'n.j.',
  'storm',
  'destruction',
  'delaware',
  'valley',
  'official',
  'man',
  'house',
  'sussex',
  'county',
  'storm',
  'tornado',
  'sunday',
  'family',
  'member',
  'home',
  'home',
  'generation',
  'home',
  'area',
  'damage',
  'family',
  'joe',
  'hubert',
  'dinner',
  'wife',
  'family',
  'minute',
  'greenwood',
  'phone',
  'tornado',
  'god',
  'tree',
  'toothpick',
  'tree',
  'brand',
  'year',
  'home',
  'owens',
  'road',
  'corner',
  'home',
  'roof',
  'home',
  'door',
  'direction',
  'damage',
  'tuckers',
  'road',
  'neighbor',
  'roof',
  'window',
  'image',
  '▼',
  'coverage',
  'car',
  'fire',
  'north',
  'philadelphia',
  'saturday',
  'storm',
  'wire',
  'power',
  'official',
  'tornado',
  'mile',
  'path',
  'destruction',
  'bridgeville',
  'ellendale',
  'dozen',
  'home',
  'county',
  'home',
  'fawn',
  'road',
  'toilet',
  'home',
  'refrigerator',
  'reaction',
  'life',
  'delaware',
  'governor',
  'john',
  'carney',
  'tornado',
  'camera',
  'sussex',
  'county',
  'emergency',
  'operations',
  'center',
  'funnel',
  'sky',
  'saturday',
  'evening',
  'video',
  'tornado',
  'man',
  'sussex',
  'county',
  'tornado',
  'video',
  'cloud',
  'official',
  'tornado',
  'man',
  'house',
  'sussex',
  'county',
  'church',
  'hand',
  'rest',
  'resident',
  'jonathan',
  'tharp',
  'hour',
  'shift',
  'tree',
  'company',
  'tharp',
  'time',
  'people',
  'tharp',
  'wife',
  'picture',
  'rainbow',
  'storm',
  'roof',
  'roofing',
  'company',
  'charge',
  'hubert',
  'sussex',
  'county',
  'reaction',
  'life',
  'delaware',
  'governor',
  'john',
  'carney',
  'american',
  'red',
  'cross',
  'dhss',
  'office',
  'preparedness',
  'official',
  'time',
  'tornado',
  'delaware',
  'news',
  'alicia',
  'navarro',
  'arizona',
  'girl',
  'montana',
  'pd',
  'video',
  'gunshot',
  'south',
  'philly',
  'ambush',
  'shooting',
  'home',
  'security',
  'camera',
  'police',
  'man',
  'argument',
  'septa',
  'market',
  'frankford',
  'line',
  'train',
  'change',
  'wildwood',
  'city',
  'commission',
  'rule',
  'teen',
  'family',
  'vigil',
  'logan',
  'boy',
  'fishing',
  'trip',
  'father',
  'brother',
  'trending',
  'philadelphia',
  'eviction',
  'landlord',
  'tenant',
  'officer',
  'incident',
  'philly',
  'rapper',
  'yng',
  'cheese',
  'rest',
  'shooting',
  'mom',
  'ambush',
  'street',
  'philly',
  'park',
  'video',
  'crowd',
  'police',
  'philadelphia',
  'gas',
  'station',
  'parking',
  'lot',
  'car',
  'meetup',
  'philly',
  'park',
  'litter',
  'visitor',
  'daily',
  'newsletter',
  'news',
  'day',
  'sign',
  'privacy',
  'policy',
  'terms',
  'service',
  'fox',
  'youtube',
  'app',
  'fox',
  'philadelphia',
  'fox',
  'local',
  'click',
  'news',
  'philadelphiapennsylvanianew',
  'jerseydelawaremore',
  'newsnational',
  'newsworld',
  'newsfox',
  'news',
  'sundayweather',
  'day',
  'forecastclosingsfox',
  'weatherradartemperatureswatche',
  'warningsweather',
  'appgood',
  'day',
  'digest',
  'newsletterkelly',
  'classroomtrafficwatch',
  'liveya',
  'thisseen',
  'tvsports',
  'fifa',
  'women',
  'world',
  'cupeaglesflyersphillies76ersunionfox',
  'sports',
  'appentertainment',
  'showsthe',
  'classh',
  'roomthings',
  'fox',
  'showswatch',
  'streamnewscasts',
  'replayslivenow',
  'foxnew',
  'specialswebcamsfox',
  'mattersfox',
  'originals',
  'black',
  'history',
  'monthhank',
  'takein',
  'focuskelly',
  'drivesour',
  'race',
  'realitysave',
  'streetsthe',
  'pulsehealth',
  'coronaviruscoronavirus',
  'mapcoronavirus',
  'vaccinedr',
  'mikehealth',
  'careopioid',
  'epidemicpolitics',
  'electioninauguration',
  'dayjoe',
  'bidenkamala',
  'harrisdonald',
  'j.',
  'trumpphilly',
  'city',
  'councilmoney',
  'businesscashing',
  'news',
  'fox',
  'appnew',
  'jersey',
  'news',
  'my9njnew',
  'york',
  'news',
  'fox',
  'nywashington',
  'dc',
  'news',
  'fox',
  'dcabout',
  'appscontact',
  'usfcc',
  'applicationshow',
  'listingswork',
  'facebooktwitterinstagramyoutubeemail',
  'usnew',
  'privacy',
  'policyterms',
  'serviceyour',
  'privacy',
  'choicesfcc',
  'public',
  'public',
  'fileclosed',
  'captioningwork',
  'uscontact',
  'material',
  'fox',
  'television',
  'stations'],
 ['contentskip',
  'content',
  'register',
  'article',
  'newsletter',
  'news',
  'inbox',
  'subscriber',
  'sign',
  'time',
  'owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'lee',
  'enterprises',
  'terms',
  'service',
  '',
  '',
  'privacy',
  'policy',
  'help',
  'center',
  'account',
  'dashboard',
  'profile',
  'item',
  'wallop',
  'storm',
  'snow',
  'wind',
  'south',
  'dakota',
  'alert',
  'story',
  'editor',
  'weather',
  'wallop',
  'storm',
  'snow',
  'wind',
  'south',
  'dakota',
  'apr',
  'jun',
  'dozen',
  'truck',
  'box',
  'elder',
  'winter',
  'storm',
  'diaz',
  'interstate',
  'south',
  'dakota',
  'parking',
  'premium',
  'truck',
  'lot',
  'love',
  'truck',
  'stop',
  'liberty',
  'boulevard',
  'south',
  'dakota',
  'highway',
  'patrol',
  'box',
  'elder',
  'police',
  'love',
  'staff',
  'traffic',
  'park',
  'truck',
  'woman',
  'vehicle',
  'storm',
  'south',
  'dakota',
  'round',
  'winter',
  'weather',
  'time',
  'snowfall',
  'wind',
  'weekend',
  'round',
  'winter',
  'weather',
  'way',
  'time',
  'snowfall',
  'wind',
  'national',
  'weather',
  'service',
  'blizzard',
  'warning',
  'south',
  'dakota',
  'snowfall',
  'foot',
  'area',
  'northern',
  'hills',
  'inch',
  'rapid',
  'city',
  'foot',
  'inch',
  'area',
  'national',
  'weather',
  'service',
  'snowfall',
  'monday',
  'night',
  'tuesday',
  'morning',
  'accumulation',
  'snow',
  'wednesday',
  'blizzard',
  'warning',
  'western',
  'south',
  'dakota',
  'nebraska',
  'wyoming',
  'north',
  'dakota',
  'monday',
  'storm',
  'foot',
  'snow',
  'area',
  'wednesday',
  'morning',
  'wind',
  'blizzard',
  'condition',
  'national',
  'weather',
  'service',
  'rapid',
  'city',
  'south',
  'dakota',
  'wind',
  'mile',
  'hour',
  'blizzard',
  'condition',
  'travel',
  'time',
  'south',
  'dakota',
  'state',
  'fire',
  'meteorologist',
  'dr.',
  'darren',
  'clabo',
  'twitter',
  'post',
  'storm',
  'winter',
  'storm',
  'atlas',
  'october',
  'storm',
  'sheryl',
  'crow',
  'jason',
  'aldean',
  'song',
  'controversy',
  'nicole',
  'ducheneaux',
  'right',
  'champion',
  'warrior',
  'crazy',
  'horse',
  'school',
  'employee',
  'abuse',
  'gear',
  'sturgis',
  'motorcycle',
  'rally',
  'cmt',
  'music',
  'video',
  'jason',
  'aldean',
  'song',
  'singer',
  'lyric',
  'black',
  'hills',
  'state',
  'mining',
  'wharf',
  'superfund',
  'future',
  'limbo',
  'lithium',
  'keystone',
  'trump',
  'rapid',
  'city',
  'september',
  'knee',
  'field',
  'step',
  'tribes',
  'rapid',
  'city',
  'police',
  'weekend',
  'coffee',
  'anniversary',
  'rapid',
  'city',
  'man',
  'light',
  'accident',
  'man',
  'foot',
  'fbi',
  'standing',
  'rock',
  'police',
  'corson',
  'county',
  'wall',
  'piper',
  'cordes',
  'nhsfr',
  'title',
  'gutsy',
  'coaching',
  'star',
  'win',
  'game',
  'regional',
  'bond',
  'man',
  'assault',
  'assault',
  'snow',
  'storm',
  'sd',
  'decade',
  'clabo',
  'blizzard',
  'condition',
  'travel',
  'season',
  'duration',
  'shutdown',
  'response',
  'threat',
  'pennington',
  'county',
  'sheriff',
  'office',
  'rapid',
  'city',
  'police',
  'department',
  'rapid',
  'city',
  'fire',
  'department',
  'south',
  'dakota',
  'highway',
  'patrol',
  'briefing',
  'monday',
  'morning',
  'local',
  'preparation',
  'pennington',
  'county',
  'sheriff',
  'office',
  'patrol',
  'capt',
  'chris',
  'hislip',
  'storm',
  'magnitude',
  'ton',
  'planning',
  'cooperation',
  'right',
  'rapid',
  'city',
  'fire',
  'department',
  'ems',
  'division',
  'chief',
  'brent',
  'long',
  'south',
  'dakota',
  'highway',
  'patrol',
  'field',
  'operations',
  'lieutenant',
  'zac',
  'bader',
  'pennington',
  'county',
  'sheriff',
  'office',
  'patrol',
  'captain',
  'chris',
  'hislip',
  'rapid',
  'city',
  'police',
  'department',
  'patrol',
  'lieutenant',
  'chris',
  'holbrook',
  'plan',
  'chris',
  'holbrook',
  'patrol',
  'lieutenant',
  'rapid',
  'city',
  'police',
  'department',
  'store',
  'today',
  'care',
  'necessity',
  'couple',
  'day',
  'road',
  'rapid',
  'city',
  'mind',
  'decision',
  'south',
  'dakota',
  'highway',
  'patrol',
  'field',
  'operations',
  'lieutenant',
  'zac',
  'bader',
  'closure',
  'route',
  'time',
  'people',
  'travel',
  'advisory',
  'priority',
  'dot',
  'job',
  'rescue',
  'operation',
  'duty',
  'direction',
  'wyoming',
  'state',
  'line',
  'wall',
  'exit',
  'p.m.',
  'monday',
  'condition',
  'travel',
  'storm',
  'state',
  'interstate',
  'closure',
  'closure',
  'length',
  'winter',
  'weather',
  'event',
  'motorist',
  'accommodation',
  'truck',
  'parking',
  'community',
  'wall',
  'kadoka',
  'murdo',
  'vivian',
  'chamberlain',
  'interstate',
  'rapid',
  'city',
  'metro',
  'area',
  'exit',
  'travel',
  'plow',
  'dot',
  'regional',
  'office',
  'rapid',
  'city',
  'week',
  'winter',
  'storm',
  'storm',
  'assistance',
  'response',
  'time',
  'weather',
  'response',
  'hislip',
  'blizzard',
  'condition',
  'vehicle',
  'problem',
  'warning',
  'home',
  'pennington',
  'county',
  'sheriff',
  'office',
  'patrol',
  'capt',
  'chris',
  'hislip',
  'medium',
  'winter',
  'storm',
  'briefing',
  'monday',
  'april',
  'winter',
  'weather',
  'forecast',
  'rapid',
  'city',
  'office',
  'tuesday',
  'city',
  'hall',
  'rapid',
  'city',
  'landfill',
  'rapid',
  'transit',
  'system',
  'rapidride',
  'dial',
  'ride',
  'operation',
  'rapid',
  'city',
  'public',
  'library',
  'roosevelt',
  'swim',
  'center',
  'roosevelt',
  'park',
  'ice',
  'arena',
  'monument',
  'city',
  'trash',
  'collection',
  'tuesday',
  'city',
  'wednesday',
  'route',
  'collection',
  'crew',
  'end',
  'monday',
  'recycling',
  'route',
  'week',
  'box',
  'elder',
  'city',
  'hall',
  'tuesday',
  'april',
  'weather',
  'city',
  'council',
  'meeting',
  'thursday',
  'april',
  '6.if',
  'travel',
  'condition',
  'box',
  'elder',
  'road',
  'crew',
  'winter',
  'maintenance',
  'activity',
  'time',
  'city',
  'snow',
  'snow',
  'emergency',
  'route',
  'focus',
  'resident',
  'street',
  'parking',
  'law',
  'city',
  'term',
  'staging',
  'area',
  'snow',
  'area',
  'de',
  '-',
  'sac',
  'removal',
  'way',
  'update',
  'forecast',
  'watch',
  'warning',
  'national',
  'weather',
  'service',
  'rapid',
  'city',
  'update',
  'website',
  'weather.gov/unr',
  'facebook',
  'page',
  'nws',
  'rapid',
  'city',
  'twitter',
  '@nwsrapidcity',
  'noaa',
  'weather',
  'radio',
  'livestream',
  'weatherusa.net/radio',
  'road',
  'condition',
  'sd511.org',
  'contact',
  'darsha',
  'dodge',
  'reaction',
  'news',
  'inbox',
  'registration',
  'use',
  'site',
  'agreement',
  'user',
  'agreement',
  'privacy',
  'policy',
  'thousand',
  'pine',
  'ridge',
  'clothe',
  'warmth',
  'wake',
  'storm',
  'twinge',
  'cold',
  'toe',
  'tone',
  'concern',
  'exhaustion',
  'anna',
  'halverson',
  'message',
  'e',
  'winter',
  'storm',
  'south',
  'dakota',
  'march',
  'lion',
  'way',
  'storm',
  'snow',
  'wind',
  'south',
  'dakota',
  'friday',
  'storm',
  'horizon',
  'disaster',
  'declaration',
  'oglala',
  'rosebud',
  'tribe',
  'december',
  'storm',
  'fema',
  'aid',
  'oglala',
  'rosebud',
  'sioux',
  'tribes',
  'series',
  'winter',
  'weather',
  'event',
  'december',
  'people',
  'clothe',
  'rosebud',
  'teen',
  'adult',
  'box',
  'elder',
  'year',
  'girl',
  'parmelee',
  'pennington',
  'county',
  'court',
  'adult',
  'docket',
  'monday',
  'morning',
  'vehicle',
  'spearfish',
  'man',
  'year',
  'child',
  'porn',
  'spearfish',
  'man',
  'year',
  'prison',
  'monday',
  'child',
  'pornography',
  'august',
  'l',
  'i-90',
  'wyoming',
  'wall',
  'p.m.',
  'interstate',
  'direction',
  'wyoming',
  'state',
  'line',
  'wall',
  'exit',
  'p.m.',
  'monday',
  'weather',
  'force',
  'rapid',
  'city',
  'office',
  'tuesday',
  'rapid',
  'city',
  'office',
  'tuesday',
  'winter',
  'weather',
  'trash',
  'collection',
  'school',
  'closing',
  'tuesday',
  'april',
  'school',
  'closing',
  'tuesday',
  'april',
  'list',
  'information',
  'sd',
  'dot',
  'i-90',
  'wyoming',
  'line',
  'spearfish',
  'tuesday',
  'morning',
  'interstate',
  'direction',
  'wyoming',
  'state',
  'line',
  'spearfish',
  'exit',
  'south',
  'dakota',
  'closure',
  'travel',
  'advisory',
  'winter',
  'storm',
  'government',
  'office',
  'south',
  'dakota',
  'tuesday',
  'blizzard',
  'condition',
  'snowfall',
  'record',
  'blizzard',
  'storm',
  'inch',
  'casper',
  'record',
  'inch',
  'snow',
  'casper',
  'wyoming',
  'monday',
  'city',
  'time',
  'record',
  'snowfall',
  'day',
  'nation',
  'hour',
  'timelapse',
  'winter',
  'storm',
  'box',
  'elder',
  'look',
  'hour',
  'timelapse',
  'winter',
  'storm',
  'box',
  'elder',
  'snow',
  'wind',
  'western',
  'sou',
  'school',
  'closing',
  'delay',
  'wednesday',
  'april',
  'school',
  'closing',
  'delay',
  'wednesday',
  'april',
  'list',
  'information',
  'government',
  'office',
  'opening',
  'wednesday',
  'government',
  'office',
  'opening',
  'wednesday',
  'time',
  'road',
  'crew',
  'copyright',
  'rapid',
  'city',
  'journal',
  'main',
  'street',
  'rapid',
  'city',
  'sd',
  'term',
  'use',
  '',
  '',
  'privacy',
  'policy',
  '',
  '',
  'info',
  '',
  '',
  'cookie',
  'preferences',
  'blox',
  'content',
  'management',
  'system',
  'minute',
  'news',
  'device'],
 ['leading',
  'edge',
  'sciencescope',
  'basic',
  'research',
  'innovation',
  'invention',
  'inbox',
  'subscribe',
  'deal',
  'politic',
  'newsletter',
  'analysis',
  'inbox',
  'news',
  'alert',
  'pbs',
  'newshour',
  'turn',
  'desktop',
  'notification',
  'force',
  'alabama',
  'tornado',
  'science',
  'jan',
  'pm',
  'edt',
  'denver',
  'ap',
  'la',
  'nina',
  'weather',
  'pattern',
  'air',
  'gulf',
  'mexico',
  'climate',
  'change',
  'decade',
  'shift',
  'tornado',
  'storm',
  'system',
  'alabama',
  'thursday',
  'meteorologist',
  'start',
  'tornado',
  'year',
  'expert',
  'worry',
  'signal',
  'pattern',
  'year',
  'northern',
  'illinois',
  'university',
  'meteorology',
  'professor',
  'victor',
  'gensini',
  'tornado',
  'pattern',
  'climate',
  'change',
  'dollar',
  'disaster',
  'noaa',
  'gensini',
  'concern',
  'pattern',
  'change',
  'condition',
  'la',
  'nina',
  'cooling',
  'pacific',
  'month',
  'combination',
  'tornado',
  'ingredient',
  'level',
  'time',
  'instability',
  'wind',
  'shear',
  'difference',
  'wind',
  'speed',
  'direction',
  'altitude',
  'time',
  'year',
  'guarantee',
  'harold',
  'brooks',
  'scientist',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'national',
  'severe',
  'storms',
  'laboratory',
  'moisture',
  'storm',
  'system',
  'ingredient',
  'time',
  'year',
  'waviness',
  'jet',
  'stream',
  'river',
  'weather',
  'system',
  'la',
  'nina',
  'winter',
  'gensini',
  'la',
  'nina',
  'winter',
  'tornado',
  'noaa',
  'week',
  'number',
  'tornado',
  'la',
  'nina',
  'year',
  '%',
  'tornado',
  'january',
  'type',
  'setup',
  'gensini',
  'moisture',
  'tornado',
  'tornado',
  'havoc',
  'jonesboro',
  'arkansas',
  'photo',
  'said',
  'said',
  'triples',
  's',
  'phone',
  'computer',
  'repair',
  'reuters',
  'air',
  'measurement',
  'moisture',
  'alabama',
  'air',
  'time',
  'year',
  'tornado',
  'alley',
  'area',
  'texas',
  'south',
  'dakota',
  'twister',
  'gensini',
  'tornado',
  'air',
  'gulf',
  'mexico',
  'climate',
  'change',
  'signal',
  'gensini',
  'noaa',
  'measurement',
  'water',
  'temperature',
  'gulf',
  'computer',
  'screen',
  'number',
  'degree',
  'celsius',
  'way',
  'time',
  'year',
  'water',
  'air',
  'la',
  'nina',
  'type',
  'system',
  'gulf',
  'mexico',
  'sea',
  'surface',
  'temperature',
  'gensini',
  'air',
  'ramp',
  'mixing',
  'tornado',
  'gensini',
  'tornado',
  'east',
  'decade',
  'pattern',
  'tornado',
  'activity',
  'tornado',
  'tornado',
  'alley',
  'mississippi',
  'river',
  'southeast',
  'study',
  'gensini',
  'brooks',
  'tornado',
  'activity',
  'mississippi',
  'arkansas',
  'tennessee',
  'louisiana',
  'alabama',
  'kentucky',
  'missouri',
  'illinois',
  'indiana',
  'wisconsin',
  'iowa',
  'ohio',
  'michigan',
  'drop',
  'number',
  'tornado',
  'texas',
  'decline',
  'texas',
  'tornado',
  'state',
  'gensini',
  'lab',
  'summer',
  'vulnerability',
  'effect',
  'tornado',
  'east',
  'area',
  'brooks',
  'gensini',
  'tornado',
  'alley',
  'tornado',
  'mile',
  'mile',
  'issue',
  'brooks',
  'case',
  'east',
  'people',
  'building',
  'way',
  'people',
  'way',
  'poverty',
  'southeast',
  'home',
  'population',
  'place',
  'tornado',
  'brooks',
  'storm',
  'track',
  'route',
  'storm',
  'wind',
  'weather',
  'condition',
  'east',
  'tornado',
  'day',
  'night',
  'people',
  'warning',
  'gensini',
  'larry',
  'fondren',
  'rubble',
  'home',
  'tree',
  'tornado',
  'home',
  'home',
  'akron',
  'hale',
  'county',
  'alabama',
  'u.s.',
  'january',
  'photo',
  'gary',
  'cosby',
  'jr./usa',
  'today',
  'network',
  'reuters',
  'tornado',
  'death',
  'toll',
  'alabama',
  'georgia',
  'kim',
  'chandler',
  'jeff',
  'martin',
  'associated',
  'press',
  'listen',
  'nasa',
  'year',
  'record',
  'associated',
  'press',
  'weather',
  'americans',
  'isabella',
  'isaacs',
  'thomas',
  'inbox',
  'subscribe',
  'deal',
  'politic',
  'newsletter',
  'analysis',
  'inbox',
  'climate',
  'change',
  'weather',
  'event',
  'newshour',
  'productions',
  'llc',
  'rights',
  'deal',
  'politic',
  'newsletter',
  'inbox',
  'journalism',
  'friends',
  'newshour'],
 ['sign',
  'offers',
  'kennebec',
  'journal',
  'morning',
  'sentinel',
  'kennebec',
  'journal',
  'kennebec',
  'journal',
  'morning',
  'sentinel',
  'local',
  'state',
  'news',
  'maine',
  'crime',
  'arrest',
  'logs',
  'kennebec',
  'journal',
  'morning',
  'sentinel',
  'news',
  'columnists',
  'business',
  'politics',
  'nation',
  'world',
  'purchase',
  'photos',
  'epapers',
  'varsity',
  'maine',
  'sport',
  'athlete',
  'week',
  'college',
  'purchase',
  'photos',
  'outdoors',
  'editorials',
  'opinion',
  'letters',
  'editor',
  'op',
  'ed',
  'columnists',
  'community',
  'submit',
  'community',
  'news',
  'celebration',
  'life',
  'thing',
  'guides',
  'arts',
  'entertainment',
  'food',
  'books',
  'events',
  'daily',
  'crossword',
  'daily',
  'sudoku',
  'puzzles',
  'games',
  'event',
  'calendar',
  'event',
  'special',
  'sections',
  'kennebec',
  'journal',
  'morning',
  'sentinel',
  'kennebec',
  'journal',
  'kennebec',
  'journal',
  'morning',
  'sentinel',
  'subscribe',
  'year',
  'local',
  'state',
  'news',
  'maine',
  'crime',
  'arrest',
  'logs',
  'kennebec',
  'journal',
  'morning',
  'sentinel',
  'news',
  'columnists',
  'business',
  'politics',
  'nation',
  'world',
  'purchase',
  'photos',
  'epapers',
  'varsity',
  'maine',
  'sport',
  'athlete',
  'week',
  'college',
  'purchase',
  'photos',
  'outdoors',
  'editorials',
  'opinion',
  'letters',
  'editor',
  'op',
  'ed',
  'columnists',
  'community',
  'submit',
  'community',
  'news',
  'celebration',
  'life',
  'thing',
  'guides',
  'arts',
  'entertainment',
  'food',
  'books',
  'events',
  'daily',
  'crossword',
  'daily',
  'sudoku',
  'puzzles',
  'games',
  'event',
  'calendar',
  'event',
  'special',
  'sections',
  'commentary',
  'climate',
  'crisis',
  'maine',
  'storm',
  'century',
  'mills',
  'administration',
  'year',
  'climate',
  'plan',
  'support',
  'level',
  'moment',
  'kathleen',
  'meilfrom',
  'press',
  'herald',
  'share',
  'article',
  'article',
  'gift',
  'article',
  'month',
  'link',
  'account',
  'article',
  'link',
  'error',
  'gift',
  'article',
  'press',
  'herald',
  'subscription',
  'article',
  'month',
  'subscribe',
  'today',
  'subscription',
  'subscription',
  'page',
  'gift',
  'article',
  'press',
  'herald',
  'subscription',
  'article',
  'month',
  'subscribe',
  'today',
  'subscriber',
  'sign',
  'mainer',
  'storm',
  'winter',
  'shovel',
  'snowblower',
  'gas',
  'tank',
  'bread',
  'milk',
  'hand',
  'snowstorm',
  'wave',
  'car',
  'beach',
  'avenue',
  'kennebunk',
  'hour',
  'tide',
  'morning',
  'dec.',
  'impact',
  'increase',
  'sea',
  'surface',
  'temperature',
  'sea',
  'level',
  'dec.',
  'storm',
  'sea',
  'level',
  'surge',
  'tide',
  'gregory',
  'rec',
  'staff',
  'photographer',
  'author',
  'kathleen',
  'meil',
  'director',
  'policy',
  'partnership',
  'maine',
  'conservation',
  'voters',
  'summer',
  'day',
  'fan',
  'coast',
  'season',
  'neighbor',
  'climate',
  'crisis',
  'mainer',
  'disposition',
  'gulf',
  'maine',
  'rate',
  'warming',
  'ocean',
  'ecosystem',
  'datum',
  'year',
  'record',
  'water',
  'coast',
  'sea',
  'level',
  'storm',
  'tick',
  'illness',
  'result',
  'warming',
  'way',
  'life',
  'impact',
  'climate',
  'change',
  'character',
  'maine',
  'forest',
  'coastline',
  'water',
  'farm',
  'ecosystem',
  'working',
  'water',
  'land',
  'risk',
  'climate',
  'change',
  'ability',
  'carbon',
  'tool',
  'effect',
  'crisis',
  'storm',
  'horizon',
  'action',
  'heart',
  'approach',
  'strategy',
  'maine',
  'year',
  'climate',
  'plan',
  'mills',
  'administration',
  'december',
  'strategy',
  'momentum',
  'emission',
  'energy',
  'maine',
  'infrastructure',
  'environment',
  'harm',
  'climate',
  'change',
  'fact',
  'progress',
  'energy',
  'economy',
  'cost',
  'deployment',
  'technology',
  'wind',
  'generation',
  'energy',
  'storage',
  'track',
  '%',
  'maine',
  'electricity',
  'source',
  'advertisement',
  'storm',
  'magnitude',
  'hand',
  'deck',
  'maine',
  'transition',
  'energy',
  'cooperation',
  'stakeholder',
  'state',
  'government',
  'sector',
  'individual',
  'research',
  'development',
  'technology',
  'energy',
  'efficiency',
  'conservation',
  'participation',
  'education',
  'support',
  'level',
  'climate',
  'bill',
  'book',
  'climate',
  'action',
  'investment',
  'history',
  'inflation',
  'reduction',
  'act',
  'support',
  'climate',
  'resilience',
  'priority',
  'dozen',
  'tax',
  'provision',
  'family',
  'money',
  'energy',
  'bill',
  'deployment',
  'energy',
  'vehicle',
  'building',
  'manufacturing',
  'goal',
  'maine',
  'electricity',
  'renewable',
  'bipartisan',
  'infrastructure',
  'law',
  'maine',
  'fund',
  'grid',
  'vehicle',
  'charging',
  'infrastructure',
  'home',
  'weatherization',
  'transportation',
  'option',
  'transition',
  'energy',
  'support',
  'month',
  'biden',
  'harris',
  'administration',
  'maine',
  'strategy',
  'climate',
  'pollution',
  'energy',
  'economy',
  'program',
  'planning',
  'resource',
  'state',
  'agency',
  'solution',
  'people',
  'climate',
  'pollution',
  'advance',
  'justice',
  '\u200b\u200befficiency',
  'maine',
  'weatherization',
  'program',
  'funding',
  'maine',
  'jobs',
  'recovery',
  'plan',
  'weatherization',
  'energy',
  'efficiency',
  'incentive',
  'county',
  'school',
  'building',
  'implementation',
  'piece',
  'legislation',
  'beginning',
  'climate',
  'crisis',
  'storm',
  'century',
  'maine',
  'support',
  'level',
  'moment',
  'success',
  'page',
  'page',
  'second',
  'page',
  'email',
  'password',
  'comment',
  'password',
  'commenting',
  'profile',
  'story',
  'commenting',
  'profile',
  'profile',
  'addition',
  'subscription',
  'website',
  'login',
  'commenting',
  'profile',
  'login',
  'email',
  'registration',
  'commenting',
  'profile',
  'email',
  'address',
  'password',
  'display',
  'email',
  'registration',
  'display',
  'screen',
  'email',
  'address',
  'discussion',
  'subscriber',
  'comment',
  'access',
  'form',
  'password',
  'account',
  'email',
  'email',
  'reset',
  'code',
  'maine',
  'compass',
  'reader',
  'column',
  'word',
  'author',
  'address',
  'daytime',
  'phone',
  'column',
  'length',
  'content',
  'madison',
  'man',
  'raft',
  'west',
  'branch',
  'penobscot',
  'river',
  'nurse',
  'patient',
  'waterville',
  'facility',
  'medication',
  'felony',
  'level',
  'charge',
  'law',
  'dollar',
  'pocket',
  'income',
  'mainers',
  'waterville',
  'court',
  'hearing',
  'mount',
  'vernon',
  'girl',
  'time',
  'adult',
  'child',
  'suv',
  'route',
  'vassalboro',
  'contact',
  'general',
  'contact',
  'information',
  'staff',
  'directory',
  'letter',
  'editor',
  'news',
  'tip',
  'faqs',
  'work',
  'subscriber',
  'subscriber',
  'resources',
  'account',
  'log',
  'delivery',
  'issue',
  'subscriber',
  'benefits',
  'epapers',
  'mobile',
  'apps',
  'email',
  'newsletters',
  'facebook',
  'twitter',
  'advertise',
  'media',
  'kit',
  'contact',
  'advertising',
  'ads',
  'obituary',
  'events',
  'community',
  'voices',
  'business',
  'breakfast',
  'forums',
  'source',
  'maine',
  'sustainability',
  'awards',
  'maine',
  'voices',
  'live',
  'network',
  'pressherald.com',
  'sunjournal.com',
  'timesrecord.com',
  'forecasters',
  'varsity',
  'maine',
  'privacy',
  'policy',
  'cookie',
  'policy',
  'terms',
  'service',
  'commenting',
  'terms',
  'public',
  'notices',
  'archive',
  'merch',
  'store',
  'photo',
  'store',
  '',
  '',
  'rights',
  'reserved',
  'kennebec',
  'journal',
  'morning',
  'sentinel'],
 ['search',
  'homepage',
  'local',
  'news',
  'videos',
  'national',
  'news',
  'politics',
  'fact',
  'hot',
  'seat',
  'matter',
  'fact',
  'local',
  'investigate',
  'weather',
  'radar',
  'hurricanes',
  'alerts',
  'map',
  'room',
  'future',
  'traffic',
  'road',
  'patrol',
  'difference',
  'sports',
  'saints',
  'pelicans',
  'lagniappe',
  'entertainment',
  'carnival',
  'central',
  'state',
  'addiction',
  'news',
  'summer',
  'savings',
  'upload',
  'project',
  'community',
  'news',
  'team',
  'contests',
  'contact',
  'advertise',
  'wdsu',
  'coupons',
  'care',
  'metv',
  'privacy',
  'notice',
  'terms',
  'use',
  'press',
  'type',
  'search',
  'louisiana',
  'threat',
  'hurricane',
  'season',
  'intensification',
  'pm',
  'cdt',
  'jun',
  'louisiana',
  'threat',
  'hurricane',
  'season',
  'intensification',
  'pm',
  'cdt',
  'jun',
  'got',
  'problem',
  'storms',
  'rapidly',
  'gulf',
  'mexico',
  'people',
  'time',
  'react',
  'ida',
  'zeta',
  'laura',
  'michael',
  'harvey',
  'common',
  'rapidly',
  'landfall',
  'fact',
  'didn’t',
  'exist',
  'tropical',
  'storms',
  'day',
  'landfall',
  'gulf',
  'coast',
  'short',
  'fuze',
  'hurricane',
  'event',
  'conform',
  'landfall',
  'day',
  'gulf',
  'mexico',
  'hotbed',
  'rapid',
  'intensifying',
  'ocean',
  'increase',
  'storm',
  'wind',
  '35mph',
  'hour',
  'ida',
  'category',
  'hurricane',
  'major',
  'hurricane',
  'day',
  'tropical',
  'systems',
  'undergo',
  'process',
  'young',
  'storms',
  'stages',
  'account',
  'environment',
  'warm',
  'water',
  'ocean',
  'tropical',
  'system',
  'disorganized',
  'ragtag',
  'group',
  'storms',
  'major',
  'hurricane',
  'day',
  'time',
  'react',
  'people',
  'eye',
  'waves',
  'africa',
  'atlantic',
  'head',
  'west',
  'old',
  'storms',
  'storms',
  'start',
  'old',
  'harder',
  'rapidly',
  'intensify',
  'problem',
  'lately',
  'hurricanes',
  'fire',
  'gulf',
  'mexico',
  'quickly',
  'onshore',
  'friction',
  'doesn’t',
  'slow',
  'marshy',
  'warm',
  'water',
  'fuel',
  'hurricane',
  'ida',
  'cat',
  'homa',
  'category',
  'laplace',
  'best',
  'thing',
  'prepare',
  'piece',
  'advice',
  'don’t',
  'wait',
  'minute',
  'start',
  'supply',
  'time',
  'don’t',
  'wait',
  'minute',
  'personally',
  'stressed',
  'hurricane',
  'bearing',
  'prepared',
  'plan',
  'alerts',
  'breaking',
  'update',
  'email',
  'inbox',
  'louisiana',
  'threat',
  'hurricane',
  'season',
  'intensification',
  'pm',
  'cdt',
  'jun',
  'hurricane',
  'doorstep',
  'year',
  'meteorologist',
  'devon',
  'lucie',
  'intensification',
  'process',
  'ida',
  'zeta',
  'laura',
  'michael',
  'harvey',
  'landfall',
  'fact',
  'storm',
  'day',
  'landfall',
  'mike',
  'brennan',
  'director',
  'national',
  'hurricane',
  'center',
  'gulf',
  'coast',
  'hurricane',
  'event',
  'landfall',
  'day',
  'brennan',
  'gulf',
  'mexico',
  'hotbed',
  'rapid',
  'intensification',
  'increase',
  'storm',
  'wind',
  'mph',
  'hour',
  'system',
  'process',
  'storm',
  'robbie',
  'berg',
  'hurricane',
  'specialist',
  'national',
  'hurricane',
  'center',
  'stage',
  'account',
  'environment',
  'water',
  'ocean',
  'berg',
  'system',
  'rag',
  'tag',
  'group',
  'storm',
  'hurricane',
  'day',
  'time',
  '"when',
  'storm',
  'berg',
  'problem',
  'hurricane',
  'gulf',
  'mexico',
  'shore',
  'friction',
  'land',
  'water',
  'hurricane',
  'ida',
  'category',
  'houma',
  'category',
  'laplace',
  'thing',
  'piece',
  'advice',
  'minute',
  'supply',
  'time',
  'minute',
  'hurricane',
  'berg',
  'plan',
  'moment',
  'notice',
  'orleans',
  'hurricane',
  'doorstep',
  'year',
  'meteorologist',
  'devon',
  'lucie',
  'intensification',
  'process',
  'ida',
  'zeta',
  'laura',
  'michael',
  'harvey',
  'landfall',
  'fact',
  'storm',
  'day',
  'landfall',
  'mike',
  'brennan',
  'director',
  'national',
  'hurricane',
  'center',
  'gulf',
  'coast',
  'hurricane',
  'event',
  'landfall',
  'day',
  'brennan',
  'gulf',
  'mexico',
  'hotbed',
  'rapid',
  'intensification',
  'increase',
  'storm',
  'wind',
  'mph',
  'hour',
  'system',
  'process',
  'storm',
  'robbie',
  'berg',
  'hurricane',
  'specialist',
  'national',
  'hurricane',
  'center',
  'stage',
  'account',
  'environment',
  'water',
  'ocean',
  'berg',
  'system',
  'rag',
  'tag',
  'group',
  'storm',
  'hurricane',
  'day',
  'time',
  '"when',
  'storm',
  'berg',
  'problem',
  'hurricane',
  'gulf',
  'mexico',
  'shore',
  'friction',
  'land',
  'water',
  'hurricane',
  'ida',
  'category',
  'houma',
  'category',
  'laplace',
  'thing',
  'piece',
  'advice',
  'minute',
  'supply',
  'time',
  'minute',
  'hurricane',
  'berg',
  'plan',
  'moment',
  'notice',
  'mattel',
  'barbie',
  'movie',
  'dolls',
  'margot',
  'robbie',
  'ryan',
  'gosling',
  'barbie',
  'movie',
  'amazon',
  'shop',
  'pink',
  'fantastic',
  'merch',
  'contact',
  'news',
  'team',
  'apps',
  'social',
  'email',
  'alerts',
  'careers',
  'internships',
  'digital',
  'advertising',
  'terms',
  'conditions',
  'broadcast',
  'terms',
  'conditions',
  'rss',
  'eeo',
  'captioning',
  'contacts',
  'public',
  'inspection',
  'file',
  'public',
  'file',
  'assistance',
  'fcc',
  'applications',
  'news',
  'policy',
  'statements',
  'hearst',
  'television',
  'affiliate',
  'marketing',
  'program',
  'commission',
  'product',
  'link',
  'retailer',
  'site',
  'hearst',
  'television',
  'inc.',
  'behalf',
  'wdsu',
  'tv',
  'privacy',
  'notice',
  'california',
  'privacy',
  'rights',
  'interest',
  'ads',
  'terms',
  'use',
  'site',
  'map'],
 ['education',
  'columbia',
  'crime',
  'jefferson',
  'city',
  'missouri',
  'world',
  'voice',
  'vote',
  'app',
  'question',
  'day',
  'abc',
  'stormtrack',
  'doppler',
  'radar',
  'abc',
  'stormtrack',
  'insider',
  'blog',
  'abc',
  'stormtrack',
  'weather',
  'alert',
  'day',
  'forecast',
  'cameras',
  'closing',
  'delay',
  'apps',
  'nfl',
  'draft',
  'high',
  'school',
  'sports',
  'mizzou',
  'tigers',
  'sportszone',
  'football',
  'friday',
  'sportszone',
  'basketball',
  'election',
  'missouri',
  'politics',
  'columbia',
  'city',
  'government',
  'jefferson',
  'city',
  'government',
  'health',
  'wellness',
  'healthy',
  'living',
  'house',
  'home',
  'money',
  'taxes',
  'kmiz',
  'explore',
  'local',
  'jobs',
  'intern',
  'kmiz',
  'app',
  'team',
  'contact',
  'jobs',
  'internship',
  'captioning',
  'eeo',
  'public',
  'fcc',
  'public',
  'file',
  'tv',
  'listing',
  'heat',
  'condition',
  'rest',
  'week',
  'battle',
  'search',
  'football',
  'coach',
  'dubinski',
  'ashcroft',
  'ballot',
  'language',
  'judge',
  'lawsuit',
  'abortion',
  'petition',
  'habitat',
  'humanity',
  'boone',
  'county',
  'arpa',
  'fund',
  'bbb',
  'hvac',
  'scam',
  'rise',
  'heat',
  'school',
  'practice',
  'parts',
  'missouri',
  'storm',
  'damage',
  'weather',
  'state',
  'kmizstorm',
  'damage',
  'linn',
  'county',
  'kmizstorm',
  'damage',
  'linn',
  'county',
  'chanel',
  'porter',
  'hannah',
  'falcon',
  'john',
  'ross',
  'share',
  'facebookshare',
  'twitter',
  'share',
  'linkedin',
  'linn',
  'county',
  'mo.',
  'kmiz',
  'missouri',
  'storm',
  'damage',
  'sunday',
  'night',
  'weather',
  'way',
  'state',
  'storm',
  'missouri',
  'east',
  'mid',
  '-',
  'missouri',
  'tornado',
  'watch',
  'effect',
  'area',
  'p.m.',
  'mode',
  'weather',
  'table',
  'hail',
  'wind',
  'tornado',
  'flash',
  'flooding',
  'rainfall',
  'range',
  'storm',
  'hail',
  'wind',
  'tornado',
  'missouri',
  'sunday',
  'evening',
  'abc',
  'stormtrack',
  'team',
  'storm',
  'damage',
  'purdin',
  'missouri',
  'linn',
  'county',
  'missouri',
  'energy',
  'propane',
  'debris',
  'tree',
  'tree',
  'limb',
  'roof',
  'shingle',
  'ground',
  'structure',
  'structure',
  'frame',
  'wind',
  'abc',
  'crew',
  'onsight',
  'damage',
  'crew',
  'information',
  'situation',
  'tornado',
  'warning',
  'p.m.',
  'linn',
  'county',
  'time',
  'publication',
  'sight',
  'storm',
  'information',
  'sunday',
  'night',
  'storm',
  'abc',
  'weather',
  'alert',
  'blog',
  'chanel',
  'abc',
  'news',
  'january',
  'penn',
  'state',
  'university',
  'coffee',
  'hannah',
  'abc',
  'news',
  'team',
  'houston',
  'texas',
  'june',
  'texas',
  'a&m',
  'university',
  'editor',
  'school',
  'newspaper',
  'kprc',
  'houston',
  'hannah',
  'semester',
  'washington',
  'd.c.',
  'reporting',
  'battle',
  'search',
  'football',
  'coach',
  'dubinski',
  'ashcroft',
  'ballot',
  'language',
  'judge',
  'lawsuit',
  'abortion',
  'petition',
  'habitat',
  'humanity',
  'boone',
  'county',
  'arpa',
  'fund',
  'bbb',
  'hvac',
  'scam',
  'rise',
  'conversation',
  'abc',
  'news',
  'forum',
  'conversation',
  'comment',
  'community',
  'guidelines',
  'story',
  'idea',
  'term',
  'service',
  '',
  '',
  'privacy',
  'policy',
  'community',
  'guidelines',
  'kmiz',
  'tv',
  'fcc',
  'public',
  'file',
  'fcc',
  'applications',
  '',
  '',
  'personal',
  'information',
  'email',
  'list',
  'news',
  'severe',
  'weather',
  'daily',
  'news',
  'weather',
  'contests',
  'promotions',
  'apps',
  'android',
  'networks',
  'mid',
  '-',
  'missouri',
  'columbia',
  'mo',
  'usa'],
 ['news',
  'sports',
  'counties',
  'business',
  'music',
  'advertise',
  'obituaries',
  'enewspaper',
  'legals',
  'weatherhurricane',
  'ian',
  'nashville',
  'middle',
  'tennessee',
  'rachel',
  'wegnernashville',
  'tennesseanhurricane',
  'ian',
  'florida',
  'category',
  'storm',
  'wednesdayremnants',
  'storm',
  'south',
  'weekend',
  'tennesseemiddle',
  'tennessee',
  'impactsas',
  'hurricane',
  'ian',
  'landfall',
  'remnant',
  'south',
  'weekend',
  'storm',
  'landfall',
  'florida',
  'wednesday',
  'category',
  'hurricane',
  'storm',
  'florida',
  'category',
  'hurricane',
  'landfall',
  'south',
  'carolina',
  'friday',
  'east',
  'tennessee',
  'quarter',
  'inch',
  'rain',
  'storm',
  'forecaster',
  'nashville',
  'edge',
  'middle',
  'tennessee',
  '"saturday',
  'sunday',
  'portion',
  'cumberland',
  'plateau',
  'shower',
  'national',
  'weather',
  'service',
  'nashville',
  'meteorologist',
  'caroline',
  'adcock',
  'rest',
  'region',
  'inch',
  'plateau',
  'hurricane',
  "ian:'herculean",
  'effort',
  'floridians',
  'ian',
  'south',
  'carolinaforecast',
  'hurricane',
  'ian',
  'remnant',
  'east',
  'tennesseehurricane',
  'ian',
  'rain',
  'total',
  'east',
  'tennessee',
  'saturday',
  'afternoon',
  'nws',
  'morristown',
  'friday',
  'morning',
  'forecast',
  'nws',
  'area',
  'kingston',
  'quarter',
  'inch',
  'rain',
  'inch',
  'knoxville',
  'inch',
  'area',
  'kingsport',
  'johnson',
  'city',
  'weekend',
  'hurricane',
  'ian',
  'forecastfriday',
  'wind',
  'mph',
  'directory',
  'careers',
  'accessibility',
  'support',
  'site',
  'map',
  'legals',
  'ethical',
  'principles',
  'subscription',
  'terms',
  'conditions',
  'terms',
  'service',
  'privacy',
  'policy',
  'california',
  'privacy',
  'rights',
  'privacy',
  'policydo',
  'sell',
  'share',
  'target',
  'infocookie',
  'settingscontact',
  'support',
  'local',
  'business',
  'business',
  'advertising',
  'terms',
  'conditions',
  'event',
  'buy',
  'sell',
  'help',
  'center',
  'tennessean',
  'store',
  'licensing',
  'reprints',
  'subscriber',
  'guide',
  'account',
  'eventssubscribe',
  'today',
  'newsletters',
  'mobile',
  'app',
  'facebook',
  'twitter',
  'enewspaper',
  'storytellers',
  'archives',
  'rss',
  'feedsjobs',
  'cars',
  'homes',
  'classifieds',
  'education',
  'moonlighting',
  'localiq',
  'digital',
  'marketing',
  'solutions',
  'event',
  'right'],
 ['ie',
  'experience',
  'site',
  'browser',
  'skip',
  'news',
  'newsworldbusinesshealthvideoculture',
  'trendsnbc',
  'news',
  'tiplineshare',
  'save',
  'newsmanage',
  'profileemail',
  'preferencessign',
  'outsearchsearchprofile',
  'newssign',
  'sign',
  'increate',
  'profilesectionsu.s.',
  'newspoliticsworldlocalbusinesshealthinvestigationsculture',
  'trendssciencesportstech',
  'mediavideo',
  'featuresphotosweathernbc',
  'selectdecision',
  'blknbc',
  'newsmsnbcmeet',
  'pressdatelinefeaturednbc',
  'news',
  'nowbetternightly',
  'filmsstay',
  'tunedspecial',
  'featuresnewsletterspodcastslisten',
  'nowmore',
  'nbccnbcnbc.comnbcu',
  'learnpeacocknext',
  'steps',
  'vetsparent',
  'news',
  'site',
  'maphelpfollow',
  'nbc',
  'newssearchsearchfacebooktwitteremailsmsprintwhatsappredditpocketflipboardpinterestlinkedinweather1',
  'storm',
  'death',
  'st.',
  'charles',
  'parish',
  'number',
  'people',
  'weather',
  'state',
  'tuesday',
  'tornado',
  'louisiana',
  'weather',
  'east01:45get',
  'news',
  'nowprintdec',
  '.',
  'pm',
  'utc',
  'dec.',
  'minyvonne',
  'burke',
  'tim',
  'stelloh',
  'phil',
  'helselone',
  'person',
  'storm',
  'tornado',
  'louisiana',
  'authority',
  'wednesday',
  'damage',
  'area',
  'new',
  'orleans',
  'woman',
  'residence',
  'st.',
  'charles',
  'parish',
  'tornado',
  'damage',
  'area',
  'killona',
  'montz',
  'sheriff',
  'greg',
  'champagne',
  'home',
  'sheriff',
  'office',
  'firing',
  'range',
  'mile',
  'tornado',
  'champagne',
  'tornado',
  'ef-2',
  'wind',
  'speed',
  'mph',
  'national',
  'weather',
  'service',
  'thursday',
  'death',
  'st.',
  'charles',
  'parish',
  'number',
  'people',
  'weather',
  'state',
  'tuesday',
  'st.',
  'bernard',
  'parish',
  'official',
  'tornado',
  'damage',
  'ef-2',
  'arabi',
  'community',
  'new',
  'orleans',
  'lower',
  'ward',
  'sheriff',
  'office',
  'jefferson',
  'parish',
  'tornado',
  'damage',
  'home',
  'business',
  'tornado',
  'wind',
  'speed',
  'mph',
  'weather',
  'service',
  'image',
  'facebook',
  'page',
  'jefferson',
  'parish',
  'sheriff',
  'office',
  'training',
  'facility',
  'harvey',
  'west',
  'bank',
  'mississippi',
  'river',
  'sheriff',
  'office',
  'gretna',
  'city',
  'jefferson',
  'parish',
  'people',
  'injury',
  'hospital',
  'official',
  'death',
  'mayor',
  'belinda',
  'constant',
  'structure',
  'atmos',
  'energy',
  'employee',
  'check',
  'gas',
  'line',
  'wednesday',
  'tornado',
  'area',
  'killona',
  'st.',
  'james',
  'parish',
  'la.',
  'gerald',
  'herbert',
  'ap"building',
  'people',
  'place',
  'constant',
  'tornado',
  'gretna',
  'arabi',
  'arabi',
  'tornado',
  'area',
  'tornado',
  'march',
  'person',
  'structure',
  'death',
  'injury',
  'wednesday',
  'tornado',
  'st.',
  'bernard',
  'parish',
  'president',
  'guy',
  'mcinnis',
  'people',
  'damage',
  'rooftop',
  'mcinnis',
  'damage',
  'people',
  'distress',
  'mcinnis',
  'news',
  'conference',
  'street',
  'care',
  'problem',
  'customer',
  'power',
  'wednesday',
  'night',
  'state',
  'utility',
  'tracking',
  'website',
  'poweroutage.us',
  'tornado',
  'new',
  'iberia',
  'couple',
  'hour',
  'new',
  'orleans',
  'people',
  'home',
  'police',
  'national',
  'weather',
  'service',
  'lake',
  'charles',
  'chelsi',
  'bovie',
  'niece',
  'dog',
  'home',
  'tornado',
  'area',
  'killona',
  'la.',
  'wednesday',
  'gerald',
  'herbert',
  'apthe',
  'tornado',
  'southport',
  'subdivision',
  'area',
  'a.m.',
  'nws',
  'spokesperson',
  'storm',
  'survey',
  'strength',
  'police',
  'spokesperson',
  'video',
  'update',
  'p.m.',
  'building',
  'structure',
  'fatality',
  'injury',
  'individual',
  'hospital',
  'spokesperson',
  'p.m.',
  'weather',
  'service',
  'new',
  'orleans',
  'tornado',
  'threat',
  'threat',
  'weather',
  'tuesday',
  'storm',
  'boy',
  'mother',
  'state',
  'official',
  'wednesday',
  'nikolus',
  'little',
  'mother',
  'yoshiko',
  'smith',
  'caddo',
  'parish',
  'sheriff',
  'office',
  'tornado',
  'home',
  'keithville',
  'nikolus',
  'wood',
  'mother',
  'body',
  'hour',
  'pile',
  'debris',
  'sheriff',
  'office',
  'people',
  'condition',
  'shreveport',
  'injury',
  'farmerville',
  'louisiana',
  'texas',
  'tornado',
  'city',
  'grapevine',
  'weather',
  'service',
  'information',
  'tornado',
  'north',
  'texas',
  'minyvonne',
  'burkeminyvonne',
  'burke',
  'news',
  'reporter',
  'nbc',
  'news',
  'tim',
  'stellohtim',
  'stelloh',
  'news',
  'reporter',
  'nbc',
  'news',
  'digital',
  'phil',
  'helselphil',
  'helsel',
  'reporter',
  'nbc',
  'news',
  'aboutcontacthelpcareersad',
  'choicesprivacy',
  'policydo',
  'informationca',
  'noticenew',
  'terms',
  'service',
  'july',
  'news',
  'sitemapadvertiseselect',
  'shoppingselect',
  'personal',
  'finance',
  'nbc',
  'universalnbc',
  'news',
  'logomsnbc',
  'logotoday',
  'logo'],
 ['news',
  'local',
  'update',
  'storm',
  'snow',
  'power',
  'voting',
  'view',
  'photo',
  'gallery',
  'tree',
  'worker',
  'branch',
  'power',
  'line',
  'weight',
  'north',
  'springs',
  'street',
  'concord',
  'tuesday',
  'power',
  'outage',
  'region',
  'storm',
  'geoff',
  'forester',
  'photo',
  'monitor',
  'staff',
  'dunbarton',
  'voter',
  'snow',
  'elementary',
  'school',
  'tuesday',
  'morning',
  'dunbarton',
  'voter',
  'snow',
  'elementary',
  'school',
  'tuesday',
  'morning',
  'march',
  'geoff',
  'forester',
  'monitor',
  'staff',
  'new',
  'hampshire',
  'dot',
  'truck',
  'clinton',
  'street',
  'spinout',
  'tuesday',
  'morning',
  'march',
  'geoff',
  'forester',
  'monitor',
  'staff',
  'new',
  'hampshire',
  'department',
  'transportation',
  'truck',
  'clinton',
  'street',
  'tuesday',
  'morning',
  'march',
  'geoff',
  'forester',
  'monitor',
  'staff',
  'new',
  'hampshire',
  'department',
  'transportation',
  'truck',
  'clinton',
  'street',
  'tuesday',
  'morning',
  'march',
  'geoff',
  'forester',
  'monitor',
  'staff',
  'boscawen',
  'board',
  'candidate',
  'gary',
  'tillman',
  'snow',
  'boscawen',
  'town',
  'hall',
  'tuesday',
  'march',
  'geoff',
  'forester',
  'monitor',
  'staff',
  'boscawen',
  'board',
  'candidate',
  'gary',
  'tillman',
  'snow',
  'boscawen',
  'town',
  'hall',
  'tuesday',
  'march',
  'geoff',
  'forester',
  'monitor',
  'staff',
  'kim',
  'kenney',
  'boscawen',
  'voter',
  'ballot',
  'hour',
  'voting',
  'library',
  'tuesday',
  'morning',
  'march',
  'boscawen',
  'town',
  'meeting',
  'voting',
  'geoff',
  'forester',
  'monitor',
  'staff',
  'state',
  'worker',
  'sidewalk',
  'new',
  'hampshire',
  'state',
  'library',
  'march',
  'geoff',
  'forester',
  'monitor',
  'staff',
  'dunbarton',
  'elementary',
  'school',
  'gym',
  'sparce',
  'tuesday',
  'morning',
  'voter',
  'person',
  'spring',
  'storm',
  'geoff',
  'forester',
  'monitor',
  'staff',
  'snow',
  'tree',
  'limb',
  'house',
  'downtown',
  'dunbarton',
  'tuesday',
  'morning',
  'march',
  'geoff',
  'forester',
  'monitor',
  'staff',
  'snow',
  'tree',
  'limb',
  'route',
  'dunbarton',
  'tuesday',
  'morning',
  'march',
  'geoff',
  'forester',
  'monitor',
  'staff',
  'boscawen',
  'board',
  'candidate',
  'gary',
  'tillman',
  'snow',
  'boscawen',
  'town',
  'hall',
  'tuesday',
  'tree',
  'limb',
  'telephone',
  'wire',
  'route',
  'dunbarton',
  'left',
  'new',
  'hampshire',
  'dot',
  'truck',
  'clinton',
  'street',
  'spinout',
  'geoff',
  'forester',
  'monitor',
  'staff',
  'day',
  'snow',
  'town',
  'meeting',
  'activity',
  'new',
  'hampshire',
  'ballot',
  'voting',
  'tuesday',
  'boscawen',
  'loren',
  'martin',
  'gary',
  'tillman',
  'candidate',
  'seat',
  'select',
  'board',
  'library',
  'tuesday',
  'morning',
  'voter',
  'martin',
  'bit',
  'turnout',
  'weather',
  'people',
  '”“it',
  'weather',
  'role',
  'government',
  'process',
  'snow',
  'transplant',
  'tennessee',
  'town',
  'people',
  'town',
  'quality',
  'life',
  'way',
  'londonderry',
  'moderator',
  'jonathan',
  'kipp',
  'resident',
  'element',
  'person',
  'tuesday',
  'morning',
  '“some',
  'new',
  'england',
  'decision',
  'associated',
  'press',
  'town',
  'concord',
  'area',
  'tuesday',
  'voting',
  'people',
  'absentee',
  'ballot',
  'monday',
  'town',
  'town',
  'meeting',
  'tuesday',
  'official',
  'dunbarton',
  'tuesday',
  'morning',
  'legislator',
  'moderator',
  'option',
  'session',
  'storm',
  'town',
  'meeting',
  'day',
  'way',
  'date',
  'storm',
  'path',
  'new',
  'england',
  'new',
  'york',
  'pennsylvania',
  'new',
  'jersey',
  'thousand',
  'customer',
  'electricity',
  'time',
  'tuesday',
  'snow',
  'tree',
  'limb',
  'power',
  'line',
  'accumulation',
  'inch',
  'seacoast',
  'foot',
  'elevation',
  'state',
  'flight',
  'u.s.',
  'tuesday',
  'boston',
  'new',
  'york',
  'city',
  'area',
  'airport',
  'number',
  'flight',
  'flight',
  'tracking',
  'websiteflightaware',
  'delta',
  'air',
  'lines',
  'plane',
  'surface',
  'takeoff',
  'syracuse',
  'new',
  'york',
  'airport',
  'tuesday',
  'morning',
  'airport',
  'elevation',
  'snow',
  'authority',
  'resident',
  'area',
  'flooding',
  'rain',
  'national',
  'weather',
  'service',
  'new',
  'york',
  'wind',
  'gust',
  'mph',
  'long',
  'island',
  'connecticut',
  'associated',
  'press',
  'article',
  'concord',
  'monitor',
  'today',
  'roof',
  'repair',
  'dunbarton',
  'town',
  'office',
  'building',
  'dunbarton',
  'town',
  'office',
  'roof',
  'restoration',
  'worker',
  'shingle',
  'roof',
  'week',
  'concord',
  'man',
  'saturday',
  'morning',
  'accident',
  'jamie',
  'l.',
  'costa',
  'today',
  'police',
  'year',
  'concord',
  'man',
  'victim',
  'motorcycle',
  'crash',
  'place',
  'saturday',
  'morning',
  'concord',
  'police',
  'allenstown',
  'living',
  'space',
  'community',
  'mike',
  'frascinella',
  'chairman',
  'allenstown',
  'economic',
  'development',
  'committee',
  'member',
  'town',
  'planning',
  'board',
  'tone',
  'hometown',
  'hero',
  'distribution',
  'food',
  'hand',
  'henniker',
  'monica',
  'rico',
  'joan',
  'o’connor',
  'friend',
  'monica',
  'rico',
  'direction',
  'schedule',
  'volunteer',
  'work',
  'dedication',
  'javascript',
  'browser',
  'place',
  'order',
  'page',
  'photo',
  'fotomoto',
  'email',
  'update',
  'email',
  'concord',
  'monitor',
  'daily',
  'headlines',
  'concord',
  'monitor',
  'breaking',
  'news',
  'concord',
  'monitor',
  'dining',
  'entertainment',
  'concord',
  'monitor',
  'report',
  'america',
  'education',
  'concord',
  'monitor',
  'report',
  'america',
  'health',
  'concord',
  'monitor',
  'real',
  'estate',
  'concord',
  'monitor',
  'sports',
  'concord',
  'monitor',
  'suncook',
  'valley',
  'concord',
  'monitor',
  'contests',
  'promotions',
  'concord',
  'monitor',
  'weekly',
  'concord',
  'monitor',
  'granite',
  'geek',
  'concord',
  'monitor',
  'monitor',
  'marquee',
  'concord',
  'monitor',
  'hopkinton',
  'concord',
  'monitor',
  'politics',
  'concord',
  'monitor',
  'concord',
  'concord',
  'monitor',
  'franklin',
  'concord',
  'monitor',
  'nh',
  'news',
  'sport',
  'opinion',
  'monitor',
  'obituary',
  'concord',
  'monitor',
  'obituariestoday',
  'concord',
  'monitor',
  'obituariespossible',
  'location',
  'rundlett',
  'middle',
  'schoolruggles',
  'new',
  'hampshire',
  'attraction',
  'sale',
  'concord',
  'monitor',
  'paper',
  'size',
  'new',
  'england',
  'concord',
  'monitor',
  'terms',
  'conditions',
  'privacy',
  'policy',
  'newspapers',
  'new',
  'england',
  'family',
  'amherst',
  'bulletin',
  'athol',
  'daily',
  'news',
  'daily',
  'hampshire',
  'gazette',
  'greenfield',
  'recorder',
  'monadnock',
  'ledger',
  'transcript',
  'valley',
  'news',
  'valley',
  'advocate',
  'concord',
  'insider',
  'nnedigital',
  'local',
  'state',
  'world',
  'police',
  'fire',
  'business',
  'science',
  'town',
  'town',
  'share',
  'news',
  'tip',
  'reader',
  'services',
  'contact',
  'faq',
  'pay',
  'bill',
  'newsletter',
  'signups',
  'archive',
  'advertise',
  'newspapers',
  'education',
  'contests',
  'celebrations',
  'jobs',
  'autos',
  'real',
  'estate',
  'sales',
  'real',
  'estate',
  'rental',
  'merchandise',
  'corner',
  'cupboard',
  'animals',
  'announcements',
  'services',
  'financial',
  'business',
  'services',
  'public',
  'notices',
  'legals',
  'place',
  'ad',
  'business',
  'directory',
  'real',
  'estate'],
 ['southeast',
  'new',
  'mexico',
  'weather',
  'se',
  'plains',
  'guadalupe',
  'mtn',
  'forecasts',
  'july',
  'ground',
  'fog',
  'hail',
  'drifts',
  'st',
  'hwy',
  'mescalero',
  'apache',
  'indian',
  'reservation',
  'miles',
  'ne',
  'junction',
  'hwy',
  'st',
  'hwy',
  'pea',
  'dime',
  'size',
  'hail',
  'penny',
  'size',
  'stones',
  'silver',
  'lake',
  'campground',
  'mrms',
  'hour',
  'rainfall',
  'totals',
  'mdt',
  'sunday',
  'july',
  'new',
  'mexico',
  'mesowest',
  'hour',
  'rainfall',
  'totals',
  'mdt',
  'sunday',
  'july',
  'weather',
  'underground',
  'hour',
  'rainfall',
  'totals',
  'mdt',
  'sunday',
  'july',
  'grlevelx',
  'radar',
  'cocorahs',
  'hour',
  'rainfall',
  'totals',
  'mdt',
  'sunday',
  'july',
  'nws',
  'albuquerque',
  'hail',
  'rainfall',
  'peak',
  'wind',
  'gust',
  'reports',
  'public',
  'information',
  'statement',
  'national',
  'weather',
  'service',
  'albuquerque',
  'nm',
  'mdt',
  'sun',
  'jul',
  'hail',
  'report',
  'location',
  'size',
  'time',
  'date',
  'new',
  'mexico',
  'harding',
  'county',
  'sse',
  'roy',
  'pm',
  'lincoln',
  'county',
  'nne',
  'alto',
  'pm',
  'ese',
  'alto',
  'link',
  'storm',
  'prediction',
  'center',
  'spc',
  'day',
  'severe',
  'weather',
  'outlook',
  'current',
  'nws',
  'national',
  'watch',
  'warning',
  'effect',
  'click',
  'map',
  'update',
  'eddy',
  'county',
  'plains',
  'guadalupe',
  'mtn',
  'wind',
  'chill',
  'heat',
  'index',
  'temperatures',
  'nws',
  'albuquerque',
  'storm',
  'total',
  'rainfall',
  'forecast',
  'nws',
  'midland',
  'storm',
  'total',
  'rainfall',
  'forecast',
  'nws',
  'el',
  'paso',
  'storm',
  'total',
  'rainfall',
  'artesia',
  'nm',
  'mothership',
  'supercell',
  'thunderstorm',
  'blog',
  'pm',
  'mdt',
  'diane',
  'chase',
  'monster',
  'supercell',
  'saturday',
  'sept',
  'courtesy',
  'diane',
  'j.',
  'malone',
  'wife',
  'diane',
  'old',
  'yo',
  'crossing',
  'rd',
  'south',
  'roswell',
  'monster',
  'supercell',
  'thunderstorm',
  'st.',
  'hwy',
  'photo',
  'near',
  'mile',
  'marker',
  'southeastern',
  'new',
  'mexico',
  'pm',
  'mdt',
  'beast',
  'multiple',
  'wall',
  'clouds',
  'times',
  'slow',
  'rotation',
  'times',
  'ground',
  'hugger',
  'times',
  'storm',
  'south',
  'picacho',
  'northeastward',
  'movement',
  'radar',
  'heading',
  'east',
  'turn',
  'right',
  'mover',
  'southeast',
  'times',
  'moving',
  'southeastward',
  'mph',
  'mph',
  '.',
  'pm',
  'mdt',
  'mile',
  'west',
  'hope',
  'western',
  'eddy',
  'county',
  'hwy',
  'cl',
  'click',
  'link',
  'monster',
  'snowstorm',
  'christmas',
  'weekend',
  'new',
  'mexico',
  'christmas',
  'weekend',
  'new',
  'mexico',
  'sense',
  'humor',
  'weather',
  'place',
  'extreme',
  'example',
  'rest',
  'week',
  'forecast',
  'carlsbad',
  'nws',
  'forecast',
  'carlsbad',
  'new',
  'mexico',
  'temperature',
  'home',
  'yesterday',
  '°',
  'f',
  'weekend',
  'temp',
  'winter',
  'storm',
  'snowstorm',
  'december',
  'december',
  'february',
  'winter',
  'storm',
  'long',
  'range',
  'model',
  'forecast',
  'weekend',
  'storm',
  'morning',
  'mst',
  'european',
  'ecmwf',
  'mb',
  'forecast',
  'mst',
  'sunday',
  'dec',
  'morning',
  'mst',
  'u.s.',
  'gfs',
  'mb',
  'forecast',
  'mst',
  'sunday',
  'dec',
  'click',
  'link',
  'winter',
  'storm',
  'new',
  'mexico',
  'blog',
  'pm',
  'mst',
  'courtesy',
  'glen',
  'brazell',
  'twitter',
  'kerry',
  'jones',
  'ground',
  'ruidoso',
  'nm',
  'downtown',
  'ruidoso',
  'new',
  'mexico',
  'ruidoso',
  'web',
  'cam',
  'snapshot',
  'pm',
  'mst',
  'afternoon',
  'national',
  'weather',
  'service',
  'watches',
  'warning',
  'effect',
  'mst',
  'friday',
  'december',
  'link',
  'map',
  'map',
  'map',
  'area',
  'interest',
  'nws',
  'office',
  'warning',
  'responsibility',
  'location',
  'weather',
  'information',
  'web',
  'page',
  'gfs',
  'millibar',
  'analysis',
  'pm',
  'mst',
  'thursday',
  'evening',
  'midnight',
  'night',
  'moving',
  'level',
  'arizona',
  'gfs',
  'millibar',
  'forecast',
  'pm',
  'mst',
  'today',
  'winter',
  'storm',
  'link',
  'anniversary',
  'carlsbad',
  'nm',
  'tornado',
  'blog',
  'pm',
  'mdt',
  'click',
  'photos',
  'newspaper',
  'article',
  'pm',
  'mdt',
  'f-2',
  'tornado',
  'mile',
  'carlsbad',
  'airport',
  'crow',
  'end',
  'wagonwheel',
  'rd',
  'day',
  'time',
  'resident',
  'newspaper',
  'article',
  'time',
  'report',
  'damage',
  'injury',
  'time',
  'tornado',
  'resident',
  'shock',
  'tornado',
  'dusk',
  'cass',
  'hernandez',
  'carlsbad',
  'airport',
  'security',
  'guard',
  'time',
  'tornado',
  'mile',
  'airport',
  'power',
  'flash',
  'tornado',
  'power',
  'line',
  'transformer',
  'looking',
  'darkness',
  'power',
  'flash',
  'mistaking',
  'tornado',
  'path',
  'red',
  't',
  'click',
  'link',
  'winter',
  'storm',
  'bury',
  'parts',
  'nm',
  'nearby',
  'areas',
  'tonight',
  'wednesday',
  'winter',
  'storm',
  'watches',
  'warning',
  'effect',
  'link',
  'additional',
  'details',
  'u.s.',
  'gfs',
  'storm',
  'snowfall',
  'forecast',
  'pm',
  'mdt',
  'wednesday',
  'today',
  'sunday',
  'noon',
  'mdt',
  'run',
  'gfs',
  'forecast',
  'model',
  'trend',
  'snowfall',
  'total',
  'coverage',
  'run',
  'day',
  'roswell',
  'artesia',
  'clovis',
  'fort',
  'sumner',
  'area',
  'corona',
  'dead',
  'winter',
  'world',
  'october',
  'time',
  'blizzard',
  'december',
  '29th',
  'history',
  'feeling',
  'snowfall',
  'accumulation',
  'se',
  'nm',
  'mountain',
  'gfs',
  'rain',
  'accumulation',
  'forecast',
  'tonight',
  'pm',
  'mdt',
  'wednes',
  'click',
  'link',
  'artesia',
  'nm',
  'skywarn',
  'spotter',
  'training',
  'class',
  'midland',
  'national',
  'weather',
  'service',
  'warning',
  'coordination',
  'meteorologist',
  'pat',
  'vesper',
  'midland',
  'national',
  'weather',
  'service',
  'warning',
  'coordination',
  'meteorologist',
  'pat',
  'vesper',
  'roswell',
  'nm',
  'skywarn',
  'spotter',
  'training',
  'class',
  'albuquerque',
  'national',
  'weather',
  'service',
  'warning',
  'coordination',
  'meteorologist',
  'kerry',
  'jones',
  'albuquerque',
  'national',
  'weather',
  'service',
  'meteorologist',
  'daniel',
  'porter',
  'albuquerque',
  'national',
  'weather',
  'service',
  'meteorologist',
  'daniel',
  'porter',
  'warning',
  'coordination',
  'meteorologist',
  'kerry',
  'jones',
  'eddy',
  'county',
  'skywarn',
  'spotter',
  'training',
  'meeting',
  'artesia',
  'monday',
  'night',
  'total',
  'people',
  'couple',
  'year',
  'class',
  'carlsbad',
  'tuesday',
  'night',
  'people',
  'attendance',
  'people',
  'year',
  'people',
  'eddy',
  'county',
  'skywarn',
  'spotter',
  'pro',
  'click',
  'link',
  'tonight',
  'gfs',
  'drunk',
  'morning',
  'ecmwf',
  'snowstorm',
  'weekend',
  'gfs',
  'drinking',
  'kool',
  'aid',
  'ecmwf',
  'tonight',
  'pm',
  'mst',
  'u.s.',
  'gfs',
  'mb',
  'forecast',
  'mst',
  'sunday',
  'dec',
  'tonight',
  'pm',
  'mst',
  'u.s.',
  'gfs',
  'surface',
  'forecast',
  'valid',
  'pm',
  'mst',
  'saturday',
  'dec',
  'tonight',
  'pm',
  'mst',
  'u.s.',
  'gfs',
  'accumulated',
  'forecast',
  'pm',
  'mst',
  'sunday',
  'dec',
  'u.s.',
  'gfs',
  'day',
  'forecast',
  'albuquerque',
  'new',
  'mexico',
  'clines',
  'corners',
  'new',
  'mexico',
  'cannon',
  'air',
  'force',
  'base',
  'clovis',
  'new',
  'mexico',
  'corona',
  'new',
  'mexico',
  'sierra',
  'blanca',
  'regional',
  'airport',
  'ruidoso',
  'new',
  'mexico',
  'roswell',
  'new',
  'mexico',
  'artesia',
  'new',
  'mexico',
  'carlsbad',
  'new',
  'mexico',
  'hobbs',
  'new',
  'mexico',
  'guadalupe',
  'pass',
  'texas',
  'el',
  'paso',
  'texas',
  'blog',
  'mst',
  'tonight',
  'pm',
  'ecmwf',
  'mb',
  'forecast',
  'pm',
  'mst',
  'sunday',
  'dec',
  'look',
  'tonight',
  'run',
  'model',
  'forecasting',
  'snowfall',
  'total',
  'link',
  'drought',
  'flood',
  'se',
  'nm',
  'blog',
  'pm',
  'mdt',
  'saturday',
  'west',
  'hope',
  'change',
  'tonight',
  'gfs',
  'mb',
  'forecast',
  'pm',
  'mdt',
  'monday',
  'surface',
  'map',
  'analysis',
  'mdt',
  'saturday',
  'morning',
  'temperature',
  'morning',
  'temperature',
  'pm',
  'mdt',
  'afternoon',
  'look',
  'temperature',
  'pm',
  'mdt',
  'saturday',
  'afternoon',
  'southeastern',
  'new',
  'mexico',
  'west',
  'texas',
  'plain',
  'colorado',
  'nebraska',
  'wyoming',
  'montana',
  'nws',
  'mesowest',
  'temperatures',
  'morning',
  'surface',
  'map',
  'forecast',
  'strong',
  'cold',
  'tonight',
  'eastern',
  'plains',
  'new',
  'mexico',
  'tonight',
  'sunday',
  'morning',
  'temperature',
  'plain',
  'click',
  'link',
  'winter',
  'storm',
  'hammer',
  'new',
  'mexico',
  'west',
  'texas',
  'thanksgiving',
  'week',
  'blog',
  'mst',
  'sunday',
  'nov',
  '24th',
  'gfs',
  'mb',
  'analysis',
  'pm',
  'mst',
  'saturday',
  'night',
  'gfs',
  'mb',
  'forecast',
  'pm',
  'mst',
  'tuesday',
  'gfs',
  'mb',
  'forecast',
  'mst',
  'thanksgiving',
  'morning',
  'thanksgiving',
  'thanksgiving',
  'week',
  'year',
  'sunday',
  'morning',
  'cutoff',
  'level',
  'southwest',
  'san',
  'diego',
  'california',
  'storm',
  'southeast',
  'level',
  'trough',
  'pressure',
  'rockies',
  'tuesday',
  'thanksgiving',
  'level',
  'california',
  'model',
  'line',
  'gfs',
  'forecast',
  'difference',
  'timing',
  'strength',
  'location',
  'storm',
  'area',
  'week',
  'surface',
  'm',
  'click',
  'link',
  'heavy',
  'rain',
  'flash',
  'flood',
  'threat',
  'se',
  'nm',
  'w',
  'tx',
  'today',
  'wednesday',
  'nws',
  'ndfd',
  'storm',
  'total',
  'rainfall',
  'forecast',
  'today',
  'pm',
  'mst',
  'thursday',
  'nws',
  'midland',
  'storm',
  'total',
  'rainfall',
  'forecast',
  'thunderstorm',
  'heavy',
  'rains',
  'flash',
  'flooding',
  'weather',
  'event',
  'march',
  'today',
  'wednesday',
  'night',
  'level',
  'storm',
  'area',
  'today',
  'wednesday',
  'storm',
  'area',
  'wednesday',
  'storm',
  'level',
  'moisture',
  'area',
  'eastern',
  'pacific',
  'ocean',
  'wednesday',
  'morning',
  'se',
  'nm',
  'w',
  'tx',
  'today',
  'tonight',
  'area',
  'tonight',
  'west',
  'severe',
  'thunderstorm',
  'today',
  'evening',
  'west',
  'texas',
  'south',
  'hail',
  'size',
  'qu',
  'click',
  'link',
  'blog',
  'content',
  'purpose',
  'source',
  'information',
  'weather',
  'high',
  'temperatures',
  'wednesday',
  'july',
  'relief',
  'heatwave',
  'small',
  't',
  'storms',
  'severe',
  't',
  'storms',
  'severe',
  'today',
  'saturday',
  'hotter',
  't',
  'storm',
  'mountains',
  'map',
  'click',
  'map',
  'click',
  'map',
  'greta',
  'thunberg',
  'criminal',
  'record',
  'super',
  'typhoon',
  'doksuri',
  'china',
  'island',
  'philippines',
  'landfall',
  'fujian',
  'province',
  'friday',
  'relief',
  'houston',
  'forecast',
  'august',
  'hottest',
  'weather',
  'thursday',
  'friday',
  'high',
  "90'",
  'threat',
  'shower',
  'storm',
  'tomorrow',
  'relief',
  'heat',
  'weekend',
  'smoke',
  'canada',
  'summer',
  'gateway',
  'arch',
  'lightning',
  'strike',
  'june',
  'overview',
  'february',
  'mississippi',
  'delta',
  'tornado',
  'outbreak',
  'march',
  'tornado',
  'outbreak',
  'video',
  'travel',
  'credit',
  'cards',
  ...],
 ['hawaii',
  'news',
  'team',
  'investigative',
  'stories',
  'national',
  'news',
  'politics',
  'hill',
  'washington',
  'dc',
  'international',
  'news',
  'action',
  'line',
  'hawaii',
  'travel',
  'hawaii',
  'crime',
  'kupuna',
  'caregiver',
  'kupuna',
  'life',
  'business',
  'aloha',
  'authentic',
  'way',
  'law',
  'newsletter',
  'sign',
  'bestreviews',
  'bestreviews',
  'daily',
  'deals',
  'press',
  'automotive',
  'news',
  'uncle',
  'billy',
  'hilo',
  'family',
  'share',
  'message',
  'hawaii',
  'boy',
  'engine',
  'recall',
  'hawaiian',
  'air',
  'mainland',
  'fleet',
  'makiki',
  'chick',
  'fil',
  'thursday',
  'crowd',
  'khon2',
  'newscasts',
  'event',
  'khon',
  'video',
  'center',
  'tv',
  'schedule',
  'hawaii',
  'weather',
  'radar',
  'hawaii',
  'weather',
  'alerts',
  'hawaii',
  'hurricanes',
  'hawaii',
  'traffic',
  'science',
  'hawaii',
  'chevy',
  'hawaii',
  'sports',
  'national',
  'sports',
  'trades',
  'blades',
  '',
  '',
  'gobows',
  'bows',
  'football',
  'final',
  'cover2',
  'fox',
  'sports',
  'fox',
  'sports',
  'mobile',
  'run',
  'return',
  'loom',
  'hawaii',
  'football',
  'pair',
  'hawaii',
  'prospect',
  'draft',
  'deadline',
  'sign',
  'quarterback',
  'brayden',
  'schager',
  'uh',
  'foot',
  'video',
  'board',
  'ching',
  'stadium',
  'bobby',
  'curran',
  'radio',
  'lung',
  'surgery',
  'team',
  'cal',
  'ripken',
  'world',
  'series',
  'specialist',
  'energy',
  'swell',
  'kupuna',
  'food',
  'keiki',
  'birthday',
  'kupuna',
  'caregiver',
  'kupuna',
  'life',
  'hawaii',
  'inline',
  'hockey',
  'season',
  'year',
  'dance',
  'title',
  'funding',
  'milestone',
  'research',
  'innovation',
  'entertainment',
  'family',
  'food',
  'health',
  'home',
  'money',
  'career',
  'music',
  'real',
  'estate',
  'style',
  'travel',
  'community',
  'home',
  'support',
  'hawaiʻi',
  'workforce',
  'future',
  'sale',
  'return',
  'bloomingdale',
  'business',
  'way',
  'kailua',
  'town',
  'ice',
  'cream',
  'shop',
  'kailua',
  'town',
  'hurricane',
  'season',
  'heco',
  'aloha',
  'authentic',
  'contests',
  'community',
  'calendar',
  'hawaii',
  'laulima',
  'program',
  'mixed',
  'plate',
  'modern',
  'wahine',
  'hawaii',
  'prince',
  'lot',
  'hula',
  'festival',
  'sam',
  'choy',
  'kitchen',
  'horoscopes',
  'mele',
  'hawaiʻi',
  'gift',
  'world',
  'report',
  'morning',
  'news',
  'team',
  'advertise',
  'khon2',
  'regional',
  'news',
  'partners',
  'bestreviews',
  'job',
  'post',
  'job',
  'work',
  'khon',
  'agencies',
  'utility',
  'state',
  'prepare',
  'tropical',
  'storm',
  'calvin',
  'jul',
  'pm',
  'hst',
  'jul',
  'pm',
  'hst',
  'jul',
  'pm',
  'hst',
  'jul',
  'pm',
  'hst',
  'honolulu',
  'khon2',
  'hawaii',
  'department',
  'transportation',
  'crew',
  'effort',
  'hawaii',
  'island',
  'county',
  'flood',
  'road',
  'closure',
  'tropical',
  'storm',
  'calvin',
  'hdot',
  'director',
  'ed',
  'sniffen',
  'airport',
  'staff',
  'impact',
  'news',
  'hawaii',
  'airport',
  'crew',
  'storm',
  'gutter',
  'building',
  'flooding',
  'building',
  'hilo',
  'sniffen',
  'rain',
  'facility',
  'terminal',
  'p.m.',
  'tonight',
  'calvin',
  'mile',
  'hilo',
  'sniffen',
  'airline',
  'passenger',
  'kona',
  'storm',
  'wind',
  'tuesday',
  'night',
  'power',
  'line',
  'hawaiian',
  'electric',
  'spokesperson',
  'darren',
  'pai',
  'emergency',
  'personnel',
  'equipment',
  'inventory',
  'pai',
  'crew',
  'fuel',
  'supply',
  'vehicle',
  'truck',
  'field',
  'video',
  'statement',
  'gov.',
  'josh',
  'green',
  'resident',
  'food',
  'water',
  'hawaii',
  'county',
  'tropical',
  'storm',
  'calvin',
  'green',
  'water',
  'food',
  'medication',
  'home',
  'week',
  'fema',
  'director',
  'today',
  'case',
  'disaster',
  'maui',
  'county',
  'storm',
  'condition',
  'calvin',
  'island',
  'chain',
  'mayor',
  'richard',
  'bissen',
  'resident',
  'visitor',
  'danger',
  'bissen',
  'east',
  'maui',
  'hana',
  'keanae',
  'couple',
  'day',
  'congestion',
  'road',
  'emergency',
  'news',
  'khon',
  'khon',
  'morning',
  'podcast',
  'morning',
  'effect',
  'tropical',
  'storm',
  'calvin',
  'wednesday',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'amazon',
  'school',
  'deal',
  'schooler',
  'school',
  'corner',
  'amazon',
  'supply',
  'school',
  'deal',
  'supply',
  'schooler',
  'august',
  'vegetable',
  'flower',
  'flower',
  'plant',
  'hour',
  'soil',
  'air',
  'temperature',
  'sunshine',
  'august',
  'month',
  'planting',
  'chemical',
  'guys',
  'kit',
  'car',
  'car',
  'care',
  'hour',
  'chemical',
  'guys',
  'car',
  'wash',
  'kit',
  'time',
  'deal',
  'uncle',
  'billy',
  'hilo',
  'bomb',
  'threat',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'russia',
  'un',
  'meeting',
  'family',
  'share',
  'message',
  'hawaii',
  'boy',
  'biden',
  'relief',
  'heat',
  'transgender',
  'intersex',
  'people',
  'biden',
  'prime',
  'minister',
  'trump',
  'jan.',
  'rioter',
  'millipede',
  'specie',
  'leg',
  'senate',
  'gop',
  'leader',
  'mcconnell',
  'news',
  'conference',
  'samsung',
  'smartphone',
  'bet',
  'onion',
  'love',
  'wags',
  'n',
  'whiskers',
  'wednesday',
  'makiki',
  'chick',
  'fil',
  'thursday',
  'crowd',
  'engine',
  'recall',
  'hawaiian',
  'air',
  'mainland',
  'fleet',
  'family',
  'share',
  'message',
  'hawaii',
  'boy',
  'engine',
  'recall',
  'hawaiian',
  'air',
  'mainland',
  'fleet',
  'hawaiʻi',
  'workforce',
  'future',
  'sale',
  'return',
  'bloomingdale',
  'business',
  'way',
  'kailua',
  'town',
  'crash',
  'year',
  'traffic',
  'engine',
  'recall',
  'hawaiian',
  'air',
  'mainland',
  'fleet',
  'cambodia',
  'hun',
  'sen',
  'asia',
  'leader',
  'makiki',
  'chick',
  'fil',
  'thursday',
  'crowd',
  'onion',
  'love',
  'wags',
  'n',
  'whiskers',
  'wednesday',
  'ernest',
  'love',
  'wags',
  'n',
  'whiskers',
  'wednesday',
  'return',
  'hawaii',
  'football',
  'team',
  'hawaii',
  'prospect',
  'deadline',
  'sign',
  'mlb',
  'team',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'judge',
  'family',
  'share',
  'message',
  'hawaii',
  'boy',
  'local',
  'news',
  'min',
  'engine',
  'recall',
  'hawaiian',
  'air',
  'mainland',
  'fleet',
  'local',
  'news',
  'hour',
  'owner',
  'kamehameha',
  'drive',
  'local',
  'news',
  'day',
  'return',
  'hawaii',
  'football',
  'team',
  'san',
  'francisco',
  'flyaway',
  'uncle',
  'billy',
  'hilo',
  'family',
  'share',
  'message',
  'hawaii',
  'boy',
  'engine',
  'recall',
  'hawaiian',
  'air',
  'mainland',
  'fleet',
  'makiki',
  'chick',
  'fil',
  'thursday',
  'crowd',
  'onion',
  'love',
  'wags',
  'n',
  'whiskers',
  'wednesday',
  'ernest',
  'love',
  'wags',
  'n',
  'whiskers',
  'wednesday',
  'return',
  'hawaii',
  'football',
  'team',
  'hawaii',
  'prospect',
  'deadline',
  'sign',
  'mlb',
  'team',
  'crash',
  'year',
  'traffic',
  'sunshine',
  'island',
  'week',
  'gift',
  'summer',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'home',
  'depot',
  'foot',
  'skeleton',
  'halloween',
  'deal',
  'day',
  'prime',
  'day',
  'favorite',
  'hawaii',
  'news',
  'sports',
  'weather',
  'live',
  'video',
  'hawaii',
  'team',
  'contact',
  'hawaii',
  'news',
  'hawaii',
  'weather',
  'hawaii',
  'sports',
  'action',
  'line',
  'report',
  'fcc',
  'public',
  'file',
  'children',
  'programming',
  'report',
  'eeo',
  'careers',
  'android',
  'app',
  'google',
  'play',
  'android',
  'weather',
  'app',
  'google',
  'play',
  'personal',
  'information',
  'personal',
  'information',
  'nexstar',
  'media',
  'inc.',
  'rights'],
 ['morning',
  'edition',
  'npr',
  'morning',
  'edition',
  'listener',
  'country',
  'world',
  'hour',
  'story',
  'commentary',
  'challenge',
  'morning',
  'edition',
  'news',
  'radio',
  'program',
  'country',
  'philly',
  'pa.',
  'politics',
  'elections',
  'planphilly',
  'urban',
  'planning',
  'gun',
  'violence',
  'prevention',
  'n.j.',
  'del.',
  'education',
  'arts',
  'culture',
  'health',
  'science',
  'live',
  'tv',
  'whyy',
  'tv',
  'schedule',
  'demand',
  'whyy',
  'passport',
  'sign',
  'pbs',
  'account',
  'activation',
  'assistance',
  'faq',
  'free',
  'pbs',
  'video',
  'app',
  'whyy',
  'passport',
  'member',
  'email',
  'alert',
  'update',
  'event',
  'contact',
  'pbs',
  'learningmedia',
  'pbs',
  'kids',
  'online',
  'whyy',
  'learning',
  'shorts',
  'learning',
  'school',
  'learning',
  'community',
  'youth',
  'media',
  'toolkit',
  'youth',
  'media',
  'awards',
  'field',
  'student',
  'pathway',
  'media',
  'careers',
  'student',
  'work',
  'whyy',
  'media',
  'labs',
  'whyy',
  'passport',
  'museums',
  'education',
  'discounts',
  'music',
  'theater',
  'discounts',
  'food',
  'dining',
  'discounts',
  'retail',
  'discount',
  'national',
  'weather',
  'service',
  'sunday',
  'tornado',
  'cinnaminson',
  'jackson',
  'township',
  'howell',
  'township',
  'new',
  'jersey',
  'bybeccah',
  'hendrickson',
  '6abc',
  'digital',
  'staff',
  'sharifa',
  'jackson',
  'story',
  'cleanup',
  'new',
  'jersey',
  'tornado',
  'neighborhood',
  'tree',
  'root',
  'telephone',
  'pole',
  'national',
  'weather',
  'service',
  'sunday',
  'tornado',
  'cinnaminson',
  'jackson',
  'township',
  'sea',
  'grit',
  'howell',
  'township',
  'whyy',
  'sponsor',
  'whyy',
  'sponsor',
  'tornado',
  'storm',
  'damage',
  'area',
  'pennsylvania',
  'new',
  'jersey',
  'delaware',
  'thunderstorms',
  'weather',
  'way',
  'area',
  'pennsylvania',
  'new',
  'jersey',
  'delaware',
  'tornado',
  'howell',
  'township',
  'nj',
  'area',
  'jackson',
  'nj',
  'tornado',
  'gap',
  'damage',
  'path',
  'information',
  'link',
  'https://t.co/x61cix5ka8',
  'njwx',
  'nws',
  'mount',
  'holly',
  'april',
  'tree',
  'jean',
  'rath',
  'cinnaminson',
  'minute',
  'brenda',
  'charest',
  'cinnaminson',
  'war',
  'zone',
  'weather',
  'customer',
  'power',
  'sunday',
  'morning',
  'customer',
  'power',
  'cinnaminson',
  'palmyra',
  'delran',
  'pse&g',
  'power',
  'line',
  'neighbor',
  'yard',
  'whyy',
  'sponsor',
  'whyy',
  'sponsor',
  'cinnaminson',
  'neighbor',
  'matter',
  'hand',
  'caution',
  'tape',
  'resident',
  'portion',
  'buttonwood',
  'lane',
  'street',
  'tree',
  'power',
  'line',
  'mess',
  'house',
  'cleanup',
  'damage',
  'carrie',
  'kershaw',
  'tree',
  'yard',
  'wedgewood',
  'drive',
  'national',
  'weather',
  'service',
  'tornado',
  'bridgeville',
  'delaware',
  'viewer',
  'video',
  'funnel',
  'cloud',
  'storm',
  'tornado',
  'sussex',
  'county',
  'delaware',
  'house',
  'collapse',
  'delaware',
  'state',
  'police',
  'damage',
  'county',
  'tornado',
  'home',
  'pile',
  'debris',
  'person',
  'home',
  'official',
  'ineishia',
  'corbett',
  'sussex',
  'county',
  'delaware',
  'cloud',
  'tornado',
  'funnel',
  'dirt',
  'air',
  'resident',
  'south',
  'jersey',
  'shelter',
  'light',
  'damage',
  'rowe',
  'hill',
  'cinnaminson',
  'neighbor',
  'power',
  'official',
  'cleanup',
  'effort',
  'week',
  'injury',
  'new',
  'jersey',
  'tornado',
  'stream',
  'whyy',
  'fm',
  'story',
  'whyy',
  'news',
  'podcast',
  'whyy',
  'digital',
  'studios',
  'whyy',
  'source',
  'fact',
  'depth',
  'journalism',
  'information',
  'organization',
  'support',
  'reader',
  'today',
  'nws',
  'tornado',
  'mercer',
  'county',
  'damage',
  'west',
  'windsor',
  'lawrence',
  'township',
  'drought',
  'watch',
  'state',
  'new',
  'jersey',
  'resident',
  'water',
  'use',
  'condition',
  'official',
  'declaration',
  'drought',
  'warning',
  'drought',
  'emergency',
  'gov.',
  'phil',
  'murphy',
  'state',
  'emergency',
  'n.j.',
  'nor’easter',
  'monday',
  'night',
  'state',
  'emergency',
  'effect',
  'p.m.',
  'county',
  'garden',
  'state',
  'whyy',
  'sponsor',
  'whyy',
  'sponsor',
  'whyy',
  'sponsor',
  'whyy',
  'sponsor',
  'bucks',
  'county',
  'ground',
  'health',
  'treatment',
  'center',
  'proposition',
  'property',
  'zillow',
  'listing',
  'eyebrow',
  'west',
  'philly',
  'philly',
  'heat',
  'health',
  'emergency',
  'thursday',
  'saturday',
  'temp',
  'digest',
  'whyy',
  'program',
  'event',
  'story',
  'newsletter',
  '%',
  'whyy',
  'year',
  'goal',
  'whyy',
  'fact',
  'news',
  'information',
  'world',
  'class',
  'entertainment',
  'community',
  'whyy',
  'voice',
  'platform',
  'story',
  'foundation',
  'learner',
  'space',
  'news',
  'social',
  'responsibility',
  'whyy',
  'programs',
  'albie',
  'elevator',
  'billy',
  'penn',
  'check',
  'philly',
  'community',
  'conversations',
  'connection',
  'delishtory',
  'flicks',
  'fresh',
  'air',
  'good',
  'souls',
  'infinite',
  'art',
  'hunt',
  'movers',
  'makers',
  'stage',
  'curtis',
  'planphilly',
  'pulse',
  'real',
  'black',
  'history',
  'schooled',
  'stateimpact',
  'statue',
  'frisk',
  'revisit',
  'studio',
  'thing',
  'voice',
  'family',
  'oughta',
  'young',
  'creators',
  'democracy',
  'newsroom',
  'press',
  'room',
  'question',
  'whyy',
  'productions',
  'whyy',
  'whyy',
  'news',
  'style',
  'guide',
  'social',
  'responsibility',
  'whyy',
  'employment',
  'submissions',
  'history',
  'directions',
  'coverage',
  'area',
  'financial',
  'statements',
  'board',
  'executives',
  'internships',
  'community',
  'advisory',
  'board',
  'whyy',
  'community',
  'report',
  'supporters',
  'privacy',
  'meet',
  'newsroom',
  'employment',
  'lifelong',
  'learning',
  'award',
  'n.i.c.e.',
  'initiative',
  'contact',
  'sponsorship',
  'directions',
  'fcc',
  'public',
  'files',
  'fcc',
  'applications',
  'privacy',
  'policy',
  'terms',
  'use',
  'whyy.org'],
 ['woman',
  'fury',
  'rendition',
  'star',
  'spangled',
  'banner',
  'world',
  'cup',
  'holland',
  'player',
  'anthem',
  'arm',
  'moment',
  'operator',
  'crane',
  'moment',
  'manhattan',
  'sidewalk',
  'co',
  '-',
  'worker',
  'chant',
  'water',
  'motherf****r',
  'russell',
  'crowe',
  'essay',
  'sinead',
  "o'connor",
  'meeting',
  'pub',
  'ireland',
  'height',
  'depression',
  'hero',
  'warning',
  'sign',
  'alzheimer',
  'symptom',
  'study',
  'ohio',
  'cop',
  'fired',
  'footage',
  'k-9',
  'trucker',
  'hand',
  'police',
  'chase',
  'mud',
  'flap',
  'man',
  'assault',
  'alabama',
  'teen',
  'girlfriend',
  'rock',
  'music',
  'festival',
  'physio',
  '50',
  'kg',
  'body',
  'ache',
  'pain',
  'person',
  'week',
  'revealed',
  'marines',
  'carbon',
  'monoxide',
  'poisoning',
  'car',
  'gas',
  'station',
  'camp',
  'lejeune',
  'nashville',
  'school',
  'shooter',
  'note',
  'pocket',
  'knife',
  'aiden',
  'anklet',
  'number',
  'outdoors',
  'nbc',
  'report',
  'people',
  'space',
  'trauma',
  'people',
  'trump',
  'flag',
  'acting',
  'meghan',
  'markle',
  'actor',
  'strike',
  'ariana',
  'grande',
  'boyfriend',
  'ethan',
  'slater',
  'divorce',
  'wife',
  'romance',
  'singer',
  'set',
  'movie',
  'month',
  'search',
  'la',
  'attorney',
  'downtown',
  'area',
  'day',
  'family',
  'somber',
  'michelle',
  'martha',
  'vineyard',
  'golf',
  'club',
  'game',
  'tennis',
  'outing',
  'chef',
  'paddle',
  'boarding',
  'obamas',
  'home',
  'joe',
  'rogan',
  'critic',
  'jason',
  'aldean',
  'song',
  'small',
  'town',
  'rap',
  'song',
  'revealed',
  'california',
  'gov.',
  'gavin',
  'newsom',
  'hollywood',
  'strike',
  'industry',
  'billion',
  'state',
  'economy',
  'chaos',
  'fiancé',
  'sperm',
  'friend',
  'moment',
  'naked',
  'woman',
  'fire',
  'driver',
  'police',
  'chase',
  'san',
  'francisco',
  'bay',
  'bridge',
  'vampire',
  'appliance',
  'cash',
  'device',
  'energy',
  'bill',
  'uswnt',
  'tie',
  'holland',
  'lindsey',
  'horan',
  'half',
  'equalizer',
  'point',
  'wellington',
  'ladies',
  'view',
  'hunter',
  'biden',
  'joe',
  'pain',
  'loss',
  'republicans',
  'witch',
  'hunt',
  'son',
  'judge',
  'hunter',
  'job',
  'president',
  'son',
  'drug',
  'alcohol',
  'employment',
  'condition',
  'release',
  'plea',
  'deal',
  'hunter',
  'biden',
  'extent',
  'drug',
  'alcohol',
  'use',
  'president',
  'addict',
  'son',
  'rehab',
  'stint',
  'year',
  'court',
  'appearance',
  'hunter',
  'plea',
  'deal',
  'joe',
  'president',
  'line',
  'son',
  'deal',
  'china',
  'ukraine',
  'republicans',
  'montana',
  'north',
  'dakota',
  'century',
  'blizzard',
  'inches',
  'snow',
  'fear',
  'foot',
  'snowdrift',
  'blizzard',
  'u.s.meteorologists',
  'snow',
  'montana',
  'north',
  'dakota',
  'thursday',
  'neighboring',
  'state',
  'community',
  'freeze',
  'digit',
  'temperature',
  'midwest',
  'state',
  'tornado',
  'thunderstorm',
  'wind',
  'rain',
  'hailsome',
  'community',
  'tornado',
  'storm',
  'tuesday23',
  'people',
  'twister',
  'texas',
  'natasha',
  'anderson',
  'andrea',
  'cavallier',
  'dailymail',
  'com',
  'edt',
  'april',
  'edt',
  'april',
  'e',
  '-',
  'mail',
  'share',
  'view',
  'comment',
  'advertisement',
  'storm',
  'u.s.',
  'blizzard',
  'record',
  'hail',
  'tornado',
  'damage',
  'state',
  'montana',
  'north',
  'dakota',
  'spring',
  'snowstorm',
  'mph',
  'wind',
  'condition',
  'inch',
  'snow',
  'winter',
  'storm',
  'snow',
  'resident',
  'thursday',
  'region',
  'foot',
  'snow',
  'forecaster',
  'area',
  'foot',
  'accumulation',
  'time',
  'system',
  'mountain',
  'community',
  'foot',
  'snow',
  'wednesday',
  'morning',
  'entirety',
  'interstate',
  'day',
  'north',
  'dakota',
  'department',
  'transportation',
  'highway',
  'bismarck',
  'jamestown',
  'remainder',
  'interstate',
  'future',
  'travel',
  'advisory',
  'effect',
  'state',
  'meteorologist',
  'spring',
  'snowstorm',
  'quarter',
  'century',
  'weather',
  'system',
  'thunderstorm',
  'wind',
  'rain',
  'hail',
  'midwest',
  'south',
  'dozen',
  'people',
  'tornado',
  'texas',
  'tuesday',
  'night',
  'damage',
  'official',
  'loss',
  'life',
  'baron',
  'weather',
  'forecaster',
  'severity',
  'storm',
  'system',
  'community',
  'risk',
  'tornado',
  'fire',
  'montana',
  'north',
  'dakota',
  'spring',
  'snowstorm',
  'tuesday',
  'system',
  'snow',
  'resident',
  'thursday',
  'pedestrian',
  'snow',
  'bismarck',
  'nd',
  'wednesday',
  'storm',
  'north',
  'dakota',
  'whiteout',
  'condition',
  'picture',
  'bismarck',
  'tuesday',
  'afternoon',
  'weather',
  'radar',
  'blizzard',
  'travel',
  'advisory',
  'effect',
  'north',
  'dakota',
  'montana',
  'meteorologist',
  'spring',
  'snowstorm',
  'quarter',
  'century',
  'snow',
  'nd',
  'road',
  'tuesday',
  'graphic',
  'news12',
  'snowfall',
  'total',
  'hour',
  'wednesday',
  'afternoon',
  'pony',
  'montana',
  'inch',
  'snow',
  'historic',
  'storm',
  'u.s.',
  'blizzard',
  'record',
  'hail',
  'tornado',
  'damage',
  'state',
  'region',
  'foot',
  'snow',
  'forecaster',
  'area',
  'foot',
  'accumulation',
  'time',
  'system',
  'video',
  'watch',
  'video',
  'moment',
  'shoplifter',
  'getaway',
  'burlington',
  'store',
  'watch',
  'video',
  'cctv',
  'connor',
  'gibson',
  'sister',
  'amber',
  'watch',
  'video',
  'grey',
  'smoke',
  'sea',
  'foot',
  'ship',
  'fire',
  'video',
  'ohio',
  'man',
  'meltdown',
  'gender',
  'bathroom',
  'video',
  'passenger',
  'record',
  'moment',
  'flight',
  'collision',
  'video',
  'ex',
  '-',
  'official',
  'technology',
  'ufo',
  'video',
  'footage',
  'cop',
  'kid',
  'dog',
  'cage',
  'watch',
  'video',
  'grusch',
  'biological',
  'pilot',
  'video',
  'footage',
  'year',
  'robot',
  'girl',
  'ai',
  'watch',
  'video',
  'whistleblower',
  'congress',
  'government',
  'knowledge',
  'uap',
  'watch',
  'video',
  'ex',
  '-',
  'official',
  'info',
  'video',
  'ex',
  '-',
  'official',
  'tech',
  'earth',
  'storm',
  'system',
  'tornado',
  'south',
  'record',
  'snow',
  'plains',
  'billing',
  'montana',
  'inch',
  'snow',
  'tuesday',
  'day',
  'community',
  'decade',
  'accuweather',
  'time',
  'billing',
  'snow',
  'day',
  'inch',
  'area',
  'montana',
  'foot',
  'accumulation',
  'albro',
  'lake',
  'mountain',
  'montana',
  'inch',
  'snow',
  'pony',
  'montana',
  'inch',
  'forecaster',
  'storm',
  'north',
  'dakota',
  'visibility',
  'airport',
  'state',
  'flight',
  'wednesday',
  'delay',
  'tuesday',
  'kfyr',
  'flight',
  'route',
  'thursday',
  'resident',
  'state',
  'day',
  'school',
  'district',
  'school',
  'storm',
  'system',
  'earbud',
  'minute',
  'time',
  'gus',
  'lindegren',
  'bismarck',
  'tv',
  'station',
  'snow',
  'farm',
  'north',
  'dakota',
  'blizzard',
  'mike',
  'deisz',
  'bismarck',
  'rick',
  'krolak',
  'national',
  'weather',
  'service',
  'office',
  'bismarck',
  'storm',
  'blizzard',
  'april',
  'year',
  'foot',
  'snow',
  'area',
  'power',
  'thousand',
  'resident',
  'motorist',
  'highway',
  'punch',
  'storm',
  'worker',
  'road',
  'north',
  'dakota',
  'wednesday',
  'entirety',
  'interstate',
  'day',
  'north',
  'dakota',
  'department',
  'transportation',
  'highway',
  'bismarck',
  'jamestown',
  'nd',
  'road',
  'condition',
  'video',
  'watch',
  'video',
  'moment',
  'shoplifter',
  'getaway',
  'burlington',
  'store',
  'watch',
  'video',
  'cctv',
  'connor',
  'gibson',
  'sister',
  'amber',
  'watch',
  'video',
  'grey',
  'smoke',
  'sea',
  'foot',
  'ship',
  'fire',
  'video',
  'ohio',
  'man',
  'meltdown',
  'gender',
  'bathroom',
  'video',
  'passenger',
  'record',
  'moment',
  'flight',
  'collision',
  'video',
  'ex',
  '-',
  'official',
  'technology',
  'ufo',
  'video',
  'footage',
  'cop',
  'kid',
  'dog',
  'cage',
  'watch',
  'video',
  'grusch',
  'biological',
  'pilot',
  'video',
  'footage',
  'year',
  'robot',
  'girl',
  'ai',
  'watch',
  'video',
  'whistleblower',
  'congress',
  'government',
  'knowledge',
  'uap',
  'watch',
  'video',
  'ex',
  '-',
  'official',
  'info',
  'video',
  'ex',
  '-',
  'official',
  'tech',
  'earth',
  'homeowner',
  'northview',
  'lane',
  'bismarck',
  'n.d.',
  'snowblower',
  'driveway',
  'snowdrift',
  'wednesday',
  'north',
  'dakota',
  'dept',
  '.',
  'transportation',
  'worker',
  'snow',
  'street',
  'areas',
  'montana',
  'foot',
  'accumulation',
  'albro',
  'lake',
  'mountain',
  'montana',
  'inch',
  'snow',
  'pony',
  'montana',
  'inch',
  'forecaster',
  'storm',
  'north',
  'dakota',
  'visibility',
  'snowstorm',
  'meteorologist',
  'temperature',
  'montana',
  'wyoming',
  'dakotas',
  '-20',
  'fahrenheit',
  'wind',
  'speed',
  'mph',
  'snow',
  'east',
  'plains',
  'great',
  'lakes',
  'ohio',
  'valley',
  'core',
  'freeze',
  'thursday',
  'friday',
  'accuweather',
  'north',
  'u.s.communitie',
  'epicenter',
  'montana',
  'wyoming',
  'north',
  'dakota',
  'south',
  'dakota',
  'temperature',
  'state',
  'temp',
  'digit',
  'articles',
  'billiard',
  'ball',
  'size',
  'hailstone',
  'blizzard',
  'airport',
  'travel',
  'shambles',
  'government',
  'tornado',
  'georgia',
  'south',
  'killing',
  'tornado',
  'freeze',
  'record',
  'morning',
  'area',
  'rocky',
  'mountains',
  'yellowstone',
  'national',
  'park',
  'montana',
  'temperature',
  'degree',
  'fahrenheit',
  'wednesday',
  'record',
  'temperature',
  'region',
  'denver',
  'capital',
  'city',
  'colorado',
  'record',
  'date',
  'low',
  'degree',
  'fahrenheit',
  'state',
  'akron',
  'colorado',
  'airport',
  'drop',
  'degree',
  'fahrenheit',
  'tuesday',
  'degree',
  'wednesday',
  'morning',
  'temperature',
  'record',
  'montana',
  'chinook',
  'year',
  'record',
  'fall',
  'low',
  'degree',
  'fahrenheit',
  'matt',
  'mittelstaedt',
  'driver',
  'missouri',
  'slope',
  'lutheran',
  'care',
  'center',
  'samaritan',
  'passenger',
  'van',
  'snow',
  'intersection',
  'state',
  'street',
  'divide',
  'bismarck',
  'nd',
  'tuesday',
  'woman',
  'car',
  'snow',
  'intersection',
  'state',
  'street',
  'divide',
  'avenue',
  'bismarck',
  'nd',
  'tuesday',
  'strong',
  'wind',
  'speed',
  'mph',
  'snow',
  'south',
  'east',
  'plains',
  'great',
  'lakes',
  'ohio',
  'valley',
  'snowstorm',
  'meteorologist',
  'temperature',
  'montana',
  'wyoming',
  'dakotas',
  '-20',
  'fahrenheit',
  'core',
  'freeze',
  'thursday',
  'friday',
  'chocolate',
  'lab',
  'snow',
  'dickinson',
  'north',
  'dakota',
  'wednesday',
  'north',
  'dakota',
  'snow',
  'crew',
  'roadway',
  'wednesday',
  'travel',
  'advisory',
  'effect',
  'state',
  'brothers',
  'elisa',
  'flanagan',
  'solomon',
  'snow',
  'driveway',
  'bismarck',
  'nd',
  'wednesday',
  'north',
  'dakota',
  'resident',
  'home',
  'snow',
  'tuesday',
  'snow',
  'north',
  'dakota',
  'resident',
  'home',
  'tuesday',
  'storm',
  'south',
  'dakota',
  'winter',
  'spring',
  'weather',
  'tuesday',
  'state',
  'blizzard',
  'tuesday',
  'portion',
  'state',
  'degree',
  'temperature',
  'tornado',
  'warning',
  'round',
  'thunderstorm',
  'south',
  'national',
  'weather',
  'service',
  'wednesday',
  'tornado',
  'watch',
  'portion',
  'arkansas',
  'louisiana',
  'texas',
  'watch',
  'community',
  'round',
  'storm',
  'tuesday',
  'night',
  'tornado',
  'warning',
  'effect',
  'iowa',
  'section',
  'texas',
  'louisiana',
  'tuesday',
  'night',
  'storm',
  'system',
  'thursday',
  'national',
  'weather',
  'service',
  'storm',
  'prediction',
  'center',
  'level',
  'risk',
  'weather',
  'mississippi',
  'valley',
  'wednesday',
  'potential',
  'tornado',
  'hail',
  'tornado',
  'central',
  ...],
 ['experience',
  'community',
  'spectrum',
  'news',
  'app',
  'open',
  'spectrum',
  'news',
  'app',
  '×',
  'set',
  'weather',
  'location',
  'forecast',
  'radar',
  'weather',
  'alert',
  'appour',
  'spectrum',
  'news',
  'app',
  'way',
  'story',
  'list',
  'weather',
  'alert',
  'storm',
  'ohio',
  'wednesday',
  'night',
  'published',
  'pm',
  'et',
  'jul.',
  'published',
  'pm',
  'edt',
  'jul.',
  'storm',
  'state',
  'wednesday',
  'night',
  'section',
  'ohio',
  'wind',
  'hail',
  'tornado',
  'spectrum',
  'news',
  'chief',
  'meteorologist',
  'eric',
  'elwell',
  'question',
  'timing',
  'detail',
  'storm',
  'california',
  'consumer',
  'limit',
  'use',
  'sensitive',
  'personal',
  'information',
  'personal',
  'information',
  'opt',
  'targeted',
  'advertising',
  'â',
  'charter',
  'communications',
  'right'],
 ['arkansasentergy',
  'louisianaentergy',
  'mississippientergy',
  'new',
  'orleansentergy',
  'texasentergy',
  'nuclearlatest',
  'news',
  'releasesimage',
  'galleryvideo',
  'b',
  'rollinfographicslogosrss',
  'feedsmedia',
  'contactsinsight',
  'blog',
  'futurepeople',
  'powerstormstips',
  'historyour',
  'leadershipboard',
  'directorsinvestor',
  'value',
  'ethicsdiversity',
  'inclusion',
  'belongingaward',
  'recognitionsocial',
  'centerlatest',
  'updatespreparationsafetyrestorationresourcesmyentergy',
  'entergy',
  'newsroom',
  'storm',
  'contact',
  'usabout',
  'uscareer',
  '',
  '',
  'entergy.com',
  'arkansasentergy',
  'louisianaentergy',
  'mississippientergy',
  'new',
  'orleansentergy',
  'texasentergy',
  'nuclearlatest',
  'news',
  'releasesimage',
  'galleryvideo',
  'b',
  'rollinfographicslogosrss',
  'feedsmedia',
  'contactsinsight',
  'blog',
  'futurepeople',
  'powerstormstips',
  'historyour',
  'leadershipboard',
  'directorsinvestor',
  'value',
  'ethicsdiversity',
  'inclusion',
  'belongingaward',
  'medium',
  'entergy',
  'arkansas',
  'entergy',
  'louisiana',
  'entergy',
  'mississippi',
  'entergy',
  'new',
  'orleans',
  'entergy',
  'texas',
  'insights',
  'entergy',
  'mississippi',
  'storm',
  'update',
  'p.m.',
  'entergy',
  'mississippi',
  'storm',
  'update',
  'p.m.',
  'mississippi',
  'editorial',
  'team',
  'crew',
  'power',
  'storm',
  'damage',
  'entergy',
  'mississippi',
  'service',
  'area',
  'crew',
  'power',
  'storm',
  'damage',
  'entergy',
  'mississippi',
  'service',
  'area',
  'week',
  'entergy',
  'mississippi',
  'customer',
  'storm',
  'service',
  'area',
  'saturday',
  'june',
  'restoration',
  'thunderstorm',
  'completion',
  'weather',
  'wave',
  'thunderstorm',
  'mph',
  'wind',
  'mississippi',
  'friday',
  'morning',
  'damage',
  'power',
  'outage',
  'county',
  'entergy',
  'mississippi',
  'p.m.',
  'customer',
  'power',
  'workforce',
  'lineworker',
  'scout',
  'vegetation',
  'crew',
  'support',
  'personnel',
  'damage',
  'power',
  'customer',
  'power',
  'heat',
  'condition',
  'haley',
  'fisackerly',
  'entergy',
  'mississippi',
  'president',
  'ceo',
  'employee',
  'storm',
  'response',
  'mode',
  'day',
  'customer',
  'time',
  'reach',
  'extent',
  'damage',
  'friday',
  'weather',
  'year',
  'facility',
  'number',
  'customer',
  'outage',
  'service',
  'area',
  'hurricane',
  'katrina',
  'crew',
  'customer',
  'friday',
  'morning',
  'customer',
  'resource',
  'disposal',
  'power',
  'man',
  'woman',
  'restoration',
  'plan',
  'customer',
  'power',
  'manner',
  'customer',
  'patience',
  'power',
  'workforce',
  'area',
  'hinds',
  'madison',
  'rankin',
  'warren',
  'adams',
  'attalla',
  'bolivar',
  'desoto',
  'claiborne',
  'copiah',
  'covington',
  'holmes',
  'humphreys',
  'scott',
  'simpson',
  'county',
  'extent',
  'damage',
  'heat',
  'damage',
  'storm',
  'week',
  'restoration',
  'effort',
  'wave',
  'weather',
  'service',
  'area',
  'day',
  'outage',
  'saturday',
  'crew',
  'pace',
  'system',
  'outage',
  'border',
  'state',
  'crew',
  'challenge',
  'mother',
  'nature',
  'number',
  'customer',
  'outage',
  'storm',
  'damage',
  'magnitude',
  'restoration',
  'effort',
  'day',
  'time',
  'damage',
  'equipment',
  'facility',
  'action',
  'repair',
  'restoration',
  'time',
  'area',
  'extent',
  'damage',
  'entergy',
  'facility',
  'day',
  'restoration',
  'effort',
  'storm',
  'damage',
  'system',
  'p.m.',
  'crew',
  'pole',
  'foot',
  'power',
  'line',
  'cross',
  'arm',
  'transformer',
  'number',
  'damage',
  'assessment',
  'noon',
  'monday',
  'scout',
  'damage',
  'cause',
  'outage',
  'problem',
  'time',
  'power',
  'assessment',
  'day',
  'damage',
  'service',
  'repair',
  'source',
  'power',
  'plant',
  'transmission',
  'line',
  'substation',
  'order',
  'customer',
  'service',
  'neighborhood',
  'home',
  'restoration',
  'area',
  'crew',
  'area',
  'mind',
  'system',
  'power',
  'truck',
  'area',
  'power',
  'mind',
  'work',
  'lace',
  'order',
  'electricity',
  'truck',
  'worker',
  'area',
  'restoration',
  'work',
  'crew',
  'hour',
  'shift',
  'hour',
  'rest',
  'time',
  'safety',
  'practice',
  'operation',
  'customer',
  'restoration',
  'work',
  'customer',
  'patience',
  'crew',
  'power',
  'safety',
  'weather',
  'forecast',
  'temperature',
  'day',
  'family',
  'recommendation',
  'centers',
  'disease',
  'control',
  'prevention',
  'drink',
  'fluid',
  'clothing',
  'hat',
  'replace',
  'salt',
  'fruit',
  'juice',
  'sport',
  'drink',
  'time',
  'day',
  'a.m.',
  'p.m.',
  'wear',
  'sunscreen',
  'sunburn',
  'body',
  'ability',
  'air',
  'conditioning',
  'way',
  'generator',
  'weather',
  'event',
  'customer',
  'safety',
  'tip',
  'wire',
  'power',
  'line',
  '9outage',
  'power',
  'line',
  'pole',
  'equipment',
  'tree',
  'debris',
  'power',
  'line',
  'power',
  'company',
  'crew',
  'contractor',
  'tree',
  'limb',
  'power',
  'line',
  'power',
  'line',
  'area',
  'crew',
  'danger',
  'equipment',
  'possibility',
  'construction',
  'material',
  'limb',
  'wire',
  'ground',
  'generator',
  'power',
  'electrician',
  'disconnect',
  'utility',
  'system',
  'panel',
  'generator',
  'space',
  'ventilation',
  'manufacturer',
  'safety',
  'guideline',
  'appliance',
  'position',
  'power',
  'road',
  'area',
  'traffic',
  'weather',
  'accident',
  'injury',
  'fatality',
  'accident',
  'pole',
  'equipment',
  'outage',
  'ability',
  'crew',
  'repair',
  'damage',
  'restoration',
  'weather',
  'scam',
  'attempt',
  'entergy',
  'payment',
  'customer',
  'phone',
  'customer',
  'information',
  'stranger',
  'hang',
  'entergy',
  'entergy',
  'customer',
  'service',
  'representative',
  'victim',
  'scam',
  'authority',
  'police',
  'state',
  'attorney',
  'general',
  'office',
  'scam',
  'entergy.com/scam',
  'control',
  'way',
  'information',
  'outage',
  'entergy',
  'view',
  'outage',
  'page',
  'website',
  'resource',
  'convenience',
  'app',
  'smartphone',
  'entergy.com/app',
  'entergy',
  'storm',
  'center',
  'restoration',
  'progress',
  'text',
  'alert',
  'cellphone',
  'text',
  'r',
  'e',
  'g',
  'twitter.com/entergyms',
  'facebook.com/entergym',
  'follow',
  'update',
  'news',
  'medium',
  'radio',
  'television',
  'newspaper',
  'entergy',
  'arkansas',
  'storm',
  'damage',
  'power',
  'grid',
  'entergy',
  'arkansas',
  'storm',
  'update',
  'a.m.',
  'teamwork',
  'mississippi',
  'promise',
  'development',
  'louisiana',
  'llcentergy',
  'arkansas',
  'llcentergy',
  'mississippi',
  'llcentergy',
  'new',
  'orleans',
  'llcentergy',
  'texas',
  'inc.',
  'entergy',
  'nuclearadditional',
  'releasesinsight',
  'centercontact',
  'entergy',
  'corporation',
  'right'],
 ['contentskip',
  'main',
  'contentaccessibility',
  'helpmenuwhen',
  'search',
  'suggestion',
  'use',
  'arrow',
  'searchsearchsign',
  'inquick',
  'livetvwatchnewstop',
  'storieslocalclimateworldcanadapoliticsindigenousopinionthe',
  'nationalbusinesshealthentertainmentsciencecbc',
  'news',
  'investigatesgo',
  'publicabout',
  'cbc',
  'newsbeing',
  'black',
  'canadamore',
  'alaska',
  'brace',
  'impact',
  'level',
  'storm',
  '',
  '',
  'cbc',
  'news',
  'loadedworldalaska',
  'brace',
  'impact',
  'level',
  "storm'resident",
  'alaska',
  'coast',
  'friday',
  'storm',
  'forecaster',
  'history',
  'hurricane',
  'force',
  'wind',
  'surf',
  'power',
  'flooding',
  'remnant',
  'typhoon',
  'merbok',
  'hurricane',
  'force',
  'wind',
  'surfthe',
  'associated',
  'press',
  'sep',
  'pm',
  'edt',
  'september',
  '2022a',
  'satellite',
  'view',
  'storm',
  'alaska',
  'friday',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'associated',
  'press)resident',
  'alaska',
  'coast',
  'friday',
  'storm',
  'forecaster',
  'history',
  'hurricane',
  'force',
  'wind',
  'surf',
  'power',
  'flooding',
  'storm',
  'remnant',
  'typhoon',
  'merbok',
  'university',
  'alaska',
  'fairbanks',
  'climate',
  'specialist',
  'rick',
  'thoman',
  'weather',
  'pattern',
  'alaska',
  'summer',
  'storm',
  'rain',
  'weekend',
  'drought',
  'california',
  'air',
  'ex',
  '-',
  'typhoon',
  'chain',
  'reaction',
  'jet',
  'stream',
  'alaska',
  '"it',
  'level',
  'storm',
  'thoman',
  'system',
  'alaska',
  'year',
  'people',
  'september',
  'storm',
  'storm',
  '"hurricane',
  'force',
  'wind',
  'bering',
  'sea',
  'community',
  'elim',
  'koyuk',
  'kilometre',
  'hub',
  'community',
  'nome',
  'water',
  'level',
  'metre',
  'tide',
  'line',
  'national',
  'weather',
  'service',
  'flood',
  'warning',
  'effect',
  'monday',
  'alaska',
  'view',
  'webcam',
  'nome',
  'alaska',
  'friday',
  'nome',
  'convention',
  'visitors',
  'bureau',
  'associated',
  'press)in',
  'nome',
  'resident',
  'leon',
  'boardway',
  'friday',
  'nome',
  'visitors',
  'center',
  'block',
  'bering',
  'sea',
  'door',
  'coffee',
  'pot',
  'wind',
  'people',
  'resident',
  'visitor',
  'business',
  'town',
  'end',
  'iditarod',
  'trail',
  'sled',
  'dog',
  'race',
  'setting',
  'dredging',
  'gold',
  'reality',
  'bering',
  'sea',
  'gold',
  'window',
  'storm',
  'climate',
  'disaster',
  'today',
  'child',
  'scientist',
  'estimate"the',
  'ocean',
  'boardway',
  'centre',
  'webcam',
  'perch',
  'view',
  'swell',
  'position',
  'typhoon',
  'merbok',
  'east',
  'pacific',
  'ocean',
  'storm',
  'water',
  'temperature',
  'year',
  'storm',
  'thoman',
  'cbc',
  'journalistic',
  'standards',
  'cbc',
  'newscorrections',
  'news',
  'errorfooter',
  'linksmy',
  'accountprofilecbc',
  'cbc',
  'accountsconnect',
  'cbcsubmit',
  'feedbackhelp',
  'centreaudience',
  'relations',
  'cbc',
  'p.o.',
  'box',
  'station',
  'toronto',
  'canada',
  'm5w',
  'toll',
  'canada',
  'cbccorporate',
  'infositemapreuse',
  'permissionterms',
  'useprivacyjobsour',
  'unionsindependent',
  'producerspolitical',
  'ads',
  'registryadchoicesservicesombudsmancorrections',
  'clarificationspublic',
  'appearancescommercial',
  'servicescbc',
  'shopdoing',
  'business',
  'usrenting',
  'facilitiesradio',
  'canada',
  'liteaccessibilityit',
  'priority',
  'cbc',
  'product',
  'canada',
  'people',
  'hearing',
  'motor',
  'challenge',
  'captioning',
  'described',
  'video',
  'cbc',
  'cbc',
  'gem',
  'cbc',
  'accessibilityaccessibility',
  'feedback2023',
  'cbc',
  'radio',
  'canada',
  'right',
  'visitez'],
 ['election',
  'result',
  'iowa',
  'news',
  'metro',
  'news',
  'national',
  'news',
  'understanding',
  'autism',
  'special',
  'reports',
  'iowa',
  'politics',
  'golden',
  'apple',
  'veterans',
  'voice',
  'history',
  'sign',
  'email',
  'newsletters',
  'bestreviews',
  'man',
  'fort',
  'dodge',
  'lawmaker',
  'ragbrai',
  'dog',
  'puppy',
  'hoarding',
  'case',
  'arl',
  'federal',
  'reserve',
  'interest',
  'rate',
  'hike',
  'desantis',
  'rfk',
  'jr.',
  'cdc',
  'fda',
  'indy',
  'soundoff',
  'andy',
  'murphy',
  'law',
  'football',
  'friday',
  'primetime',
  'high',
  'school',
  'high',
  'school',
  'scores',
  'rvtv',
  'kirk',
  'ferentz',
  'big',
  'media',
  'days',
  'niang',
  'nba',
  'dream',
  'state',
  'new',
  'ushl',
  'commissioner',
  'buccaneer',
  'arena',
  'situation',
  'tory',
  'taylor',
  'pound',
  'season',
  'lebron',
  'james',
  'son',
  'arrest',
  'bulldog',
  'enzugusi',
  'menace',
  'maps',
  'radar',
  'iowa',
  'weather',
  'channel',
  'skycam',
  'network',
  'warnings',
  'weather',
  'related',
  'closings',
  'road',
  'conditions',
  'emergency',
  'hotlines',
  'iowa',
  'river',
  'gage',
  'severe',
  'weather',
  'awareness',
  'weather',
  'blog',
  'weather',
  'senior',
  'salutes',
  'photolink',
  'science',
  'center',
  'iowa',
  'cheers',
  'business',
  'cooking',
  'dollar',
  'sense',
  'wellness',
  'wednesday',
  'guest',
  'day',
  'contact',
  'iowa',
  'rave',
  'review',
  'live',
  'poll',
  'iowa',
  'farmers',
  'women',
  'schedule',
  'air',
  'app',
  'center',
  'sign',
  'daily',
  'email',
  'alert',
  'streaming',
  'senior',
  'scholastic',
  'spotlight',
  'clear',
  'shelters',
  'community',
  'calendar',
  'contests',
  'children',
  'programming',
  'photolink',
  'advertise',
  'news',
  'team',
  'story',
  'idea',
  'press',
  'regional',
  'news',
  'partners',
  'bestreviews',
  'public',
  'file',
  'post',
  'job',
  'job',
  'employment',
  'opportunities',
  'wind',
  'snow',
  'iowa',
  'end',
  'week',
  'dec',
  'pm',
  'cst',
  'dec',
  'pm',
  'cst',
  'dec',
  'pm',
  'cst',
  'dec',
  'pm',
  'cst',
  'article',
  'information',
  'article',
  'time',
  'stamp',
  'story',
  'winter',
  'storm',
  'blast',
  'air',
  'track',
  'state',
  'tomorrow',
  'afternoon',
  'holiday',
  'weekend',
  'inch',
  'snow',
  'iowa',
  'wind',
  'travel',
  'area',
  'end',
  'snow',
  'range',
  'winter',
  'storm',
  'central',
  'iowa',
  'pm',
  'wednesday',
  'saturday',
  'snow',
  'western',
  'iowa',
  'pm',
  'wednesday',
  'flake',
  'des',
  'moines',
  'pm',
  'wednesday',
  'couple',
  'hour',
  'snow',
  'wind',
  'storm',
  'iowa',
  'night',
  'half',
  'thursday',
  'wind',
  'gust',
  'mph',
  'low',
  'mph',
  'gust',
  'thursday',
  'friday',
  'snow',
  'band',
  'wednesday',
  'snow',
  'band',
  'wednesday',
  'second',
  'snow',
  'band',
  'thursday',
  'second',
  'snow',
  'band',
  'thursday',
  'blizzard',
  'condition',
  'thursday',
  'blizzard',
  'condition',
  'visibility',
  'tact',
  'friday',
  'snow',
  'ove',
  'snow',
  'wind',
  'temperature',
  'wind',
  'wind',
  'chill',
  'watch',
  'time',
  'period',
  'des',
  'moines',
  'wind',
  'chill',
  'thursday',
  'morning',
  'past',
  'lunch',
  'saturday',
  'thursday',
  'morning',
  'wind',
  'chill',
  'thursday',
  'evening',
  'wind',
  'chill',
  'friday',
  'morning',
  'wind',
  'chill',
  'snowfall',
  'total',
  'inch',
  'range',
  'central',
  'iowa',
  'moment',
  'snow',
  'total',
  'billing',
  'storm',
  'wind',
  'couple',
  'inch',
  'accumulation',
  'travel',
  'snow',
  'forecast',
  'mega',
  'doppler',
  's',
  'weather',
  'warnings',
  'advisories',
  'road',
  'conditions',
  'emergency',
  'hotlines',
  'download',
  '13warnme',
  'app',
  'life',
  'situation',
  'cold',
  'wind',
  'travel',
  'vehicle',
  'road',
  'frostbite',
  'minute',
  'rescue',
  'motorist',
  'travel',
  'plan',
  'element',
  'thursday',
  'typo',
  'error(required',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'amazon',
  'school',
  'deal',
  'schooler',
  'school',
  'corner',
  'amazon',
  'supply',
  'school',
  'deal',
  'supply',
  'schooler',
  'august',
  'vegetable',
  'flower',
  'flower',
  'plant',
  'hour',
  'soil',
  'air',
  'temperature',
  'sunshine',
  'august',
  'month',
  'planting',
  'chemical',
  'guys',
  'kit',
  'car',
  'car',
  'care',
  'hour',
  'chemical',
  'guys',
  'car',
  'wash',
  'kit',
  'time',
  'deal',
  'man',
  'fort',
  'dodge',
  'soldier',
  'niger',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'senate',
  'gop',
  'leader',
  'mcconnell',
  'news',
  'conference',
  'samsung',
  'smartphone',
  'bet',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'man',
  'fort',
  'dodge',
  'soldier',
  'niger',
  'senate',
  'gop',
  'leader',
  'mcconnell',
  'news',
  'conference',
  'samsung',
  'smartphone',
  'bet',
  'journalist',
  'year',
  'prison',
  'ocean',
  'heat',
  'dog',
  'puppy',
  'hoarding',
  'case',
  'animal',
  'gov.',
  'reynolds',
  'chats',
  'schedule',
  'tens',
  'thousands',
  'brave',
  'heat',
  'ragbrai',
  'ragbrai',
  'route',
  'des',
  'moines',
  'metro',
  'wednesday',
  'new',
  'ushl',
  'commissioner',
  'buccaneer',
  'arena',
  'situation',
  'niang',
  'iowa',
  'journalist',
  'year',
  'prison',
  'ocean',
  'heat',
  'people',
  'high',
  'arizona',
  'trump',
  'biden',
  'republicans',
  'arizona',
  'girl',
  'montana',
  'lawmaker',
  'ragbrai',
  'attorney',
  'm',
  'settlement',
  'water',
  'thank',
  'inbox',
  'gift',
  'summer',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'home',
  'depot',
  'foot',
  'skeleton',
  'halloween',
  'deal',
  'day',
  'prime',
  'day',
  'favorite',
  'amazon',
  'essentials',
  'clothe',
  'new',
  'ushl',
  'commissioner',
  'buccaneer',
  'arena',
  'situation',
  'lawmaker',
  'ragbrai',
  'man',
  'fort',
  'dodge',
  'dog',
  'puppy',
  'hoarding',
  'case',
  'arl',
  'heat',
  'wave',
  'iowa',
  'east',
  'fire',
  'garage',
  'ragbrai',
  'route',
  'des',
  'moines',
  'traffic',
  'man',
  'fort',
  'dodge',
  'lawmaker',
  'ragbrai',
  'dog',
  'puppy',
  'hoarding',
  'case',
  'arl',
  'federal',
  'reserve',
  'interest',
  'rate',
  'hike',
  'desantis',
  'rfk',
  'jr.',
  'cdc',
  'fda',
  'mcconnell',
  'briefing',
  'colleague',
  'politic',
  'hill',
  'hour',
  'news',
  'sports',
  'video',
  'center',
  'mega',
  'doppler',
  's',
  'weather',
  'iowa',
  'contact',
  'jobs',
  'online',
  'public',
  'file',
  'public',
  'file',
  'eeo',
  'fcc',
  'applications',
  'android',
  'app',
  'google',
  'play',
  'android',
  'weather',
  'app',
  'google',
  'play',
  'personal',
  'information',
  'personal',
  'information',
  'nexstar',
  'media',
  'inc.',
  'rights'],
 ['home',
  'mail',
  'news',
  'finance',
  'sports',
  'entertainment',
  'life',
  'search',
  'shopping',
  'yahoo',
  'plus',
  'yahoo',
  'life',
  'newsletter',
  'yahoo',
  'lifestyle',
  'yahoo',
  'lifestyle',
  'search',
  'query',
  'sign',
  'mail',
  'sign',
  'mail',
  'life',
  'health',
  'facts',
  'life',
  'mental',
  'health',
  'resources',
  'unwind',
  'parent',
  'kid',
  'mini',
  'ways',
  'ttc',
  'style',
  'beauty',
  'good',
  'news',
  'horoscopes',
  'shopping',
  'buying',
  'guides',
  'winter',
  'storm',
  'snow',
  'illinois',
  'maineread',
  'winter',
  'storm',
  'snow',
  'illinois',
  'winter',
  'storm',
  'snow',
  'illinois',
  'winter',
  'storm',
  'snow',
  'illinois',
  'winter',
  'storm',
  'snow',
  'illinois',
  'winter',
  'storm',
  'snow',
  'illinois',
  'winter',
  'storm',
  'snow',
  'illinois',
  'sosnowskimarch',
  'pm·7',
  'min',
  'reada',
  'storm',
  'slew',
  'problem',
  'south',
  'state',
  'midwest',
  'week',
  'zone',
  'snow',
  'edge',
  '-',
  'mississippi',
  'valley',
  'great',
  'lakes',
  'new',
  'york',
  'state',
  'new',
  'england',
  'accuweather',
  'meteorologist',
  'travel',
  'disruption',
  'snowfall',
  'total',
  'inch',
  'mile',
  'corridor',
  'united',
  'states',
  'multiday',
  'weather',
  'outbreak',
  'south',
  'storm',
  'path',
  'portion',
  'midwest',
  'snow',
  'total',
  'chicago',
  'area',
  'corridor',
  'snow',
  'city',
  'suburb',
  'inch',
  'snow',
  'farther',
  'east',
  'indiana',
  'half',
  'michigan',
  'inch',
  'snow',
  'hour',
  'snow',
  'flight',
  'delay',
  'cancellation',
  'detroit',
  'airport',
  'issue',
  'city',
  'albany',
  'boston',
  'flight',
  'delay',
  'rain',
  'visibility',
  'south',
  'hub',
  'st.',
  'louis',
  'pittsburgh',
  'new',
  'york',
  'city',
  'philadelphia',
  'ripple',
  'effect',
  'delay',
  'nation',
  'storm',
  'crew',
  'plane',
  'storm',
  'nation',
  'airline',
  'travel',
  'hub',
  'midwest',
  'northeast',
  'accuweather',
  'senior',
  'meteorologist',
  'dean',
  'devore',
  'volume',
  'traveler',
  'spring',
  'break',
  'matter',
  'accuweather',
  'app',
  'unlock',
  'accuweather',
  'alerts',
  'premium+"there',
  'gradient',
  'snowfall',
  'metro',
  'area',
  'upper',
  'midwest',
  'northeast',
  'devore',
  'wedge',
  'air',
  'storm',
  'air',
  'north',
  'system',
  'continuesin',
  'chicago',
  'gradient',
  'downtown',
  'chicago',
  'flurry',
  'storm',
  'place',
  'mile',
  'south',
  'hour',
  'snow',
  'whiteout',
  'condition',
  'gradient',
  'area',
  'edge',
  'storm',
  'accuweather',
  'meteorologist',
  'andrew',
  'johnson',
  'levine',
  'storm',
  'air',
  'north',
  'snow',
  'rain',
  'rain',
  'snow',
  'missouri',
  'illinois',
  'indiana',
  'friday',
  'band',
  'snow',
  'west',
  'michigan',
  'dozen',
  'mile',
  'mixture',
  'snow',
  'rain',
  'chicago',
  'friday',
  'evening',
  'snow',
  'band',
  'indiana',
  'dozen',
  'mile',
  'detroit',
  'snowfall',
  'rate',
  'inch',
  'hour',
  'swath',
  'road',
  'condition',
  'snow',
  'accuweather',
  'forecaster',
  'condition',
  'distance',
  'air',
  'precipitation',
  'rain',
  'chicago',
  'neighborhood',
  'storm',
  'northwest',
  'city',
  'air',
  'place',
  'precipitation',
  'setup',
  'east',
  'moisture',
  'detroit',
  'metro',
  'area',
  'inch',
  'snow',
  'inch',
  'north',
  'west',
  'devore',
  'michigan',
  'foot',
  'snow',
  'area',
  'downriver',
  'couple',
  'inch',
  'snow',
  'slush',
  'change',
  'rain',
  'friday',
  'night',
  'rain',
  'fog',
  'thunderstorm',
  'travel',
  'trouble',
  'portion',
  'interstate',
  'corridor',
  'midwest',
  'north',
  'ohio',
  'friday',
  'stretch',
  'i-80',
  'indiana',
  'snow',
  'interstate',
  'michigan',
  'vehicle',
  'snow',
  'region',
  'rain',
  'pace',
  'drainage',
  'area',
  'flooding',
  'risk',
  'vehicle',
  'highway',
  'snow',
  'rain',
  'area',
  'wind',
  'storm',
  'portion',
  'tennessee',
  'ohio',
  'valley',
  'appalachians',
  'hurricane',
  'force',
  'mph',
  'store',
  'friday',
  'night',
  'score',
  'power',
  'outage',
  'road',
  'tree',
  'mid',
  '-',
  'afternoon',
  'friday',
  'utility',
  'customer',
  'power',
  'south',
  'state',
  'situation',
  'northeast',
  'storm',
  'great',
  'lakes',
  'friday',
  'night',
  'storm',
  'shape',
  'coast',
  'storm',
  'steam',
  'saturday',
  'area',
  'snow',
  'sleet',
  'northeast',
  'midwest',
  'snow',
  'new',
  'york',
  'state',
  'snowfall',
  'accumulation',
  'inch',
  'foot',
  'friday',
  'afternoon',
  'saturday',
  'farther',
  'period',
  'snow',
  'sleet',
  'rain',
  'travel',
  'condition',
  'time',
  'appalachians',
  'friday',
  'precipitation',
  'rain',
  'friday',
  'friday',
  'night',
  'rain',
  'fog',
  'travel',
  'highway',
  'flight',
  'delay',
  'condition',
  'new',
  'england',
  'line',
  'rain',
  'snow',
  'downtown',
  'area',
  'boston',
  'inch',
  'snow',
  'slush',
  'changeover',
  'rain',
  'devore',
  'area',
  'west',
  'city',
  'center',
  'inch',
  'snow',
  'area',
  'interstate',
  'storm',
  'snow',
  'system',
  'saturday',
  'night',
  'accumulation',
  'boston',
  'storm',
  'potential',
  'new',
  'england',
  'foot',
  'snow',
  'accuweather',
  'local',
  'stormmax',
  'inch',
  'ridge',
  'peak',
  'storm',
  'friday',
  'saturday',
  'storm',
  'new',
  'york',
  'city',
  'snowfall',
  'year',
  'devore',
  'storm',
  'monday',
  'night',
  'tuesday',
  'inch',
  'snow',
  'central',
  'park',
  'inch',
  'bronx',
  'change',
  'friday',
  'friday',
  'evening',
  'snow',
  'coating',
  'new',
  'york',
  'city',
  'devore',
  'rain',
  'time',
  'friday',
  'night',
  'saturday',
  'morning',
  'big',
  'apple',
  'portion',
  'i-80',
  'new',
  'jersey',
  'pennsylvania',
  'time',
  'friday',
  'afternoon',
  'evening',
  'burst',
  'snow',
  'sleet',
  'combination',
  'rain',
  'cloud',
  'ceiling',
  'fog',
  'travel',
  'road',
  'airline',
  'delay',
  'i-95',
  'corridor',
  'washington',
  'd.c.',
  'philadelphia',
  'new',
  'york',
  'city',
  'weekend',
  'travel',
  'condition',
  'west',
  'east',
  'midwest',
  'northeast',
  'sunday',
  'snow',
  'shower',
  'portion',
  'new',
  'york',
  'new',
  'england',
  'condition',
  'march',
  'spring',
  'pattern',
  'midwest',
  'northeast',
  'air',
  'potential',
  'storm',
  'snow',
  'correction',
  'story',
  'snow',
  'storm',
  'new',
  'york',
  'city',
  'week',
  'storm',
  'new',
  'york',
  'city',
  'total',
  'inch',
  'inch',
  'snow',
  'monday',
  'tuesday',
  'inch',
  'snow',
  'level',
  'safety',
  'ad',
  'weather',
  'alert',
  'premium+',
  'accuweather',
  'app',
  'accuweather',
  'alerts',
  'expert',
  'meteorologist',
  'weather',
  'risk',
  'family',
  'car',
  'death',
  'life·7',
  'min',
  'olive',
  'oil',
  'brain',
  'health',
  'studyyahoo',
  'life·5',
  'min',
  'readbarbie',
  'death',
  'anxiety',
  'yahoo',
  'life·7',
  'min',
  'people',
  'joy',
  'frustration',
  'pronoun',
  'yahoo',
  'life·6',
  'min',
  'james',
  'lebron',
  'james',
  'year',
  'son',
  'arrest',
  'condition',
  'yahoo',
  'life·6',
  'min',
  'storiesyahoo',
  'life',
  'bra',
  'warner',
  'style',
  'smooth',
  '%',
  'off)it',
  'figure',
  'life',
  'shoppingthe',
  'deal',
  'amazon',
  'saturday',
  'memory',
  'foam',
  'pillow',
  'pack',
  '%',
  'massage',
  'gun',
  'saving',
  '%',
  'price.4d',
  'agoyahoo',
  "life'i'm",
  'chubby',
  'latina',
  'size',
  'model',
  'denise',
  'bidot',
  'model"we\'re',
  'narrative',
  'people',
  'thing',
  'bidot.2d',
  'agoyahoo',
  'life',
  'shoppingnordstrom',
  'anniversary',
  'sale',
  'shop',
  'le',
  'creuset',
  'coach',
  'outsave',
  '%',
  'brand',
  'store',
  'discount',
  'event.2d',
  'life',
  'shoppingpsst',
  'airpods',
  'shopper',
  'love',
  '99the',
  'charging',
  'case',
  'day',
  'listening',
  'pleasure',
  'life',
  'beach',
  'cover',
  'jean',
  '%',
  'off)the',
  'workhorse',
  'swimsuit',
  'dinner.3d',
  'lifehot',
  'sheet',
  'set',
  'shopper',
  '%',
  'offthe',
  'cooling',
  'moisture',
  'sheet',
  'set',
  'agoyahoo',
  'life',
  "shopping'so",
  'office',
  'chair',
  'amazon',
  "midnight'provides",
  'support',
  'head',
  'hip',
  'hand',
  'fan',
  'lumbar',
  'support',
  'life',
  "shopping'fine",
  'line',
  'tool',
  'codesave',
  '%',
  'derma',
  'roller',
  'reviewer',
  'aglow.11h',
  'agoyahoo',
  'life',
  'shoppingkate',
  'hudson',
  'la',
  'mer',
  'skin',
  'care',
  'product',
  '%',
  'nordstrom',
  'anniversary',
  'saleher',
  'mom',
  'goldie',
  'hawn',
  'brand',
  'year',
  'ago.1d',
  'agomore',
  'stories',
  'twitterfacebookinstagrampinterestyoutubeyahoo!healthparentingstyle',
  'beautygood',
  'newshoroscopesshoppingterms',
  'privacy',
  'policyprivacy',
  'adssite',
  'map',
  'yahoo',
  'right'],
 ['abc',
  'newsvideoliveshowselectionsinterest',
  'successfully',
  "addedwe'll",
  'news',
  'desktop',
  'notification',
  'story',
  'interest',
  'offonlog',
  'instream',
  'onfatality',
  'vermont',
  'weather',
  'weather',
  'country',
  'bymax',
  'golembo',
  'melissa',
  'griffin',
  'morgan',
  'winsor',
  'ivan',
  'pereirajuly',
  'pm1:48storm',
  'cloud',
  'chicago',
  'illinois',
  'july',
  'national',
  'weather',
  'service',
  'tornado',
  'warning',
  'area',
  'charles',
  'rex',
  'arbogast',
  'apat',
  'person',
  'floodwater',
  'vermont',
  'week',
  'state',
  'authority',
  'thursday',
  'stephen',
  'davoll',
  'barre',
  'city',
  'vermont',
  'wednesday',
  'result',
  'accident',
  'home',
  'vermont',
  'department',
  'health',
  'fatality',
  'week',
  'storm',
  'flooding',
  'green',
  'mountain',
  'state',
  'friday',
  'president',
  'joe',
  'biden',
  'disaster',
  'declaration',
  'state',
  'action',
  'funding',
  'county',
  'chittenden',
  'lamoille',
  'rutland',
  'washington',
  'windham',
  'windsor',
  'white',
  'house',
  'disaster',
  'declaration',
  'funding',
  'government',
  'addison',
  'bennington',
  'caledonia',
  'chittenden',
  'essex',
  'franklin',
  'grand',
  'isle',
  'lamoille',
  'orange',
  'orleans',
  'rutland',
  'washington',
  'windham',
  'windsor',
  'county',
  'white',
  'house',
  'announcement',
  'weather',
  'united',
  'states',
  'storm',
  'heat',
  'wave',
  'country',
  'tips',
  'tornadostorm',
  'twister',
  'illinois',
  'wednesday',
  'evening',
  'tree',
  'roof',
  'flight',
  'chicago',
  'area',
  'tornado',
  'chicago',
  'area',
  'city',
  'airport',
  'national',
  'weather',
  'service',
  'flight',
  "o'hare",
  'international',
  'airport',
  'wednesday',
  'flight',
  'tracking',
  'service',
  'flightaware',
  'tornado',
  'iowa',
  'michigan',
  'night',
  'report',
  'damage',
  'line',
  'wind',
  'mile',
  'hour',
  'texas',
  'michigan',
  'report',
  'golf',
  'ball',
  'hail',
  'missouri',
  'nebraska',
  'kansas',
  'damage',
  'sinnott',
  'tree',
  'service',
  'building',
  'mccook',
  'illinois',
  'july',
  'national',
  'weather',
  'service',
  'tornado',
  'warning',
  'chicago',
  'area',
  'nam',
  'y.',
  'huh',
  'weather',
  'wednesday',
  'evening',
  'storm',
  'system',
  'midwest',
  'threat',
  'northeast',
  'thursday',
  'kentucky',
  'vermont',
  'wind',
  'hail',
  'tornado',
  'storm',
  'system',
  'path',
  'city',
  'cincinnati',
  'ohio',
  'charleston',
  'west',
  'virginia',
  'pittsburgh',
  'pennsylvania',
  'binghamton',
  'new',
  'york',
  'albany',
  'new',
  'york',
  'burlington',
  'vermont',
  'floodwater',
  'safety',
  'tipsa',
  'flood',
  'watch',
  'new',
  'york',
  'vermont',
  'new',
  'hampshire',
  'vermont',
  'capital',
  'montpelier',
  'rainfall',
  'flooding',
  'week',
  'thursday',
  'threat',
  'rainfall',
  'flooding',
  'weekend',
  'northeast',
  'interstate',
  'travel',
  'corridor',
  'forecast',
  'inch',
  'rain',
  'new',
  'england',
  'vermont',
  'new',
  'hampshire',
  'maine',
  'storm',
  'cloud',
  'chicago',
  'illinois',
  'july',
  'national',
  'weather',
  'service',
  'tornado',
  'warning',
  'area',
  'charles',
  'rex',
  'arbogast',
  'apmeanwhile',
  'million',
  'americans',
  'u.s.',
  'state',
  'heat',
  'alert',
  'thursday',
  'washington',
  'florida',
  'heat',
  'index',
  'degree',
  'fahrenheit',
  'mid',
  '-',
  'south',
  'gulf',
  'coast',
  'florida',
  'temperature',
  'houston',
  'miami',
  'wednesday',
  'temperature',
  'phoenix',
  'degree',
  'fahrenheit',
  'day',
  'arizona',
  'capital',
  'track',
  'day',
  'streak',
  '1974.more',
  'heat',
  'safety',
  'forecast',
  'heat',
  'week',
  'temperature',
  'southwest',
  'weekend',
  'heat',
  'watch',
  'effect',
  'burbank',
  'california',
  'friday',
  'monday',
  'temperature',
  'degree',
  'fahrenheit',
  'hospital',
  'emergency',
  'department',
  'visit',
  'heat',
  'illness',
  'month',
  'centers',
  'disease',
  'control',
  'prevention',
  'abc',
  'news',
  'youri',
  'benadjaoud',
  'report',
  'topicsweathertop',
  'storieshouse',
  'ufo',
  'hearing',
  'ex',
  'knowledge',
  'craftjul',
  'amruin',
  'vatican',
  'emperor',
  'nero',
  'theaterjul',
  'pmmcconnell',
  'press',
  'conference',
  'return',
  'pmsinead',
  "o'connor",
  'u',
  'singer',
  '56jul',
  'pmwhistleblower',
  'congress',
  'decade',
  'program',
  'ufosjul',
  'pmabc',
  'news',
  'live24/7',
  'coverage',
  'news',
  'eventsabc',
  'news',
  'networkprivacy',
  'policyyour',
  'state',
  'privacy',
  'rightschildren',
  'online',
  'privacy',
  'policyinterest',
  'adsabout',
  'nielsen',
  'measurementterms',
  'usedo',
  'sell',
  'informationcontact',
  'uscopyright',
  'abc',
  'news',
  'internet',
  'ventures',
  'right'],
 ['associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'u.s.',
  'news',
  'vermonters',
  'home',
  'business',
  'storm',
  'horizon',
  'vermont',
  'capital',
  'city',
  'volunteer',
  'bookstore',
  'month',
  'rain',
  'day',
  'week',
  'july',
  'ap',
  'video',
  'rodrique',
  'ngowi',
  'vermonters',
  'friday',
  'home',
  'business',
  'flooding',
  'eye',
  'horizon',
  'round',
  'storm',
  'weekend',
  'state',
  'rain',
  'thursday',
  'customer',
  'height',
  'storm',
  'rain',
  'sunday',
  'tuesday',
  'extent',
  'storm',
  'gov.',
  'phil',
  'scott',
  'news',
  'conference',
  'snow',
  'hand',
  'volunteer',
  'vermont',
  'community',
  'mud',
  'flood',
  'rain',
  'flood',
  'northeast',
  'rescue',
  'swamps',
  'vermont',
  'capital',
  'vermont',
  'rain',
  'wake',
  'flooding',
  'storm',
  'month',
  'worth',
  'rain',
  'couple',
  'day',
  'region',
  'week',
  'tropical',
  'storm',
  'irene',
  'flooding',
  'official',
  'week',
  'state',
  'disaster',
  'flood',
  'flooding',
  'death',
  'man',
  'home',
  'barre',
  'city',
  'people',
  'vermont',
  'stephen',
  'davoll',
  'wednesday',
  'vermont',
  'emergency',
  'management',
  'spokesman',
  'mark',
  'bosma',
  'vermonters',
  'care',
  'home',
  'repair',
  'damage',
  'loss',
  'vermonter',
  'week',
  'vermont',
  'u.s.',
  'sen.',
  'peter',
  'welch',
  'statement',
  'flood',
  'death',
  'storm',
  'system',
  'flooding',
  'northeast',
  'week',
  'new',
  'york',
  'woman',
  'floodwater',
  'fort',
  'montgomery',
  'hudson',
  'river',
  'community',
  'mile',
  'kilometer',
  'north',
  'new',
  'york',
  'city',
  'president',
  'joe',
  'biden',
  'friday',
  'scott',
  'request',
  'disaster',
  'declaration',
  'support',
  'community',
  'community',
  'touch',
  'vermont',
  'emergency',
  'management',
  'official',
  'need',
  'state',
  'official',
  'friday',
  'dozen',
  'national',
  'guard',
  'troop',
  'contact',
  'volunteer',
  'downtown',
  'parking',
  'area',
  'bank',
  'winooski',
  'river',
  'montpelier',
  'ap',
  'photo',
  'charles',
  'krupa',
  'addition',
  'road',
  'home',
  'business',
  'farm',
  'hit',
  'flooding',
  'grower',
  'freeze',
  'share',
  'produce',
  'livestock',
  'feed',
  'state',
  'agriculture',
  'secretary',
  'anson',
  'tebbetts',
  'news',
  'conference',
  'state',
  'farmland',
  'river',
  'valley',
  'field',
  'corn',
  'hay',
  'vegetable',
  'fruit',
  'pasture',
  'damage',
  'cost',
  'scott',
  'official',
  'vermonter',
  'flood',
  'area',
  'thousand',
  'vermonter',
  'business',
  'organization',
  'recovery',
  'help',
  'fact',
  'focus',
  'head',
  'trauma',
  'circumstance',
  'obamas',
  'chef',
  'police',
  'freighter',
  'car',
  'fire',
  'north',
  'sea',
  'crew',
  'member',
  'body',
  'boat',
  'senegal',
  'capital',
  'city',
  'marshfield',
  'community',
  'mile',
  'kilometer',
  'east',
  'state',
  'city',
  'burlington',
  'marshfield',
  'village',
  'store',
  'makeshift',
  'shelter',
  'night',
  'week',
  'flooding',
  'housing',
  'dozen',
  'people',
  'friday',
  'distribution',
  'point',
  'water',
  'damage',
  'water',
  'main',
  'town',
  'need',
  'official',
  'people',
  'help',
  'folk',
  'support',
  'equipment',
  'volunteer',
  'emergency',
  'medication',
  'property',
  'michelle',
  'eddleman',
  'mccormick',
  'store',
  'manager',
  'philip',
  'kolling',
  'director',
  'servermont',
  'friday',
  'people',
  'relief',
  'effort',
  'state',
  'emergency',
  'management',
  'agency',
  'volunteer',
  'recruitment',
  'effort',
  'volunteer',
  'organization',
  'town',
  'network',
  'effort',
  'need',
  'volunteer',
  'drive',
  'charity',
  'meals',
  'wheels',
  'people',
  'appointment',
  'cleanup',
  'vermont',
  'ski',
  'village',
  'ludlow',
  'calcutta',
  'restaurant',
  'truckload',
  'food',
  'meal',
  'responder',
  'volunteer',
  'people',
  'cleanup',
  'road',
  'banquet',
  'room',
  'cot',
  'water',
  'toiletry',
  'plenty',
  'work',
  'michael',
  'reyes',
  'hospitality',
  'group',
  'restaurant',
  'mccormack',
  'concord',
  'new',
  'hampshire',
  'associated',
  'press',
  'reporter',
  'lisa',
  'rathke',
  'marshfield',
  'vermont',
  'michael',
  'casey',
  'boston',
  'report',
  'associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights'],
 ['leading',
  'edge',
  'sciencescope',
  'basic',
  'research',
  'innovation',
  'invention',
  'inbox',
  'subscribe',
  'deal',
  'politic',
  'newsletter',
  'analysis',
  'inbox',
  'news',
  'alert',
  'pbs',
  'newshour',
  'turn',
  'desktop',
  'notification',
  'adriana',
  'gomez',
  'licon',
  'associated',
  'press',
  'ian',
  'hurricane',
  'strength',
  'south',
  'carolina',
  'nation',
  'sep',
  'edt',
  'sep',
  'pm',
  'edt',
  'charleston',
  's.c.',
  'ap',
  'hurricane',
  'ian',
  'sight',
  'south',
  'carolina',
  'coast',
  'friday',
  'city',
  'charleston',
  'forecaster',
  'storm',
  'surge',
  'flood',
  'megastorm',
  'damage',
  'florida',
  'people',
  'home',
  'south',
  'carolina',
  'coast',
  'hurricane',
  'warning',
  'stream',
  'vehicle',
  'charleston',
  'thursday',
  'official',
  'warning',
  'ground',
  'storefront',
  'water',
  'level',
  'area',
  'inundation',
  'friday',
  'morning',
  'charleston',
  'wind',
  'tree',
  'branch',
  'spray',
  'rain',
  'street',
  'year',
  'city',
  'morning',
  'commute',
  'storm',
  'map',
  'path',
  'hurricane',
  'ian',
  'wind',
  'mph',
  'kph',
  'national',
  'hurricane',
  'center',
  'update',
  'a.m.',
  'friday',
  'ian',
  'mile',
  'km',
  'southeast',
  'charleston',
  'life',
  'storm',
  'surge',
  'hurricane',
  'condition',
  'carolina',
  'area',
  'friday',
  'hurricane',
  'warning',
  'savannah',
  'river',
  'cape',
  'fear',
  'flooding',
  'carolinas',
  'virginia',
  'center',
  'forecast',
  'storm',
  'surge',
  'foot',
  'meter',
  'area',
  'carolinas',
  'rainfall',
  'inch',
  'centimeter',
  'florida',
  'rescue',
  'crew',
  'boat',
  'riverine',
  'street',
  'thursday',
  'thousand',
  'floridians',
  'home',
  'building',
  'hurricane',
  'ian',
  'florida',
  'gov.',
  'ron',
  'desantis',
  'rescue',
  'air',
  'thursday',
  'u.s.',
  'coast',
  'guard',
  'national',
  'guard',
  'search',
  'rescue',
  'team',
  'devastation',
  'florida',
  'focus',
  'day',
  'ian',
  'hurricane',
  'u.s.',
  'storm',
  'home',
  'state',
  'coast',
  'bridge',
  'barrier',
  'island',
  'waterfront',
  'pier',
  'electricity',
  'florida',
  'home',
  'business',
  'quarter',
  'utility',
  'customer',
  'ian',
  'wednesday',
  'florida',
  'gulf',
  'coast',
  'category',
  'hurricane',
  'storm',
  'u.s.',
  'home',
  'state',
  'coast',
  'road',
  'access',
  'barrier',
  'island',
  'waterfront',
  'pier',
  'electricity',
  'florida',
  'home',
  'business',
  'quarter',
  'utility',
  'customer',
  'customer',
  'day',
  'climate',
  'change',
  '%',
  'rain',
  'hurricane',
  'ian',
  'study',
  'storm',
  'co',
  '-',
  'author',
  'lawrence',
  'berkeley',
  'national',
  'lab',
  'climate',
  'scientist',
  'michael',
  'wehner',
  'people',
  'florida',
  'thursday',
  'afternoon',
  'car',
  'water',
  'ditch',
  'florida',
  'putnam',
  'county',
  'people',
  'cuba',
  'hurricane',
  'tuesday',
  'photo',
  'fort',
  'myers',
  'area',
  'mile',
  'ian',
  'land',
  'home',
  'slab',
  'wreckage',
  'business',
  'beach',
  'debris',
  'dock',
  'angle',
  'boat',
  'fire',
  'lot',
  'house',
  'storm',
  'surge',
  'magnitude',
  'florida',
  'gov.',
  'ron',
  'desantis',
  'news',
  'conference',
  'water',
  'today',
  'storm',
  'year',
  'flooding',
  'event',
  'florida',
  'storm',
  'thursday',
  'atlantic',
  'ocean',
  'north',
  'cape',
  'canaveral',
  'ian',
  'hurricane',
  'wind',
  'mph',
  'kph',
  'hurricane',
  'center',
  'south',
  'carolina',
  'friday',
  'category',
  'storm',
  'hurricane',
  'warning',
  'south',
  'carolina',
  'coast',
  'cape',
  'fear',
  'coast',
  'north',
  'carolina',
  'storm',
  'force',
  'wind',
  'mile',
  'kilometer',
  'center',
  'ian',
  'storm',
  'surge',
  'foot',
  'meter',
  'area',
  'georgia',
  'carolinas',
  'rainfall',
  'inch',
  'centimeter',
  'flooding',
  'south',
  'carolina',
  'virginia',
  'map',
  'path',
  'hurricane',
  'ian',
  'sheriffs',
  'florida',
  'center',
  'thousand',
  'caller',
  'life',
  'emergency',
  'u.s.',
  'coast',
  'guard',
  'rescue',
  'effort',
  'hour',
  'daybreak',
  'barrier',
  'island',
  'ian',
  'desantis',
  'member',
  'search',
  'rescue',
  'team',
  'area',
  'orlando',
  'area',
  'orange',
  'county',
  'firefighter',
  'boat',
  'people',
  'neighborhood',
  'photo',
  'department',
  'twitter',
  'firefighter',
  'arm',
  'knee',
  'water',
  'area',
  'nursing',
  'home',
  'patient',
  'stretcher',
  'floodwater',
  'bus',
  'joseph',
  'agboona',
  'bag',
  'possession',
  'water',
  'window',
  'orlando',
  'home',
  'fort',
  'myers',
  'valerie',
  'bartley',
  'family',
  'hour',
  'dining',
  'room',
  'table',
  'patio',
  'door',
  'storm',
  'house',
  'bartley',
  'shingle',
  'debris',
  'neighborhood',
  'house',
  'storm',
  'patio',
  'screen',
  'palm',
  'tree',
  'yard',
  'bartley',
  'roof',
  'family',
  'fort',
  'myers',
  'people',
  'shelter',
  'thursday',
  'afternoon',
  'line',
  'gas',
  'station',
  'home',
  'depot',
  'customer',
  'time',
  'frank',
  'pino',
  'line',
  'people',
  'pino',
  'lee',
  'county',
  'sheriff',
  'carmine',
  'marceno',
  'office',
  'thousand',
  'fort',
  'myers',
  'area',
  'road',
  'bridge',
  'people',
  'need',
  'marceno',
  'abc',
  'good',
  'morning',
  'america',
  'emergency',
  'crew',
  'tree',
  'people',
  'area',
  'help',
  'outage',
  'christine',
  'bomlitz',
  'mother',
  'phone',
  'storm',
  'landfall',
  'englewood',
  'year',
  'woman',
  'retirement',
  'community',
  'bomlitz',
  'mother',
  'daughter',
  'las',
  'vegas',
  'plea',
  'help',
  'medium',
  'samaritans',
  'aid',
  'thursday',
  'chest',
  'floodwater',
  'welfare',
  'check',
  'mother',
  'storm',
  'bomlitz',
  'boat',
  'rescue',
  'photo',
  'wake',
  'hurricane',
  'ian',
  'stranger',
  'stranger',
  'bomlitz',
  'chunk',
  'sanibel',
  'causeway',
  'sea',
  'access',
  'barrier',
  'island',
  'people',
  'order',
  'charlotte',
  'county',
  'emergency',
  'management',
  'director',
  'patrick',
  'fuller',
  'optimism',
  'death',
  'injury',
  'county',
  'flyover',
  'barrier',
  'island',
  'integrity',
  'home',
  'fuller',
  'south',
  'sanibel',
  'island',
  'pier',
  'naples',
  'piling',
  'pier',
  'penny',
  'taylor',
  'collier',
  'county',
  'commissioner',
  'port',
  'charlotte',
  'hospital',
  'emergency',
  'room',
  'wind',
  'roof',
  'water',
  'care',
  'unit',
  'patient',
  'ventilator',
  'floor',
  'staff',
  'storm',
  'victim',
  'dr.',
  'birgit',
  'bodine',
  'hca',
  'florida',
  'fawcett',
  'hospital',
  'ian',
  'florida',
  'category',
  'storm',
  'mph',
  'kph',
  'wind',
  'hurricane',
  'u.s.',
  'scientist',
  'climate',
  'change',
  'storm',
  'analysis',
  'ian',
  'destruction',
  'scientist',
  'world',
  'hurricane',
  'business',
  'rain',
  'climate',
  'change',
  'mit',
  'scientist',
  'kerry',
  'emanuel',
  'storm',
  'ian',
  'associated',
  'press',
  'contributor',
  'terry',
  'spencer',
  'tim',
  'reynolds',
  'fort',
  'myers',
  'cody',
  'jackson',
  'tampa',
  'florida',
  'freida',
  'frisaro',
  'miami',
  'mike',
  'schneider',
  'orlando',
  'florida',
  'seth',
  'borenstein',
  'washington',
  'bobby',
  'caina',
  'calvan',
  'new',
  'york',
  'view',
  'boat',
  'hurricane',
  'ian',
  'destruction',
  'fort',
  'myers',
  'florida',
  'u.s.',
  'september',
  'reuters',
  'shannon',
  'stapleton',
  'people',
  'power',
  'ian',
  'florida',
  'curt',
  'anderson',
  'associated',
  'press',
  'watch',
  'florida',
  'gov.',
  'ron',
  'desantis',
  'aid',
  'biden',
  'hurricane',
  'ian',
  'landfall',
  'curt',
  'anderson',
  'associated',
  'press',
  'hurricane',
  'ian',
  'landfall',
  'florida',
  'category',
  'storm',
  'curt',
  'anderson',
  'associated',
  'press',
  'adriana',
  'gomez',
  'licon',
  'associated',
  'press',
  'inbox',
  'subscribe',
  'deal',
  'politic',
  'newsletter',
  'analysis',
  'inbox',
  'hurricane',
  'ian',
  'florida',
  'west',
  'coast',
  'category',
  'storm',
  'mph',
  'wind',
  'newshour',
  'productions',
  'llc',
  'rights',
  'deal',
  'politic',
  'newsletter',
  'inbox',
  'journalism',
  'friends',
  'newshour'],
 ['local',
  'news',
  'west',
  'virginia',
  'news',
  'virginia',
  'news',
  'russia',
  'ukraine',
  'conflict',
  'national',
  'news',
  'international',
  'news',
  'covering',
  'washington',
  'politics',
  'hill',
  'traffic',
  'covid-19',
  'video',
  'center',
  'automotive',
  'news',
  'outdoors',
  'wildlife',
  'press',
  'releases',
  'heat',
  'national',
  'wvu',
  'medicine',
  'team',
  'jamboree',
  'scout',
  'national',
  'jamboree',
  'inclusion',
  'scouting',
  'west',
  'virginia',
  'state',
  'sales',
  'tax',
  'holiday',
  'pet',
  'car',
  'day',
  'forecast',
  'closings',
  'delays',
  'interactive',
  'radar',
  'map',
  'center',
  'severe',
  'weather',
  'desk',
  'winter',
  'weather',
  'desk',
  'stormtracker',
  'power',
  'outage',
  'map',
  'stormtracker',
  'weathernet',
  'stormtracker',
  'predictor',
  'video',
  'forecast',
  'hunting',
  'fishing',
  'forecast',
  'pollen',
  'weathertogether',
  'pet',
  'car',
  'summer',
  'heat',
  'humidity',
  'heat',
  'year',
  'heat',
  'humidity',
  'tuesday',
  'shower',
  'summertime',
  'heat',
  'week',
  'fayette',
  'county',
  'greenbrier',
  'county',
  'mcdowell',
  'county',
  'mercer',
  'county',
  'monroe',
  'county',
  'pocahontas',
  'county',
  'raleigh',
  'county',
  'summers',
  'county',
  'wyoming',
  'county',
  'tazewell',
  'county',
  'virginia',
  'heat',
  'national',
  'wvu',
  'medicine',
  'team',
  'jamboree',
  'scout',
  'national',
  'jamboree',
  'inclusion',
  'scouting',
  'west',
  'virginia',
  'state',
  'sales',
  'tax',
  'holiday',
  'pet',
  'car',
  'national',
  'scout',
  'jamboree',
  'postcards',
  'home',
  'stormtracker',
  'national',
  'scout',
  'jamboree',
  'forecast',
  'national',
  'scout',
  'jamboree',
  'sky',
  'cam',
  'scout',
  'jamboree',
  'snackable',
  'video',
  'center',
  'gold',
  'blue',
  'nation',
  'high',
  'school',
  'sports',
  'college',
  'sports',
  'big',
  'game',
  'auto',
  'racing',
  'nfl',
  'liv',
  'golf',
  'northwestern',
  'coach',
  'wildcat',
  'monahan',
  'pga',
  'tour',
  'rollback',
  'month',
  'contact',
  'colorado',
  'guardians',
  'trade',
  'amed',
  'rosario',
  'dodgers',
  'aaron',
  'rodgers',
  'pay',
  'cut',
  'year',
  'blue',
  'jays',
  'channel',
  'ted',
  'lasso',
  'dodger',
  'tv',
  'schedule',
  'doc',
  'community',
  'calendar',
  'lottery',
  'number',
  'people',
  'pet',
  'walking',
  'forecast',
  'weathertogether',
  '59news',
  'umbrella',
  'giveaway',
  'backyard',
  'bbq',
  'breakfast',
  'club',
  'giveaway',
  'fan',
  'day',
  'contest',
  'winners',
  'crime',
  'coalfields',
  'season',
  'crime',
  'coalfields',
  'season',
  'entertainment',
  'news',
  'gaming',
  'news',
  'alexa',
  'flash',
  'briefings',
  'bestreviews',
  'snackable',
  'video',
  'center',
  'job',
  'post',
  'job',
  'work',
  'mobile',
  'app',
  'team',
  'contact',
  'advertise',
  'newsletter',
  'tv',
  'regional',
  'news',
  'partners',
  'bestreviews',
  'sale',
  'governor',
  'jim',
  'justice',
  'state',
  'preparedness',
  'county',
  'winter',
  'storm',
  'dec',
  'pm',
  'est',
  'dec',
  'pm',
  'est',
  'dec',
  'pm',
  'est',
  'dec',
  'pm',
  'est',
  'charleston',
  'wv',
  'wvns',
  'gov.',
  'jim',
  'justice',
  'state',
  'preparedness',
  'county',
  'state',
  'winter',
  'storm',
  'week',
  'christmas',
  'week',
  'winter',
  'storm',
  'travel',
  'plan',
  'region',
  'national',
  'weather',
  'service',
  'snow',
  'rain',
  'wind',
  'chill',
  'wind',
  'tomorrow',
  'wednesday',
  'december',
  'week',
  'holiday',
  'weekend',
  'governor',
  'justice',
  'declaration',
  'national',
  'weather',
  'service',
  'prediction',
  'state',
  'preparedness',
  'declaration',
  'declaration',
  'state',
  'emergency',
  'operations',
  'center',
  'partner',
  'agency',
  'winter',
  'storm',
  'personnel',
  'resource',
  'emergency',
  'agency',
  'standby',
  'state',
  'emergency',
  'operations',
  'center',
  'west',
  'virginia',
  'emergency',
  'management',
  'division',
  'emd',
  'need',
  'emergency',
  'management',
  'official',
  'storm',
  'path',
  'national',
  'weather',
  'service',
  'briefing',
  'state',
  'agency',
  'partner',
  'emd',
  'liaison',
  'update',
  'county',
  'thank',
  'inbox',
  'damage',
  'magnitude',
  'earthquake',
  'california',
  'emd',
  'watch',
  'center',
  'staffing',
  'weekend',
  'clock',
  'monitoring',
  'weather',
  'system',
  'leader',
  'emergency',
  'management',
  'agency',
  'assistance',
  'emd',
  'monitor',
  'event',
  'citizen',
  'west',
  'virginia',
  'weather',
  'time',
  'emergency',
  'holiday',
  'emd',
  'director',
  'ge',
  'mccabe',
  'raleigh',
  'county',
  'power',
  'outage',
  'electrocution',
  'copper',
  'theft',
  'gov.',
  'justice',
  'emd',
  'west',
  'virginians',
  'weather',
  'condition',
  'medium',
  'report',
  'instruction',
  'emergency',
  'official',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'amazon',
  'school',
  'deal',
  'schooler',
  'school',
  'corner',
  'amazon',
  'supply',
  'school',
  'deal',
  'supply',
  'schooler',
  'august',
  'vegetable',
  'flower',
  'flower',
  'plant',
  'hour',
  'soil',
  'air',
  'temperature',
  'sunshine',
  'august',
  'month',
  'planting',
  'chemical',
  'guys',
  'kit',
  'car',
  'car',
  'care',
  'hour',
  'chemical',
  'guys',
  'car',
  'wash',
  'kit',
  'time',
  'deal',
  'heat',
  'national',
  'wvu',
  'medicine',
  'team',
  'jamboree',
  'scout',
  'national',
  'jamboree',
  'inclusion',
  'scouting',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'judge',
  'vehicle',
  'network',
  'heat',
  'national',
  'samsung',
  'smartphone',
  'bet',
  'wvu',
  'medicine',
  'team',
  'jamboree',
  'scout',
  'soldier',
  'niger',
  'leader',
  'kim',
  'jong',
  'un',
  'journalist',
  'year',
  'prison',
  'ocean',
  'heat',
  '2nd',
  'marine',
  'division',
  'band',
  'summit',
  'bechtel',
  'new',
  'river',
  'ctc',
  'student',
  'life',
  'experience',
  'teacher',
  'scouting',
  'supplement',
  'goal',
  'education',
  'carynn',
  's.',
  'zachary',
  't.',
  'sammy',
  'a.',
  'heat',
  'national',
  'wvu',
  'medicine',
  'team',
  'jamboree',
  'scout',
  'national',
  'jamboree',
  'inclusion',
  'scouting',
  'wv',
  'angler',
  'fishing',
  'record',
  'year',
  'row',
  'outdoors',
  'wildlife',
  'hour',
  'west',
  'virginia',
  'state',
  'sales',
  'tax',
  'holiday',
  'stories',
  'hour',
  'wv',
  'turnpike',
  'psc',
  'enforcement',
  'officer',
  'venturing',
  'program',
  'scouts',
  'outdoors',
  'wildlife',
  'hour',
  'section',
  'seneca',
  'trail',
  'accident',
  'flying',
  'fishing',
  'jamboree',
  'outdoors',
  'wildlife',
  'hour',
  'wv',
  'national',
  'guardsman',
  'eagle',
  'scout',
  'jamboree',
  'local',
  'news',
  'hour',
  'dog',
  'day',
  'summer',
  'action',
  'virginians',
  'option',
  'blood',
  'type',
  'virginia',
  'news',
  'week',
  'update',
  'black',
  'bear',
  'downtown',
  'roanoke',
  'virginia',
  'news',
  'week',
  'mother',
  'daughter',
  'west',
  'virginia',
  'news',
  'week',
  'baby',
  'giant',
  'smith',
  'mountain',
  'lake',
  'virginia',
  'news',
  'week',
  'frankenfish',
  'outdoors',
  'wildlife',
  'week',
  'recall',
  'fruit',
  'item',
  'walmart',
  'target',
  'beloved',
  'virginia',
  'horse',
  'history',
  'site',
  'virginia',
  'news',
  'week',
  'virginia',
  'blueberry',
  'farming',
  'virginia',
  'news',
  'month',
  'update',
  'missing',
  'tazewell',
  'county',
  'woman',
  'virginia',
  'news',
  'month',
  'federal',
  'reserve',
  'interest',
  'rate',
  'hike',
  'wv',
  'angler',
  'fishing',
  'record',
  'year',
  'row',
  'west',
  'virginia',
  'state',
  'sales',
  'tax',
  'holiday',
  'whistleblower',
  'congress',
  'wv',
  'delegate',
  'basketball',
  'game',
  'wheeling',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'singer',
  'sinead',
  'o’connor',
  'israel',
  'court',
  'challenge',
  'law',
  'west',
  'virginia',
  'heritage',
  'cass',
  'dead',
  'body',
  'raleigh',
  'county',
  'hotel',
  'scientist',
  'whistleblower',
  'ufo',
  'police',
  'dog',
  'breed',
  'app',
  'scout',
  'time',
  'jamboree',
  'va',
  'man',
  'abduction',
  'standoff',
  'thank',
  'inbox',
  'gift',
  'summer',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'home',
  'depot',
  'foot',
  'skeleton',
  'halloween',
  'deal',
  'day',
  'prime',
  'day',
  'favorite',
  'news',
  'stormtracker',
  'sports',
  'digital',
  'desk',
  'community',
  'contests',
  'video',
  'game',
  'news',
  'contact',
  'eeo',
  'files',
  'fcc',
  'public',
  'file',
  'nexstar',
  'cc',
  'certification',
  'android',
  'app',
  'google',
  'play',
  'android',
  'weather',
  'app',
  'google',
  'play',
  'personal',
  'information',
  'personal',
  'information',
  'nexstar',
  'media',
  'inc.',
  'rights'],
 ['contentskip',
  'navigationskip',
  'navigationprint',
  'subscription',
  'sign',
  'insearch',
  'jobssearchus',
  'editionus',
  'editionuk',
  'editionaustralia',
  'guardian',
  'guardiannewsopinionsportculturelifestyleshowmoreshow',
  'morenewsview',
  'newsus',
  'newsworld',
  'politicsbusinesstechsciencenewslettersfight',
  'democracyopinionview',
  'opinionthe',
  'guardian',
  'viewcolumnistslettersopinion',
  'videoscartoonssportview',
  'sportsoccernfltennismlbmlsnbanhlf1golfcultureview',
  'culturefilmbooksmusicart',
  'designtv',
  'radiostageclassicalgameslifestyleview',
  'lifestylefashionfoodrecipeslove',
  'sexhome',
  'gardenhealth',
  'fitnessfamilytravelmoneysearch',
  'input',
  'google',
  'search',
  'searchsupport',
  'usprint',
  'subscriptionsus',
  'editionuk',
  'editionaustralia',
  'editionsearch',
  'jobsdigital',
  'archiveguardian',
  'puzzles',
  'licensingthe',
  'guardian',
  'guardianguardian',
  'weeklycrosswordswordiplycorrectionsfacebooktwittersearch',
  'jobsdigital',
  'archiveguardian',
  'puzzles',
  'licensingusworldenvironmentsoccerus',
  'politicsbusinesstechsciencenewslettersfight',
  'democracy',
  'ice',
  'roof',
  'house',
  'south',
  'east',
  'austin',
  'texas',
  'winter',
  'storm',
  'february',
  'photograph',
  'jay',
  'janner',
  'apice',
  'roof',
  'house',
  'south',
  'east',
  'austin',
  'texas',
  'winter',
  'storm',
  'february',
  'photograph',
  'jay',
  'janner',
  'aptexas',
  'article',
  'month',
  'brace',
  'weather',
  'hope',
  'storm',
  'repeat',
  'article',
  'month',
  'oldexpert',
  'temperature',
  'storm',
  'minimum',
  'salamwed',
  'dec',
  'estfirst',
  'd',
  'dec',
  'texans',
  'blast',
  'arctic',
  'air',
  'thursday',
  'repeat',
  'winter',
  'storm',
  'state',
  'state',
  'power',
  'infrastructure',
  'score',
  'people',
  'resident',
  'weather',
  'essential',
  'water',
  'food',
  'case',
  'power',
  'outage',
  'food',
  'supply',
  'chain',
  'issue',
  'winter',
  'storm',
  'uri',
  'february',
  'million',
  'texans',
  'power',
  'people',
  'expert',
  'storm',
  'texas',
  'sarah',
  'barnes',
  'meteorologist',
  'national',
  'weather',
  'service',
  'dallas',
  'fort',
  'worth',
  'guardian',
  'temperature',
  '”the',
  'storm',
  'temperature',
  '-2f',
  'year',
  'temperature',
  '-12c',
  'difference',
  'barnes',
  'texas',
  'rest',
  'power',
  'grid',
  'disaster',
  'grid',
  'scrutiny',
  'preparation',
  'event',
  'state',
  'power',
  'grid',
  'governing',
  'body',
  'electric',
  'reliability',
  'council',
  'texas',
  'ercot',
  'statement',
  'generation',
  'demand',
  'texas',
  'state',
  'climatologist',
  'dr',
  'john',
  'nielsen',
  'gammon',
  'power',
  'outage',
  'air',
  'outbreak',
  'february',
  'temperature',
  'december',
  'year',
  'step',
  'resilience',
  'gas',
  'power',
  'generation',
  'operation',
  'wind',
  'power',
  'generation',
  'thursday',
  'night',
  'friday',
  'winter',
  'storm',
  'uri',
  'forecast',
  'winter',
  'weather',
  'snow',
  'road',
  'condition',
  'time',
  'state',
  'weather',
  'state',
  'grid',
  'ercot',
  'demand',
  'level',
  'houston',
  'mayor',
  'sylvester',
  'turner',
  'shelter',
  'city',
  'preparation',
  'freeze',
  'city',
  'austin',
  'dallas',
  'san',
  'antonio',
  'shelter',
  'san',
  'antonio',
  'transit',
  'authority',
  'plan',
  'transportation',
  'shelter',
  'order',
  'freeze',
  'barnes',
  'texans',
  'ps',
  'pipe',
  'pet',
  'people',
  'plants”',
  'thing',
  'pipe',
  'outdoor',
  'pipe',
  'cold',
  'digit',
  'area',
  'weather',
  'pipe',
  'texas',
  'home',
  'north',
  'damage',
  'pipe',
  'homeowner',
  'thousand',
  'dollar',
  'case',
  'winter',
  'storm',
  'barnes',
  'pipe',
  'key',
  'damage',
  'nielsen',
  'gammon',
  'impact',
  'climate',
  'crisis',
  'weather',
  'pattern',
  'sea',
  'ice',
  'loss',
  'air',
  'weather',
  'pattern',
  'air',
  'climate',
  'change',
  'overall',
  '”topicstexasextreme',
  'weatherus',
  'viewedmost',
  'viewedusworldenvironmentsoccerus',
  'politicsbusinesstechsciencenewslettersfight',
  'reporting',
  'analysis',
  'guardian',
  'ushelpcomplaint',
  'correctionssecuredropwork',
  'usprivacy',
  'policycookie',
  'policyterms',
  'conditionscontact',
  'usall',
  'topicsall',
  'newspaper',
  'archivefacebookyoutubeinstagramlinkedintwitternewslettersadvertise',
  'labssearch',
  'guardian',
  'news',
  'media',
  'limited',
  'company',
  'right'],
 ['home',
  'weather',
  'news',
  'storm',
  'hail',
  'tornado',
  'iowa',
  'pmmarch',
  'damage',
  'tornado',
  'storm',
  'wind',
  'hail',
  'tornado',
  'tornado',
  'saturday',
  'afternoon',
  'evening',
  'iowa',
  'winterset',
  'madison',
  'county',
  'newton',
  'jasper',
  'county',
  'home',
  'car',
  'thousand',
  'people',
  'power',
  'people',
  'sunday',
  'national',
  'weather',
  'service',
  'office',
  'damage',
  'state',
  'report',
  'tornado',
  'southwest',
  'iowa',
  'home',
  'structure',
  'report',
  'home',
  'iowa',
  'weather',
  'risk',
  'sunday',
  'texas',
  'ohio',
  'tornado',
  'damage',
  'madison',
  'county',
  'disaster',
  'relief',
  'chief',
  'extent',
  'damage',
  'point',
  'f3',
  'tornado',
  'fujita',
  'scale',
  'speed',
  'mph',
  'orient',
  'city',
  'iowa',
  'hailstone',
  'windshield',
  'car',
  'tornado',
  'city',
  'derby',
  'chariton',
  'iowa',
  'tornado',
  'tornado',
  'proximity',
  'tornado',
  'thunderstorm',
  'supercell',
  'supercell',
  'type',
  'thunderstorm',
  'risk',
  'weather',
  'supercell',
  'tornadoes?supercell',
  'thunderstorm',
  'cloudbursts',
  'hailstone',
  'gust',
  'wind',
  'effect',
  'vortex',
  'cloud',
  'supercell',
  'percent',
  'supercell',
  'tornado',
  'tornado',
  'column',
  'air',
  'axis',
  'thunderstorm',
  'tornado',
  'trunk',
  'ground',
  'underside',
  'cloud',
  'havoc',
  'earth',
  'majority',
  'american',
  'midwest',
  'irene',
  'sans',
  'pmjuly',
  'storm',
  'lakes05:30',
  'pmjuly',
  'heatrecord',
  'breaker',
  's.',
  'florida',
  'sweater',
  'weather',
  'article',
  'web',
  'app',
  'privacy',
  'policy',
  'info',
  'javascript',
  'page'],
 ['ad',
  'issue',
  'video',
  'player',
  'content',
  'ad',
  'video',
  'content',
  'ad',
  'audio',
  'ad',
  'ad',
  'page',
  'content',
  'ad',
  'ad',
  'ad',
  'effort',
  'contribution',
  'feedback',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'winter',
  'storm',
  'heat',
  'wave',
  'south',
  'degree',
  'difference',
  'aya',
  'elamroussi',
  'eric',
  'levenson',
  'taylor',
  'ward',
  'cnn',
  'pm',
  'est',
  'd',
  'february',
  'dashcam',
  'inch',
  'state',
  'trooper',
  'dashcam',
  'inch',
  'state',
  'trooper',
  'mcconnell',
  'press',
  'conference',
  'mcconnell',
  'press',
  'conference',
  'statement',
  'doctor',
  'athlete',
  'risk',
  'arrest',
  'cnn',
  'reporter',
  'giuliani',
  'night',
  'court',
  'filing',
  'kevin',
  'spacey',
  'assault',
  'charge',
  'video',
  'moment',
  'crane',
  'new',
  'york',
  'street',
  'esper',
  'fighter',
  'jet',
  'syria',
  'dr.',
  'gupta',
  'bronny',
  'james',
  'arrest',
  'alleged',
  'gilgo',
  'beach',
  'killer',
  'case',
  'date',
  'trooper',
  'ex',
  '-',
  'pastor',
  'demeanor',
  'police',
  'year',
  'girl',
  'ex',
  '-',
  'official',
  'shift',
  'trump',
  'attitude',
  'cnn',
  'reporter',
  'witness',
  'theft',
  'shoplifting',
  'prisoner',
  'ukraine',
  'people',
  'year',
  'life',
  'study',
  'emergency',
  'physician',
  'mistake',
  'people',
  'heat',
  'wave',
  'police',
  'fire',
  'water',
  'cannon',
  'protester',
  'winter',
  'storm',
  'record',
  'temperature',
  'plains',
  'heat',
  'wave',
  'southeast',
  'set',
  'record',
  'high',
  'month',
  'february',
  'country',
  'temperature',
  'difference',
  'degree',
  'montana',
  'wyoming',
  'dakotas',
  'temperature',
  'wednesday',
  'afternoon',
  'degree',
  'cut',
  'bank',
  'montana',
  'time',
  'south',
  'texas',
  'carolinas',
  'afternoon',
  'temperature',
  'degree',
  'mcallen',
  'texas',
  'cold',
  'north',
  'aspect',
  'coast',
  'coast',
  'storm',
  'snow',
  'wind',
  'ice',
  'wednesday',
  'dozen',
  'state',
  'winter',
  'weather',
  'alert',
  'travel',
  'condition',
  'area',
  'people',
  'state',
  'west',
  'california',
  'minnesota',
  'maine',
  'winter',
  'weather',
  'alert',
  'wednesday',
  'morning',
  'warning',
  'icing',
  'cold',
  'sleet',
  'travel',
  'power',
  'man',
  'snow',
  'street',
  'downtown',
  'minneapolis',
  'february',
  'upper',
  'midwest',
  'brunt',
  'storm',
  'term',
  'snowfall',
  'minneapolis',
  'area',
  'inch',
  'wednesday',
  'foot',
  'multiday',
  'storm',
  'year',
  'twin',
  'cities',
  'inch',
  'snow',
  'wednesday',
  'morning',
  'round',
  'snow',
  'wind',
  'night',
  'thursday',
  'morning',
  'life',
  'travel',
  'condition',
  'national',
  'weather',
  'service',
  'minnesota',
  'department',
  'transportation',
  'wednesday',
  'afternoon',
  'state',
  'highway',
  'i-90',
  'blizzard',
  'condition',
  'visibility',
  'snow',
  'highway',
  'minneapolis',
  'wednesday',
  'february',
  'snow',
  'ice',
  'storm',
  'warning',
  'place',
  'people',
  'stretch',
  'iowa',
  'michigan',
  'icing',
  'atlantic',
  'wednesday',
  'weather',
  'threat',
  'wind',
  'oklahoma',
  'missouri',
  'flooding',
  'rain',
  'illinois',
  'indiana',
  'ohio',
  'blizzard',
  'warning',
  'wyoming',
  'minnesota',
  'wisconsin',
  'dakota',
  'weather',
  'south',
  'area',
  'temperature',
  'record',
  'calendar',
  'day',
  'nashville',
  'tennessee',
  'degree',
  'mobile',
  'alabama',
  'charleston',
  'west',
  'virginia',
  'cincinnati',
  'southeast',
  'temperature',
  '70',
  '80',
  'contrast',
  'condition',
  'wind',
  'storm',
  'power',
  'line',
  'power',
  'home',
  'business',
  'california',
  'tuesday',
  'outage',
  'county',
  'san',
  'mateo',
  'santa',
  'clara',
  'santa',
  'cruz',
  'tracking',
  'site',
  'poweroutage.us',
  'wednesday',
  'evening',
  'california',
  'outage',
  'power',
  'outage',
  'midwest',
  'wednesday',
  'evening',
  'snow',
  'rain',
  'region',
  'customer',
  'power',
  'state',
  'michigan',
  'illinois',
  'tracking',
  'site',
  'fence',
  'tree',
  'apartment',
  'building',
  'winter',
  'storm',
  'san',
  'diego',
  'california',
  'tuesday',
  'february',
  'california',
  'foot',
  'snow',
  'mountain',
  'inch',
  'elevation',
  'national',
  'weather',
  'service',
  'los',
  'angeles',
  'event',
  'country',
  'blizzard',
  'warning',
  'mountain',
  'california',
  'los',
  'angeles',
  'ventura',
  'county',
  'effect',
  'friday',
  'morning',
  'saturday',
  'afternoon',
  'blizzard',
  'warning',
  'weather',
  'service',
  'los',
  'angeles',
  'office',
  'february',
  'office',
  'population',
  'california',
  'snow',
  'vantage',
  'point',
  'week',
  'direction',
  'daniel',
  'swain',
  'climate',
  'scientist',
  'university',
  'california',
  'los',
  'angeles',
  'weather',
  'state',
  'month',
  'round',
  'flooding',
  'area',
  'time',
  'cold',
  'winter',
  'storm',
  'week',
  'weather',
  'service',
  'los',
  'angeles',
  'gusty',
  'wind',
  'flight',
  'wednesday',
  'minneapolis',
  'denver',
  'detroit',
  'chicago',
  'tracking',
  'site',
  'flightaware',
  'minneapolis',
  'foot',
  'snow',
  'minneapolis',
  'day',
  'storm',
  'snow',
  'snow',
  'wednesday',
  'thursday',
  'national',
  'weather',
  'service',
  'twin',
  'cities',
  'impact',
  'twin',
  'cities',
  'region',
  'city',
  'minneapolis',
  'st.',
  'paul',
  'suburb',
  'wednesday',
  'thursday',
  'snow',
  'ground',
  'wind',
  'weather',
  'service',
  'wind',
  'mph',
  'gust',
  'mph',
  'blizzard',
  'condition',
  'wednesday',
  'afternoon',
  'round',
  'snow',
  'inch',
  'area',
  'inch',
  'service',
  'look',
  'winter',
  'storm',
  'severity',
  'index',
  'wssi',
  'day',
  'midday',
  'friday',
  'major',
  'extreme',
  'winter',
  'weather',
  'impact',
  'west',
  'coast',
  'new',
  'england',
  'travel',
  'upper',
  'midwest',
  'blizzard',
  'condition',
  'pic.twitter.com/fcwxg5e7gq',
  'national',
  'weather',
  'service',
  'february',
  'minnesota',
  'gov.',
  'tim',
  'walz',
  'state',
  'national',
  'guard',
  'transportation',
  'department',
  'state',
  'patrol',
  'storm',
  'impact',
  'twitter',
  'minnesotans',
  'plan',
  'travel',
  'walz',
  'upper',
  'midwest',
  'snow',
  'rate',
  'inch',
  'hour',
  'wind',
  'gust',
  'mph',
  'national',
  'weather',
  'service',
  'whammy',
  'condition',
  'snow',
  'condition',
  'people',
  'blizzard',
  'warning',
  'wyoming',
  'minnesota',
  'wisconsin',
  'dakotas',
  'minneapolis',
  'city',
  'inch',
  'snow',
  'thursday',
  'addition',
  'inch',
  'sioux',
  'falls',
  'south',
  'dakota',
  'addition',
  'inch',
  'snow',
  'state',
  'inch',
  'wind',
  'mph',
  'cheyenne',
  'wyoming',
  'snowfall',
  'foot',
  'addition',
  'wind',
  'icing',
  'milwaukee',
  'wisconsin',
  'detroit',
  'ann',
  'arbor',
  'michigan',
  'icing',
  'wednesday',
  'thunderstorm',
  'wind',
  'rain',
  'wednesday',
  'morning',
  'afternoon',
  'oklahoma',
  'arkansas',
  'missouri',
  'illinois',
  'national',
  'weather',
  'service',
  'car',
  'stormcnn',
  'site',
  'wednesday',
  'condition',
  'state',
  'safety',
  'measure',
  'south',
  'dakota',
  'governor',
  'tuesday',
  'closure',
  'state',
  'government',
  'executive',
  'branch',
  'office',
  'wednesday',
  'half',
  'state',
  'county',
  'plan',
  'employee',
  'tuesday',
  'night',
  'snow',
  'south',
  'dakota',
  'official',
  'wednesday',
  'closing',
  'section',
  'interstate',
  'minnesota',
  'state',
  'highway',
  'portion',
  'i-90',
  'wednesday',
  'blizzard',
  'condition',
  'crash',
  'state',
  'minnesota',
  'state',
  'patrol',
  'crash',
  'hour',
  'wyoming',
  'institution',
  'door',
  'wednesday',
  'portion',
  'i-25',
  'i-80',
  'eastern',
  'wyoming',
  'college',
  'closure',
  'campus',
  'natrona',
  'county',
  'school',
  'district',
  'casper',
  'learning',
  'day',
  'wednesday',
  'weather',
  'road',
  'condition',
  'area',
  'district',
  'food',
  'bank',
  'wyoming',
  'county',
  'state',
  'wednesday',
  'tweet',
  'cnn',
  'theresa',
  'waldrop',
  'robert',
  'shackelford',
  'joe',
  'sutton',
  'andy',
  'rose',
  'michelle',
  'watson',
  'report',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cable',
  'news',
  'network',
  'warner',
  'bros.',
  'discovery',
  'company',
  'rights',
  'cnn',
  'sans',
  'cable',
  'news',
  'network'],
 ['abc',
  'newsvideoliveshowselectionsinterest',
  'successfully',
  "addedwe'll",
  'news',
  'desktop',
  'notification',
  'story',
  'interest',
  'offonlog',
  'instream',
  'storm',
  'calvin',
  'hawaii',
  'flooding',
  'storm',
  'calvin',
  'surf',
  'rain',
  'gust',
  'hawaii',
  'big',
  'island',
  'flooding',
  'mcavoy',
  'associated',
  'pressjuly',
  'pmhonolulu',
  'honolulu',
  'ap',
  'tropical',
  'storm',
  'calvin',
  'surf',
  'rain',
  'gust',
  'hawaii',
  'big',
  'island',
  'wednesday',
  'damage',
  'morning',
  'storm',
  'west',
  'national',
  'weather',
  'service',
  'storm',
  'warning',
  'hawaii',
  'volcanoes',
  'national',
  'park',
  'home',
  'kilaluea',
  'volcano',
  'a.m.',
  'staff',
  'road',
  'trail',
  'hawaii',
  'gov.',
  'josh',
  'green',
  'relief',
  'injury',
  'damage',
  'state',
  'hurricane',
  'season',
  'june',
  'nov.',
  'month',
  'hurricane',
  'season',
  'green',
  'news',
  'conference',
  'opportunity',
  '”a',
  'rain',
  'gauge',
  'honolii',
  'stream',
  'north',
  'hilo',
  'inch',
  'centimeter',
  'wind',
  'summit',
  'haleakala',
  'volcano',
  'maui',
  'mile',
  'mph',
  'mauna',
  'kea',
  'big',
  'island',
  'mph',
  'kph).hawaii',
  'county',
  'mayor',
  'mitch',
  'roth',
  'report',
  'tree',
  'branch',
  'road',
  'pahala',
  'area',
  'talmadge',
  'magno',
  'administrator',
  'hawaii',
  'county',
  'civil',
  'defense',
  'flooding',
  'community',
  'wood',
  'valley',
  'kind',
  'rain',
  'people',
  'national',
  'weather',
  'service',
  'wave',
  'foot',
  'press',
  'writer',
  'mark',
  'thiessen',
  'report',
  'anchorage',
  'alaska',
  'storieshouse',
  'ufo',
  'hearing',
  'ex',
  'knowledge',
  'craftjul',
  'amruin',
  'vatican',
  'emperor',
  'nero',
  'theaterjul',
  'pmsinead',
  "o'connor",
  'u',
  'singer',
  '56jul',
  'pmwhistleblower',
  'congress',
  'decade',
  'program',
  'ufosjul',
  'pmmcconnell',
  'press',
  'conference',
  'return',
  'pmabc',
  'news',
  'live24/7',
  'coverage',
  'news',
  'eventsabc',
  'news',
  'networkprivacy',
  'policyyour',
  'state',
  'privacy',
  'rightschildren',
  'online',
  'privacy',
  'policyinterest',
  'adsabout',
  'nielsen',
  'measurementterms',
  'usedo',
  'sell',
  'informationcontact',
  'uscopyright',
  'abc',
  'news',
  'internet',
  'ventures',
  'right'],
 ['north',
  'dakota',
  'storm',
  'jamestown',
  'n.d.',
  'year',
  'week',
  'north',
  'dakota',
  'shelter',
  'winter',
  'storm',
  'region',
  'settlement',
  'blizzard',
  'march',
  'legend',
  'north',
  'dakota',
  'caption',
  'national',
  'weather',
  'service',
  'photo',
  'train',
  'photo',
  'march',
  'bill',
  'koch',
  'north',
  'dakota',
  'department',
  'transportation',
  'jamestown',
  'n.d.',
  'photo',
  'ernest',
  'feland',
  'dot',
  'keith',
  'norman',
  'forum',
  'news',
  'service',
  'march',
  'jamestown',
  'n.d.',
  'year',
  'week',
  'north',
  'dakota',
  'shelter',
  'winter',
  'storm',
  'region',
  'settlement',
  'storm',
  'march',
  'inch',
  'snow',
  'wind',
  'mph',
  'day',
  'period',
  'community',
  'woodworth',
  'fate',
  'year',
  'girl',
  'storm',
  'timothy',
  'kuhn',
  'searcher',
  'storm',
  'girl',
  'kuhn',
  'man',
  'woodworth',
  'friday',
  'march',
  'day',
  'storm',
  'search',
  'betty',
  'deede',
  'cousin',
  'kuhn',
  'wife',
  'marretta',
  'betty',
  'deede',
  'farm',
  'friday',
  'search',
  'man',
  'county',
  'shop',
  'woodworth',
  'plan',
  'rope',
  'searcher',
  'county',
  'snowplow',
  'fan',
  'plow',
  'pasture',
  'deede',
  'farm',
  'kuhn',
  'visibility',
  'ground',
  'level',
  'friday',
  'woodworth',
  'power',
  'line',
  'street',
  'home',
  'county',
  'shop',
  'storm',
  'saturday',
  'searcher',
  'deede',
  'farm',
  'betty',
  'kuhn',
  'betty',
  'family',
  'barn',
  'cousin',
  'cattle',
  'friday',
  'barn',
  'farm',
  'outbuilding',
  'pony',
  'pony',
  'barn',
  'kuhn',
  'wind',
  'course',
  'wind',
  'ground',
  'snow',
  'snowbank',
  'area',
  'saturday',
  'ground',
  'betty',
  'step',
  'snow',
  'footprint',
  'snow',
  'searcher',
  'kuhn',
  'railroad',
  'track',
  'slough',
  'nest',
  'track',
  'slough',
  'searcher',
  'track',
  'betty',
  'panic',
  'kuhn',
  'body',
  'fence',
  'line',
  'saturday',
  'afternoon',
  'year',
  'fact',
  'kuhn',
  'search',
  'family',
  'marretta',
  'kuhn',
  'community',
  'death',
  'associated',
  'press',
  'article',
  'saturday',
  'march',
  'people',
  'storm',
  'betty',
  'deede',
  'casualty',
  'storm',
  'storm',
  'state',
  'record',
  'winter',
  'storm',
  'storm',
  'daryl',
  'ritchison',
  'state',
  'climatologist',
  'north',
  'dakota',
  'jamestown',
  'area',
  'northeast',
  'epicenter',
  'storm',
  'weather',
  'statistic',
  'jamestown',
  'municipal',
  'airport',
  'north',
  'dakota',
  'state',
  'hospital',
  'time',
  'staff',
  'state',
  'hospital',
  'snowfall',
  'basis',
  'condition',
  'snow',
  'wind',
  'v',
  'visibility',
  'observer',
  'march',
  'snowstorm',
  'v',
  'march',
  'snow',
  'wind',
  'v',
  'march',
  'entry',
  'notation',
  'inch',
  'snow',
  'accumulation',
  'day',
  'period',
  'inch',
  'march',
  'ritchison',
  'storm',
  'visibility',
  'day',
  'storm',
  'hour',
  'visibility',
  'storm',
  'record',
  'book',
  'storm',
  'europeans',
  'region',
  'aspect',
  'account',
  'ritchison',
  'storm',
  'winter',
  'weather',
  'pattern',
  'storm',
  'pacific',
  'northwest',
  'level',
  'blockage',
  'storm',
  'storm',
  'snow',
  'wind',
  'mph',
  'temperature',
  'march',
  'ritchison',
  'day',
  'storm',
  'march',
  'temperature',
  'degree',
  'degree',
  'low',
  'storm',
  'temperature',
  'high',
  'low',
  'degree',
  'march',
  'day',
  'process',
  'low',
  'reading',
  'ritchison',
  'condition',
  'march',
  'storm',
  'magnitude',
  'storm',
  'storm',
  'temperature',
  'storm',
  'snow',
  'snowbank',
  'snowplow',
  'day',
  'merle',
  'weatherly',
  'jamestown',
  'weatherly',
  'national',
  'guard',
  'soldier',
  'duty',
  'area',
  'storm',
  'caterpillar',
  'loader',
  'drift',
  'town',
  'foot',
  'probe',
  'snowbank',
  'vehicle',
  'week',
  'weatherly',
  'national',
  'guard',
  'crew',
  'shift',
  'clock',
  'farm',
  'community',
  'snowdrift',
  'country',
  'priority',
  'thing',
  'snowbank',
  'case',
  'thing',
  'house',
  'kuhn',
  'trailer',
  'home',
  'door',
  'neighbor',
  'woodworth',
  'snow',
  'exception',
  'section',
  'roof',
  'roof',
  'kuhn',
  'bit',
  'casualty',
  'storm',
  'north',
  'dakota',
  'state',
  'university',
  'extension',
  'service',
  'cattle',
  'sheep',
  'hog',
  'storm',
  'state',
  'animal',
  'barn',
  'weight',
  'snow',
  'building',
  'snow',
  'animal',
  'storm',
  'class',
  'b',
  'district',
  'boy',
  'basketball',
  'tournament',
  'delay',
  'rescheduling',
  'tournament',
  'storm',
  'northern',
  'pacific',
  'passenger',
  'train',
  'jamestown',
  'passenger',
  'hotel',
  'resident',
  'storm',
  'weekend',
  'track',
  'snow',
  'passenger',
  'jamestown',
  'bus',
  'rev.',
  'n.e.',
  'mccoy',
  'church',
  'service',
  'ritchison',
  'storm',
  'end',
  'winter',
  'snow',
  'snow',
  'storm',
  'moisture',
  'flooding',
  'area',
  'temperature',
  'high',
  'degree',
  'march',
  'flooding',
  'stream',
  'week',
  'end',
  'storm',
  'jamestown',
  'jamestown',
  'dam',
  'james',
  'river',
  'level',
  'pipestem',
  'creek',
  'stream',
  'flooding',
  'area',
  'town',
  'storm',
  'legend',
  'larry',
  'skroch',
  'co',
  '-',
  'author',
  'blizzard',
  'march',
  'storm',
  'north',
  'dakota',
  'history',
  'blizzard',
  'death',
  'north',
  'dakota',
  'man',
  'heart',
  'attack',
  'storm',
  'betty',
  'deede',
  'person',
  'storm',
  'baby',
  'boomer',
  'skroch',
  'blizzard',
  'lot',
  'people',
  'douglas',
  'ramsey',
  'co',
  '-',
  'author',
  'book',
  'blizzard',
  'march',
  'storm',
  'north',
  'dakota',
  'town',
  'population',
  'storm',
  'time',
  'town',
  'town',
  'newspaper',
  'implement',
  'dealer',
  'thing',
  'storm',
  'kuhn',
  'resident',
  'north',
  'dakota',
  'woodworth',
  'resident',
  'storm',
  'way',
  'winter',
  'weather',
  'couple',
  'hour',
  'day',
  'betty',
  'deede',
  'woodworth',
  'north',
  'dakota',
  'casualty',
  'storm',
  'march',
  'agweek',
  'forum',
  'communications',
  'company',
  'street',
  'north',
  'fargo',
  'nd',
  'javascript',
  'javascript',
  'page',
  'news',
  'message',
  'error',
  'customer',
  'support',
  'team'],
 ['abc',
  'newsvideoliveshowselectionsinterest',
  'successfully',
  "addedwe'll",
  'news',
  'desktop',
  'notification',
  'story',
  'interest',
  'offonlog',
  'instream',
  'onfatality',
  'vermont',
  'weather',
  'weather',
  'country',
  'bymax',
  'golembo',
  'melissa',
  'griffin',
  'morgan',
  'winsor',
  'ivan',
  'pereirajuly',
  'pm1:48storm',
  'cloud',
  'chicago',
  'illinois',
  'july',
  'national',
  'weather',
  'service',
  'tornado',
  'warning',
  'area',
  'charles',
  'rex',
  'arbogast',
  'apat',
  'person',
  'floodwater',
  'vermont',
  'week',
  'state',
  'authority',
  'thursday',
  'stephen',
  'davoll',
  'barre',
  'city',
  'vermont',
  'wednesday',
  'result',
  'accident',
  'home',
  'vermont',
  'department',
  'health',
  'fatality',
  'week',
  'storm',
  'flooding',
  'green',
  'mountain',
  'state',
  'friday',
  'president',
  'joe',
  'biden',
  'disaster',
  'declaration',
  'state',
  'action',
  'funding',
  'county',
  'chittenden',
  'lamoille',
  'rutland',
  'washington',
  'windham',
  'windsor',
  'white',
  'house',
  'disaster',
  'declaration',
  'funding',
  'government',
  'addison',
  'bennington',
  'caledonia',
  'chittenden',
  'essex',
  'franklin',
  'grand',
  'isle',
  'lamoille',
  'orange',
  'orleans',
  'rutland',
  'washington',
  'windham',
  'windsor',
  'county',
  'white',
  'house',
  'announcement',
  'weather',
  'united',
  'states',
  'storm',
  'heat',
  'wave',
  'country',
  'tips',
  'tornadostorm',
  'twister',
  'illinois',
  'wednesday',
  'evening',
  'tree',
  'roof',
  'flight',
  'chicago',
  'area',
  'tornado',
  'chicago',
  'area',
  'city',
  'airport',
  'national',
  'weather',
  'service',
  'flight',
  "o'hare",
  'international',
  'airport',
  'wednesday',
  'flight',
  'tracking',
  'service',
  'flightaware',
  'tornado',
  'iowa',
  'michigan',
  'night',
  'report',
  'damage',
  'line',
  'wind',
  'mile',
  'hour',
  'texas',
  'michigan',
  'report',
  'golf',
  'ball',
  'hail',
  'missouri',
  'nebraska',
  'kansas',
  'damage',
  'sinnott',
  'tree',
  'service',
  'building',
  'mccook',
  'illinois',
  'july',
  'national',
  'weather',
  'service',
  'tornado',
  'warning',
  'chicago',
  'area',
  'nam',
  'y.',
  'huh',
  'weather',
  'wednesday',
  'evening',
  'storm',
  'system',
  'midwest',
  'threat',
  'northeast',
  'thursday',
  'kentucky',
  'vermont',
  'wind',
  'hail',
  'tornado',
  'storm',
  'system',
  'path',
  'city',
  'cincinnati',
  'ohio',
  'charleston',
  'west',
  'virginia',
  'pittsburgh',
  'pennsylvania',
  'binghamton',
  'new',
  'york',
  'albany',
  'new',
  'york',
  'burlington',
  'vermont',
  'floodwater',
  'safety',
  'tipsa',
  'flood',
  'watch',
  'new',
  'york',
  'vermont',
  'new',
  'hampshire',
  'vermont',
  'capital',
  'montpelier',
  'rainfall',
  'flooding',
  'week',
  'thursday',
  'threat',
  'rainfall',
  'flooding',
  'weekend',
  'northeast',
  'interstate',
  'travel',
  'corridor',
  'forecast',
  'inch',
  'rain',
  'new',
  'england',
  'vermont',
  'new',
  'hampshire',
  'maine',
  'storm',
  'cloud',
  'chicago',
  'illinois',
  'july',
  'national',
  'weather',
  'service',
  'tornado',
  'warning',
  'area',
  'charles',
  'rex',
  'arbogast',
  'apmeanwhile',
  'million',
  'americans',
  'u.s.',
  'state',
  'heat',
  'alert',
  'thursday',
  'washington',
  'florida',
  'heat',
  'index',
  'degree',
  'fahrenheit',
  'mid',
  '-',
  'south',
  'gulf',
  'coast',
  'florida',
  'temperature',
  'houston',
  'miami',
  'wednesday',
  'temperature',
  'phoenix',
  'degree',
  'fahrenheit',
  'day',
  'arizona',
  'capital',
  'track',
  'day',
  'streak',
  '1974.more',
  'heat',
  'safety',
  'forecast',
  'heat',
  'week',
  'temperature',
  'southwest',
  'weekend',
  'heat',
  'watch',
  'effect',
  'burbank',
  'california',
  'friday',
  'monday',
  'temperature',
  'degree',
  'fahrenheit',
  'hospital',
  'emergency',
  'department',
  'visit',
  'heat',
  'illness',
  'month',
  'centers',
  'disease',
  'control',
  'prevention',
  'abc',
  'news',
  'youri',
  'benadjaoud',
  'report',
  'topicsweathertop',
  'storiesruin',
  'vatican',
  'emperor',
  'nero',
  'theaterjul',
  'pmhouse',
  'ufo',
  'hearing',
  'ex',
  'knowledge',
  'craftjul',
  'amsinead',
  "o'connor",
  'u',
  'singer',
  '56jul',
  'pmmcconnell',
  'press',
  'conference',
  'return',
  'pmwhistleblower',
  'congress',
  'decade',
  'program',
  'ufosjul',
  'pmabc',
  'news',
  'live24/7',
  'coverage',
  'news',
  'eventsabc',
  'news',
  'networkprivacy',
  'policyyour',
  'state',
  'privacy',
  'rightschildren',
  'online',
  'privacy',
  'policyinterest',
  'adsabout',
  'nielsen',
  'measurementterms',
  'usedo',
  'sell',
  'informationcontact',
  'uscopyright',
  'abc',
  'news',
  'internet',
  'ventures',
  'right'],
 ['blood',
  'drive',
  'works',
  'host',
  'blood',
  'drive',
  'urgent',
  'need',
  'volunteer',
  'blizzard',
  'pipe',
  'blizzard',
  'pipe',
  'help',
  'need',
  'help',
  'red',
  'cross',
  'shelter',
  'winter',
  'storm',
  'rain',
  'sleet',
  'snowfall',
  'ice',
  'wind',
  'storm',
  'transportation',
  'heat',
  'power',
  'communication',
  'disruption',
  'school',
  'store',
  'workplace',
  'winter',
  'climate',
  'change',
  'atmosphere',
  'moisture',
  'snowfall',
  'action',
  'home',
  'precaution',
  'word',
  'news',
  'winter',
  'storm',
  'life',
  'winter',
  'condition',
  'hour',
  'blizzard',
  'warning',
  'wind',
  'gust',
  'mile',
  'hour',
  'falling',
  'snow',
  'visibility',
  'quarter',
  'mile',
  'hour',
  'winter',
  'storm',
  'word',
  'wind',
  'chill',
  'temperature',
  'people',
  'animal',
  'wind',
  'increase',
  'heat',
  'body',
  'rate',
  'body',
  'temperature',
  'wind',
  'chill',
  'temperature',
  'temperature',
  'wind',
  'feel',
  'skin',
  'winter',
  'storm',
  'outlook',
  'storm',
  'condition',
  'day',
  'medium',
  'update',
  'winter',
  'storm',
  'watch',
  'storm',
  'condition',
  'hour',
  'winter',
  'storm',
  'plan',
  'weather',
  'condition',
  'advisory',
  'weather',
  'condition',
  'inconvenience',
  'life',
  'winter',
  'storm',
  'indoor',
  'frostbite',
  'hypothermia',
  'winter',
  'season',
  'home',
  'home',
  'cold',
  'insulation',
  'caulking',
  'weather',
  'thermometer',
  'thermostat',
  'temperature',
  'neighbor',
  'adult',
  'baby',
  'plenty',
  'fluid',
  'caffeine',
  'alcohol',
  'travel',
  'nose',
  'ear',
  'cheek',
  'chin',
  'finger',
  'toe',
  'clothing',
  'area',
  'risk',
  'frostbite',
  'wear',
  'layer',
  'clothing',
  'coat',
  'hat',
  'mitten',
  'water',
  'boot',
  'scarf',
  'face',
  'mouth',
  'home',
  'friend',
  'house',
  'library',
  'warming',
  'center',
  'food',
  'water',
  'medicine',
  'winter',
  'storm',
  'store',
  'supply',
  'kit',
  'home',
  'kit',
  'kit',
  'day',
  'supply',
  'battery',
  'charger',
  'device',
  'cell',
  'phone',
  'cpap',
  'wheelchair',
  'home',
  'kit',
  'week',
  'supply',
  'clothing',
  'hat',
  'mitten',
  'blanket',
  'household',
  'access',
  'drinking',
  'water',
  'gallon',
  'drinking',
  'water',
  'person',
  'day',
  'emergency',
  'supply',
  'vehicle',
  'blanket',
  'clothing',
  'aid',
  'kit',
  'boot',
  'month',
  'supply',
  'medication',
  'supply',
  'list',
  'medication',
  'dosage',
  'card',
  'record',
  'copy',
  'snow',
  'shovel',
  'ice',
  'product',
  'walkway',
  'aid',
  'resuscitation',
  'cpr',
  'emergency',
  'service',
  'frostbite',
  'hypothermia',
  'install',
  'smoke',
  'alarm',
  'carbon',
  'monoxide',
  'detector',
  'battery',
  'power',
  'gas',
  'water',
  'pipe',
  'sign',
  'emergency',
  'alert',
  'government',
  'weather',
  'news',
  'battery',
  'way',
  'cell',
  'phone',
  'battery',
  'radio',
  'power',
  'outage',
  'alert',
  'watch',
  'warning',
  'action',
  'support',
  'team',
  'disaster',
  'winter',
  'storm',
  'checklists',
  'fact',
  'sheet',
  'available',
  'multiple',
  'languages',
  'power',
  'outage',
  'checklist',
  'frostbite',
  'hypothermia',
  'winter',
  'storm',
  'safety',
  'checklist',
  'english',
  'winter',
  'storm',
  'safety',
  'checklist',
  'spanish',
  'preparation',
  'tips',
  'family',
  'winter',
  'storm',
  'space',
  'heater',
  'fireplace',
  'fire',
  'fire',
  'foot',
  'meter',
  'heat',
  'candle',
  'fire',
  'risk',
  'battery',
  'light',
  'flashlight',
  'prevent',
  'carbon',
  'monoxide',
  'poisoning',
  'carbon',
  'monoxide',
  'poisoning',
  'power',
  'outage',
  'people',
  'mean',
  'carbon',
  'monoxide',
  'poisoning',
  'generator',
  'grill',
  'camp',
  'stove',
  'window',
  'carbon',
  'monoxide',
  'air',
  'carbon',
  'monoxide',
  'poisoning',
  'home',
  'fire',
  'home',
  'cooking',
  'oven',
  'stove',
  'act',
  'fast',
  'sign',
  'frostbite',
  'hypothermia',
  'frostbite',
  'body',
  'nose',
  'ear',
  'cheek',
  'chin',
  'finger',
  'toe',
  'people',
  'pain',
  'numbness',
  'change',
  'skin',
  'color',
  'frostbite',
  'place',
  'area',
  'water',
  'skin',
  'emergency',
  'care',
  'hypothermia',
  'body',
  'heat',
  'heat',
  'body',
  'temperature',
  'adult',
  'baby',
  'child',
  'people',
  'health',
  'condition',
  'risk',
  'shivering',
  'sign',
  'hypothermia',
  'sign',
  'confusion',
  'drowsiness',
  'speech',
  'hypothermia',
  'emergency',
  'care',
  'place',
  'clothing',
  'body',
  'safe',
  'vehicle',
  'emergency',
  'supply',
  'kit',
  'following',
  'person',
  'blanket',
  'bag',
  'rain',
  'gear',
  'set',
  'clothing',
  'mitten',
  'sock',
  'wool',
  'hat',
  'newspapers',
  'insulation',
  'bag',
  'sanitation',
  'canned',
  'fruit',
  'energy',
  'snack',
  'broth',
  'thermos',
  'bottle',
  'water',
  'cell',
  'phone',
  'battery',
  'plan',
  'daylight',
  'person',
  'destination',
  'route',
  'weather',
  'report',
  'area',
  'sleet',
  'rain',
  'drizzle',
  'fog',
  'vehicle',
  'help',
  'vehicle',
  'assistance',
  'help',
  'yard',
  'meter',
  'display',
  'trouble',
  'sign',
  'help',
  'cloth',
  'radio',
  'antenna',
  'hood',
  'snow',
  'engine',
  'minute',
  'hour',
  'heater',
  'engine',
  'exhaust',
  'pipe',
  'snow',
  'window',
  'ventilation',
  'light',
  'engine',
  'exercise',
  'circulation',
  'hand',
  'arm',
  'leg',
  'person',
  'vehicle',
  'turn',
  'warmth',
  'newspaper',
  'map',
  'floor',
  'mat',
  'body',
  'heat',
  'sign',
  'frostbite',
  'hypothermia',
  'fluid',
  'dehydration',
  'effect',
  'cold',
  'heart',
  'attack',
  'overexertion',
  'snow',
  'vehicle',
  'heart',
  'attack',
  'condition',
  'prevent',
  'thaw',
  'frozen',
  'pipes',
  'pet',
  'storm',
  'frost',
  'bite',
  'hypothermia',
  'safe',
  'winter',
  'storm',
  'caution',
  'ice',
  'power',
  'line',
  'branch',
  'tree',
  'ice',
  'overexertion',
  'snow',
  'break',
  'partner',
  'ice',
  'product',
  'walkway',
  'library',
  'shopping',
  'mall',
  'warming',
  'center',
  'home',
  'lot',
  'feeling',
  'stress',
  'anxiety',
  'food',
  'sleep',
  'stress',
  'disaster',
  'distress',
  'helpline',
  'text',
  'time',
  'family',
  'free',
  'app',
  'family',
  'safe',
  'download',
  'emergency',
  'app',
  'emergency',
  'app',
  'apple',
  'store',
  'google',
  'play',
  'aplicación',
  'de',
  'emergencias',
  'ahora',
  'en',
  'español',
  'también',
  'sign',
  'email',
  'american',
  'red',
  'cross',
  'content',
  'email',
  'list',
  'disaster',
  'alert',
  'preparedness',
  'tip',
  'way',
  'people',
  'disaster',
  'donation',
  'american',
  'national',
  'red',
  'cross',
  'accessibility',
  'terms',
  'use',
  'privacy',
  'policy',
  'contact',
  'faq',
  'mobile',
  'apps',
  'blood',
  'career'],
 ['ie',
  'experience',
  'site',
  'browser',
  'skip',
  'news',
  'newsworldbusinesshealthvideoculture',
  'trendsnbc',
  'news',
  'tiplineshare',
  'save',
  'newsmanage',
  'profileemail',
  'preferencessign',
  'outsearchsearchprofile',
  'newssign',
  'sign',
  'increate',
  'profilesectionsu.s.',
  'newspoliticsworldlocalbusinesshealthinvestigationsculture',
  'trendssciencesportstech',
  'mediavideo',
  'featuresphotosweathernbc',
  'selectdecision',
  'blknbc',
  'newsmsnbcmeet',
  'pressdatelinefeaturednbc',
  'news',
  'nowbetternightly',
  'filmsstay',
  'tunedspecial',
  'featuresnewsletterspodcastslisten',
  'nowmore',
  'nbccnbcnbc.comnbcu',
  'learnpeacocknext',
  'steps',
  'vetsparent',
  'news',
  'site',
  'maphelpfollow',
  'nbc',
  'newssearchsearchfacebooktwitteremailsmsprintwhatsappredditpocketflipboardpinterestlinkedinscience',
  'newsextreme',
  'weather',
  'reality',
  'poverty',
  'tragedy',
  'mississippi',
  'tornado',
  'mile',
  'path',
  'alabama',
  'mississippi',
  'community',
  'rolling',
  'fork',
  'resident',
  'mississippi',
  'alabama',
  'tornado02:01get',
  'news',
  'nowprintmarch',
  'pm',
  'denise',
  'chow',
  'bracey',
  'harris',
  'kathryn',
  'procivthe',
  'tornado',
  'mississippi',
  'town',
  'friday',
  'night',
  'kind',
  'meteorologist',
  'dread',
  'storm',
  'mix',
  'ingredient',
  'place',
  'time',
  'death',
  'mississippi',
  'alabama',
  'dozen',
  'tornado',
  'state',
  'half',
  'death',
  'delta',
  'town',
  'rolling',
  'fork',
  'tornado',
  'mile',
  'path',
  'community',
  '%',
  'resident',
  'poverty',
  'stage',
  'disaster',
  'tornado',
  'stephen',
  'strader',
  'professor',
  'geography',
  'environment',
  'villanova',
  'university',
  'pennsylvania',
  'cleanup',
  'tornado',
  'southmarch',
  'factor',
  'case',
  'scenario',
  'rolling',
  'fork',
  'prevalence',
  'home',
  'housing',
  'town',
  'people',
  'weather',
  '%',
  'tornado',
  'fatality',
  'home',
  'national',
  'weather',
  'service',
  'people',
  'shelter',
  'home',
  'time',
  'refuge',
  'home',
  'angelia',
  'eason',
  'coroner',
  'sharkey',
  'county',
  'rolling',
  'fork',
  'town',
  'death',
  'people',
  'home',
  'satellite',
  'image',
  'home',
  'walnut',
  'mulberry',
  'street',
  'rolling',
  'fork',
  'miss.',
  'dec.',
  'sunday',
  'maxar',
  'technologies',
  'afp',
  'getty',
  'imagesthe',
  'tornado',
  'rolling',
  'fork',
  'storm',
  'cover',
  'night',
  'visibility',
  'people',
  'guard',
  'factor',
  'storm',
  'result',
  'strader',
  'matt',
  'laubhan',
  'mississippi',
  'meteorologist',
  'nbc',
  'affiliate',
  'wtva',
  'mississippi',
  'lot',
  'tornado',
  'ef-5',
  'year',
  'area',
  'storm',
  'funding',
  'emergency',
  'shelter',
  'structure',
  'rolling',
  'fork',
  'rolling',
  'fork',
  'area',
  'laubhan',
  'nbc',
  'news',
  'andrea',
  'mitchell',
  'place',
  'kind',
  'community',
  'shelter',
  '”mississippi',
  'meteorologist',
  'air',
  'tornado',
  "power'march",
  'bradford',
  'emergency',
  'management',
  'agency',
  'director',
  'adams',
  'county',
  'mississippi',
  'response',
  'effort',
  'rolling',
  'fork',
  'community',
  'room',
  'storm',
  'friday',
  'william',
  'gallus',
  'professor',
  'meteorology',
  'iowa',
  'state',
  'university',
  'fear',
  'addition',
  'night',
  'tornado',
  'track',
  'mile',
  'mississippi',
  '%',
  'tornado',
  'ground',
  'mile',
  'tornado',
  'outbreak',
  'night',
  'southeast',
  'people',
  'thing',
  'tornado',
  'needle',
  'town',
  'southeast',
  'home',
  'tornado',
  'enhanced',
  'fujita',
  'ef',
  'scale',
  'tornado',
  'ef-0',
  'ef-1',
  'wind',
  'mph',
  'damage',
  'tornado',
  'ef-5',
  'wind',
  'mph',
  'damage',
  'survey',
  'tornado',
  'rolling',
  'fork',
  'mph',
  'wind',
  'storm',
  'national',
  'weather',
  'service',
  'jackson',
  'mississippi',
  'resident',
  'possession',
  'home',
  'tornado',
  'rolling',
  'fork',
  'miss.',
  'sunday',
  'scott',
  'olson',
  'getty',
  'imagesyet',
  'wind',
  'housing',
  'structure',
  'strader',
  'home',
  'tornado',
  'wind',
  'speed',
  'end',
  'structure',
  'ef-5',
  'structure',
  'wind',
  'threshold',
  'people',
  'death',
  '”many',
  'people',
  'home',
  'option',
  'shelter',
  'gallus',
  'study',
  'safety',
  'gallus',
  'option',
  'reason',
  'people',
  'warning',
  'tornado',
  'forecast',
  'storm',
  'shelter',
  'state',
  'shelter',
  'people',
  'pet',
  'reason',
  'people',
  'damage',
  'series',
  'storm',
  'tornado',
  'rolling',
  'fork',
  'miss.',
  'saturday',
  'newton',
  'getty',
  'imagesscientists',
  'gallus',
  'strader',
  'role',
  'climate',
  'change',
  'tornado',
  'warming',
  'instability',
  'condition',
  'storm',
  'study',
  'climate',
  'change',
  'formation',
  'tornado',
  'way',
  'wind',
  'direction',
  'height',
  'outcome',
  'research',
  'form',
  'weather',
  'hurricane',
  'drought',
  'effect',
  'climate',
  'change',
  'tornado',
  'tornado',
  'season',
  'steam',
  'strader',
  'people',
  'risk',
  'tornado',
  'disaster',
  'town',
  'day',
  'day',
  'standpoint',
  'lot',
  'death',
  'damage',
  'chowdenise',
  'chow',
  'reporter',
  'nbc',
  'news',
  'science',
  'science',
  'climate',
  'change',
  'bracey',
  'harrisbracey',
  'harris',
  'reporter',
  'nbc',
  'news',
  'jackson',
  'mississippi',
  'kathryn',
  'procivkathryn',
  'prociv',
  'meteorologist',
  'producer',
  'nbc',
  'news',
  'choicesprivacy',
  'policydo',
  'informationca',
  'noticenew',
  'terms',
  'service',
  'july',
  'news',
  'sitemapadvertiseselect',
  'shoppingselect',
  'personal',
  'finance',
  'nbc',
  'universalnbc',
  'news',
  'logomsnbc',
  'logotoday',
  'logo'],
 ['nowcast',
  'kcra',
  'news',
  'pm',
  'weekday',
  'evening',
  'noticias',
  'national',
  'news',
  'politics',
  'fact',
  'fact',
  'explore',
  'outdoors',
  'sports',
  'high',
  'school',
  'playbook',
  'entertainment',
  'cent',
  'project',
  'community',
  'stitch',
  'upload',
  'dignity',
  'health',
  'heart',
  'hub',
  'ad',
  'metv',
  'my58',
  'estrellatv',
  'h&i',
  'community',
  'news',
  'team',
  'editorials',
  'contact',
  'advertise',
  'kcra',
  'privacy',
  'notice',
  'notice',
  'collection',
  'terms',
  'privacy',
  'choices',
  'sale',
  'targeted',
  'ads',
  'press',
  'type',
  'search',
  'tornado',
  'weather',
  'damage',
  'home',
  'power',
  'state',
  'pm',
  'pdt',
  'jun',
  'tornado',
  'weather',
  'damage',
  'home',
  'power',
  'state',
  'pm',
  'pdt',
  'jun',
  'abilene',
  'texas',
  'cookie',
  'oven',
  'heat',
  'wave',
  'couple',
  'week',
  'people',
  'arizona',
  'louisiana',
  'quote',
  'temperature',
  'degree',
  'weather',
  'prediction',
  'center',
  'sort',
  'heat',
  'wave',
  'humidity',
  'relief',
  'evening',
  'period',
  'forecaster',
  'tempt',
  'mississippi',
  'valley',
  'july',
  'holiday',
  'center',
  'area',
  'texas',
  'resident',
  'beat',
  'heat',
  'campaign',
  'people',
  'resource',
  'place',
  'library',
  'community',
  'center',
  'center',
  'folk',
  'sign',
  'heat',
  'illness',
  'storm',
  'hail',
  'wind',
  'tornado',
  'arkansas',
  'mississippi',
  'alabama',
  'georgia',
  'tennessee',
  'kentucky',
  'ohio',
  'indiana',
  'house',
  'damage',
  'weekend',
  'john',
  'lawrence',
  'reporting',
  'national',
  'alerts',
  'breaking',
  'update',
  'email',
  'inbox',
  'tornado',
  'weather',
  'damage',
  'home',
  'power',
  'state',
  'pm',
  'pdt',
  'jun',
  'tornado',
  'indiana',
  'home',
  'occupant',
  'people',
  'arkansas',
  'tree',
  'house',
  'weather',
  'number',
  'state',
  'tornado',
  'home',
  'sunday',
  'evening',
  'storm',
  'system',
  'martin',
  'county',
  'indiana',
  'wxin',
  'tv',
  'tornado',
  'sunday',
  'afternoon',
  'johnson',
  'county',
  'south',
  'indianapolis',
  'home',
  'authority',
  'martin',
  'county',
  'emergency',
  'management',
  'agency',
  'director',
  'cameron',
  'wolf',
  'death',
  'injury',
  'wxin',
  'home',
  'area',
  'tree',
  'wind',
  'martin',
  'county',
  'emergency',
  'management',
  'official',
  'email',
  'associated',
  'press',
  'information',
  'casualty',
  'extent',
  'storm',
  'damage',
  'town',
  'shoals',
  'martin',
  'county',
  'seat',
  'mile',
  'indianapolis',
  'mile',
  'louisville',
  'kentucky',
  'tornado',
  'sunday',
  'afternoon',
  'johnson',
  'county',
  'south',
  'indianapolis',
  'damage',
  'community',
  'greenwood',
  'bargersville',
  'official',
  'michael',
  'pruitt',
  'deputy',
  'fire',
  'chief',
  'bargersville',
  'indiana',
  'indianapolis',
  'star',
  'search',
  'rescue',
  'operation',
  'death',
  'injury',
  'fire',
  'department',
  'p.m.',
  'report',
  'structure',
  'collapse',
  'johnson',
  'county',
  'tornado',
  'ground',
  'minute',
  'video',
  'resident',
  'storm',
  'indianabargersville',
  'fire',
  'chief',
  'erik',
  'funkhouser',
  'news',
  'conference',
  'sunday',
  'home',
  'damage',
  'mile',
  'area',
  'tornado',
  'indiana',
  'state',
  'road',
  'vicinity',
  'interstate',
  '69.“obviously',
  'scene',
  'area',
  'funkhouser',
  'power',
  'line',
  'mile',
  'area',
  'home',
  'electricity',
  'day',
  'jessyca',
  'copas',
  'wife',
  'father',
  'law',
  'funnel',
  'cloud',
  'home',
  'street',
  'indianapolis',
  'star',
  'buzzard',
  'copas',
  'bird',
  '’”a',
  'tree',
  'home',
  'copas',
  'family',
  'month',
  'daughter',
  'bathroom',
  'safety',
  'kimber',
  'olson',
  'year',
  'son',
  'bathtub',
  'cyclone',
  'apartment',
  'bargersville“the',
  'sound',
  'olson',
  'sound',
  'ear',
  'way',
  'ring',
  'ear',
  'tornado',
  'door',
  'bathtub',
  'son',
  'glass',
  'window',
  'storm',
  'team',
  'martin',
  'johnson',
  'daviess',
  'monroe',
  'county',
  'monday',
  'damage',
  'sunday',
  'storm',
  'tornado',
  'national',
  'weather',
  'service',
  'office',
  'indianapolis',
  'sheriff',
  'official',
  'people',
  'sunday',
  'night',
  'arkansas',
  'community',
  'carlisle',
  'tree',
  'home',
  'kthv',
  'tv',
  'memphis',
  'tennessee',
  'utility',
  'company',
  'home',
  'business',
  'power',
  'sunday',
  'storm',
  'wind',
  'tree',
  'damage',
  'detroit',
  'dte',
  'energy',
  'monday',
  'customer',
  'michigan',
  'power',
  'jackson',
  'michigan',
  'consumers',
  'energy',
  'outage',
  'michigan',
  'michigan',
  'indiana',
  'power',
  'sunday',
  'evening',
  'customer',
  'michigan',
  'indiana',
  'electricity',
  'storm',
  'outage',
  'benton',
  'harbor',
  'michigan',
  'tornado',
  'indiana',
  'home',
  'occupant',
  'people',
  'arkansas',
  'tree',
  'house',
  'weather',
  'number',
  'state',
  'tornado',
  'home',
  'sunday',
  'evening',
  'storm',
  'system',
  'martin',
  'county',
  'indiana',
  'wxin',
  'tv',
  'tornado',
  'sunday',
  'afternoon',
  'johnson',
  'county',
  'south',
  'indianapolis',
  'home',
  'authority',
  'martin',
  'county',
  'emergency',
  'management',
  'agency',
  'director',
  'cameron',
  'wolf',
  'death',
  'injury',
  'wxin',
  'home',
  'area',
  'tree',
  'wind',
  'martin',
  'county',
  'emergency',
  'management',
  'official',
  'email',
  'associated',
  'press',
  'information',
  'casualty',
  'extent',
  'storm',
  'damage',
  'storm',
  'cindy',
  'atlantic',
  'town',
  'shoals',
  'martin',
  'county',
  'seat',
  'mile',
  'indianapolis',
  'mile',
  'louisville',
  'kentucky',
  'tornado',
  'sunday',
  'afternoon',
  'johnson',
  'county',
  'south',
  'indianapolis',
  'damage',
  'community',
  'greenwood',
  'bargersville',
  'official',
  'michael',
  'pruitt',
  'deputy',
  'fire',
  'chief',
  'bargersville',
  'indiana',
  'indianapolis',
  'star',
  'search',
  'rescue',
  'operation',
  'death',
  'injury',
  'fire',
  'department',
  'p.m.',
  'report',
  'structure',
  'collapse',
  'johnson',
  'county',
  'tornado',
  'ground',
  'minute',
  'video',
  'resident',
  'storm',
  'indiana',
  'bargersville',
  'fire',
  'chief',
  'erik',
  'funkhouser',
  'news',
  'conference',
  'sunday',
  'home',
  'damage',
  'mile',
  'area',
  'tornado',
  'indiana',
  'state',
  'road',
  'vicinity',
  'interstate',
  '69.“obviously',
  'scene',
  'area',
  'funkhouser',
  'power',
  'line',
  'mile',
  'area',
  'home',
  'electricity',
  'day',
  'jessyca',
  'copas',
  'wife',
  'father',
  'law',
  'funnel',
  'cloud',
  'home',
  'street',
  'indianapolis',
  'star',
  'buzzard',
  'copas',
  'bird',
  '’”a',
  'tree',
  'home',
  'copas',
  'family',
  'month',
  'daughter',
  'bathroom',
  'safety',
  'hail',
  'storm',
  'people',
  'louis',
  'tomlinson',
  'concert',
  'denver',
  'kimber',
  'olson',
  'year',
  'son',
  'bathtub',
  'cyclone',
  'apartment',
  'bargersville“the',
  'sound',
  'olson',
  'sound',
  'ear',
  'way',
  'ring',
  'ear',
  'tornado',
  'door',
  'bathtub',
  'son',
  'glass',
  'window',
  'storm',
  'team',
  'martin',
  'johnson',
  'daviess',
  'monroe',
  'county',
  'monday',
  'damage',
  'sunday',
  'storm',
  'tornado',
  'national',
  'weather',
  'service',
  'office',
  'indianapolis',
  'sheriff',
  'official',
  'people',
  'sunday',
  'night',
  'arkansas',
  'community',
  'carlisle',
  'tree',
  'home',
  'kthv',
  'tv',
  'memphis',
  'tennessee',
  'utility',
  'company',
  'home',
  'business',
  'power',
  'sunday',
  'storm',
  'wind',
  'tree',
  'damage',
  'man',
  'stepson',
  'big',
  'bend',
  'national',
  'park',
  'degree',
  'heat',
  'detroit',
  'dte',
  'energy',
  'monday',
  'customer',
  'michigan',
  'power',
  'jackson',
  'michigan',
  'consumers',
  'energy',
  'outage',
  'michigan',
  'michigan',
  'indiana',
  'power',
  'sunday',
  'evening',
  'customer',
  'michigan',
  'indiana',
  'electricity',
  'storm',
  'outage',
  'benton',
  'harbor',
  'michigan',
  'mattel',
  'barbie',
  'movie',
  'dolls',
  'margot',
  'robbie',
  'ryan',
  'gosling',
  'barbie',
  'movie',
  'amazon',
  'shop',
  'pink',
  'fantastic',
  'merch',
  'contact',
  'news',
  'team',
  'apps',
  'social',
  'email',
  'alerts',
  'careers',
  'internships',
  'digital',
  'advertising',
  'terms',
  'conditions',
  'broadcast',
  'terms',
  'conditions',
  'rss',
  'eeo',
  'captioning',
  'contact',
  'kcra',
  'public',
  'inspection',
  'file',
  'kqca',
  'public',
  'inspection',
  'file',
  'public',
  'file',
  'assistance',
  'fcc',
  'applications',
  'news',
  'policy',
  'statements',
  'hearst',
  'television',
  'affiliate',
  'marketing',
  'program',
  'commission',
  'product',
  'link',
  'retailer',
  'site',
  'hearst',
  'television',
  'inc.',
  'behalf',
  'kcra',
  'tv',
  'privacy',
  'notice',
  'notice',
  'collection',
  'privacy',
  'rights',
  'light',
  'daa',
  'industry',
  'opt',
  'terms',
  'use',
  'site',
  'map',
  'privacy',
  'choices/(opt',
  'sale',
  'targeted',
  'ads'],
 ['biologic',
  'whistleblower',
  'government',
  'ufo',
  'american',
  'airlines',
  'destination',
  'sky',
  'harbor',
  'february',
  'american',
  'airlines',
  'sky',
  'harbor',
  'lineup',
  'flight',
  'tijuana',
  'pasco',
  'record',
  'temp',
  'monsoon',
  'storm',
  'weather',
  'recap',
  'winter',
  'storm',
  'i-40',
  'eastbound',
  'highway',
  'thursday',
  'sky',
  'cold',
  'end',
  'workweek',
  'example',
  'video',
  'title',
  'video',
  'pm',
  'mst',
  'february',
  'pm',
  'mst',
  'march',
  'arizona',
  'usa',
  'winter',
  'storm',
  'arizona',
  'snow',
  'wind',
  'flagstaff',
  'area',
  'rain',
  'valley',
  'arizona',
  'department',
  'transportation',
  'highway',
  'weather',
  'north',
  'snowbowl',
  'mp',
  'direction',
  'alpine',
  'mp',
  'sr',
  'direction',
  'east',
  'camp',
  'verde',
  'sr',
  'mp',
  'sr',
  'direction',
  'sedona',
  'flagstaff',
  'mp',
  'sr',
  'direction',
  'winslow',
  'north',
  'state',
  'route',
  'mp',
  'sr',
  'grand',
  'canyon',
  'national',
  'park',
  'east',
  'entrance',
  'mp',
  'sr',
  'mt.',
  'graham',
  'direction',
  'mp',
  'peach',
  'springs',
  'school',
  'district',
  'school',
  'wednesday',
  'march',
  'k-12',
  'elementary',
  'music',
  'mountain',
  'jr./sr',
  'high',
  'school',
  'district',
  'office',
  'city',
  'flagstaff',
  'office',
  'facility',
  'wednesday',
  'march',
  'flagstaff',
  'unified',
  'school',
  'district',
  'class',
  'wednesday',
  'march',
  'northern',
  'arizona',
  'university',
  'person',
  'class',
  'flagstaff',
  'mountain',
  'yavapai',
  'campus',
  'wednesday',
  'march',
  'blue',
  'ridge',
  'school',
  'thursday',
  'megan',
  'b',
  'snow',
  'ground',
  'a.m.',
  'scottsdale',
  'cactus',
  'corridor',
  'credit',
  'megan',
  'b',
  'jennifer',
  'romero',
  'snow',
  'prescott',
  'credit',
  'jennifer',
  'romero',
  'jennifer',
  'romero',
  'snow',
  'prescott',
  'credit',
  'jennifer',
  'romero',
  'poco',
  'tree',
  'snow',
  'williamson',
  'valley',
  'march',
  'credit',
  'poco',
  'alan',
  'winninger',
  'snow',
  'ground',
  'flagstaff',
  'credit',
  'alan',
  'winninger',
  'alan',
  'winninger',
  'scene',
  'flagstaff',
  'credit',
  'alan',
  'winninger',
  'gregory',
  'snow',
  'gold',
  'canyon',
  'arizona',
  'credit',
  'gregory',
  'ron',
  'night',
  'kayenta',
  'arizona',
  'credit',
  'ron',
  'gregory',
  'snow',
  'mountain',
  'backyard',
  'gold',
  'canyon',
  'credit',
  'gregory',
  'arizona',
  'month',
  'march',
  'winter',
  'storm',
  'snow',
  'high',
  'country',
  'rain',
  'valley',
  'example',
  'video',
  'title',
  'video',
  'p.m',
  'sr',
  'milepost',
  'maricopa',
  'gila',
  'bend',
  'closure',
  'flooding',
  'closure*sr',
  'milepost',
  'maricopa',
  'gila',
  'bend',
  'closure',
  'flooding',
  'delay',
  'route',
  'time',
  'highway.',
  'phxtraffic',
  '',
  '',
  'aztraffic',
  'pic.twitter.com/wsvxewvd4p',
  'arizona',
  'dot',
  '@arizonadot',
  'march',
  'p.m',
  'good',
  'news',
  'power',
  'outage',
  'srp',
  'customer',
  'power',
  'aps',
  'customer',
  'power',
  'p.m.',
  'east',
  'valley',
  'couple',
  'hour',
  'rain',
  'east',
  'valley',
  'couple',
  'hour',
  'rain',
  'lindsay',
  'riley',
  '@lindsayrileywx',
  'march',
  'srp',
  'customer',
  'power',
  'time',
  'neighborhood',
  'aps',
  'customer',
  'power',
  'neighborhood',
  'p.m.',
  'adot',
  'snowplow',
  'flagstaff',
  'area',
  'adot',
  'flagstaff',
  'area',
  'arizona',
  'flagstaff',
  'kingman',
  'winslow',
  'winter',
  'storm',
  'travel',
  'time',
  'winter',
  'pic.twitter.com/kqkiq0aesg',
  'arizona',
  'dot',
  '@arizonadot',
  'march',
  'rain',
  'cloud',
  'ground',
  'lightning',
  'hail',
  'gust',
  'mph',
  'line',
  'thunderstorm',
  'valley',
  '12new',
  'phoenix',
  'valley',
  'pic.twitter.com/0yhcibbaux',
  'lindsay',
  'riley',
  '@lindsayrileywx',
  'march',
  'p.m.',
  'adot',
  'list',
  'highway',
  'closure',
  'state',
  'highway',
  'weather',
  'condition',
  'travel',
  'time',
  'winter',
  'aztraffic',
  'pic.twitter.com/7d6j8l0sev',
  'arizona',
  'dot',
  '@arizonadot',
  'march',
  'megan',
  'b',
  'snow',
  'ground',
  'a.m.',
  'scottsdale',
  'cactus',
  'corridor',
  'credit',
  'megan',
  'b',
  'jennifer',
  'romero',
  'snow',
  'prescott',
  'credit',
  'jennifer',
  'romero',
  'jennifer',
  'romero',
  'snow',
  'prescott',
  'credit',
  'jennifer',
  'romero',
  'poco',
  'tree',
  'snow',
  'williamson',
  'valley',
  'march',
  'credit',
  'poco',
  'alan',
  'winninger',
  'snow',
  'ground',
  'flagstaff',
  'credit',
  'alan',
  'winninger',
  'alan',
  'winninger',
  'scene',
  'flagstaff',
  'credit',
  'alan',
  'winninger',
  'gregory',
  'snow',
  'gold',
  'canyon',
  'arizona',
  'credit',
  'gregory',
  'ron',
  'night',
  'kayenta',
  'arizona',
  'credit',
  'ron',
  'gregory',
  'snow',
  'mountain',
  'backyard',
  'gold',
  'canyon',
  'credit',
  'gregory',
  'p.m.',
  'reminder',
  'arizona',
  'road',
  'tonight',
  'az',
  'road',
  'reminder',
  'time',
  'destination',
  'wintry',
  'condition',
  'light',
  'cruise',
  'control',
  'distance',
  'vehicle',
  'https://t.co/yfpnfiqt36',
  'dept',
  '.',
  'public',
  'safety',
  '@arizona_dps',
  'march',
  'p.m.',
  'snow',
  'rain',
  'shower',
  'half',
  'state',
  'thursday',
  'thursday',
  'afternoon',
  'sunshine',
  'snow',
  'rain',
  'shower',
  'half',
  'state',
  'thursday',
  'thursday',
  'afternoon',
  'sunshine',
  'temperature',
  '12new',
  'beon12',
  'thursday',
  'pic.twitter.com/5ajtn6ehsv',
  'lindsay',
  'riley',
  '@lindsayrileywx',
  'march',
  'weather',
  'northernarizona',
  'closure',
  'place',
  'storm',
  'road',
  'condition',
  'area',
  'https://t.co/pm26cm3y3a',
  '@arizonadot',
  'closure',
  'update',
  'dept',
  '.',
  'public',
  'safety',
  '@arizona_dps',
  'march',
  'thing',
  'precip',
  'way',
  'az.-box',
  'shower',
  'activity',
  'today',
  'activity',
  'box',
  'thunder',
  'pic.twitter.com/fkpcouhunf',
  'nws',
  'flagstaff',
  '@nwsflagstaff',
  'march',
  'p.m.',
  'snowfall',
  'afternoon',
  'evening',
  'arizona',
  'snow',
  'hour',
  'portion',
  'region',
  'snow',
  'afternoon',
  'tonight',
  'head',
  'https://t.co/rw4zqxw0ls',
  'forecast',
  '@arizonadot',
  'https://t.co/ljsgnzlaam',
  'road',
  'condition',
  'closure',
  'pic.twitter.com/owyhu5c6rq',
  'nws',
  'flagstaff',
  '@nwsflagstaff',
  'march',
  'roadway',
  'weather',
  'condition',
  'reminder',
  'highway',
  'weather',
  'condition',
  'adot',
  'delay',
  'weather',
  'condition',
  'emergency',
  'essential',
  'azwx',
  'pic.twitter.com/acxicxzdvw',
  'arizona',
  'dot',
  '@arizonadot',
  'march',
  'a.m.',
  'snow',
  'high',
  'country',
  'snow',
  'coverage',
  'intensity',
  'morning',
  'afternoon',
  'road',
  'high',
  'country',
  'snow',
  'https://t.co/ljsgnzlaam',
  'road',
  'condition',
  'closure',
  'pic.twitter.com/gk4otfmxlu',
  'nws',
  'flagstaff',
  '@nwsflagstaff',
  'march',
  'a.m.',
  'adot',
  'weather',
  'condition',
  'snow',
  'blanketing',
  'roadway',
  'elevation',
  'adot',
  'delay',
  'weather',
  'condition',
  'emergency',
  'essential',
  'https://t.co/sjtygvuare',
  'pic.twitter.com/snmdstesa8',
  'arizona',
  'dot',
  '@arizonadot',
  'march',
  'a.m.',
  'snow',
  'condition',
  'half',
  'state',
  'layer',
  'powder',
  'flagstaff',
  'example',
  'video',
  'title',
  'video',
  'winter',
  'storm',
  'arizona',
  'preparation',
  'winter',
  'storm',
  'arizona',
  'preparation',
  '@nwsflagstaff',
  'forecast',
  'az511',
  'app',
  'https://t.co/bnfvgb9rwl',
  'road',
  'condition',
  'highway',
  'weather',
  'condition',
  'pic.twitter.com/qdvkyxyblp',
  'arizona',
  'dot',
  '@arizonadot',
  'march',
  'p.m.',
  'adot',
  'driver',
  'know',
  'winter',
  'weather',
  'winter',
  'storm',
  'winter',
  '@nwsflagstaff',
  'forecast',
  'az511',
  'app',
  'https://t.co/bnfvgb9rwl',
  'road',
  'condition',
  'highway',
  'weather',
  'condition',
  'pic.twitter.com/sqmu13bkni',
  'arizona',
  'dot',
  '@arizonadot',
  'march',
  'p.m.',
  'snow',
  'flagstaff',
  '\U0001fae3',
  '@12news',
  'pic.twitter.com/homepgf79o',
  'rachel',
  'cole',
  '@rachelcoletv',
  'march',
  'p.m.',
  'drive',
  'home',
  'wednesday',
  'arizona',
  'rain',
  'desert',
  'snow',
  'country',
  'pm',
  'wednesday',
  'arizona',
  'rain',
  'desert',
  'snow',
  'country',
  'road',
  'wednesday',
  'az',
  'snow',
  'whiteout',
  '12news',
  'pic.twitter.com/kuaejs0ej3',
  'lindsay',
  'riley',
  '@lindsayrileywx',
  'february',
  'p.m.',
  'icicle',
  'tree',
  'flagstaff',
  'icicles',
  '@12news',
  'pic.twitter.com/ngd5ainejt',
  'rachel',
  'cole',
  '@rachelcoletv',
  'february',
  'p.m.',
  'adot',
  'travel',
  'delay',
  'travel',
  'time',
  'winter',
  'condition',
  'weather',
  'condition',
  'highway',
  'safety',
  'motorists.',
  'azwx',
  'aztraffic',
  'https://t.co/skoqgvqmbv',
  'arizona',
  'dot',
  '@arizonadot',
  'february',
  'pm',
  'wind',
  'advisory',
  'feb.',
  'nws',
  'wind',
  'advisory',
  'wind',
  'advisory',
  'february',
  'mst',
  'march',
  'mst',
  'nws',
  'flagstaff',
  'az',
  'coconino',
  'county',
  'emergency',
  'management',
  '@coconinoem',
  'february',
  'a.m.',
  'nws',
  'flagstaff',
  'winter',
  'storm',
  'area',
  'tuesday',
  'thursday',
  'winter',
  'storm',
  'area',
  'today',
  'thursday',
  'bulk',
  'storm',
  'state',
  'wednesday',
  'wednesday',
  'night',
  'travel',
  'wednesday',
  'afternoon',
  'wednesday',
  'night',
  'plan',
  'pic.twitter.com/qj1up9kmxy',
  'nws',
  'flagstaff',
  '@nwsflagstaff',
  'february',
  'example',
  'video',
  'title',
  'winter',
  'storm',
  '%',
  'snowpack',
  'arizona',
  'colorado',
  'river',
  'snow',
  'total',
  'arizona',
  'winter',
  'storm',
  'week',
  'bearizona',
  'wildlife',
  'snow',
  'storm',
  'arizona',
  'share',
  'weather',
  'compilation',
  'video',
  'storm',
  'grand',
  'canyon',
  'state',
  'eeo',
  'public',
  'file',
  'report',
  'fcc',
  'online',
  'public',
  'inspection',
  'file',
  'closed',
  'caption',
  'procedure',
  'personal',
  'information',
  'kpnx',
  'tv',
  'rights',
  'kpnx',
  'notification',
  'news',
  'weather',
  'notification',
  'browser',
  'setting'],
 ['weather',
  'datum',
  'durango',
  'herald',
  'weatherkit.org',
  '%',
  'chance',
  'precipitation',
  '%',
  'chance',
  'precipitation',
  '%',
  'chance',
  'precipitation',
  '%',
  'chance',
  'precipitation',
  'cloudy',
  '%',
  'chance',
  'precipitation',
  'cloudy',
  '%',
  'chance',
  'precipitation',
  'new',
  'mexico',
  'sports',
  'outdoors',
  'business',
  'real',
  'estate',
  'arts',
  'entertainment',
  'columns',
  'videos',
  'galleries',
  'subscribe',
  'obituaries',
  'calendar',
  '4cornersjobs',
  'corners',
  'flavor',
  'local',
  'representatives',
  'real',
  'estate',
  'classifieds',
  'eeditions',
  'public',
  'notices',
  'wave',
  'storm',
  'southwest',
  'colorado',
  'megan',
  'k.',
  'olsen',
  'herald',
  'staff',
  'writer',
  'saturday',
  'jan',
  'saturday',
  'jan.',
  'pm',
  'pressure',
  'system',
  'california',
  'oregon',
  'snow',
  'region',
  'city',
  'crew',
  'snow',
  'thursday',
  'arroyo',
  'drive',
  'west',
  'durango',
  'street',
  'problem',
  'street',
  'ice',
  'water',
  'drainage',
  'snow',
  'preparation',
  'storm',
  'city',
  'dump',
  'truck',
  'load',
  'snow',
  'lane',
  'mile',
  'road',
  'city',
  'durango',
  'jerry',
  'mcbride',
  'durango',
  'herald',
  'city',
  'crew',
  'snow',
  'thursday',
  'arroyo',
  'drive',
  'west',
  'durango',
  'street',
  'problem',
  'street',
  'ice',
  'water',
  'drainage',
  'snow',
  'preparation',
  'storm',
  'city',
  'dump',
  'truck',
  'load',
  'snow',
  'lane',
  'mile',
  'road',
  'city',
  'durango',
  'jerry',
  'mcbride',
  'durango',
  'herald',
  'parade',
  'pressure',
  'system',
  'way',
  'southwest',
  'colorado',
  'blast',
  'moisture',
  'saturday',
  'evening',
  'sunday',
  'night',
  'system',
  'west',
  'coast',
  'national',
  'weather',
  'service',
  'meteorologist',
  'kris',
  'sanders',
  'oregon',
  'california',
  'mountain',
  'wave',
  'precipitation',
  'snow',
  'u.s.',
  'highway',
  'corridor',
  'uptick',
  'valley',
  'snowfall',
  'sunday',
  'sunday',
  'night',
  'sanders',
  'valley',
  'area',
  'southwest',
  'colorado',
  'day',
  'sunday',
  'road',
  'condition',
  'morning',
  'thing',
  'day',
  'sunday',
  'night',
  'mountain',
  'area',
  'foot',
  'inch',
  'snow',
  'peak',
  'inch',
  'area',
  'foot',
  'inch',
  'durango',
  'pagosa',
  'ignacio',
  'sanders',
  'cortez',
  'inch',
  'storm',
  'way',
  'parade',
  'system',
  'break',
  'monday',
  'monday',
  'night',
  'pressure',
  'system',
  'precipitation',
  'mountain',
  'valley',
  'area',
  'parade',
  'pressure',
  'system',
  'snowfall',
  'southwest',
  'colorado',
  'saturday',
  'evening',
  'jerry',
  'mcbride',
  'durango',
  'herald',
  'parade',
  'pressure',
  'system',
  'snowfall',
  'southwest',
  'colorado',
  'saturday',
  'evening',
  'jerry',
  'mcbride',
  'durango',
  'herald',
  'sanders',
  'pressure',
  'system',
  'atmospheric',
  'river',
  'california',
  'flooding',
  'state',
  'system',
  'river',
  'sanders',
  'river',
  'intensity',
  'east',
  'ar',
  'remnant',
  'ar',
  '4s',
  'california',
  'glacier',
  'club',
  'metro',
  'district',
  'agreement',
  'la',
  'plata',
  'county',
  'debt',
  'jul',
  'manna',
  'resource',
  'center',
  'hand',
  'hand',
  'jul',
  'infamous',
  'corners',
  'manhunt',
  'screen',
  'jul',
  'glacier',
  'club',
  'metro',
  'district',
  'agreement',
  'la',
  'plata',
  'county',
  'debtmanna',
  'resource',
  'center',
  'hand',
  'hand',
  'corners',
  'manhunt',
  'screen',
  'event',
  'corners',
  'expos',
  'browse',
  'local',
  'jobs',
  'careers',
  'report',
  'paper',
  'delivery',
  'issue',
  'delivery',
  'advertise',
  'staff',
  'contact',
  'sign',
  'email',
  'newsletter',
  'news',
  'inbox',
  'print',
  'subscription',
  'package',
  'herald'],
 ['advertisementskip',
  'main',
  'contentaccessibility',
  'helpthe',
  'weather',
  'channeltype',
  'character',
  'auto',
  'complete',
  'location',
  'search',
  'query',
  'option',
  'arrow',
  'selection',
  'search',
  'city',
  'zip',
  'codesearchrecentsyou',
  'locationsglobeus',
  '°',
  'farrow',
  '°',
  'f',
  '°',
  'chybridimperial',
  'f',
  'mph',
  'mile',
  'inchesamericasarrow',
  'downantigua',
  'barbuda',
  'englishargentina',
  'españolbahamas',
  'englishbarbados',
  'englishbelize',
  'englishbolivia',
  'españolbrazil',
  'portuguêscanada',
  'englishcanada',
  'françaischile',
  'españolcolombia',
  'españolcosta',
  'rica',
  'españoldominica',
  'englishdominican',
  'republic',
  '',
  '',
  'españolecuador',
  'españolel',
  'salvador',
  '',
  '',
  'españolgrenada',
  'englishguatemala',
  'españolguyana',
  'englishhaiti',
  'françaishonduras',
  'españoljamaica',
  'englishmexico',
  'españolnicaragua',
  'españolpanama',
  'españolpanama',
  'englishparaguay',
  'españolperu',
  '',
  '',
  'españolst',
  'kitts',
  'nevis',
  'englishst',
  'lucia',
  '',
  '',
  'englishst',
  'vincent',
  'grenadines',
  'englishsuriname',
  'nederlandstrinidad',
  'tobago',
  'englishuruguay',
  'españolunited',
  'states',
  'englishunited',
  'states',
  'españolvenezuela',
  'españolafricaarrow',
  'downalgeria',
  'françaisangola',
  'portuguêsbenin',
  'françaisburkina',
  'faso',
  'françaisburundi',
  'françaiscameroon',
  '',
  '',
  'françaiscameroon',
  '',
  '',
  'englishcape',
  'verde',
  'portuguêscentral',
  'african',
  'republic',
  'françaischad',
  'françaischad',
  'العربيةcomoro',
  'françaiscomoros',
  '',
  '',
  'العربيةdemocratic',
  'republic',
  'congo',
  '',
  '',
  'françaisrepublic',
  'congo',
  'françaiscôte',
  "d'ivoire",
  'françaisdjibouti',
  'françaisdjibouti',
  'العربيةegypt',
  'العربيةequatorial',
  'guinea',
  'españoleritrea',
  'françaisgambia',
  'englishghana',
  'englishguinea',
  'françaisguinea',
  'bissau',
  'portuguêskenya',
  'englishlesotho',
  'englishliberia',
  'englishlibya',
  'العربيةmadagascar',
  'françaismali',
  'françaismauritania',
  'العربيةmauritius',
  '',
  '',
  'englishmauritius',
  'françaismorocco',
  '',
  '',
  'françaismozambique',
  'portuguêsnamibia',
  'englishniger',
  'françaisnigeria',
  'englishrwanda',
  'françaisrwanda',
  'englishsao',
  'tome',
  'principe',
  'portuguêssenegal',
  'françaissierra',
  'leone',
  'englishsomalia',
  'africa',
  'englishsouth',
  'sudan',
  'englishsudan',
  '',
  '',
  'englishtanzania',
  'françaistunisia',
  'العربيةuganda',
  'englishasia',
  'pacificarrow',
  'downaustralia',
  'englishbangladesh',
  'বাংলাbrunei',
  'bahasa',
  'melayuchina',
  'kong',
  'sar',
  '',
  '',
  'timor',
  'portuguêsfiji',
  'englishindia',
  'english',
  'englishindia',
  'hindi',
  'हिन्दीindonesia',
  'bahasa',
  'indonesiajapan',
  'englishsouth',
  'korea',
  '한국어kyrgyzstan',
  'русскийmalaysia',
  'bahasa',
  'melayumarshall',
  'islands',
  'englishmicronesia',
  'englishnew',
  'zealand',
  'englishpalau',
  'englishphilippines',
  'englishphilippines',
  'tagalogsamoa',
  'englishsingapore',
  'englishsingapore',
  '',
  '',
  '中文solomon',
  'islands',
  'englishtaiwan',
  '中文thailand',
  'ไทยtonga',
  'englishtuvalu',
  'englishvanuatu',
  'englishvanuatu',
  'françaisvietnam',
  'tiếng',
  'việteuropearrow',
  'downandorra',
  'catalàandorra',
  'françaisaustria',
  'deutschbelarus',
  'русскийbelgium',
  'dutchbelgium',
  'françaisbosnia',
  'herzegovina',
  'hrvatskicroatia',
  'hrvatskicyprus',
  'ελληνικάczech',
  'republic',
  'češtinadenmark',
  'danskestonia',
  'русскийestonia',
  'eestifinland',
  'suomifrance',
  'françaisgermany',
  'deutschgreece',
  'ελληνικάhungary',
  'magyarireland',
  'englishitaly',
  'italianoliechtenstein',
  'deutschluxembourg',
  'françaismalta',
  'englishmonaco',
  'françaisnetherlands',
  'nederlandsnorway',
  'norskpoland',
  'polskiportugal',
  'portuguêsromania',
  'românărussia',
  'русскийsan',
  'marino',
  'italianoslovakia',
  'slovenčinaspain',
  'españolspain',
  'catalàsweden',
  'svenskaswitzerland',
  'deutschturkey',
  'turkçeukraine',
  'українськаunited',
  'kingdom',
  'englishstate',
  'vatican',
  'city',
  'holy',
  'italianomiddle',
  'eastarrow',
  'downbahrain',
  'فارسىiraq',
  'العربيةisrael',
  'עִבְרִיתjordan',
  '',
  '',
  'العربيةlebanon',
  'العربيةpakistan',
  'اردوpakistan',
  'englishqatar',
  'arabia',
  'العربيةsyria',
  'arab',
  'emirates',
  'العربيةweathertoday',
  'forecasthourly',
  'forecastweekend',
  'forecastmonthly',
  'forecastnational',
  'forecastnational',
  'newsalmanacradarweather',
  'motionradar',
  'mapsclassic',
  'weather',
  'mapsregional',
  'satelliteseveresevere',
  'alertssafety',
  'preparednesshurricane',
  'centralaccountsign',
  'upgo',
  'premiumlog',
  'inget',
  'newsletterweb',
  'notificationsnewvideo',
  'photostop',
  'storiesvideophotosclimate',
  'newsexternal',
  'linkaward',
  'investigationsexternal',
  'linkhealth',
  'activitiesallergy',
  'trackercold',
  'fluair',
  'quality',
  'forecasttv',
  'weatheralexa',
  'skillexternal',
  'linkwatch',
  'liveexternal',
  'linkpersonalitiesexternal',
  'linkweather',
  'productsalexa',
  'skillexternal',
  'linkseasonal',
  'dealsprivacyreview',
  'privacy',
  'ad',
  'settingsdata',
  'rightsprivacy',
  'policyarrow',
  'leftarrow',
  'righttodayhourly10',
  'dayweekendmonthlyradarvideovideomore',
  'forecastsmorearrow',
  'forecastsyesterday',
  'weatherexternal',
  'linkallergy',
  'trackercold',
  'fluair',
  'quality',
  'forecastadvertisementnewswinter',
  'storm',
  'sage',
  'evening',
  'commute',
  "nor'easter",
  'power',
  'tens',
  'thousandsby',
  'ron',
  'brackett',
  'editormarch',
  'glancesnow',
  'evening',
  'commute',
  'thousand',
  'electricity',
  'flight',
  'tuesday',
  'sign',
  'morning',
  'brief',
  'email',
  'newsletter',
  'update',
  'weather',
  'channel',
  'meteorologists.\u200bn\u200bote',
  'article',
  'news',
  'winter',
  'storm',
  'w\u200binter',
  'storm',
  'sage',
  'snow',
  'northeast',
  'travel',
  'impact',
  'power',
  'thousand',
  'update',
  'region',
  'forecast',
  "nor'easter",
  'here.(\u200b4:44',
  'et',
  'semis',
  'jackknife',
  'i-95s\u200btorm',
  'chaser',
  'brandon',
  'copic',
  'semitractor',
  'trailer',
  'interstate',
  'maine',
  'new',
  'hampshire',
  'state',
  'line',
  'p.m.',
  'et',
  'flight',
  'cancellations',
  'flight',
  'tuesday',
  'flight',
  'tracker',
  'boston',
  'logan',
  'international',
  'new',
  'york',
  'laguardia',
  'international',
  'cancellation',
  'newark',
  'liberty',
  'international',
  'airport',
  'flight',
  'et',
  'evening',
  'commutes',
  'difficultfor',
  'afternoon',
  'evening',
  'commute',
  'road',
  'west',
  'north',
  'boston',
  'metro',
  'rest',
  'metro',
  'area',
  'rain',
  'snow',
  'northwest',
  'southeast',
  'afternoon',
  'drive',
  'accumulation',
  'road',
  'street',
  'area',
  'new',
  'england',
  'new',
  'york',
  'snow',
  'wind',
  'travel',
  'tree',
  'damage',
  'power',
  'outage',
  'new',
  'york',
  'city',
  'tri',
  '-',
  'state',
  'snow',
  'wind',
  'afternoon',
  'rush',
  'accumulation',
  'island.(\u200b3:32',
  'et',
  'whiteout',
  'conditions',
  'new',
  'hampshiret\u200bhe',
  'new',
  'hampshire',
  'state',
  'police',
  'snow',
  'agency',
  'condition',
  'state',
  'highway',
  'stratham',
  'a.m.',
  'noon',
  'tuesday',
  'agency',
  'crash',
  'vehicle',
  'road',
  'et',
  'downed',
  'power',
  'lines',
  'interstateinterstate',
  'direction',
  'londonderry',
  'new',
  'hampshire',
  'wire',
  'roadway',
  'new',
  'hampshire',
  'state',
  'police',
  'interstate',
  'p.m.',
  'utility',
  'crew',
  'wire',
  'plow',
  'traffic',
  'weather',
  'condition',
  'interstate',
  'south',
  'tuesday',
  'march',
  'londonderry',
  'new',
  'hampshire.(ap',
  'photo',
  'charles',
  'p.m.',
  'et',
  'power',
  'outage',
  'number',
  'home',
  'business',
  'power',
  'new',
  'york',
  'new',
  'hampshire',
  'majority',
  'outage',
  'customer',
  'massachusetts',
  'power.(1:10',
  'et',
  'snow',
  'total',
  'hourh\u200bere',
  'look',
  'snow',
  'total',
  "nor'easter",
  'hour',
  'national',
  'weather',
  'service:-\u200bwilmington',
  'vermont',
  'inches-\u200bwindsor',
  'massachusetts',
  'inches-\u200browe',
  'massachusetts',
  'inches-\u200bnear',
  'plainfield',
  'massachusetts',
  'inch',
  'near',
  'readsboro',
  'vermont',
  'inch',
  'newfane',
  'vermont',
  'inches-\u200bsavoy',
  'massachusetts',
  'inches(\u200b12:36',
  'p.m.',
  'et',
  'mall',
  'roof',
  'collapses',
  'snowa',
  'section',
  'roof',
  'miller',
  'hill',
  'mall',
  'duluth',
  'minnesota',
  'tuesday',
  'march',
  'facebook',
  'scott',
  'skar)a\u200b',
  'roof',
  'miller',
  'hill',
  'mall',
  'duluth',
  'minnesota',
  'a.m.',
  'cdt',
  'tuesday',
  'morning',
  'wcco',
  'injury',
  'roof',
  'collapse',
  'duluth',
  'fire',
  'department',
  'mall',
  'year',
  'roof',
  'collapse',
  '\u200b12:23',
  'et',
  'tree',
  'damages',
  'home',
  'roofadvertisementa\u200b',
  'tree',
  'snow',
  'roof',
  'house',
  'southwick',
  'massachusetts',
  'thursday',
  'morning',
  'owner',
  'house',
  'wwlp',
  'tree',
  'damage',
  '\u200b12:15',
  'et',
  'numberous',
  'road',
  'massachusettsd\u200bozen',
  'road',
  'tree',
  'power',
  'line',
  'massachusetts',
  'hadley',
  'whately',
  'shelbourne',
  'dalton',
  'greenfield',
  'northampton',
  'wwlp',
  'tree',
  'whately',
  'massachusetts',
  'tuesday',
  'march',
  'facebook',
  'whately',
  'police',
  'et',
  'flight',
  'cancellations',
  'flight',
  'morning',
  'flight',
  'tracker',
  'boston',
  'logan',
  'international',
  'new',
  'york',
  'laguardia',
  'international',
  'newark',
  'liberty',
  'international',
  'airport.(\u200b10:40',
  'a.m.',
  'et',
  'state',
  'emergency',
  'new',
  'jersey',
  'jersey',
  'gov.',
  'phil',
  'murphy',
  'state',
  'emergency',
  'county',
  'warren',
  'sussex',
  'morris',
  'passaic',
  'a.m.',
  'et',
  'accident',
  'new',
  'hampshire',
  'road',
  'new',
  'hampshire',
  'state',
  'police',
  'trooper',
  'weather',
  'service',
  'today',
  'vehicle',
  'crash',
  'vehicle',
  'road.(new',
  'hampshire',
  'state',
  'police)(9:28',
  'a.m.',
  'et',
  'quarter',
  'million',
  'powert\u200bhe',
  'number',
  'home',
  'business',
  'power',
  'new',
  'york',
  'massachusetts',
  'majority',
  'outage',
  'respectively.(\u200b9:16',
  'a.m.',
  'et',
  'town',
  'postpone',
  'elections',
  "nor'easter",
  'town',
  'new',
  'hampshire',
  'election',
  'today',
  'secretary',
  'state',
  'office',
  'list',
  'town',
  'a.m.',
  'et',
  'flight',
  'cancellation',
  'upm\u200bore',
  'flight',
  'morning',
  'flight',
  'tracker',
  'boston',
  'logan',
  'international',
  'new',
  'york',
  'laguardia',
  'international',
  'newark',
  'liberty',
  'international',
  'airport.(\u200b8:37',
  'a.m.',
  'et',
  "nor'easter",
  'area',
  'pressure',
  'east',
  'coast',
  'united',
  'states',
  'wind',
  'northeast',
  'atlantic',
  'ocean',
  'term',
  'here.(\u200b8:23',
  'a.m.',
  'et',
  'delta',
  'flight',
  'rolls',
  'taxiwayd\u200belta',
  'flight',
  'syracuse',
  'laguardia',
  'taxiway',
  'a.m.',
  'airport',
  'official',
  'news',
  'release',
  'passenger',
  'airbus',
  'a220',
  'terminal',
  'incident',
  'airport',
  'operation',
  'news',
  'release',
  'plane',
  'nose',
  'grass',
  'tarmac',
  'plane',
  'passenger',
  'site.(\u200b8:16',
  'a.m.',
  'et',
  'travel',
  'bans',
  'new',
  'york',
  'stateroad',
  'condition',
  'hudson',
  'valley',
  'capital',
  'region',
  'new',
  'york',
  'state',
  'division',
  'homeland',
  'security',
  'emergency',
  'services',
  'schenectady',
  'dutchess',
  'ulster',
  'hamilton',
  'county',
  'travel',
  'a.m.',
  'et',
  'state',
  'emergency',
  'new',
  'yorkn\u200bew',
  'york',
  'gov.',
  'kathy',
  'hochul',
  'state',
  'emergency',
  'monday',
  'night',
  'advance',
  "nor'easter",
  'official',
  'people',
  'road',
  'hochul',
  'storm',
  'briefing',
  'storm',
  'road',
  'safety',
  'a.m.',
  'et',
  'number',
  'home',
  'business',
  'power',
  'new',
  'york',
  'massachusetts',
  'majority',
  'outage',
  'respectively.(\u200b8',
  'a.m.',
  'et',
  'snow',
  'total',
  'hourh\u200bere',
  'look',
  'snow',
  'total',
  "nor'easter",
  'national',
  'weather',
  'service:-\u200bwindsor',
  'massachusetts',
  'inches-\u200bnear',
  'plainfield',
  'massachusetts',
  'palenville',
  'new',
  'york',
  'inches-\u200bwilmington',
  'vermont',
  'inches-\u200bnear',
  'tannersville',
  'new',
  'york',
  'inchesthe',
  'weather',
  'company',
  'mission',
  'weather',
  'news',
  'environment',
  'importance',
  'science',
  'life',
  'story',
  'position',
  'parent',
  'company',
  'ibm',
  'toovideorecord',
  'heat',
  'countryvideonortheast',
  'heat',
  'wave',
  'wind',
  'tree',
  'new',
  'york',
  'hot',
  'morethat',
  'way',
  'cool',
  'offvideocat',
  'beachvideowhoop',
  'cat',
  'poolvideoalright',
  'pet',
  'pig',
  'poolsee',
  'moreadvertisementsign',
  'morning',
  'briefwake',
  'weather',
  'inbox',
  'weekday',
  'newsletter',
  'forecast',
  'weather',
  'insight',
  'photo',
  'trivium',
  'dash',
  'delight',
  'subscribetrending',
  'toddler',
  'brain',
  'landslide',
  'england',
  'southern',
  'coastvideokey',
  'ocean',
  'current',
  'study',
  'suggestsvideosea',
  'lions',
  'crowded',
  'san',
  'diego',
  'beachsee',
  'moreadvertisementadvertisementstay',
  'safeadvertisementin',
  'airvideohow',
  'app',
  'air',
  'qualityvideohow',
  'wildfire',
  'smoke',
  'oceans',
  'lake',
  'energy',
  'harmful',
  'air',
  'pollutionsee',
  'moreadvertisementadvertisementthe',
  'weather',
  'companythe',
  'weather',
  'channelweather',
  'undergroundfeedbackcareerspress',
  'roomadvertise',
  'sign',
  'upterm',
  'useprivacy',
  'policyadchoicesad',
  'choicesaccessibility',
  'statementdata',
  'vendorsgeorgiaessential',
  'accessibilitywe',
  'responsibility',
  'datum',
  'technology',
  'datum',
  'data',
  'vendor',
  'control',
  'datum',
  'privacy',
  'ad',
  'settingschoose',
  'information',
  'right',
  'copyright',
  'twc',
  ...],
 ['education',
  'columbia',
  'crime',
  'jefferson',
  'city',
  'missouri',
  'world',
  'voice',
  'vote',
  'app',
  'question',
  'day',
  'abc',
  'stormtrack',
  'doppler',
  'radar',
  'abc',
  'stormtrack',
  'insider',
  'blog',
  'abc',
  'stormtrack',
  'weather',
  'alert',
  'day',
  'forecast',
  'cameras',
  'closing',
  'delay',
  'apps',
  'nfl',
  'draft',
  'high',
  'school',
  'sports',
  'mizzou',
  'tigers',
  'sportszone',
  'football',
  'friday',
  'sportszone',
  'basketball',
  'election',
  'missouri',
  'politics',
  'columbia',
  'city',
  'government',
  'jefferson',
  'city',
  'government',
  'health',
  'wellness',
  'healthy',
  'living',
  'house',
  'home',
  'money',
  'taxes',
  'kmiz',
  'explore',
  'local',
  'jobs',
  'intern',
  'kmiz',
  'app',
  'team',
  'contact',
  'jobs',
  'internship',
  'captioning',
  'eeo',
  'public',
  'fcc',
  'public',
  'file',
  'tv',
  'listing',
  'heat',
  'condition',
  'rest',
  'week',
  'battle',
  'search',
  'football',
  'coach',
  'dubinski',
  'ashcroft',
  'ballot',
  'language',
  'judge',
  'lawsuit',
  'abortion',
  'petition',
  'habitat',
  'humanity',
  'boone',
  'county',
  'arpa',
  'fund',
  'bbb',
  'hvac',
  'scam',
  'rise',
  'heat',
  'school',
  'practice',
  'parts',
  'missouri',
  'storm',
  'damage',
  'weather',
  'state',
  'kmizstorm',
  'damage',
  'linn',
  'county',
  'kmizstorm',
  'damage',
  'linn',
  'county',
  'chanel',
  'porter',
  'hannah',
  'falcon',
  'john',
  'ross',
  'share',
  'facebookshare',
  'twitter',
  'share',
  'linkedin',
  'linn',
  'county',
  'mo.',
  'kmiz',
  'missouri',
  'storm',
  'damage',
  'sunday',
  'night',
  'weather',
  'way',
  'state',
  'storm',
  'missouri',
  'east',
  'mid',
  '-',
  'missouri',
  'tornado',
  'watch',
  'effect',
  'area',
  'p.m.',
  'mode',
  'weather',
  'table',
  'hail',
  'wind',
  'tornado',
  'flash',
  'flooding',
  'rainfall',
  'range',
  'storm',
  'hail',
  'wind',
  'tornado',
  'missouri',
  'sunday',
  'evening',
  'abc',
  'stormtrack',
  'team',
  'storm',
  'damage',
  'purdin',
  'missouri',
  'linn',
  'county',
  'missouri',
  'energy',
  'propane',
  'debris',
  'tree',
  'tree',
  'limb',
  'roof',
  'shingle',
  'ground',
  'structure',
  'structure',
  'frame',
  'wind',
  'abc',
  'crew',
  'onsight',
  'damage',
  'crew',
  'information',
  'situation',
  'tornado',
  'warning',
  'p.m.',
  'linn',
  'county',
  'time',
  'publication',
  'sight',
  'storm',
  'information',
  'sunday',
  'night',
  'storm',
  'abc',
  'weather',
  'alert',
  'blog',
  'chanel',
  'abc',
  'news',
  'january',
  'penn',
  'state',
  'university',
  'coffee',
  'hannah',
  'abc',
  'news',
  'team',
  'houston',
  'texas',
  'june',
  'texas',
  'a&m',
  'university',
  'editor',
  'school',
  'newspaper',
  'kprc',
  'houston',
  'hannah',
  'semester',
  'washington',
  'd.c.',
  'reporting',
  'battle',
  'search',
  'football',
  'coach',
  'dubinski',
  'ashcroft',
  'ballot',
  'language',
  'judge',
  'lawsuit',
  'abortion',
  'petition',
  'habitat',
  'humanity',
  'boone',
  'county',
  'arpa',
  'fund',
  'bbb',
  'hvac',
  'scam',
  'rise',
  'conversation',
  'abc',
  'news',
  'forum',
  'conversation',
  'comment',
  'community',
  'guidelines',
  'story',
  'idea',
  'term',
  'service',
  '',
  '',
  'privacy',
  'policy',
  'community',
  'guidelines',
  'kmiz',
  'tv',
  'fcc',
  'public',
  'file',
  'fcc',
  'applications',
  '',
  '',
  'personal',
  'information',
  'email',
  'list',
  'news',
  'severe',
  'weather',
  'daily',
  'news',
  'weather',
  'contests',
  'promotions',
  'apps',
  'android',
  'networks',
  'mid',
  '-',
  'missouri',
  'columbia',
  'mo',
  'usa'],
 ['fox',
  'kansas',
  'city',
  'wdaf',
  'tv',
  'news',
  'weather',
  'sports',
  'ralph',
  'yarl',
  'shooting',
  'missouri',
  'news',
  'kansas',
  'news',
  'business',
  'national',
  'news',
  'saving',
  'smart',
  'kansas',
  'city',
  'traffic',
  'live',
  'coverage',
  'kansas',
  'city',
  'area',
  'gas',
  'prices',
  'marijuana',
  'missouri',
  'health',
  'education',
  'entertainment',
  'hometown',
  'heroes',
  'community',
  'automotive',
  'news',
  'press',
  'weather',
  'forecast',
  'joe',
  'weather',
  'blog',
  'weather',
  'radar',
  'weather',
  'alerts',
  'weather',
  'maps',
  'allergy',
  'report',
  'kansas',
  'city',
  'metro',
  'farm',
  'lawn',
  'garden',
  'forecast',
  'weather',
  'aware',
  'guide',
  'tornado',
  'thunderstorm',
  'flood',
  'closing',
  'delay',
  'closing',
  'instruction',
  'sign',
  'closing',
  'kansas',
  'city',
  'chiefs',
  'kansas',
  'city',
  'royals',
  'sporting',
  'kc',
  'kansas',
  'city',
  'current',
  'college',
  'high',
  'school',
  'sports',
  'nascar',
  'fox4',
  'newscasts',
  'news',
  'livestream',
  'video',
  'fox4',
  'program',
  'schedule',
  'antenna',
  'tv',
  'program',
  'schedule',
  'day',
  'kc',
  'stories',
  'day',
  'kc',
  'team',
  'day',
  'kc',
  'gift',
  'guide',
  'contact',
  'day',
  'kc',
  'price',
  'chopper',
  'recipes',
  'nominate',
  'veteran',
  'salute',
  'service',
  'guest',
  'bestreviews',
  'daily',
  'deals',
  'bestreviews',
  'fox4',
  'newsletters',
  'fox4kc',
  'mobile',
  'apps',
  'fox4',
  'news',
  'team',
  'info',
  'speaking',
  'engagement',
  'request',
  'community',
  'calendar',
  'fox4',
  'love',
  'fund',
  'fox4',
  'band',
  'angels',
  'difference',
  'regional',
  'news',
  'partners',
  'bestreviews',
  'job',
  'post',
  'job',
  'fox4',
  'jobs',
  'alert',
  'fox4',
  'news',
  'careers',
  'kansas',
  'city',
  'area',
  'winter',
  'storm',
  'thursday',
  'dec',
  'pm',
  'cst',
  'dec',
  'pm',
  'cst',
  'dec',
  'pm',
  'cst',
  'dec',
  'pm',
  'cst',
  'article',
  'information',
  'article',
  'time',
  'stamp',
  'story',
  'kansas',
  'city',
  'mo.',
  'kansas',
  'city',
  'area',
  'winter',
  'storm',
  'thursday',
  'snow',
  'wind',
  'chill',
  'national',
  'weather',
  'service',
  'winter',
  'storm',
  'kansas',
  'city',
  'region',
  'warning',
  'p.m.',
  'wednesday',
  'midnight',
  'friday',
  'view',
  'weather',
  'alert',
  'kansas',
  'city',
  'region',
  'fox4',
  'meteorologist',
  'snow',
  'wednesday',
  'thursday',
  'kansas',
  'city',
  'region',
  'thursday',
  'evening',
  'time',
  'fox4',
  'weather',
  'team',
  'inch',
  'snowfall',
  'nws',
  'inch',
  'wind',
  'lot',
  'snow',
  'place',
  'drift',
  'time',
  'holiday',
  'travel',
  'kansas',
  'city',
  'area',
  'winter',
  'storm',
  'nws',
  'kansas',
  'city',
  'area',
  'blizzard',
  'condition',
  'blizzard',
  'warning',
  'wednesday',
  'afternoon',
  'expert',
  'people',
  'thursday',
  'wind',
  'chill',
  'kansas',
  'city',
  'area',
  'wind',
  'chill',
  'warning',
  'wind',
  'chill',
  'temperature',
  'week',
  'county',
  'area',
  'warning',
  'run',
  'a.m.',
  'thursday',
  'noon',
  'saturday',
  'county',
  'kansas',
  'city',
  'wind',
  'chill',
  'warning',
  'midnight',
  'thursday',
  'midnight',
  'thursday',
  'temperature',
  'forecaster',
  'temperature',
  'digit',
  'thursday',
  'friday',
  'christmas',
  'day',
  'difference',
  'blizzard',
  'winter',
  'storm',
  'cold',
  'problem',
  'wind',
  'wind',
  'chill',
  'fox4',
  'meteorologist',
  'mph',
  'wind',
  'thursday',
  'friday',
  'wind',
  'temperature',
  'wind',
  'chill',
  'temperature',
  'life',
  'fox4',
  'weather',
  'team',
  'wind',
  'chill',
  'temperature',
  'a.m.',
  'thursday',
  'christmas',
  'morning',
  'weather',
  'injury',
  'expert',
  'frostbite',
  'minute',
  'skin',
  'temperature',
  'length',
  'time',
  'caution',
  'layer',
  'skin',
  'sign',
  'frostbite',
  'skin',
  'numbness',
  'skin',
  'ashen',
  'severity',
  'condition',
  'skin',
  'color',
  'waxy',
  'skin',
  'clumsiness',
  'muscle',
  'stiffness',
  'rewarming',
  'case',
  'thing',
  'redness',
  'body',
  'bit',
  'blood',
  'flow',
  'dr.',
  'todd',
  'shaffer',
  'university',
  'health',
  'lakewood',
  'medical',
  'center',
  'fox4',
  'tuesday',
  'fox4',
  'weather',
  'view',
  'kansas',
  'city',
  'forecast',
  'map',
  'radar',
  'blood',
  'vessel',
  'area',
  'coat',
  'tissue',
  'point',
  'blood',
  'supply',
  'shaffer',
  'people',
  'prevention',
  'thing',
  'time',
  'stuff',
  'today',
  'storm',
  'advice',
  'period',
  'shaffer',
  'people',
  'layer',
  'clothing',
  'head',
  'stocking',
  'cap',
  'kind',
  'hood',
  'scarf',
  'neck',
  'face',
  'ability',
  'facemask',
  'thing',
  'face',
  'skin',
  'wind',
  'wind',
  'chill',
  'exposure',
  'temperature',
  'body',
  'temperature',
  'level',
  'risk',
  'hypothermia',
  'sign',
  'hypothermia',
  'exhaustion',
  'confusion',
  'hand',
  'memory',
  'loss',
  'speech',
  'drowsiness',
  'download',
  'fox4',
  'news',
  'app',
  'fox4',
  'email',
  'alert',
  'news',
  'inbox',
  'today',
  'story',
  'kansas',
  'city',
  'kansas',
  'missouri',
  'typo',
  'error(required',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'amazon',
  'school',
  'deal',
  'schooler',
  'school',
  'corner',
  'amazon',
  'supply',
  'school',
  'deal',
  'supply',
  'schooler',
  'august',
  'vegetable',
  'flower',
  'flower',
  'plant',
  'hour',
  'soil',
  'air',
  'temperature',
  'sunshine',
  'august',
  'month',
  'planting',
  'chemical',
  'guys',
  'kit',
  'car',
  'car',
  'care',
  'hour',
  'chemical',
  'guys',
  'car',
  'wash',
  'kit',
  'time',
  'deal',
  'pop',
  'star',
  'shijiro',
  'atae',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'soldier',
  'niger',
  'samsung',
  'smartphone',
  'bet',
  'pop',
  'star',
  'shijiro',
  'atae',
  'soldier',
  'niger',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'samsung',
  'smartphone',
  'bet',
  'journalist',
  'year',
  'prison',
  'ocean',
  'heat',
  'people',
  'high',
  'arizona',
  'kc',
  'temperature',
  'osha',
  'tip',
  'kc',
  'heat',
  'extreme',
  'heat',
  'kc',
  'area',
  'event',
  'fox',
  'kansas',
  'city',
  'wdaf',
  'tv',
  'news',
  'weather',
  'sports',
  'video',
  'shawnee',
  'kansas',
  'resident',
  'mail',
  'kansas',
  'city',
  'area',
  'district',
  'school',
  'missouri',
  'veteran',
  'roof',
  'thank',
  'volunteer',
  'teen',
  'vehicle',
  'crash',
  'overland',
  'park',
  'warrant',
  'year',
  'missouri',
  'bank',
  'robbery',
  'innocent',
  'bystander',
  'officer',
  'merriam',
  'k',
  'state',
  'student',
  'atv',
  'crash',
  'year',
  'plan',
  'children',
  'memorial',
  'site',
  'crossroad',
  'community',
  'improvement',
  'district',
  'kid',
  'citizenship',
  'independence',
  'kc',
  'man',
  'brain',
  'injury',
  'mahomes',
  'developer',
  'kc',
  'hospital',
  'apartment',
  'fox',
  'kansas',
  'city',
  'wdaf',
  'tv',
  'news',
  'weather',
  'sports',
  'journalist',
  'year',
  'prison',
  'ocean',
  'heat',
  'people',
  'high',
  'arizona',
  'california',
  'gov.',
  'gavin',
  'newsom',
  'shawnee',
  'resident',
  'mail',
  'day',
  'arizona',
  'girl',
  'montana',
  'dance',
  'company',
  'ny',
  'fan',
  'treat',
  'attorney',
  'm',
  'settlement',
  'water',
  'fox',
  'kansas',
  'city',
  'wdaf',
  'tv',
  'news',
  'weather',
  'sports',
  'thank',
  'inbox',
  'teen',
  'vehicle',
  'crash',
  'overland',
  'park',
  'travis',
  'kelce',
  'taylor',
  'swift',
  'number',
  'tick',
  'specie',
  'mo',
  'livestock',
  'risk',
  'cass',
  'co.',
  'deputy',
  'search',
  'warrant',
  'gas',
  'station',
  'shawnee',
  'resident',
  'mail',
  'day',
  'warrant',
  'year',
  'bank',
  'robbery',
  'gift',
  'summer',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'home',
  'depot',
  'foot',
  'skeleton',
  'halloween',
  'deal',
  'day',
  'prime',
  'day',
  'favorite',
  'amazon',
  'essentials',
  'clothe',
  'news',
  'morning',
  'fox4',
  'newscasts',
  'contests',
  'day',
  'kc',
  'sponsored',
  'content',
  'experts',
  'sports',
  'community',
  'online',
  'public',
  'file',
  'public',
  'file',
  'eeo',
  'fcc',
  'applications',
  'android',
  'app',
  'google',
  'play',
  'android',
  'weather',
  'app',
  'google',
  'play',
  'personal',
  'information',
  'personal',
  'information',
  'nexstar',
  'media',
  'inc.',
  'rights'],
 ['permission',
  'video',
  'fcc',
  'public',
  'inspection',
  'file',
  'ktvn',
  'log',
  'account',
  'log',
  'account',
  'sign',
  'today',
  'account',
  'dashboard',
  'profile',
  'item',
  'oh',
  'ohio',
  'west',
  'virginia',
  'storm',
  'damage',
  'oh',
  'power',
  'restoration',
  'effort',
  'damage',
  'assessment',
  'weather',
  'red',
  'flag',
  'warning',
  'effect',
  'noon',
  'today',
  'pm',
  'pdt',
  'evening',
  'gusty',
  'wind',
  'low',
  'humidity',
  'desert',
  'northeast',
  'california',
  'portions',
  'northwest',
  'nevada',
  'national',
  'weather',
  'service',
  'reno',
  'red',
  'flag',
  'warning',
  'wind',
  'humidity',
  'effect',
  'noon',
  'today',
  'pm',
  'pdt',
  'evening',
  'fire',
  'weather',
  'watch',
  'effect',
  'changes',
  'fire',
  'weather',
  'watch',
  'red',
  'flag',
  'warning',
  'area',
  'fire',
  'weather',
  'zone',
  'surprise',
  'valley',
  'california',
  'fire',
  'weather',
  'zone',
  'eastern',
  'lassen',
  'county',
  'fire',
  'weather',
  'zone',
  'northern',
  'sierra',
  'carson',
  'city',
  'douglas',
  'storey',
  'southern',
  'washoe',
  'western',
  'lyon',
  'far',
  'southern',
  'lassen',
  'counties',
  'fire',
  'weather',
  'zone',
  'west',
  'humboldt',
  'basin',
  'pershing',
  'county',
  'fire',
  'weather',
  'zone',
  'northern',
  'washoe',
  'county',
  'wind',
  'southwest',
  'mph',
  'gust',
  'mph',
  'ridgelines',
  'gust',
  'mph',
  'impact',
  'combination',
  'wind',
  'humidity',
  'fire',
  'size',
  'intensity',
  'responder',
  'activity',
  'spark',
  'vegetation',
  'yard',
  'work',
  'target',
  'shooting',
  'campfire',
  'fire',
  'restriction',
  'update',
  'livingwithfire.info',
  'preparedness',
  'tip',
  'wind',
  'advisory',
  'effect',
  'noon',
  'pm',
  'pdt',
  'wednesday',
  'southwest',
  'wind',
  'mph',
  'gust',
  'mph',
  'wave',
  'height',
  'pyramid',
  'lake',
  'foot',
  'washoe',
  'pyramid',
  'lahontan',
  'rye',
  'patch',
  'noon',
  'pm',
  'pdt',
  'wednesday',
  'impact',
  'boat',
  'kayak',
  'paddle',
  'board',
  'lake',
  'water',
  'condition',
  'lake',
  'condition',
  'increase',
  'wind',
  'wave',
  'height',
  'activity',
  'lake',
  'day',
  'wind',
  'news',
  'community',
  'nevada',
  'congressman',
  'heat',
  'protections',
  'worker',
  'city',
  'reno',
  'wolf',
  'pack',
  'fridays',
  'wcsd',
  'sex',
  'ed',
  'curriculum',
  'reno',
  'place',
  'study',
  'step',
  'copy',
  'news',
  'story',
  'info',
  'energy',
  'way',
  'reno',
  'nv',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'blox',
  'content',
  'management',
  'system',
  'blox',
  'digital',
  'minute',
  'news',
  'device'],
 ['owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'today',
  'sunshine',
  'cloud',
  'shower',
  'thunderstorm',
  '90f.',
  'wind',
  'ese',
  'mph',
  'tonight',
  'cloud',
  'wind',
  'sse',
  'mph',
  'july',
  'disturbance',
  'bermuda',
  'coast',
  'concern',
  'sc',
  'sign',
  'post',
  'courier',
  'hurricane',
  'wire',
  'newsletter',
  'email',
  'hurricane',
  'news',
  'alert',
  'storm',
  'disturbance',
  'bermuda',
  'united',
  'states',
  'coast',
  'week',
  'percent',
  'chance',
  'development',
  'day',
  'national',
  'hurricane',
  'center',
  'hurricane',
  'wire',
  'newsletter',
  'update',
  'inbox',
  'hurricane',
  'wire',
  'newsletter',
  'uncertainty',
  'week',
  'area',
  'weather',
  'atlantic',
  'ocean',
  'united',
  'states',
  'coast',
  'day',
  'morning',
  'report',
  'national',
  'hurricane',
  'center',
  'july',
  'area',
  'pressure',
  'mile',
  'bermuda',
  'string',
  'island',
  'mile',
  'north',
  'carolina',
  'development',
  'system',
  'united',
  'states',
  'coast',
  'week',
  'weekend',
  'nhc',
  'hurricane',
  'season',
  'june',
  'dune',
  'vegetation',
  'percent',
  'chance',
  'development',
  'day',
  'meteorologist',
  'charleston',
  'point',
  'steve',
  'taylor',
  'lead',
  'meteorologist',
  'national',
  'weather',
  'service',
  'charleston',
  'office',
  'environment',
  '"taylor',
  'weather',
  'service',
  'people',
  'system',
  'plan',
  'case',
  'time',
  'year',
  'cyclone',
  'hurricane',
  'storm',
  'taylor',
  'storm',
  'atlantic',
  'season',
  'hurricane',
  'don',
  'july',
  'folly',
  'beach',
  'm',
  'worth',
  'sand',
  'decade',
  'shore',
  'meteorologist',
  'colorado',
  'state',
  'university',
  'update',
  'season',
  'hurricane',
  'forecast',
  'month',
  'storm',
  'weather',
  'forecast',
  'storm',
  'season',
  'hurricane',
  'hurricane',
  'report',
  'university',
  'june',
  'forecast',
  'storm',
  'hurricane',
  'hurricane',
  'august',
  'october',
  'percent',
  'cyclone',
  'activity',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'hurricane',
  'east',
  'coast',
  'sahara',
  'desert',
  'answer',
  'tony',
  'bartelme/',
  'images',
  'andrew',
  'j.',
  'whitaker',
  'sign',
  'hurricane',
  'wire',
  'newsletter',
  'hurricane',
  'wire',
  'newsletter',
  'hurricane',
  'season',
  'east',
  'coast',
  'information',
  'storm',
  'atlantic',
  'shamira',
  'mccray',
  'twitter',
  'storm',
  'bermuda',
  'focus',
  'shift',
  'wave',
  'africa',
  'storm',
  'bermuda',
  'focus',
  'shift',
  'wave',
  'africa',
  'attention',
  'atlantic',
  'ocean',
  'wave',
  'southwest',
  'cabo',
  'verde',
  'islands',
  'coast',
  'africa',
  'read',
  'storm',
  'bermuda',
  'focus',
  'shift',
  'wave',
  'africa',
  'disturbance',
  'bermuda',
  'coast',
  'concern',
  'sc',
  'gradual',
  'development',
  'disturbance',
  'bermuda',
  'united',
  'states',
  'coast',
  'week',
  'read',
  'moredisturbance',
  'bermuda',
  'coast',
  'concern',
  'sc',
  'garden',
  'hurricane',
  'weather',
  'patio',
  'gardener',
  'newbie',
  'plant',
  'container',
  'face',
  'weather',
  'event',
  'read',
  'garden',
  'hurricane',
  'weather',
  'hurricane',
  'national',
  'hurricane',
  'center',
  'tool',
  'national',
  'hurricane',
  'center',
  'variety',
  'program',
  'storm',
  'weather',
  'way',
  'storm',
  'morehow',
  'hurricane',
  'national',
  'hurricane',
  'center',
  'tool',
  'judge',
  'bond',
  'defendant',
  'folly',
  'beach',
  'bride',
  'death',
  'storm',
  'bermuda',
  'focus',
  'shift',
  'wave',
  'africa',
  'north',
  'charleston',
  'status',
  'minority',
  'business',
  'program',
  "'",
  'place',
  'welcome',
  'sc',
  'aquarium',
  'm',
  'education',
  'center',
  'expansion',
  'berkeley',
  'independent',
  'moncks',
  'corner',
  'sc',
  'moultrie',
  'news',
  'mount',
  'pleasant',
  'sc',
  'gazette',
  'goose',
  'creek',
  'sc',
  'star',
  'north',
  'augusta',
  'sc',
  'evening',
  'post',
  'books',
  'charleston',
  'sc',
  'charleston',
  'sc',
  'phone',
  'news',
  'tip',
  'question',
  'delivery',
  'subscription',
  'question',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'post',
  'courier',
  'evening',
  'post',
  'publishing',
  'newspaper',
  'group',
  'right',
  'term',
  'use'],
 ['ie',
  'experience',
  'site',
  'browser',
  'skip',
  'news',
  'newsworldbusinesshealthvideoculture',
  'trendsnbc',
  'news',
  'tiplineshare',
  'save',
  'newsmanage',
  'profileemail',
  'preferencessign',
  'outsearchsearchprofile',
  'newssign',
  'sign',
  'increate',
  'profilesectionsu.s.',
  'newspoliticsworldlocalbusinesshealthinvestigationsculture',
  'trendssciencesportstech',
  'mediavideo',
  'featuresphotosweathernbc',
  'selectdecision',
  'blknbc',
  'newsmsnbcmeet',
  'pressdatelinefeaturednbc',
  'news',
  'nowbetternightly',
  'filmsstay',
  'tunedspecial',
  'featuresnewsletterspodcastslisten',
  'nowmore',
  'nbccnbcnbc.comnbcu',
  'learnpeacocknext',
  'steps',
  'vetsparent',
  'news',
  'site',
  'maphelpfollow',
  'nbc',
  'newssearchsearchfacebooktwitteremailsmsprintwhatsappredditpocketflipboardpinterestlinkedinu.s.',
  'newsheavy',
  'storm',
  'arkansas',
  'system',
  'eastmoderate',
  'snow',
  'sleet',
  'rain',
  'tuesday',
  'great',
  'lakes',
  'national',
  'weather',
  'service',
  'tornado',
  'path',
  'destruction',
  'louisiana',
  'kentucky02:40get',
  'news',
  'nowprintjan',
  'pm',
  'utc',
  'jan.',
  'chantal',
  'da',
  'silva',
  'steve',
  'strousssevere',
  'wind',
  'arkansas',
  'school',
  'monday',
  'class',
  'session',
  'weather',
  'system',
  'forecaster',
  'tornado',
  'south',
  'official',
  'injury',
  'jessieville',
  'school',
  'storm',
  'tornado',
  'garland',
  'county',
  'sheriff',
  'office',
  'statement',
  'national',
  'weather',
  'service',
  'tornado',
  'sheriff',
  'office',
  'storm',
  'survey',
  'team',
  'weather',
  'jessieville',
  'community',
  'mile',
  'little',
  'rock',
  'monday',
  'people',
  'tornado',
  'watch',
  'state',
  'louisiana',
  'oklahoma',
  'texas',
  'tree',
  'ground',
  'jessieville',
  'school',
  'jessieville',
  'ark.',
  'monday',
  'courtesy',
  'amanda',
  'dorrisfarther',
  'north',
  'winter',
  'storm',
  'plains',
  'upper',
  'midwest',
  'week',
  'snow',
  'sleet',
  'rain',
  'u.s.the',
  'storm',
  'snow',
  'central',
  'high',
  'plains',
  'great',
  'lakes',
  'snow',
  'sleet',
  'rain',
  'tuesday',
  'national',
  'weather',
  'service',
  '"intense',
  'snow',
  'rate',
  'inch',
  'hour',
  'thunder',
  'south',
  'dakota',
  'minnesota',
  'weather',
  'service',
  'forecast',
  'update',
  'monday',
  'inch',
  'snow',
  'panhandle',
  'nebraska',
  'southwest',
  'minnesota',
  'gusty',
  'wind',
  'area',
  'snow',
  'weather',
  'service',
  'road',
  'snow',
  'visibility',
  'travel',
  'hazard',
  'satellite',
  'view',
  'weather',
  'system',
  'u.s.',
  'monday',
  'noaain',
  'north',
  'platte',
  'nebraska',
  'fourth',
  'inch',
  'ice',
  'monday',
  'afternoon',
  'weather',
  'service',
  'snow',
  'monday',
  'night',
  'foot',
  'ainsworth',
  'area',
  'moisture',
  'western',
  'gulf',
  'mexico',
  'western',
  'gulf',
  'coast',
  'lower',
  'mississippi',
  'valley',
  'plains',
  'moisture',
  'shower',
  'thunderstorm',
  'risk',
  'thunderstorm',
  'lower',
  'mississippi',
  'valley',
  'monday',
  'tuesday',
  'morning',
  'thunderstorm',
  'lightning',
  'thunderstorm',
  'wind',
  'gust',
  'hail',
  'tornado',
  'national',
  'weather',
  'service',
  'rain',
  'connection',
  'thunderstorm',
  'weather',
  'service',
  'risk',
  'rainfall',
  'middle',
  'lower',
  'mississippi',
  'valley',
  'monday',
  'tuesday',
  'rain',
  'area',
  'flash',
  'flooding',
  'area',
  'road',
  'stream',
  'weather',
  'service',
  'risk',
  'thunderstorm',
  'monday',
  'afternoon',
  'evening',
  'east',
  'texas',
  'oklahoma',
  'arkansas',
  'louisiana',
  'people',
  'risk',
  'zone',
  'storm',
  'risk',
  'tornado',
  'wind',
  'gust',
  'downpour',
  'hail',
  'arkansas',
  'tennessee',
  'louisiana',
  'east',
  'texas',
  'flood',
  'watch',
  'monday',
  'night',
  'tuesday',
  'storm',
  'area',
  'tennessee',
  'valley',
  'gulf',
  'coast',
  'lifetime',
  'blizzard',
  'dozen',
  'month',
  'erie',
  'county',
  'new',
  'york',
  'buffalo',
  'center',
  'condition',
  'buffalo',
  'mayor',
  'byron',
  'brown',
  'msnbc',
  'morning',
  'joe',
  'storm',
  'city',
  'year',
  'da',
  'silvachantal',
  'da',
  'silva',
  'news',
  'editor',
  'nbc',
  'news',
  'digital',
  'london',
  'steve',
  'strousssteve',
  'strouss',
  'meteorologist',
  'producer',
  'nbc',
  'news',
  'aboutcontacthelpcareersad',
  'choicesprivacy',
  'policydo',
  'informationca',
  'noticenew',
  'terms',
  'service',
  'july',
  'news',
  'sitemapadvertiseselect',
  'shoppingselect',
  'personal',
  'finance',
  'nbc',
  'universalnbc',
  'news',
  'logomsnbc',
  'logotoday',
  'logo'],
 ['contentskip',
  'footertrending',
  'hall',
  'pass',
  'cash',
  'ed',
  'sheeran',
  'vegasmatt',
  'lizzy',
  'demand92',
  'moose',
  'apptownsquare',
  'talentseize',
  'dealsports',
  'scoreboardsubmit',
  'community',
  'hiringhomeon',
  'airmoose',
  'crewmatt',
  'lizzy',
  'morningmatt',
  'jamescooper',
  'fox92',
  'moose',
  'throwback',
  'lunchthe',
  "o'clock",
  'traffic',
  'jampopcrush',
  'nightsget',
  'newsletternewsweathersportslistenlisten',
  'moose',
  'alexalisten',
  'demandcontestsbecome',
  'moose',
  'valuable',
  'listenercontest',
  'ruleseventsbeats',
  'eatsplaylistmvlsign',
  'supportcommunitymarch',
  'petnesscommunity',
  'eventssubmit',
  'community',
  'event',
  'dealauctioncontactvirtual',
  'job',
  'fair',
  'sign',
  'upreport',
  'itstation',
  'infoadvertisenewslettermusic',
  'submissionjob',
  'opportunitieseeomorehomeon',
  'airmoose',
  'crewmatt',
  'lizzy',
  'morningmatt',
  'jamescooper',
  'fox92',
  'moose',
  'throwback',
  'lunchthe',
  "o'clock",
  'traffic',
  'jampopcrush',
  'nightsget',
  'newsletternewsweathersportslistenlisten',
  'moose',
  'alexalisten',
  'demandcontestsbecome',
  'moose',
  'valuable',
  'listenercontest',
  'ruleseventsbeats',
  'eatsplaylistmvlsign',
  'supportcommunitymarch',
  'petnesscommunity',
  'eventssubmit',
  'community',
  'event',
  'dealauctioncontactvirtual',
  'job',
  'fair',
  'sign',
  'upreport',
  'itstation',
  'infoadvertisenewslettermusic',
  'submissionjob',
  'youtubevisit',
  'facebookvisit',
  'snow',
  'central',
  'maine',
  'nor’eastermatt',
  'jamesmatt',
  'jamespublished',
  'march',
  'featshare',
  'facebookshare',
  'twitterwas',
  'snow',
  'ground',
  'driveway',
  'driveway',
  'springtime',
  'mud',
  'mr',
  'mrs',
  'awesome',
  'bit',
  'mcpissed',
  'driveway',
  'article',
  'matt',
  'james',
  'bitch',
  'driveway',
  'bitch',
  'article',
  'snow',
  'accumulation',
  'scale',
  'b',
  'word',
  'article',
  'weather',
  'mobile',
  'apptoday',
  'storm',
  'fact',
  'heaping',
  'pile',
  'nothingness',
  'central',
  'maine',
  'area',
  'storm',
  'debut',
  'lunchtime',
  'pb&j',
  'cape',
  'cod',
  'chip',
  'week',
  'storm',
  'year',
  'meteorologist',
  'suit',
  'storm',
  'year',
  'suit',
  'ryan',
  'munn',
  'wgme',
  'storm',
  'way',
  'southern',
  'maine',
  'storm',
  'tackahstorm',
  'tackahloading',
  'wind',
  'central',
  'maine',
  'day',
  'half',
  'mile',
  'hour',
  'couple',
  'snow',
  'recipe',
  'power',
  'outage',
  'worry',
  'cmp',
  'versant',
  'storm',
  'crew',
  'stand',
  'maine',
  'puc',
  'today',
  'state',
  'maine',
  'j',
  'mills',
  'plug',
  'state',
  'employee',
  'day',
  'kid',
  'school',
  'winter',
  'storm',
  'warning',
  'central',
  'maine',
  'warning',
  "o'clock",
  'wednesday',
  'afternoon',
  "take'er",
  'iight?look',
  'out!look',
  'out!loading',
  'meat',
  'potato',
  'driveway',
  'bit',
  'irritation',
  'wgme',
  'foot',
  'foot',
  'snow',
  'season',
  'easter',
  'dodge',
  'shoveling',
  'temp',
  "'",
  'storm',
  'lawn',
  'monday',
  'thar',
  'crazy',
  'maine',
  'weather',
  'events',
  'central',
  'maine',
  'school',
  'closing',
  'road',
  'maine',
  'snow',
  'maine',
  'new',
  'hampshire',
  'today',
  'snow',
  'maine',
  'maine',
  'weather',
  'snow',
  'snow',
  'stopcategorie',
  'local',
  'news',
  'moose',
  'morning',
  'news',
  'photos',
  'trending',
  'weathercommentsleave',
  'commentmore',
  'moosemaine',
  'tops',
  'list',
  'state',
  'natural',
  'disastersmaine',
  'tops',
  'list',
  'state',
  'natural',
  'disastersthis',
  'maine',
  'meteorologist',
  'nuggets',
  'win',
  'mvpthis',
  'maine',
  'meteorologist',
  'nuggets',
  'win',
  'sundresses',
  'khaki',
  'shorts',
  'folk',
  'central',
  'maine',
  'finna',
  'toasty',
  'warm',
  'weekbust',
  'sundresses',
  'khaki',
  'shorts',
  'folk',
  'central',
  'maine',
  'finna',
  'toasty',
  'warm',
  'weeksevere',
  'weather',
  'alert',
  'warning',
  'effect',
  'central',
  'maine',
  'monday',
  'morningsevere',
  'weather',
  'alert',
  'warning',
  'effect',
  'central',
  'maine',
  'monday',
  'morningenjoy',
  'cold',
  'heat',
  'wave',
  'maine',
  'weekenjoy',
  'cold',
  'heat',
  'wave',
  'maine',
  'weektick',
  'trouble',
  'maine',
  'severe',
  'tick',
  'season?tick',
  'troubles',
  'maine',
  'severe',
  'tick',
  'season?maine',
  'nation',
  'state',
  'springmaine',
  'nation',
  'state',
  'springhere',
  'best',
  'place',
  'snow',
  'fall',
  'maine',
  'winterhere',
  'best',
  'place',
  'snow',
  'fall',
  'maine',
  'wintermassive',
  'snowstorm',
  'winter',
  'maine',
  'new',
  'hampshire',
  'weekmassive',
  'snowstorm',
  'winter',
  'maine',
  'new',
  'hampshire',
  'weekinformationeeomarketing',
  'advertising',
  'solutionspublic',
  'fileneed',
  'assistancefcc',
  'applicationsreport',
  'rulesprivacy',
  'policyaccessibility',
  'statementexercise',
  'data',
  'rightscontactcentral',
  'maine',
  'business',
  'listingsfollow',
  'usvisit',
  'youtubevisit',
  'facebookvisit',
  'twitter2023',
  'moose',
  'townsquare',
  'media',
  'inc.',
  'right'],
 ['ie',
  'experience',
  'site',
  'browser',
  'skip',
  'news',
  'newsworldbusinesshealthvideoculture',
  'trendsnbc',
  'news',
  'tiplineshare',
  'save',
  'newsmanage',
  'profileemail',
  'preferencessign',
  'outsearchsearchprofile',
  'newssign',
  'sign',
  'increate',
  'profilesectionsu.s.',
  'newspoliticsworldlocalbusinesshealthinvestigationsculture',
  'trendssciencesportstech',
  'mediavideo',
  'featuresphotosweathernbc',
  'selectdecision',
  'blknbc',
  'newsmsnbcmeet',
  'pressdatelinefeaturednbc',
  'news',
  'nowbetternightly',
  'filmsstay',
  'tunedspecial',
  'featuresnewsletterspodcastslisten',
  'nowmore',
  'nbccnbcnbc.comnbcu',
  'learnpeacocknext',
  'steps',
  'vetsparent',
  'news',
  'site',
  'maphelpfollow',
  'nbc',
  'newssearchsearchfacebooktwitteremailsmsprintwhatsappredditpocketflipboardpinterestlinkedinevent',
  'endedlast',
  'july',
  'pm',
  'utcvermont',
  'flood',
  'rescue',
  'official',
  'saythe',
  'new',
  'england',
  'flooding',
  'forecaster',
  'damage',
  'flooding',
  'new',
  'england02:03updated',
  'july',
  'pm',
  'nbc',
  'newscoverage',
  'blog',
  'million',
  'people',
  'new',
  'england',
  'flood',
  'watch',
  'morning',
  'rain',
  'region',
  'flooding',
  'vermont',
  'rescue',
  'forecaster',
  'videos',
  'street',
  'river',
  'vermont',
  'authority',
  'life',
  'flooding',
  'rain',
  'new',
  'england',
  'flooding',
  'national',
  'weather',
  'service',
  'flood',
  'watch',
  'effect',
  'region',
  'day',
  'weathervermont',
  'gov.',
  'phil',
  'scott',
  'night',
  'state',
  'flooding',
  'tropical',
  'storm',
  'irene',
  'bridge',
  'home',
  'road',
  'downtown',
  'montpelier',
  'official',
  'section',
  'vermont',
  'capital',
  'noon',
  'today',
  'woman',
  '40',
  'water',
  'orange',
  'county',
  'mile',
  'new',
  'york',
  'city',
  'ground',
  'dog',
  'rain',
  'new',
  'england',
  'people',
  'flood',
  'alert',
  'today.15d',
  'pm',
  'flood',
  'watch',
  'new',
  'england',
  'expiresteve',
  'stroussall',
  'flood',
  'new',
  'england',
  'afternoon',
  'waterway',
  'flood',
  'stage',
  'vermont',
  'winooski',
  'river',
  'montpelier',
  'foot',
  'morning',
  'foot',
  'flood',
  'stage',
  'level',
  'river',
  'river',
  'water',
  'level',
  'flood',
  'stage',
  'evening',
  'road',
  'property',
  'residence',
  'business',
  'lamoille',
  'missisquoi',
  'river',
  'morning',
  'region',
  'rain',
  'sunday',
  'downpour',
  'pm',
  'utcvermont',
  'governor',
  'work',
  'roadsmarlene',
  'lenthangvermont',
  'gov.',
  'phil',
  'scott',
  'photo',
  'morning',
  'road',
  'home',
  '@vtvast',
  'snowmobile',
  'trail',
  'network',
  'road',
  'emergency',
  'response',
  'center',
  'pm',
  'utcconnecticut',
  'search',
  'rescue',
  'team',
  'people',
  'pet',
  'vermont',
  'marlene',
  'lenthangconnecticut',
  'search',
  'rescue',
  'team',
  'vermont',
  'people',
  'pet',
  'state',
  'department',
  'emergency',
  'management',
  'department',
  'photo',
  'rescue',
  'crew',
  'winooski',
  'river',
  'water',
  'level',
  'pm',
  'utcdam',
  'montpelier',
  'capacitymarlene',
  'lenthangthe',
  'water',
  'wrightsville',
  'dam',
  'montpelier',
  'vermont',
  'foot',
  'spillway',
  'police',
  'department',
  'afternoon',
  'foot',
  'water',
  'spillway',
  'water',
  'city',
  'dam',
  'city',
  'manager',
  'william',
  'fraser',
  'night',
  'situation',
  'water',
  'dam',
  'capacity',
  'spillway',
  'water',
  'north',
  'branch',
  'river',
  'dam',
  'precedent',
  'damage',
  'water',
  'montpelier',
  'flood',
  'damage',
  'pm',
  'storm',
  'response',
  'asset',
  'vermontmarlene',
  'lenthangas',
  'official',
  'damage',
  'vermont',
  'state',
  'water',
  'team',
  'state',
  'search',
  'rescue',
  'team',
  'michael',
  'cannon',
  'vermont',
  'search',
  'rescue',
  'program',
  'coordinator',
  'today',
  'state',
  'entity',
  'state',
  'search',
  'rescue',
  'team',
  'vermont',
  'wing',
  'aircraft',
  'effort',
  'hoist',
  'capability',
  'rescue',
  'area',
  'hour',
  'day',
  'p.m.',
  'sunday',
  'cannon',
  'term',
  'search',
  'rescue',
  'operation',
  'day',
  'sun',
  'signage',
  'waterway',
  'situation',
  'waterway',
  'pm',
  'injury',
  'death',
  'flooding',
  'vermont',
  'rescue',
  'donemarlene',
  'lenthangvermont',
  'official',
  'briefing',
  'today',
  'injury',
  'death',
  'flood',
  'vermont',
  'safety',
  'commissioner',
  'jennifer',
  'morrison',
  'storm',
  'response',
  'effort',
  'stage',
  'flooding',
  'issue',
  'morning',
  'time',
  'river',
  'montpelier',
  'barre',
  'area',
  'ludlow',
  'londonderry',
  'town',
  'rescue',
  'evacuation',
  'home',
  'business',
  'vehicle',
  'animal',
  'michael',
  'cannon',
  'vermont',
  'search',
  'rescue',
  'program',
  'coordinator',
  'disaster',
  'rescue',
  'report',
  'people',
  'home',
  'vehicle',
  'pm',
  'utcdowntown',
  'montpelier',
  'reduction',
  'water',
  'level',
  'marlene',
  'lenthangin',
  'a.m.',
  'update',
  'montpelier',
  'police',
  'department',
  'vermont',
  'downtown',
  'area',
  'reduction',
  'water',
  'level',
  'pace',
  'city',
  'downtown',
  'travel',
  'ban',
  'p.m.',
  'police',
  'reminder',
  'downtown',
  'area',
  'police',
  'chief',
  'eric',
  'nordenson',
  'department',
  'photo',
  'wrightsville',
  'dam',
  'change',
  'water',
  'level',
  'pm',
  'utc2',
  'dam',
  'vermont',
  "water'marlene",
  'lenthangthe',
  'ball',
  'mountain',
  'dam',
  'jamaica',
  'vermont',
  'townshend',
  'dam',
  'townshend',
  'windham',
  'state',
  'water',
  'spillway',
  'hour',
  'new',
  'england',
  'district',
  'u.s.',
  'army',
  'corps',
  'engineers',
  'today',
  'water',
  'dam',
  'river',
  'level',
  'area',
  'authority',
  'rain',
  'hour',
  'district',
  'reservoir',
  'capacity',
  'water',
  'pm',
  'inch',
  'rain',
  'vermont',
  'kathryn',
  'procivtorrents',
  'rainfall',
  'vermont',
  'yesterday',
  'inch',
  'plymouth',
  'inch',
  'mt.',
  'holly',
  'location',
  'inch',
  'rain',
  'weather',
  'service',
  'station',
  'burlington',
  'winooski',
  'river',
  'montpelier',
  'foot',
  'foot',
  'flood',
  'stage',
  'foot',
  'a.m.',
  'crest',
  'record',
  'foot',
  'half',
  'crest',
  'level',
  'hurricane',
  'irene',
  'water',
  'level',
  'year',
  'rain',
  'new',
  'england',
  'people',
  'flood',
  'alert',
  'today',
  'river',
  'place',
  'flood',
  'stage',
  'time',
  'flooding',
  'share',
  'pm',
  'utcnew',
  'hampshire',
  'boat',
  'rescue',
  'crew',
  'vermont',
  'marlene',
  'lenthangnew',
  'hampshire',
  'gov.',
  'chris',
  'sununu',
  'today',
  'state',
  'boat',
  'rescue',
  'crew',
  'rescue',
  'effort',
  'vt',
  'black',
  'hawk',
  'helicopter',
  'new',
  'hampshire',
  'rain',
  'flood',
  'new',
  'england',
  'neighbor',
  'flood',
  'watch',
  'effect',
  'morning',
  'share',
  'pm',
  'utcvermont',
  'city',
  'dispatch',
  'department',
  'lenthangthe',
  'police',
  'department',
  'montpelier',
  'vermont',
  'dispatch',
  'police',
  'fire',
  'operation',
  'water',
  'treatment',
  'plant',
  'berlin',
  'flooding',
  'department',
  'basement',
  'city',
  'hall',
  'fire',
  'department',
  'today',
  'local',
  'vermont',
  'flooding',
  'damage',
  'people',
  'police',
  'department',
  'morning',
  'update',
  'radio',
  'tower',
  'washington',
  'county',
  'fire',
  'department',
  'ambulance',
  'wrightsville',
  'dam',
  'water',
  'level',
  'downtown',
  'area',
  'water',
  'rescue',
  'team',
  'position',
  'city',
  'chief',
  'eric',
  'nordenson',
  'responder',
  'max',
  'capacity',
  'public',
  'downtown',
  'area',
  'city',
  'road',
  'downtown',
  'montpelier',
  'vt',
  '.',
  'yesterday',
  'john',
  'tully',
  'washington',
  'post',
  'getty',
  'images“our',
  'rescue',
  'crew',
  'dpw',
  'staff',
  'dispatcher',
  'responder',
  'time',
  'damage',
  'pm',
  'utcphoto',
  'rain',
  'flood',
  'road',
  'chester',
  'road',
  'chester',
  'vt',
  '.',
  'yesterday',
  'scott',
  'eisen',
  'getty',
  'imagesshare',
  'pm',
  'utcconnecticut',
  'search',
  'rescue',
  'team',
  'vermont',
  'marlene',
  'lenthangconnecticut',
  'state',
  'search',
  'rescue',
  'team',
  'vermont',
  'help',
  'flood',
  'gov.',
  'ned',
  'lamont',
  'deployment',
  'member',
  'water',
  'rescue',
  'mission',
  'flooding',
  'state',
  'emergency',
  'management',
  'homeland',
  'security',
  'department',
  'share',
  'pm',
  'utcvermont',
  'state',
  'office',
  'lenthangall',
  'vermont',
  'state',
  'office',
  'today',
  'wake',
  'rainfall',
  'flooding',
  'road',
  'region',
  'employee',
  'duty',
  'work',
  'vermont',
  'agency',
  'administration',
  'release',
  'state',
  'employee',
  'personnel',
  'workforce',
  'situation',
  'correction',
  'safety',
  'congregate',
  'care',
  'facility',
  'closure',
  'release',
  'state',
  'office',
  'shift',
  'tomorrow',
  'pm',
  "utc'sunday",
  'nightmare',
  'n.y.',
  'county',
  'official',
  'marlene',
  'lenthangorange',
  'county',
  'executive',
  'steven',
  'neuhaus',
  'sunday',
  'torrent',
  'rain',
  'flash',
  'flooding',
  'new',
  'york',
  'hudson',
  'valley',
  'nightmare',
  'responder',
  'road',
  'nbc',
  'news',
  'highland',
  'falls',
  'area',
  'orange',
  'county',
  'repair',
  'assessment',
  'stage',
  'road',
  'bridge',
  'floodwater',
  'flooding',
  'nightmare',
  'n.y.',
  'county',
  'official',
  '202304:37he',
  'emergency',
  'shelter',
  'people',
  'region',
  'damage',
  'home',
  'business',
  '”the',
  'hudson',
  'valley',
  'respite',
  'yesterday',
  'storm',
  'vermont',
  'utcdrone',
  'video',
  'vermont',
  'town',
  'ludlowdrone',
  'video',
  'town',
  'vermontjuly',
  'utcin',
  'view',
  'water',
  'property',
  'route',
  'rain',
  'yesterday',
  'londonderry',
  'vermont',
  'scott',
  'eisen',
  'getty',
  'images',
  'fileshare',
  'utility',
  'customer',
  'power',
  'vermontchantal',
  'da',
  'silvamore',
  'utility',
  'customer',
  'power',
  'vermont',
  'morning',
  'tracker',
  'utility',
  'customer',
  'outage',
  'a.m.',
  'et',
  'tracker',
  'poweroutage.us',
  'utca',
  'man',
  'floodwater',
  'belonging',
  'home',
  'bridgewater',
  'vermont',
  'yesterday',
  'man',
  'belonging',
  'floodwater',
  'home',
  'bridgewater',
  'vt',
  '.',
  'monday',
  'hasan',
  'jamali',
  'apshare',
  'utcn.y.',
  'inch',
  'rain',
  'governor',
  'phil',
  'helselmore',
  'dozen',
  'section',
  'highway',
  'state',
  'route',
  'new',
  'york',
  'state',
  'rain',
  'night',
  'governor',
  'inch',
  'rain',
  'day',
  'storm',
  'new',
  'york',
  'gov.',
  'kathy',
  'hochul',
  'statement',
  'night',
  'woman',
  'orange',
  'county',
  'new',
  'york',
  'ground',
  'sunday',
  'official',
  'bridge',
  'inspection',
  'team',
  'structure',
  'wake',
  'flooding',
  'assistance',
  'governor',
  'office',
  'utcvermont',
  'flooding',
  'tropical',
  'storm',
  'irene',
  'phil',
  'helselvermont',
  'governor',
  'night',
  'state',
  'flooding',
  'tropical',
  'storm',
  'irene',
  'storm',
  'bridge',
  'home',
  'road',
  'vermont',
  'tropical',
  'storm',
  'irene',
  'river',
  'night',
  'waterway',
  'gov.',
  'phil',
  'scott',
  'irene',
  'hurricane',
  'caribbean',
  'landfall',
  'north',
  'carolina',
  'august',
  'time',
  'vermont',
  'storm',
  'irene',
  'flooding',
  'vermont',
  'new',
  'jersey',
  'massachusetts',
  'researcher',
  'national',
  'hurricane',
  'center',
  'report',
  'people',
  'puerto',
  'rico',
  'united',
  'states',
  'state',
  'report',
  'people',
  'vermont',
  'weather',
  'service',
  'irene',
  'disaster',
  'vermont',
  'history',
  'utca',
  'water',
  'montpelier',
  'downtown',
  'phil',
  'helselthe',
  'city',
  'montpelier',
  'business',
  'owner',
  'patience',
  'downtown',
  'section',
  'city',
  'noon',
  'today',
  'flooding',
  'winooski',
  'river',
  'rainfall',
  'area',
  'water',
  'river',
  'crest',
  'flood',
  'stage',
  'business',
  'owner',
  'store',
  'patience',
  'city',
  'statement',
  'damage',
  'noon',
  'water',
  'level',
  'safety',
  'issue',
  'water',
  'city',
  'winooski',
  'weather',
  'service',
  'forecast',
  'utctorrential',
  'rain',
  'new',
  'englandchantal',
  'da',
  'silvamillions',
  'people',
  'new',
  'england',
  'flood',
  'watch',
  'morning',
  'rain',
  'region',
  'flooding',
  'vermont',
  'forecaster',
  'rain',
  'new',
  'england',
  ...],
 ['dialog',
  'website',
  'datum',
  'cookie',
  'site',
  'functionality',
  'marketing',
  'personalization',
  'analytic',
  'website',
  'consent',
  'cookie',
  'policy',
  'advertise',
  'us(open',
  'window)e',
  'newspaperdaily',
  'news',
  'e',
  '-',
  'newspaper(opens',
  'window)evening',
  'edition(open',
  'window)newsletters(open',
  'window)subscriber',
  'services(open',
  'window)subscriber',
  'services(open',
  'window)ez',
  'pay(opens',
  'window)delivery',
  'issue(open',
  'window)subscriber',
  'window)about',
  'ushelp',
  'centercontact',
  'anniversarybranded',
  'contentadvertising',
  'ascend(open',
  'window)paid',
  'partner',
  'content(opens',
  'window)paid',
  'content',
  'brandpoint(opens',
  'window)comicscoronavirusfun',
  'games(open',
  'daily(open',
  'crush(open',
  'window)daily',
  'window)bubble',
  'shooter',
  'pro(open',
  'window)horoscopesjobsplace',
  'ad(open',
  'window)career',
  'window)find',
  'job(opens',
  'window)freelance',
  'jobs(open',
  'window)justice',
  'storylifestylehealtheatspuzzle',
  'games(open',
  'window)vivanew',
  'yorkmanhattanbronxbrooklynqueensnyc',
  'crimehometown',
  'heroesblack',
  'history',
  'montheducationnew',
  'york',
  'window)obituaries(open',
  'window)weathernewscrimeu.s.politicsworldobituaries(open',
  'new',
  'window)death',
  'notice',
  'listings(opens',
  'window)obits(open',
  'cartoons(open',
  'window)photosphotos(open',
  'window)covers(open',
  'estateplace',
  'ad(open',
  'estate',
  'news',
  'advice(open',
  'estate',
  'listings(open',
  'sectionssportsyankeesmetsgiantsjetsknicksnetslibertyrangersislandersfootballbasketballbaseballhockeysoccermore',
  'sportsthe',
  'hookthe',
  'page(opens',
  'offersu.s.',
  'window)more(open',
  'window)automotiveclassifiedsen',
  'españolphoto',
  'request',
  'reprints(opens',
  'reviewscontestsdaily',
  'news',
  'archives(open',
  'window)privacy',
  'window)public',
  'notices(opens',
  'window)tag',
  'disclosure(opens',
  'window',
  'advertisementu.s.oklahoma',
  'tornado',
  'mother',
  'baby',
  'region',
  'set',
  'stormsby',
  'ginger',
  'adams',
  'otisnew',
  'york',
  'daily',
  'news•last',
  'jun',
  '8:38',
  'highway',
  'patrol',
  'troopers',
  'suv',
  'interstate',
  'tornado',
  'el',
  'reno',
  'okla.',
  'mother',
  'baby',
  'courtesy',
  'lance',
  'west',
  'kaut)a',
  'brew',
  'tornado',
  'flash',
  'flood',
  'prairie',
  'friday',
  'hail',
  'oklahoma',
  'city',
  'mother',
  'baby',
  'car',
  'truck',
  'interstate',
  'week',
  'megatwister',
  'moore',
  'friday',
  'storm',
  'tornado',
  'oklahoma',
  'city',
  'suburb',
  'commuter',
  'highway',
  'debris',
  'advertisementthe',
  'vehicle',
  'i-40',
  'wind',
  'reuters)the',
  'mother',
  'infant',
  'car',
  'station',
  'kfor',
  'tv.a',
  'tornado',
  'el',
  'reno',
  'okla.',
  'friday',
  'damage',
  'structure',
  'traveler',
  'interstate',
  'i-40',
  'weather',
  'area',
  'ap',
  'photo)at',
  'person',
  'oklahoma',
  'highway',
  'patrol',
  'motorist',
  'power',
  'area',
  'darkness',
  'advertisementan',
  'semitrailer',
  'lane',
  'interstate',
  'ap',
  'photo)one',
  'twister',
  'moore',
  'funnel',
  'storm',
  'town',
  'matchstick',
  'people',
  'traffic',
  'horse',
  'i-40',
  'el',
  'reno',
  'okla.',
  'tornado',
  'area',
  'friday',
  'ap',
  'photo)hurricane',
  'force',
  'wind',
  'mph',
  'motorist',
  'road',
  'storm',
  'missouri',
  'oklahoma',
  'city',
  'experience',
  'flooding',
  'tornado',
  'central',
  'oklahoma',
  'ap',
  'photo)will',
  'rogers',
  'airport',
  'oklahoma',
  'city',
  'traveler',
  'shelter',
  'basement',
  'airport',
  'customer',
  'power',
  'man',
  'car',
  's.',
  'ave',
  'sw',
  '25th',
  'oklahoma',
  'city',
  'friday',
  'flooding',
  'thunderstorm',
  'oklahoma',
  'city',
  'ap',
  'photos)multiple',
  'funnel',
  'cloud',
  'ground',
  'level',
  'system',
  'storm',
  'cell',
  'vortex',
  'tornado',
  'el',
  'reno',
  'okla.',
  'national',
  'weather',
  'service',
  'tornado',
  'emergency',
  'oklahoma',
  'friday',
  'weather',
  'condition',
  'day',
  'dozen',
  'twister',
  'region',
  'reuters)it',
  'evening',
  'rush',
  'hour',
  'p.m.',
  'havoc',
  'interstate',
  'artery',
  'city',
  'path',
  'destruction',
  'tornado',
  'alley',
  'storm',
  'moore',
  'oklahoma',
  'storm',
  'illustration',
  'jeff',
  'rosenkrantz',
  'new',
  'york',
  'daily',
  'news)floodwaters',
  'foot',
  'rescue',
  'attempt',
  'lightning',
  'sky',
  'threat',
  'cloud',
  'tornado',
  'el',
  'reno',
  'okla.',
  'reuters)oklahoma',
  'highway',
  'patrol',
  'trooper',
  'betsy',
  'randolph',
  'officer',
  'body',
  'woman',
  'baby',
  'vehicle',
  'randolph',
  'woman',
  'storm',
  'home',
  'rolling',
  'meadow',
  'estates',
  'neighborhood',
  'broken',
  'arrow',
  'okla.',
  'tornado',
  'area',
  'tom',
  'gilbert',
  'ap)hail',
  'rain',
  'metro',
  'area',
  'point',
  'emergency',
  'worker',
  'trouble',
  'report',
  'injury',
  'advertisementtornado',
  'alley',
  'resident',
  'twister',
  'area',
  'case',
  'belinda',
  'russell',
  'red',
  'cross',
  'worker',
  'sue',
  'morey',
  'damage',
  'home',
  'rolling',
  'meadow',
  'estates',
  'neighborhood',
  'tom',
  'gilbert',
  'ap)"we\'re',
  'lara',
  "o'leary",
  'spokeswoman',
  'ambulance',
  'agency',
  'visibility',
  'rain',
  'trouble',
  'damage',
  'personnel',
  'truck',
  'park',
  'storm',
  'st.',
  'louis',
  'ap',
  'water',
  'foot',
  'downtown',
  'oklahoma',
  'city',
  'hurricane',
  'tornado',
  'tornado',
  'warning',
  'friday',
  'night',
  'tulsa',
  'st.',
  'louis',
  'news',
  'wire',
  'servicesoriginally',
  'pm',
  'advertisement',
  'june',
  '1latestsoccerlindsey',
  'horan',
  'u.s.',
  'women',
  'goal',
  'draw',
  'netherlands',
  'world',
  'crimeviolent',
  'staten',
  'island',
  'ex',
  '-',
  'con',
  'death',
  'drug',
  'jose',
  'quintana',
  'spot',
  'mets',
  'subway',
  'series',
  'loss',
  'connecttribune',
  'publishing',
  'chicago',
  'tribuneorlando',
  'sentinelthe',
  'morning',
  'pa.',
  'daily',
  'press',
  'va.',
  'studio',
  'baltimore',
  'sunsun',
  'sentinel',
  'fla.',
  'hartford',
  'courantthe',
  'virginian',
  'pilotcompany',
  'infocareershelp',
  'centermanage',
  'web',
  'notificationsplace',
  'admedia',
  'kitprivacy',
  'policyterms',
  'servicesite',
  'mapdo',
  'sell',
  'share',
  'informationcookie',
  'policycookie',
  'preferencescontact',
  'ussite',
  'mapsubscriber',
  'servicescontestsspecial',
  'sectionsdaily',
  'news',
  'uscalifornia',
  'notice',
  'collectionnotice',
  'financial',
  'incentivecopyright',
  'new',
  'york',
  'daily',
  'news'],
 ['permission',
  'video',
  'account',
  'dashboard',
  'profile',
  'item',
  'today',
  'sky',
  '61f.',
  'wind',
  'wnw',
  'mph',
  'tonight',
  'sky',
  '61f.',
  'wind',
  'wnw',
  'mph',
  'july',
  'pm',
  'storm',
  'northeast',
  'ohio',
  'tornado',
  'jul',
  'jul',
  'storm',
  'northeast',
  'ohio',
  'thursday',
  'july',
  'tornado',
  'warning',
  'thunderstorm',
  'warning',
  'restriction',
  'usage',
  'terms',
  '@karkopolo',
  'spectee',
  'note',
  'video',
  'video',
  'location',
  'mentor',
  'lake',
  'ohio',
  'video',
  'recording',
  'date',
  'time',
  'july',
  'articlesseveral',
  'deck',
  'collapse',
  'briarwood',
  'country',
  'club',
  'billingscrow',
  'agency',
  'woman',
  'scale',
  'drug',
  'investigation',
  'methbilling',
  'mayor',
  'cole',
  'noose',
  'display',
  'downtown',
  'billingsfire',
  'billings',
  'auto',
  'repair',
  'motorcycle',
  'collision',
  'billingsfreight',
  'train',
  'havre',
  'car',
  'derailedearthquake',
  'southwest',
  'boyd',
  'fridaytwo',
  'fire',
  'billings',
  'friday',
  'afternoonmontana',
  'highway',
  'patrol',
  'detail',
  'crash',
  'grand',
  'ave',
  'billingsrosebud',
  'county',
  'sheriff',
  'office',
  'help',
  'individual',
  'officer',
  'success',
  'email',
  'link',
  'list',
  'signup',
  'error',
  'error',
  'request',
  'news',
  'nonstop',
  'billing',
  'news',
  'email',
  'inbox',
  'sports',
  'nonstop',
  'swx',
  'billing',
  'headline',
  'sport',
  'um',
  'msu',
  'high',
  'school',
  'sport',
  'nonstop',
  'local',
  'daily',
  'briefing',
  'news',
  'update',
  'nonstop',
  'local',
  'billing',
  'sign',
  'today',
  'email',
  'list',
  'email',
  'address',
  'video',
  'section',
  'thunderstorm',
  'ohio',
  'boise',
  'state',
  'transfer',
  'field',
  'season',
  'pierce',
  'county',
  'councilor',
  'vote',
  'ordinance',
  'rainforest',
  'point',
  'defiance',
  'bobby',
  'wagner',
  'teammate',
  'quandre',
  'diggs',
  'seahawks',
  'teammate',
  'training',
  'camp',
  'italy',
  'wildfire',
  'rage',
  'sicily',
  'prompting',
  'evacuation',
  'airport',
  'closure',
  'israel',
  'protester',
  'tel',
  'aviv',
  'highway',
  'parliament',
  'reasonableness',
  'bill',
  'israel',
  'protester',
  'tel',
  'aviv',
  'highway',
  'parliament',
  'reasonableness',
  'bill',
  'kulr8.com',
  'overland',
  'ave',
  'billings',
  'mt',
  'phone',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'blox',
  'content',
  'management',
  'system',
  'blox',
  'digital',
  'minute',
  'news',
  'device'],
 ['livevideokfyr+sportspromotionsnd',
  'todayag',
  'expodakota',
  'obitshomeweatherskytracker',
  'radarweather',
  'graphicslive',
  'skywatch',
  'camerasroad',
  'conditionsairport',
  'closings',
  'delaysskyspy',
  'photosweathercallweather',
  'appwatch',
  'livevideowatch',
  'livenews',
  'videoweather',
  'videosports',
  'exclusivelatest',
  'newscastsstreaming',
  'appskfyr+newssportskmot',
  'athlete',
  'weeksports',
  'videoscoreboardstats',
  'predictionshow',
  'watchpromotionsnd',
  'ag',
  'obitscommunity',
  'calendarabout',
  'usmeet',
  'teamcontact',
  'uscareersway',
  'watchjob',
  'opportunitiesprogrammingpurchase',
  'news',
  'videoschedule',
  'photo',
  'videoscircle',
  'country',
  'music',
  'lifestylegray',
  'dc',
  'bureauinvestigatetvpowernationdan',
  'gardenhealth',
  'talkmr',
  'foodpress',
  'releasestue',
  'update',
  'impact',
  'blizzard',
  'tuesday',
  'wednesday',
  'northern',
  'plainsby',
  'jacob',
  'morsepublished',
  'apr.',
  'pm',
  'cdtshare',
  'facebookemail',
  'linkshare',
  'twittershare',
  'pinterestshare',
  'linkedinbismarck',
  'n.d.',
  'kfyr',
  'colorado',
  'low',
  'region',
  'week',
  'snowfall',
  'accumulation',
  'wind',
  'blizzard',
  'condition',
  'travel',
  'article',
  'a.m.',
  'sunrise',
  'tuesday',
  'nd',
  'sd',
  'border',
  'north',
  'corridor',
  'mid',
  '-',
  'morning',
  'tuesday',
  'region',
  'afternoon',
  'snow',
  'band',
  'push',
  'snow',
  'tuesday',
  'tuesday',
  'night',
  'period',
  'snow',
  'component',
  'system',
  'wind',
  'wind',
  'nd',
  'gust',
  'mph',
  'southeast',
  'mph',
  'gust',
  'nd',
  'mph',
  'gust',
  'west',
  'wind',
  'direction',
  'northeast',
  'north',
  'northwest).snow',
  'tuesday',
  'night',
  'time',
  'east',
  'wednesday',
  'wind',
  'day',
  'wednesday',
  'blowing',
  'snow',
  'forecast',
  'update',
  'forecast',
  'graphic',
  'video',
  'information',
  'blizzard',
  'warning',
  'time',
  'county',
  'north',
  'dakota',
  'cdt):6',
  'tuesday',
  'a.m.',
  'thursday',
  'burleigh',
  'morton',
  'oliver',
  'foster',
  'kidder',
  'stutsman',
  'grant',
  'sioux',
  'emmons',
  'logan',
  'la',
  'moure',
  'mcintosh',
  'dickey',
  'hettinger',
  'bowman',
  'adams',
  'counties6',
  'tuesday',
  'a.m.',
  'thursday',
  'cass',
  'griggs',
  'steele',
  'traill',
  'barnes',
  'ransom',
  'sargent',
  'richland',
  'counties12',
  'tuesday',
  'a.m.',
  'thursday',
  'ward',
  'stark',
  'renville',
  'bottineau',
  'mchenry',
  'dunn',
  'mercer',
  'mclean',
  'billings',
  'slope',
  'rolette',
  'pierce',
  'sheridan',
  'wells',
  'counties12',
  'tuesday',
  'a.m.',
  'thursday',
  'grand',
  'forks',
  'towner',
  'cavalier',
  'pembina',
  'benson',
  'ramsey',
  'walsh',
  'nelson',
  'eddy',
  'countieswinter',
  'weather',
  'advisory',
  'time',
  'county',
  'north',
  'dakota',
  'cdt):12',
  'tuesday',
  'a.m.',
  'thursday',
  'burke',
  'mountrail',
  'mckenzie',
  'golden',
  'valley',
  'countiesblizzard',
  'most(kfyr)snow',
  'tuesday(kfyr)snow',
  'tuesday(maxuser',
  'kfyr)storm',
  'impact',
  'level(kfyr)impact',
  'wind',
  'tuesday',
  'wednesday(kfyr)*note',
  'wind',
  'speed',
  'hour',
  'hour',
  'tuesday',
  'snapshot(kfyr)11',
  'tuesday',
  'snapshot(kfyr)4',
  'pm',
  'tuesday',
  'pm',
  'tuesday',
  'wednesday',
  'wednesday',
  'snapshot(kfyr)12',
  'pm',
  'wednesday',
  'snapshot(kfyr)6',
  'pm',
  'wednesday',
  'snapshot(kfyr)**wind',
  'speed',
  'magnitude',
  'blizzard',
  'condition',
  'travel',
  'eastern',
  'nd**tuesday',
  'pm',
  'wind',
  'gusts(kfyr)wednesday',
  'wind',
  'gusts(kfyr)wednesday',
  'pm',
  'wind',
  'gusts(kfyr)thursday',
  'wind',
  'gusts(kfyr)copyright',
  'kfyr',
  'right',
  'readman',
  'bowman',
  'helicopter',
  'crash',
  'mandan',
  'crying',
  'hill',
  'nationsupdate',
  'year',
  'woman',
  'golf',
  'cart',
  'crash',
  'mapleton',
  'nd',
  'sinéad',
  'o’connor',
  'singer',
  'lithium',
  'ion',
  'battery',
  'garage',
  'fire',
  'bismarcklatest',
  'newskfyr',
  'news',
  'weather',
  'nws',
  'meteorologist',
  't',
  'storm',
  'warning',
  'polygon',
  '',
  '',
  'severe',
  'weather',
  'warning',
  'process',
  'nws',
  'meteorologist',
  't',
  'storm',
  'warning',
  'polygon',
  '',
  '',
  'severe',
  'weather',
  'warning',
  'process',
  '3morse',
  'code',
  'weather',
  'nws',
  'meteorologist',
  't',
  'storm',
  'warning',
  'polygonskmot',
  'news',
  'weather',
  '07/26/2023homenewsweathersportscareerssubmit',
  'photos',
  'n.',
  '4th',
  'st.',
  'bismarck',
  'nd',
  'serviceprivacy',
  'statementadvertisingdigital',
  'advertisingpublic',
  'inspection',
  'filefcc',
  'applicationsclosed',
  'caption',
  'inquiries',
  'gray',
  'journalist',
  'news',
  'content',
  'community',
  'approach',
  'intelligence',
  'gray',
  'media',
  'group',
  'inc.',
  'station',
  'gray',
  'television',
  'inc.'],
 ['accessibility',
  'link',
  'content',
  'keyboard',
  'shortcut',
  'player',
  'books',
  'movies',
  'television',
  'pop',
  'culture',
  'food',
  'art',
  'design',
  'performing',
  'arts',
  'life',
  'kit',
  'gaming',
  'podcasts',
  'shows',
  'expand',
  'collapse',
  'submenu',
  'podcast',
  'winter',
  'storm',
  'update',
  'thousand',
  'power',
  'winter',
  'storm',
  'snow',
  'blizzard',
  'condition',
  'ice',
  'california',
  'northeast',
  'thousand',
  'power',
  'winter',
  'storm',
  'u.s.',
  'february',
  'et',
  'february',
  'pm',
  'et',
  'woman',
  'sunlight',
  'wednesday',
  'coffee',
  'shop',
  'san',
  'francisco',
  'winter',
  'storm',
  'power',
  'california',
  'highway',
  'arizona',
  'wyoming',
  'flight',
  'cancellation',
  'wednesday',
  'day',
  'woman',
  'sunlight',
  'wednesday',
  'coffee',
  'shop',
  'san',
  'francisco',
  'winter',
  'storm',
  'power',
  'california',
  'highway',
  'arizona',
  'wyoming',
  'flight',
  'cancellation',
  'wednesday',
  'day',
  'winter',
  'storm',
  'snow',
  'blizzard',
  'condition',
  'ice',
  'california',
  'northeast',
  'week',
  'household',
  'power',
  'a.m.',
  'et',
  'friday',
  'majority',
  'outage',
  'michigan',
  'resident',
  'rain',
  'ice',
  'poweroutage.us',
  'outage',
  'state',
  'state',
  'power',
  'outage',
  'area',
  'tree',
  'damage',
  'area',
  'great',
  'lakes',
  'northeast',
  'location',
  'combination',
  'wind',
  'ice',
  'national',
  'weather',
  'service',
  'snow',
  'rate',
  'inch',
  'hour',
  'great',
  'lakes',
  'mph',
  'wind',
  'impact',
  'disruption',
  'infrastructure',
  'livestock',
  'recreation',
  'nws',
  'weather',
  'winter',
  'storm',
  'million',
  'state',
  'parts',
  'midwest',
  'northeast',
  'inch',
  'snow',
  'area',
  'inch',
  'nws',
  'airport',
  'midwest',
  'minneapolis',
  'chicago',
  'milwaukee',
  'detroit',
  'plethora',
  'cancellation',
  'wednesday',
  'flight',
  'thursday',
  'flight',
  'u.s.',
  'flight',
  'thursday',
  'evening',
  'flightaware',
  'people',
  'way',
  'snow',
  'street',
  'grand',
  'park',
  'neighborhood',
  'portland',
  'ore.',
  'thursday',
  'city',
  'day',
  'record',
  'people',
  'way',
  'snow',
  'street',
  'grand',
  'park',
  'neighborhood',
  'portland',
  'ore.',
  'thursday',
  'city',
  'day',
  'record',
  'west',
  'portland',
  'inch',
  'snow',
  'day',
  'oregon',
  'public',
  'broadcasting',
  'storm',
  'snow',
  'california',
  'mount',
  'baldy',
  'los',
  'angeles',
  'foot',
  'foot',
  'snow',
  'saturday',
  'addition',
  'snow',
  'mountain',
  'nws',
  'rainfall',
  'southern',
  'california',
  'risk',
  'flash',
  'flooding',
  'friday',
  'morning',
  'saturday',
  'news',
  'winter',
  'storm',
  'snow',
  'california',
  'southeast',
  'mid',
  '-',
  'atlantic',
  'ohio',
  'valley',
  'record',
  'warmth',
  'nws',
  'temperature',
  'degree',
  'thursday',
  'atlanta',
  'degree',
  'wednesday',
  'time',
  'record',
  'february',
  'washington',
  'd.c.',
  'degree',
  'new',
  'orleans',
  'degree',
  'nashville',
  'tenn.',
  'degree',
  'wednesday',
  'flight',
  'cancellation',
  'southern',
  'california',
  'portland',
  'ore.',
  'winter',
  'storm',
  'power',
  'outage',
  'snow',
  'michigan',
  'support',
  'public',
  'radio',
  'sponsor',
  'npr',
  'npr',
  'careers',
  'npr',
  'shop',
  'npr',
  'event',
  'npr',
  'term',
  'use',
  'privacy',
  'privacy',
  'choices',
  'text'],
 ['associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'tornado',
  'midwest',
  'south',
  'tornado',
  'little',
  'rock',
  'area',
  'friday',
  'afternoon',
  'rooftop',
  'splinter',
  'vehicle',
  'debris',
  'roadway',
  'people',
  'shelter',
  'march',
  'wynne',
  'ark.',
  'ap',
  'storm',
  'dozen',
  'tornado',
  'people',
  'town',
  'city',
  'south',
  'midwest',
  'path',
  'arkansas',
  'capital',
  'roof',
  'concert',
  'venue',
  'illinois',
  'people',
  'region',
  'saturday',
  'damage',
  'scope',
  'tornado',
  'state',
  'home',
  'business',
  'tree',
  'waste',
  'neighborhood',
  'swath',
  'country',
  'dead',
  'tennessee',
  'county',
  'town',
  'wynne',
  'arkansas',
  'sullivan',
  'indiana',
  'illinois',
  'death',
  'storm',
  'friday',
  'night',
  'saturday',
  'alabama',
  'mississippi',
  'little',
  'rock',
  'arkansas',
  'city',
  'official',
  'building',
  'tornado',
  'path',
  'resident',
  'wynne',
  'community',
  'people',
  'mile',
  'kilometer',
  'memphis',
  'tennessee',
  'saturday',
  'school',
  'roof',
  'window',
  'tree',
  'ground',
  'stump',
  'nubs',
  'wall',
  'window',
  'roof',
  'home',
  'business',
  'mississippi',
  'governor',
  'assistance',
  'tornado',
  'damage',
  'tornado',
  'damage',
  'pfizer',
  'drug',
  'supply',
  'shortage',
  'fda',
  'news',
  'look',
  'week',
  'debris',
  'shell',
  'home',
  'lawn',
  'clothing',
  'insulation',
  'toy',
  'furniture',
  'pickup',
  'truck',
  'window',
  'ashley',
  'macmillan',
  'husband',
  'child',
  'dog',
  'bathroom',
  'tornado',
  'goodbye',
  'tree',
  'home',
  '“we',
  'house',
  'noise',
  'dish',
  'recovery',
  'worker',
  'chainsaw',
  'bulldozer',
  'area',
  'utility',
  'crew',
  'power',
  'people',
  'tennessee',
  'mcnairy',
  'county',
  'east',
  'memphis',
  'patrick',
  'sheehan',
  'director',
  'tennessee',
  'emergency',
  'management',
  'agency',
  'majority',
  'damage',
  'home',
  'area',
  'david',
  'leckner',
  'mayor',
  'adamsville',
  'gov.',
  'bill',
  'lee',
  'county',
  'saturday',
  'destruction',
  'comfort',
  'resident',
  'storm',
  'week',
  'time',
  'governor',
  'day',
  'school',
  'shooting',
  'nashville',
  'people',
  'family',
  'friend',
  'funeral',
  'wife',
  'maria',
  'day',
  'community',
  'county',
  'state',
  'lee',
  'community',
  'tennessean',
  'community',
  'rally',
  'day',
  'daughter',
  'news',
  'community',
  'adamsville',
  'closet',
  'year',
  'son',
  'storm',
  'phone',
  'screaming',
  'daddy',
  'day',
  'storm',
  'daughter',
  'wire',
  'family',
  'saturday',
  'evening',
  'baby',
  'clothe',
  'site',
  'memphis',
  'police',
  'spokesman',
  'christopher',
  'williams',
  'email',
  'saturday',
  'death',
  'weather',
  'child',
  'adult',
  'tree',
  'house',
  'tennessee',
  'official',
  'weather',
  'condition',
  'friday',
  'night',
  'tuesday',
  'belvidere',
  'illinois',
  'roof',
  'apollo',
  'theatre',
  'people',
  'metal',
  'concert',
  'year',
  'man',
  'rubble',
  'hand',
  'concertgoer',
  'gabrielle',
  'lewellyn',
  'wtvo',
  'tv.the',
  'man',
  'time',
  'emergency',
  'worker',
  'official',
  'life',
  'injury',
  'crew',
  'apollo',
  'saturday',
  'forklift',
  'brick',
  'business',
  'owner',
  'glass',
  'shard',
  'window',
  'crawford',
  'county',
  'illinois',
  'people',
  'tornado',
  'new',
  'hebron',
  'bill',
  'burke',
  'county',
  'board',
  'chair',
  'sheriff',
  'bill',
  'rutan',
  'family',
  'emergency',
  'crew',
  'people',
  'basement',
  'house',
  'space',
  'rutan',
  'news',
  'conference',
  'tornado',
  'people',
  'indiana',
  'sullivan',
  'county',
  'mile',
  'kilometer',
  'southwest',
  'indianapolis',
  'sullivan',
  'mayor',
  'clint',
  'lamb',
  'news',
  'conference',
  'area',
  'county',
  'seat',
  'people',
  'report',
  'people',
  'issue',
  'recovery',
  'process',
  'little',
  'rock',
  'area',
  'person',
  'national',
  'weather',
  'service',
  'tornado',
  'end',
  'ef3',
  'twister',
  'wind',
  'speed',
  'mph',
  'kph',
  'path',
  'mile',
  'kilometers).masoud',
  'shahed',
  'ghaznavi',
  'home',
  'neighborhood',
  'room',
  'sheetrock',
  'window',
  'house',
  'sky',
  'shahed',
  'ghaznavi',
  'saturday',
  'friday',
  'night',
  'eye',
  'saturday',
  'home',
  'arkansas',
  'gov.',
  'sarah',
  'huckabee',
  'sanders',
  'state',
  'emergency',
  'national',
  'guard',
  'saturday',
  'sanders',
  'disaster',
  'declaration',
  'president',
  'joe',
  'biden',
  'recovery',
  'effort',
  'resource',
  'tornado',
  'woman',
  'alabama',
  'madison',
  'county',
  'official',
  'mississippi',
  'pontotoc',
  'county',
  'authority',
  'death',
  'injury',
  'tornado',
  'damage',
  'iowa',
  'window',
  'peoria',
  'illinois',
  'storm',
  'hour',
  'biden',
  'rolling',
  'fork',
  'mississippi',
  'tornado',
  'week',
  'town',
  'day',
  'number',
  'tornado',
  'event',
  'bill',
  'bunting',
  'chief',
  'forecast',
  'operation',
  'storm',
  'prediction',
  'center',
  'report',
  'hail',
  'wind',
  'day',
  '”more',
  'home',
  'business',
  'power',
  'midday',
  'saturday',
  'ohio',
  'poweroutage.us',
  'storm',
  'system',
  'wildfire',
  'plains',
  'authority',
  'oklahoma',
  'friday',
  'people',
  'home',
  'storm',
  'blizzard',
  'condition',
  'upper',
  'midwest',
  'threat',
  'tornado',
  'hail',
  'northeast',
  'pennsylvania',
  'new',
  'york.___demillo',
  'little',
  'rock',
  'associated',
  'press',
  'writer',
  'country',
  'report',
  'kimberlee',
  'kruesi',
  'adamsville',
  'tennessee',
  'harm',
  'venhuizen',
  'belvidere',
  'illinois',
  'corey',
  'williams',
  'detroit',
  'associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights'],
 ['ad',
  'issue',
  'video',
  'player',
  'content',
  'ad',
  'video',
  'content',
  'ad',
  'audio',
  'ad',
  'ad',
  'page',
  'content',
  'ad',
  'ad',
  'ad',
  'effort',
  'contribution',
  'feedback',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'texans',
  'power',
  'outage',
  'storm',
  'texans',
  'power',
  'outage',
  'storm',
  'dramatic',
  'video',
  'moment',
  'crane',
  'new',
  'york',
  'street',
  'esper',
  'fighter',
  'jet',
  'syria',
  'dr.',
  'gupta',
  'bronny',
  'james',
  'arrest',
  'alleged',
  'gilgo',
  'beach',
  'killer',
  'case',
  'date',
  'trooper',
  'ex',
  '-',
  'pastor',
  'demeanor',
  'police',
  'year',
  'girl',
  'ex',
  '-',
  'official',
  'shift',
  'trump',
  'attitude',
  'cnn',
  'reporter',
  'witness',
  'theft',
  'shoplifting',
  'prisoner',
  'ukraine',
  'people',
  'year',
  'life',
  'study',
  'emergency',
  'physician',
  'mistake',
  'people',
  'heat',
  'wave',
  'police',
  'fire',
  'water',
  'cannon',
  'protester',
  'christie',
  'debt',
  'governor',
  'tip',
  'trump',
  'unesco',
  'world',
  'heritage',
  'site',
  'missile',
  'attack',
  'pence',
  'trump',
  'threat',
  'prison',
  'video',
  'damage',
  'cathedral',
  'mlb',
  'game',
  'rain',
  'stadium',
  'step',
  'waterfall',
  'week',
  'weather',
  'catastrophe',
  'texas',
  'pm',
  'est',
  'sun',
  'february',
  'texans',
  'power',
  'outage',
  'storm',
  'texans',
  'power',
  'outage',
  'storm',
  'dramatic',
  'video',
  'moment',
  'crane',
  'new',
  'york',
  'street',
  'esper',
  'fighter',
  'jet',
  'syria',
  'dr.',
  'gupta',
  'bronny',
  'james',
  'arrest',
  'alleged',
  'gilgo',
  'beach',
  'killer',
  'case',
  'date',
  'trooper',
  'ex',
  '-',
  'pastor',
  'demeanor',
  'police',
  'year',
  'girl',
  'ex',
  '-',
  'official',
  'shift',
  'trump',
  'attitude',
  'cnn',
  'reporter',
  'witness',
  'theft',
  'shoplifting',
  'prisoner',
  'ukraine',
  'people',
  'year',
  'life',
  'study',
  'emergency',
  'physician',
  'mistake',
  'people',
  'heat',
  'wave',
  'police',
  'fire',
  'water',
  'cannon',
  'protester',
  'christie',
  'debt',
  'governor',
  'tip',
  'trump',
  'unesco',
  'world',
  'heritage',
  'site',
  'missile',
  'attack',
  'pence',
  'trump',
  'threat',
  'prison',
  'video',
  'damage',
  'cathedral',
  'mlb',
  'game',
  'rain',
  'stadium',
  'step',
  'waterfall',
  'week',
  'lone',
  'star',
  'state',
  'relief',
  'temperature',
  'sunday',
  'state',
  '60',
  '70',
  'temperature',
  'resident',
  'time',
  'year',
  'texans',
  'devastation',
  'winter',
  'storm',
  'day',
  'customer',
  'line',
  'frontier',
  'fiesta',
  'february',
  'houston',
  'texas',
  'winter',
  'storm',
  'houston',
  'area',
  'hour',
  'million',
  'americans',
  'electricity',
  'wednesday',
  'cold',
  'winter',
  'storm',
  'system',
  'grip',
  'swathe',
  'united',
  'states',
  'mexico',
  'photo',
  'thomas',
  'shea',
  'afp',
  'photo',
  'thomas',
  'shea',
  'afp',
  'getty',
  'images',
  'storm',
  'nation',
  'brink',
  'year',
  'lockdown',
  'people',
  'state',
  'february',
  'million',
  'power',
  'family',
  'fireplace',
  'scavenge',
  'firewood',
  'night',
  'car',
  'hour',
  'food',
  'shelf',
  'weather',
  'condition',
  'food',
  'supply',
  'chain',
  'problem',
  'temperature',
  'pipe',
  'water',
  'disruption',
  'state',
  'population',
  'covid-19',
  'relief',
  'effort',
  'food',
  'bank',
  'shipment',
  'appointment',
  'week',
  'state',
  'temperature',
  'snow',
  'road',
  'power',
  'outage',
  'city',
  'country',
  'emergency',
  'declaration',
  'state',
  'texas',
  'impact',
  'week',
  'window',
  'storm',
  'time',
  'harris',
  'county',
  'texas',
  'judge',
  'lina',
  'hidalgo',
  'temperature',
  'state',
  'dallas',
  'degree',
  'fahrenheit',
  'temperature',
  'city',
  'austin',
  'san',
  'antonio',
  'digit',
  'temperature',
  'time',
  'year',
  'texans',
  'blackout',
  'monday',
  'morning',
  'electric',
  'reliability',
  'council',
  'texas',
  'ercot',
  'grid',
  'operator',
  '%',
  'state',
  'load',
  'record',
  'demand',
  'resident',
  'layer',
  'blanket',
  'car',
  'hour',
  'device',
  'state',
  'leader',
  'national',
  'guard',
  'welfare',
  'check',
  'resident',
  'state',
  'warming',
  'center',
  'duct',
  'door',
  'window',
  'temperature',
  'drop',
  'layer',
  'clothing',
  'blanket',
  'cat',
  'warmth',
  'chey',
  'louis',
  'irving',
  'pedestrian',
  'road',
  'monday',
  'february',
  'east',
  'austin',
  'texas',
  'customer',
  'dark',
  'texas',
  'tuesday',
  'official',
  'state',
  'answer',
  'ercot',
  'governor',
  'group',
  'handling',
  'pump',
  'jack',
  'permian',
  'basin',
  'midland',
  'texas',
  'u.s',
  'saturday',
  'feb.',
  'freeze',
  'u.s.',
  'specter',
  'power',
  'outage',
  'texas',
  'pressure',
  'energy',
  'price',
  'level',
  'photographer',
  'matthew',
  'busch',
  'bloomberg',
  'getty',
  'images',
  'texas',
  'power',
  'state',
  'electric',
  'reliability',
  'council',
  'texas',
  'hour',
  'texas',
  'gov.',
  'greg',
  'abbott',
  'statement',
  'texans',
  'power',
  'heat',
  'home',
  'state',
  'temperature',
  'winter',
  'weather',
  'resident',
  'barbara',
  'martinez',
  'fireplace',
  'parent',
  'dog',
  'firewood',
  'martinez',
  'goal',
  'today',
  'firewood',
  'official',
  'death',
  'toll',
  'dozen',
  'case',
  'carbon',
  'monoxide',
  'poisoning',
  'houston',
  'police',
  'report',
  'woman',
  'girl',
  'carbon',
  'monoxide',
  'poisoning',
  'car',
  'garage',
  'home',
  'heat',
  'power',
  'person',
  'fort',
  'worth',
  'carbon',
  'monoxide',
  'incident',
  'fire',
  'official',
  'police',
  'car',
  'memorial',
  'drive',
  'houston',
  'texas',
  'morning',
  'monday',
  'february',
  '15th',
  'snow',
  'storm',
  'photo',
  'reginald',
  'mathalone',
  'nurphoto',
  'ap',
  'official',
  'grid',
  'operator',
  'dark',
  'million',
  'power',
  'weather',
  'condition',
  'vehicle',
  'sunday',
  'tuesday',
  'houston',
  'area',
  'police',
  'chief',
  'art',
  'acevedo',
  'addition',
  'carbon',
  'monoxide',
  'death',
  'acevedo',
  'death',
  'person',
  'weather',
  'traffic',
  'fatality',
  'area',
  'problem',
  'water',
  'disruption',
  'water',
  'leak',
  'weather',
  'san',
  'angelo',
  'city',
  'official',
  'boil',
  'water',
  'notice',
  'people',
  'faucet',
  'pipe',
  'water',
  'pressure',
  'supply',
  'concern',
  'citizen',
  'water',
  'official',
  'tweet',
  'city',
  'richardson',
  'worker',
  'kaleb',
  'love',
  'ice',
  'water',
  'fountain',
  'tuesday',
  'richardson',
  'texas',
  'customer',
  'texas',
  'power',
  'wednesday',
  'morning',
  'jordan',
  'orta',
  'cnn',
  'car',
  'tuesday',
  'night',
  'year',
  'son',
  'san',
  'antonio',
  'home',
  'power',
  'son',
  'cnn',
  'decision',
  'car',
  'heater',
  'authority',
  'san',
  'antonio',
  'oxygen',
  'bottle',
  'home',
  'resident',
  'supply',
  'house',
  'dark',
  'gov.',
  'abbott',
  'investigation',
  'ercot',
  'pedestrian',
  'snow',
  'mckinney',
  'texas',
  'u.s.',
  'tuesday',
  'feb.',
  'energy',
  'crisis',
  'u.s.',
  'sign',
  'tuesday',
  'blackout',
  'customer',
  'electricity',
  'refinery',
  'oil',
  'weather',
  'photographer',
  'cooper',
  'neill',
  'bloomberg',
  'getty',
  'images',
  'winter',
  'storm',
  'hammer',
  'business',
  'ercot',
  'ceo',
  'bill',
  'magness',
  'issue',
  'lack',
  'energy',
  'supply',
  'weather',
  'power',
  'facility',
  'ercot',
  'power',
  'outage',
  'system',
  'collapse',
  'outage',
  'demand',
  'system',
  'blackout',
  'people',
  'blackout',
  'blackout',
  'supply',
  'demand',
  'balance',
  'month',
  'people',
  'power',
  'people',
  'propane',
  'tank',
  'tuesday',
  'feb.',
  'houston',
  'temperature',
  'freezing',
  'tuesday',
  'resident',
  'electricity',
  'texas',
  'grid',
  'minute',
  'lawmaker',
  'power',
  'outage',
  'pipe',
  'home',
  'water',
  'plant',
  'abilene',
  'mcmurry',
  'university',
  'campus',
  'resident',
  'water',
  'campus',
  'swimming',
  'pool',
  'toilet',
  'friendswood',
  'sandra',
  'erickson',
  'home',
  'pipe',
  'ceiling',
  'room',
  'hurricane',
  'catastrophe',
  'cnn',
  'shelf',
  'meat',
  'aisle',
  'grocery',
  'store',
  'mckinney',
  'texas',
  'wednesday',
  'customer',
  'texas',
  'power',
  'thursday',
  'improvement',
  'million',
  'power',
  'round',
  'temperature',
  'people',
  'south',
  'freeze',
  'warning',
  'recovery',
  'tally',
  'household',
  'dark',
  'disaster',
  'shape',
  'texas',
  'week',
  'dark',
  'country',
  'infrastructure',
  'people',
  'texas',
  'water',
  'disruption',
  'water',
  'system',
  'reporting',
  'issue',
  'pipe',
  'toby',
  'baker',
  'director',
  'texas',
  'commission',
  'environmental',
  'quality',
  'system',
  'boil',
  'water',
  'advisory',
  'baker',
  'crestview',
  'resident',
  'cnn',
  'snow',
  'balcony',
  'drinking',
  'water',
  'supply',
  'official',
  'food',
  'shortage',
  'situation',
  'texans',
  'grocery',
  'store',
  'shipment',
  'dairy',
  'product',
  'store',
  'shelf',
  'texas',
  'agriculture',
  'commissioner',
  'sid',
  'miller',
  'food',
  'supply',
  'chain',
  'problem',
  'covid-19',
  'fort',
  'worth',
  'resident',
  'philip',
  'shelley',
  'wife',
  'month',
  'daughter',
  'ava',
  'formula',
  'shelley',
  'store',
  'food',
  'food',
  'refrigerator',
  'freezer',
  'food',
  'way',
  'vehicle',
  'southbound',
  'interstate',
  'highway',
  'february',
  'killeen',
  'texas',
  'hit',
  'state',
  'hospital',
  'president',
  'ceo',
  'houston',
  'methodist',
  'dr.',
  'marc',
  'bloom',
  'charge',
  'hospital',
  'houston',
  'area',
  'facility',
  'water',
  'day',
  'hospital',
  'rainwater',
  'toilet',
  'cnn',
  'trinity',
  'river',
  'snow',
  'storm',
  'monday',
  'feb.',
  'fort',
  'worth',
  'texas',
  'blast',
  'winter',
  'weather',
  'u.s.',
  'people',
  'texas',
  'power',
  'yffy',
  'yossifor',
  'star',
  'telegram',
  'ap',
  'snow',
  'flooding',
  'half',
  'state',
  'population',
  'disruption',
  'water',
  'service',
  'pipe',
  'boil',
  'water',
  'advisory',
  'home',
  'business',
  'power',
  'austin',
  'state',
  'capital',
  'water',
  'supply',
  'gallon',
  'pipe',
  'austin',
  'water',
  'director',
  'greg',
  'meszaros',
  'thursday',
  'news',
  'conference',
  'fire',
  'department',
  'thousand',
  'thousand',
  'pipe',
  'meszaros',
  'austin',
  'resident',
  'jenn',
  'studebaker',
  'home',
  'power',
  'water',
  'cnn',
  'week',
  'family',
  'fireplace',
  'chair',
  'bookshelf',
  'wood',
  'water',
  'snow',
  'bathtub',
  'cnn',
  'charles',
  'andrews',
  'neighborhood',
  'waco',
  'texas',
  'february',
  'household',
  'texas',
  'dark',
  'president',
  'joe',
  'biden',
  'disaster',
  'declaration',
  'texas',
  'resource',
  'state',
  'water',
  'disruption',
  'pile',
  'supply',
  'concern',
  'home',
  'business',
  'hospital',
  'disaster',
  'pandemic',
  'texas',
  'hospital',
  'association',
  'spokeswoman',
  'carrie',
  'williams',
  'saturday',
  'morning',
  'people',
  'water',
  'disruption',
  'official',
  'cnn',
  'state',
  'process',
  'recovery',
  'detail',
  'devastation',
  'week',
  'people',
  'sam',
  'club',
  'store',
  'essential',
  'saturday',
  'february',
  'austin',
  'marty',
  'miles',
  'manager',
  'hotel',
  'group',
  'galveston',
  'demand',
  'resident',
  'place',
  'miles',
  'day',
  'power',
  'emergency',
  'generator',
  'water',
  'day',
  'miles',
  'blackout',
  'water',
  'stop',
  'time',
  'hour',
  'thousand',
  'dark',
  'official',
  'hike',
  'customer',
  'energy',
  'bill',
  'result',
  'storm',
  ...],
 ['july',
  'newsoregon',
  'housing',
  'shortagesuperintendent',
  'resortammon',
  'bundyprison',
  'nurse',
  'sasquatch',
  'celebrationsnake',
  'river',
  'sloughwinter',
  'storm',
  'sierra',
  'nevada',
  'usby',
  'staff',
  'associated',
  'press)dec',
  '.',
  'p.m.',
  'dec.',
  'p.m.',
  'image',
  'caltrans',
  'traffic',
  'camera',
  'snow',
  'condition',
  'california',
  'sr-89',
  'snowman',
  'shasta',
  'trinity',
  'national',
  'forest',
  'calif.',
  'saturday',
  'dec.',
  'stretch',
  'california',
  'highway',
  'snow',
  'tahoe',
  'city',
  'south',
  'lake',
  'tahoe',
  'cali',
  '.',
  'highway',
  'patrol',
  'interstate',
  'reno',
  'sacramento',
  'chain',
  'tire',
  'vehicle',
  'caltrans',
  'ap',
  'apa',
  'winter',
  'storm',
  'ski',
  'lift',
  'chair',
  'mountain',
  'highway',
  'sierra',
  'nevada',
  'united',
  'states',
  'plains',
  'mid',
  '-',
  'week',
  'rain',
  'temperature',
  'thank',
  'sponsormarc',
  'chenard',
  'meteorologist',
  'national',
  'weather',
  'service',
  'center',
  'college',
  'park',
  'maryland',
  'week',
  'system',
  'country',
  '”heavy',
  'snow',
  'sierra',
  'nevada',
  'downpour',
  'elevation',
  'flood',
  'watch',
  'sunday',
  'swath',
  'california',
  'nevada',
  'heavenly',
  'ski',
  'resort',
  'lake',
  'tahoe',
  'operation',
  'brunt',
  'storm',
  'saturday',
  'resort',
  'video',
  'lift',
  'chair',
  'gust',
  'mph',
  'kph',
  'reminder',
  'wind',
  'closure',
  'safety',
  'south',
  'mammoth',
  'mountain',
  'inch',
  'cm',
  'snow',
  'saturday',
  'foot',
  'meter',
  'tail',
  'end',
  'system',
  'sierra',
  'thank',
  'sponsorthe',
  'uc',
  'berkeley',
  'central',
  'sierra',
  'snow',
  'lab',
  'soda',
  'springs',
  'california',
  'sunday',
  'morning',
  'inch',
  'cm',
  'hour',
  'span',
  'mile',
  'km',
  'stretch',
  'u.s.',
  'interstate',
  'saturday',
  'visibility',
  'california',
  'town',
  'colfax',
  'nevada',
  'state',
  'line',
  'transportation',
  'official',
  'chain',
  'rest',
  'i-80',
  'route',
  'mountain',
  'reno',
  'sacramento',
  'road',
  'snow',
  'stretch',
  'california',
  'highway',
  'tahoe',
  'city',
  'south',
  'lake',
  'tahoe',
  'highway',
  'patrol',
  'u.s.',
  'forest',
  'service',
  'avalanche',
  'warning',
  'backcountry',
  'mountain',
  'lake',
  'tahoe',
  'foot',
  'snow',
  'wind',
  'avalanche',
  'condition',
  'mph',
  'kph',
  'tree',
  'home',
  'sonoma',
  'county',
  'north',
  'san',
  'francisco',
  'saturday',
  'mph',
  'kph',
  'sierra',
  'ridgetop',
  'sunday',
  'national',
  'weather',
  'service',
  'rain',
  'weekend',
  'san',
  'francisco',
  'sierra',
  'crest',
  'inch',
  'cm',
  'bay',
  'area',
  'inch',
  'cm',
  'grass',
  'valley',
  'sacramento',
  'warning',
  'watch',
  'southern',
  'california',
  'rain',
  'flooding',
  'los',
  'angeles',
  'travel',
  'delay',
  'snow',
  'mountain',
  'road',
  'tejon',
  'pass',
  'grapevine',
  'area',
  'interstate',
  'national',
  'weather',
  'service',
  'la',
  'area',
  'office',
  'statement',
  'forecaster',
  'arizona',
  'winter',
  'storm',
  'arizona',
  'sunday',
  'evening',
  'area',
  'foot',
  'meter',
  'flagstaff',
  'prescott',
  'grand',
  'canyon',
  'temperature',
  'foot',
  'snow',
  'thank',
  'sponsorthanks',
  'sponsoropb',
  'news',
  'culture',
  'northwest',
  'inbox',
  'day',
  'week',
  'emailplease',
  'field',
  'blanksign',
  'uptags',
  'weatheropb',
  'reporting',
  'program',
  'power',
  'member',
  'support',
  'it!become',
  'sustainer',
  'nowtv',
  'radio',
  'schedulessponsorshiphelp\uf013manage',
  'membershipcontact',
  'usnotificationsprivacy',
  'policyfcc',
  'public',
  'filesfcc',
  'applicationsterms',
  'useeditorial',
  'policysms',
  'opb',
  'news',
  'stream',
  'window)streaming',
  'nowour',
  'body',
  'politicshow',
  'switch',
  'stream',
  'stream',
  'opb',
  'newslisten',
  'opb',
  'news',
  'stream',
  'window)kmhdlisten',
  'kmhd',
  'stream',
  'window'],
 ['blood',
  'drive',
  'works',
  'host',
  'blood',
  'drive',
  'urgent',
  'need',
  'volunteer',
  'blizzard',
  'pipe',
  'blizzard',
  'pipe',
  'help',
  'need',
  'help',
  'red',
  'cross',
  'shelter',
  'winter',
  'storm',
  'rain',
  'sleet',
  'snowfall',
  'ice',
  'wind',
  'storm',
  'transportation',
  'heat',
  'power',
  'communication',
  'disruption',
  'school',
  'store',
  'workplace',
  'winter',
  'climate',
  'change',
  'atmosphere',
  'moisture',
  'snowfall',
  'action',
  'home',
  'precaution',
  'word',
  'news',
  'winter',
  'storm',
  'life',
  'winter',
  'condition',
  'hour',
  'blizzard',
  'warning',
  'wind',
  'gust',
  'mile',
  'hour',
  'falling',
  'snow',
  'visibility',
  'quarter',
  'mile',
  'hour',
  'winter',
  'storm',
  'word',
  'wind',
  'chill',
  'temperature',
  'people',
  'animal',
  'wind',
  'increase',
  'heat',
  'body',
  'rate',
  'body',
  'temperature',
  'wind',
  'chill',
  'temperature',
  'temperature',
  'wind',
  'feel',
  'skin',
  'winter',
  'storm',
  'outlook',
  'storm',
  'condition',
  'day',
  'medium',
  'update',
  'winter',
  'storm',
  'watch',
  'storm',
  'condition',
  'hour',
  'winter',
  'storm',
  'plan',
  'weather',
  'condition',
  'advisory',
  'weather',
  'condition',
  'inconvenience',
  'life',
  'winter',
  'storm',
  'indoor',
  'frostbite',
  'hypothermia',
  'winter',
  'season',
  'home',
  'home',
  'cold',
  'insulation',
  'caulking',
  'weather',
  'thermometer',
  'thermostat',
  'temperature',
  'neighbor',
  'adult',
  'baby',
  'plenty',
  'fluid',
  'caffeine',
  'alcohol',
  'travel',
  'nose',
  'ear',
  'cheek',
  'chin',
  'finger',
  'toe',
  'clothing',
  'area',
  'risk',
  'frostbite',
  'wear',
  'layer',
  'clothing',
  'coat',
  'hat',
  'mitten',
  'water',
  'boot',
  'scarf',
  'face',
  'mouth',
  'home',
  'friend',
  'house',
  'library',
  'warming',
  'center',
  'food',
  'water',
  'medicine',
  'winter',
  'storm',
  'store',
  'supply',
  'kit',
  'home',
  'kit',
  'kit',
  'day',
  'supply',
  'battery',
  'charger',
  'device',
  'cell',
  'phone',
  'cpap',
  'wheelchair',
  'home',
  'kit',
  'week',
  'supply',
  'clothing',
  'hat',
  'mitten',
  'blanket',
  'household',
  'access',
  'drinking',
  'water',
  'gallon',
  'drinking',
  'water',
  'person',
  'day',
  'emergency',
  'supply',
  'vehicle',
  'blanket',
  'clothing',
  'aid',
  'kit',
  'boot',
  'month',
  'supply',
  'medication',
  'supply',
  'list',
  'medication',
  'dosage',
  'card',
  'record',
  'copy',
  'snow',
  'shovel',
  'ice',
  'product',
  'walkway',
  'aid',
  'resuscitation',
  'cpr',
  'emergency',
  'service',
  'frostbite',
  'hypothermia',
  'install',
  'smoke',
  'alarm',
  'carbon',
  'monoxide',
  'detector',
  'battery',
  'power',
  'gas',
  'water',
  'pipe',
  'sign',
  'emergency',
  'alert',
  'government',
  'weather',
  'news',
  'battery',
  'way',
  'cell',
  'phone',
  'battery',
  'radio',
  'power',
  'outage',
  'alert',
  'watch',
  'warning',
  'action',
  'support',
  'team',
  'disaster',
  'winter',
  'storm',
  'checklists',
  'fact',
  'sheet',
  'available',
  'multiple',
  'languages',
  'power',
  'outage',
  'checklist',
  'frostbite',
  'hypothermia',
  'winter',
  'storm',
  'safety',
  'checklist',
  'english',
  'winter',
  'storm',
  'safety',
  'checklist',
  'spanish',
  'preparation',
  'tips',
  'family',
  'winter',
  'storm',
  'space',
  'heater',
  'fireplace',
  'fire',
  'fire',
  'foot',
  'meter',
  'heat',
  'candle',
  'fire',
  'risk',
  'battery',
  'light',
  'flashlight',
  'prevent',
  'carbon',
  'monoxide',
  'poisoning',
  'carbon',
  'monoxide',
  'poisoning',
  'power',
  'outage',
  'people',
  'mean',
  'carbon',
  'monoxide',
  'poisoning',
  'generator',
  'grill',
  'camp',
  'stove',
  'window',
  'carbon',
  'monoxide',
  'air',
  'carbon',
  'monoxide',
  'poisoning',
  'home',
  'fire',
  'home',
  'cooking',
  'oven',
  'stove',
  'act',
  'fast',
  'sign',
  'frostbite',
  'hypothermia',
  'frostbite',
  'body',
  'nose',
  'ear',
  'cheek',
  'chin',
  'finger',
  'toe',
  'people',
  'pain',
  'numbness',
  'change',
  'skin',
  'color',
  'frostbite',
  'place',
  'area',
  'water',
  'skin',
  'emergency',
  'care',
  'hypothermia',
  'body',
  'heat',
  'heat',
  'body',
  'temperature',
  'adult',
  'baby',
  'child',
  'people',
  'health',
  'condition',
  'risk',
  'shivering',
  'sign',
  'hypothermia',
  'sign',
  'confusion',
  'drowsiness',
  'speech',
  'hypothermia',
  'emergency',
  'care',
  'place',
  'clothing',
  'body',
  'safe',
  'vehicle',
  'emergency',
  'supply',
  'kit',
  'following',
  'person',
  'blanket',
  'bag',
  'rain',
  'gear',
  'set',
  'clothing',
  'mitten',
  'sock',
  'wool',
  'hat',
  'newspapers',
  'insulation',
  'bag',
  'sanitation',
  'canned',
  'fruit',
  'energy',
  'snack',
  'broth',
  'thermos',
  'bottle',
  'water',
  'cell',
  'phone',
  'battery',
  'plan',
  'daylight',
  'person',
  'destination',
  'route',
  'weather',
  'report',
  'area',
  'sleet',
  'rain',
  'drizzle',
  'fog',
  'vehicle',
  'help',
  'vehicle',
  'assistance',
  'help',
  'yard',
  'meter',
  'display',
  'trouble',
  'sign',
  'help',
  'cloth',
  'radio',
  'antenna',
  'hood',
  'snow',
  'engine',
  'minute',
  'hour',
  'heater',
  'engine',
  'exhaust',
  'pipe',
  'snow',
  'window',
  'ventilation',
  'light',
  'engine',
  'exercise',
  'circulation',
  'hand',
  'arm',
  'leg',
  'person',
  'vehicle',
  'turn',
  'warmth',
  'newspaper',
  'map',
  'floor',
  'mat',
  'body',
  'heat',
  'sign',
  'frostbite',
  'hypothermia',
  'fluid',
  'dehydration',
  'effect',
  'cold',
  'heart',
  'attack',
  'overexertion',
  'snow',
  'vehicle',
  'heart',
  'attack',
  'condition',
  'prevent',
  'thaw',
  'frozen',
  'pipes',
  'pet',
  'storm',
  'frost',
  'bite',
  'hypothermia',
  'safe',
  'winter',
  'storm',
  'caution',
  'ice',
  'power',
  'line',
  'branch',
  'tree',
  'ice',
  'overexertion',
  'snow',
  'break',
  'partner',
  'ice',
  'product',
  'walkway',
  'library',
  'shopping',
  'mall',
  'warming',
  'center',
  'home',
  'lot',
  'feeling',
  'stress',
  'anxiety',
  'food',
  'sleep',
  'stress',
  'disaster',
  'distress',
  'helpline',
  'text',
  'time',
  'family',
  'free',
  'app',
  'family',
  'safe',
  'download',
  'emergency',
  'app',
  'emergency',
  'app',
  'apple',
  'store',
  'google',
  'play',
  'aplicación',
  'de',
  'emergencias',
  'ahora',
  'en',
  'español',
  'también',
  'sign',
  'email',
  'american',
  'red',
  'cross',
  'content',
  'email',
  'list',
  'disaster',
  'alert',
  'preparedness',
  'tip',
  'way',
  'people',
  'disaster',
  'donation',
  'american',
  'national',
  'red',
  'cross',
  'accessibility',
  'terms',
  'use',
  'privacy',
  'policy',
  'contact',
  'faq',
  'mobile',
  'apps',
  'blood',
  'career'],
 ['associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'rain',
  'body',
  'kentucky',
  'mountain',
  'town',
  'louisville',
  'ky.',
  'ap',
  'round',
  'rainstorm',
  'kentucky',
  'mountain',
  'community',
  'monday',
  'body',
  'landscape',
  'governor',
  'wind',
  'threat',
  'tree',
  'utility',
  'pole',
  'gov.',
  'andy',
  'beshear',
  'death',
  'toll',
  'people',
  'day',
  'nation',
  'region',
  'foot',
  'rain',
  'water',
  'hillside',
  'valley',
  'hollow',
  'town',
  'mudslide',
  'people',
  'slope',
  'beshear',
  'cellphone',
  'service',
  'cell',
  'service',
  'lot',
  'people',
  'people',
  'story',
  'sentencing',
  'arizona',
  'mother',
  'murder',
  'child',
  'abuse',
  'starvation',
  'son',
  'bluffing',
  'putin',
  'deployment',
  'weapon',
  'belarus',
  'saber',
  'england',
  'home',
  'crowd',
  'women',
  'world',
  'cup',
  'australia',
  'radar',
  'inch',
  'centimeter',
  'rain',
  'sunday',
  'national',
  'weather',
  'service',
  'shower',
  'thunderstorm',
  'flash',
  'flooding',
  'tuesday',
  'morning',
  'thing',
  'people',
  'region',
  'rain',
  'beshear',
  'monday',
  'capitol',
  'frankfort',
  'wind',
  'ground',
  'wind',
  'pole',
  'tree',
  'people',
  '”an',
  'heat',
  'wave',
  'rain',
  'governor',
  'people',
  'point',
  'campbell',
  'president',
  'letcher',
  'funeral',
  'home',
  'whitesburg',
  'burial',
  'arrangement',
  'people',
  'people',
  'community',
  'town',
  'mile',
  'kilometer',
  'southeast',
  'lexington',
  '”his',
  'funeral',
  'home',
  'year',
  'woman',
  'heart',
  'attack',
  'home',
  'water',
  'campbell',
  'boyfriend',
  'monday',
  'family',
  'husband',
  'wife',
  '70',
  'people',
  'magnitude',
  'loss',
  'word',
  '”campbell',
  'year',
  'grandmother',
  'home',
  'neighbor',
  'house',
  'photo',
  'utility',
  'customer',
  'power',
  'people',
  'shelter',
  'flood',
  'week',
  'inch',
  'centimeter',
  'rain',
  'hour',
  'kentucky',
  'west',
  'virginia',
  'virginia',
  'disaster',
  'string',
  'deluge',
  'u.s.',
  'summer',
  'st.',
  'louis',
  'scientist',
  'climate',
  'change',
  'event',
  'curfew',
  'response',
  'report',
  'community',
  'breathitt',
  'county',
  'city',
  'hindman',
  'knott',
  'county',
  'breathitt',
  'county',
  'countywide',
  'curfew',
  'p.m.',
  'a.m.',
  'exception',
  'emergency',
  'vehicle',
  'responder',
  'people',
  'work',
  'curfew',
  'looting',
  'friend',
  'neighbor',
  'county',
  'attorney',
  'brendon',
  'miller',
  'facebook',
  'post',
  'breathitt',
  'county',
  'sheriff',
  'john',
  'hollan',
  'curfew',
  'decision',
  'report',
  'looting',
  'people',
  'property',
  'home',
  'arrest',
  'hindman',
  'mayor',
  'tracy',
  'neice',
  'sunset',
  'sunrise',
  'curfew',
  'looting',
  'television',
  'station',
  'wymt',
  'curfew',
  'place',
  'notice',
  'official',
  'week',
  'flooding',
  'west',
  'virginia',
  'virginia',
  'president',
  'joe',
  'biden',
  'disaster',
  'relief',
  'money',
  'county',
  'federal',
  'emergency',
  'management',
  'agency',
  'relief',
  'effort',
  'university',
  'kentucky',
  'man',
  'basketball',
  'team',
  'practice',
  'tuesday',
  'rupp',
  'arena',
  'charity',
  'telethon',
  'coach',
  'john',
  'calipari',
  'player',
  'idea',
  'team',
  'calipari',
  'said.___associated',
  'press',
  'writer',
  'dylan',
  'lovan',
  'louisville',
  'kentucky',
  'gary',
  'b.',
  'graves',
  'lexington',
  'kentucky',
  'mike',
  'pesoli',
  'national',
  'guard',
  'leah',
  'willingham',
  'charleston',
  'west',
  'virginia',
  'julie',
  'walker',
  'new',
  'york',
  'city',
  'report',
  'associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights'],
 ['wisconsin',
  'increase',
  'weather',
  'climate',
  'change',
  'wisconsin',
  'risk',
  'fiona',
  'hatch',
  'apr',
  'share',
  'tweet',
  'madison',
  'resident',
  'way',
  'weather',
  'cardboard',
  'box',
  'umbrella',
  'weather',
  'occurrence',
  'midwest',
  'spring',
  'winter',
  'state',
  'wisconsin',
  'risk',
  'number',
  'weather',
  'disaster',
  'spring',
  'summer',
  'flooding',
  'heat',
  'wave',
  'fire',
  'warning',
  'tornado',
  'threat',
  'state',
  'wisconsin',
  'minnesota',
  'iowa',
  'illinois',
  'tornado',
  'nation',
  'badger',
  'state',
  'competitor',
  'national',
  'weather',
  'service',
  'tornado',
  'rate',
  'tornado',
  'year',
  'fall',
  'winter',
  'wisconsin',
  'blizzard',
  'condition',
  'temperature',
  'danger',
  'wisconsin',
  'winter',
  'storm',
  'season',
  'ice',
  'storm',
  'year',
  'effect',
  'storm',
  'term',
  'consequence',
  'resident',
  'roof',
  'damage',
  'bus',
  'delay',
  'increase',
  'house',
  'fungus',
  'flood',
  'spring',
  'crop',
  'animal',
  'population',
  'source',
  'income',
  'portion',
  'wisconsin',
  'population',
  'wisconsinite',
  'spike',
  'temperature',
  'flash',
  'flooding',
  'snow',
  'rainbowland',
  'controversy',
  'inclusivity',
  'acceptance',
  'schoolelementary',
  'schooler',
  'heyer',
  'elementary',
  'school',
  'waukesha',
  'wisconsin',
  'rainbowland',
  'song',
  'read',
  'weather',
  'threat',
  'wisconsin',
  'face',
  'wind',
  'hail',
  'dane',
  'county',
  'county',
  'weather',
  'threat',
  'kind',
  'city',
  'madison',
  'resident',
  'effect',
  'wisconsin',
  'weather',
  'climate',
  'change',
  'weather',
  'pattern',
  'world',
  'wisconsin',
  'disaster',
  'tornado',
  'air',
  'temperature',
  'climate',
  'change',
  'weather',
  'condition',
  'state',
  'risk',
  'wildfire',
  'weather',
  'wisconsin',
  'madison',
  'city',
  'wisconsin',
  'population',
  'portion',
  'city',
  'resident',
  'housing',
  'insecurity',
  'night',
  'homeless',
  'service',
  'consortium',
  'dane',
  'county',
  'people',
  'homelessness',
  'housing',
  'crisis',
  'wisconsin',
  'capital',
  'city',
  'number',
  'housing',
  'resident',
  'governor',
  'pardon',
  'prison',
  'prison',
  'system',
  'source',
  'debate',
  'controversy',
  'state',
  'jail',
  'read',
  'resident',
  'place',
  'weather',
  'life',
  'death',
  'situation',
  'time',
  'people',
  'vortex',
  'income',
  'crisis',
  'government',
  'wisconsin',
  'shelter',
  'shelter',
  'weather',
  'condition',
  'madison',
  'size',
  'population',
  'effort',
  'area',
  'initiative',
  'resident',
  'land',
  'source',
  'income',
  'agriculture',
  'livestock',
  'weather',
  'condition',
  'wisconsin',
  'population',
  'effect',
  'weather',
  'point',
  'counterpoint',
  'decison',
  'wisconsin',
  'secretary',
  'longtime',
  'wisconsin',
  'secretary',
  'state',
  'doug',
  'lafollette',
  'position',
  'gov.',
  'tony',
  'evers',
  'sarah',
  'godlewski',
  'read',
  'homeowner',
  'renter',
  'risk',
  'weather',
  'strike',
  'home',
  'apartment',
  'damage',
  'weather',
  'consequence',
  'roof',
  'damage',
  'hail',
  'storm',
  'flooding',
  'rainfall',
  'loss',
  'shelter',
  'tornado',
  'fire',
  'home',
  'renter',
  'insurance',
  'cost',
  'repair',
  'loss',
  'wisconsin',
  'research',
  'construction',
  'initiative',
  'building',
  'weather',
  'event',
  'wisconsin',
  'effect',
  'climate',
  'weather',
  'year',
  'city',
  'madison',
  'impact',
  'infrastructure',
  'resident',
  'risk',
  'effect',
  'state',
  'action',
  'shelter',
  'resident',
  'way',
  'fiona',
  'hatch',
  'email',
  'science',
  'study',
  'article',
  'apr',
  'apr',
  'climate',
  'change',
  'fire',
  'protection',
  'community',
  'housing',
  'insecurity',
  'shelter',
  'weather',
  'tornado',
  'reply',
  'cancel',
  'replyyou',
  'comment',
  'attack',
  'uw',
  'system',
  'dei',
  'initiative',
  'student',
  'danger',
  'republicans',
  'funding',
  'uw',
  'system',
  'threat',
  'dei',
  'initiative',
  'college',
  'campus',
  'community',
  'risk',
  'corporate',
  'pride',
  'collection',
  'activism',
  'company',
  'support',
  'community',
  'backing',
  'badger',
  'herald',
  'editorial',
  'board',
  'uw',
  'community',
  'action',
  'student',
  'release',
  'video',
  'badger',
  'herald',
  'editorial',
  'board',
  'support',
  'black',
  'community',
  'uw',
  'effort',
  'ableism',
  'inaccessibility',
  'prevail',
  'field',
  'journalism',
  'stride',
  'aspect',
  'diversity',
  'journalism',
  'ableism',
  'space',
  'reporter',
  'uw',
  'madison',
  'premier',
  'independent',
  'student',
  'newspaper',
  'content',
  'badger',
  'herald'],
 ['main',
  'contentskip',
  'wall',
  'street',
  'journalenglish',
  'editionenglish中文',
  'chinese)日本語',
  'japanese)print',
  'headlinesmore',
  'products',
  'wsjbuy',
  'wsjwsj',
  'americamiddle',
  'eastsectionseconomymoreworld',
  'videou.s.sectionseconomylawpoliticsmoreu.s.',
  'videowhat',
  'news',
  'podcastpoliticsmorepolitics',
  'probankruptcycentral',
  'bankingprivate',
  'equityventure',
  'capitalmoreeconomic',
  'forecasting',
  'surveyeconomy',
  'videosectionscapital',
  'reportsthe',
  'future',
  'everythingobituariestech',
  'defenseautos',
  'transportationcommercial',
  'real',
  'estateconsumer',
  'productsenergyentrepreneurshipfinancial',
  'servicesfood',
  'serviceshealth',
  'carehospitalitylawmanufacturingmedia',
  'marketingnatural',
  'resourcesretailc',
  'suitecfo',
  'journalcio',
  'journalcmo',
  'todaylogistics',
  'reportrisk',
  'compliancethe',
  'workplace',
  'reportcolumnsheard',
  'streetwsj',
  'probankruptcycentral',
  'businessventure',
  'capitalmorebusiness',
  'videobusiness',
  'podcastspace',
  'sciencetechsectionscio',
  'journalthe',
  'future',
  'everythingpersonal',
  'techcolumnschristopher',
  'mimsjoanna',
  'sternjulie',
  'jargonnicole',
  'videotech',
  'podcastmarketssectionsbondscommercial',
  'real',
  'estatecommodities',
  'futuresstockspersonal',
  'financewsj',
  'moneystreetwiseintelligent',
  'investorcolumnsheard',
  'streetgreg',
  'ipjason',
  'zweiglaura',
  'saundersjames',
  'mackintoshmarket',
  'datamarket',
  'data',
  'homeu.s.',
  'ratesmutual',
  'funds',
  'journalmarkets',
  'videoyour',
  'money',
  'briefing',
  'podcastsecrets',
  'wealthy',
  'women',
  'podcastsearch',
  'quotes',
  'bakersadanand',
  'dhumeallysia',
  'finleyjames',
  'freemanwilliam',
  'a.',
  'galstondaniel',
  'henningerholman',
  'w.',
  'jenkinsandy',
  'kesslerwilliam',
  'mcgurnwalter',
  'russell',
  'meadpeggy',
  'noonanmary',
  'anastasia',
  "o'gradyjason",
  'rileyjoseph',
  'sternbergkimberley',
  'a.',
  'strasselmoreeditorialscommentaryfuture',
  'viewhouses',
  'worshipcross',
  'countryletters',
  'editorthe',
  'weekend',
  'interviewpotomac',
  'podcastforeign',
  'edition',
  'podcastfree',
  'expression',
  'podcastopinion',
  'videonotable',
  'quotablebooks',
  'artsreviewsfilmtelevisiontheatermasterpiece',
  'seriesmusicdanceoperaexhibitioncultural',
  'commentaryartarchitecturesectionsartsbooksmorewsj',
  'puzzleswhat',
  'watcharts',
  'calendarreal',
  'real',
  'estatemorereal',
  'estate',
  'videolife',
  'worksectionscarscareersfood',
  'drinkhome',
  'designideaspersonal',
  'financerecipestravelwellnesscolumnsyour',
  'healthwork',
  'lifecarry',
  'onbondsturning',
  'pointson',
  'clockmorewsj',
  'puzzlesspace',
  'sciencestylesectionslifestylefashionfilmtelevisionmusicart',
  'monday',
  'morningoff',
  'brandon',
  'trendsportssectionsbaseballbasketballfootballgolfhockeyolympicssoccertenniscolumnsjason',
  'gaysearchhomeworldregionsafricaasiacanadachinaeuropelatin',
  'americamiddle',
  'eastsectionseconomymoreworld',
  'videou.s.sectionseconomylawpoliticsmoreu.s.',
  'videowhat',
  'news',
  'podcastpoliticsmorepolitics',
  'probankruptcycentral',
  'bankingprivate',
  'equityventure',
  'capitalmoreeconomic',
  'forecasting',
  'surveyeconomy',
  'videosectionscapital',
  'reportsthe',
  'future',
  'everythingobituariestech',
  'defenseautos',
  'transportationcommercial',
  'real',
  'estateconsumer',
  'productsenergyentrepreneurshipfinancial',
  'servicesfood',
  'serviceshealth',
  'carehospitalitylawmanufacturingmedia',
  'marketingnatural',
  'resourcesretailc',
  'suitecfo',
  'journalcio',
  'journalcmo',
  'todaylogistics',
  'reportrisk',
  'compliancethe',
  'workplace',
  'reportcolumnsheard',
  'streetwsj',
  'probankruptcycentral',
  'businessventure',
  'capitalmorebusiness',
  'videobusiness',
  'podcastspace',
  'sciencetechsectionscio',
  'journalthe',
  'future',
  'everythingpersonal',
  'techcolumnschristopher',
  'mimsjoanna',
  'sternjulie',
  'jargonnicole',
  'videotech',
  'podcastmarketssectionsbondscommercial',
  'real',
  'estatecommodities',
  'futuresstockspersonal',
  'financewsj',
  'moneystreetwiseintelligent',
  'investorcolumnsheard',
  'streetgreg',
  'ipjason',
  'zweiglaura',
  'saundersjames',
  'mackintoshmarket',
  'datamarket',
  'data',
  'homeu.s.',
  'ratesmutual',
  'funds',
  'journalmarkets',
  'videoyour',
  'money',
  'briefing',
  'podcastsecrets',
  'wealthy',
  'women',
  'podcastsearch',
  'quotes',
  'bakersadanand',
  'dhumeallysia',
  'finleyjames',
  'freemanwilliam',
  'a.',
  'galstondaniel',
  'henningerholman',
  'w.',
  'jenkinsandy',
  'kesslerwilliam',
  'mcgurnwalter',
  'russell',
  'meadpeggy',
  'noonanmary',
  'anastasia',
  "o'gradyjason",
  'rileyjoseph',
  'sternbergkimberley',
  'a.',
  'strasselmoreeditorialscommentaryfuture',
  'viewhouses',
  'worshipcross',
  'countryletters',
  'editorthe',
  'weekend',
  'interviewpotomac',
  'podcastforeign',
  'edition',
  'podcastfree',
  'expression',
  'podcastopinion',
  'videonotable',
  'quotablebooks',
  'artsreviewsfilmtelevisiontheatermasterpiece',
  'seriesmusicdanceoperaexhibitioncultural',
  'commentaryartarchitecturesectionsartsbooksmorewsj',
  'puzzleswhat',
  'watcharts',
  'calendarreal',
  'real',
  'estatemorereal',
  'estate',
  'videolife',
  'worksectionscarscareersfood',
  'drinkhome',
  'designideaspersonal',
  'financerecipestravelwellnesscolumnsyour',
  'healthwork',
  'lifecarry',
  'onbondsturning',
  'pointson',
  'clockmorewsj',
  'puzzlesspace',
  'sciencestylesectionslifestylefashionfilmtelevisionmusicart',
  'monday',
  'morningoff',
  'brandon',
  'trendsportssectionsbaseballbasketballfootballgolfhockeyolympicssoccertenniscolumnsjason',
  'gaysearchsearch',
  'foundwe',
  'page',
  'url',
  'browser',
  'page',
  'site',
  'search',
  'articles',
  'u.s.hunter',
  'biden',
  'tax',
  'charges',
  'u.s.',
  'economyfed',
  'set',
  'rate',
  'year',
  'u.s.',
  'economyfederal',
  'reserve',
  'interest',
  'rate',
  'year',
  'highpopular',
  'videosvideo',
  'center',
  'na',
  'natpkgcongress',
  'ufo',
  'expert',
  'uaps',
  'pose',
  'potential',
  'national',
  'security',
  'threat',
  'na',
  'sothunter',
  'biden',
  'tax',
  'charge',
  'delaware',
  'federal',
  'courtlatest',
  'podcastspodcast',
  'centeropinion',
  'potomac',
  'watchamerica',
  'broken',
  'immigration',
  'law',
  'court',
  'againthe',
  'wall',
  'street',
  'journal',
  'google',
  'news',
  'updatefed',
  'rate',
  'year',
  'highwhat',
  'newsfed',
  'rate',
  'year',
  'highthe',
  'wall',
  'street',
  'journalenglish',
  'editionenglish中文',
  'chinese)日本語',
  'wsj',
  'membershipbuy',
  'exclusivessubscription',
  'optionswhy',
  'subscribe?corporate',
  'subscriptionswsj',
  'higher',
  'education',
  'programwsj',
  'high',
  'school',
  'programpublic',
  'library',
  'programwsj',
  'livecommercial',
  'partnershipscustomer',
  'servicecustomer',
  'centercontact',
  'uscancel',
  'subscriptiontools',
  'featuresnewsletters',
  'alertsguidestopicsmy',
  'newsrss',
  'feedsvideo',
  'real',
  'estate',
  'adsplace',
  'classified',
  'adsell',
  'businesssell',
  'homerecruitment',
  'career',
  'adscouponsdigital',
  'self',
  'servicemoreabout',
  'uscontent',
  'partnershipscorrectionsjobs',
  'archiveregister',
  'freereprints',
  'licensingbuy',
  'issueswsj',
  'shopfacebooktwitterinstagramyoutubepodcastssnapchatgoogle',
  'playapp',
  'storedow',
  'jones',
  "productsbarron'sbigchartsdow",
  'jones',
  'newswiresfactivafinancial',
  'newsmansion',
  'globalmarketwatchrisk',
  'compliancebuy',
  'wsjwsj',
  'prowsj',
  'wineupdated',
  'privacy',
  'noticeupdated',
  'cookie',
  'noticecopyright',
  'policydata',
  'policysubscriber',
  'agreement',
  'terms',
  'useyour',
  'ad',
  'choicesaccessibilitycopyright',
  'dow',
  'jones',
  'company',
  'inc.',
  'rights'],
 ['accessibility',
  'contentdemocracy',
  'darknesssign',
  'article',
  'year',
  'agothe',
  'washington',
  'postdemocracy',
  'darknesscapital',
  'weather',
  'gangthere',
  'percent',
  'chance',
  'rain',
  'storm',
  'tornado',
  'meteorologist',
  'kansas',
  'storm',
  'matthew',
  'cappuccijuly',
  'p.m.',
  'edta',
  'tornado',
  'seward',
  'county',
  'kansas',
  'wednesday',
  'david',
  'hardy',
  'comment',
  'storycommentgift',
  'articleshareon',
  'wednesday',
  'thunderstorm',
  'mile',
  'sky',
  'kansas',
  'downpour',
  'hail',
  'size',
  'golf',
  'ball',
  'tennis',
  'ball',
  'tornado',
  'storm',
  'wpget',
  'experience',
  'event',
  'day',
  'national',
  'weather',
  'service',
  'storm',
  'prediction',
  'center',
  'thunderstorm',
  'outlook',
  'risk',
  'storm',
  'national',
  'weather',
  'service',
  'office',
  'wall',
  'wall',
  'sunshine',
  'percent',
  'chance',
  'rain',
  'supercell',
  'thunderstorm',
  'storm',
  'chaser',
  'kansas',
  'maybut',
  'atmosphere',
  'forecast',
  'p.m.',
  'thunderstorm',
  'foot',
  'pair',
  'thunderstorm',
  'storm',
  'cell',
  'southernmost',
  'tornado',
  'p.m.',
  'advertisementthe',
  'national',
  'weather',
  'service',
  'phone',
  'ef1',
  'tornado',
  'scale',
  'twister',
  'intensity',
  'ef1s',
  'wind',
  'speed',
  'mph',
  'bill',
  'turner',
  'forecaster',
  'national',
  'weather',
  'service',
  'office',
  'dodge',
  'city',
  'kan.',
  'forecastkansa',
  'wednesday',
  'morning',
  'weather',
  'outlook',
  'storm',
  'prediction',
  'center',
  'weather',
  'texas',
  'tornado',
  'threat',
  'percent',
  'area',
  'center',
  'threat',
  'category',
  'cumulus',
  'field',
  'supercell',
  'tonight',
  'kansas',
  'pic.twitter.com/8r97l79rmi',
  'dakota',
  'smith',
  '@weatherdak',
  'july',
  'weather',
  'science',
  'surprise',
  'turner',
  'ingredient',
  'place',
  'storm',
  'case',
  'day',
  'summertime',
  'triggering',
  'mechanism',
  'reason',
  'advertisement“we',
  'confidence',
  'turner',
  'afternoontime',
  'core',
  'pic.twitter.com/7sue7jlgad',
  'honkey',
  '@pinchehonkey',
  'july',
  'turner',
  'wednesday',
  'morning',
  'forecast',
  'shift',
  'colleague',
  'atmosphere',
  'availability',
  'fuel',
  'storm',
  'summertime',
  'day',
  'sky',
  'pit',
  'firewood',
  'kindling',
  'match',
  'office',
  'area',
  'forecast',
  'discussion',
  'meteorologist',
  'rogue',
  'storm',
  'medicine',
  'lodge',
  'pratt',
  'mile',
  'focus',
  'temperature',
  'storm',
  'p.m.',
  'southernmost',
  'rotation',
  'seward',
  'county',
  'kansas',
  'tornado',
  'warning',
  'tornado',
  'p.m.',
  'advertisementdevin',
  'hardy',
  'storm',
  'chaser',
  'kansas',
  'home',
  'photo',
  'funnel',
  'sky',
  'dinner',
  'lightning',
  'area',
  'alert',
  'phone',
  'hardy',
  'twitter',
  'message',
  'radar',
  'catch',
  'example',
  'place',
  'time',
  'pic.twitter.com/cgcdr5gob1',
  'honkey',
  '@pinchehonkey',
  'july',
  'meteorologist',
  'head',
  'forecast',
  'environment',
  'trigger',
  'cloud',
  'tornado',
  'turner',
  'boundary',
  'temperature',
  'change',
  'distance',
  'convergence',
  'surface',
  'storm',
  '“we',
  'stratus',
  'cloud',
  'yesterday',
  'morning',
  'stratocumulus',
  'turner',
  'guess',
  'heating',
  'boundary',
  'tornado',
  'ground',
  'minute',
  'damage',
  'journey',
  'tornado',
  'ef1',
  'rating',
  'challenge',
  'lack',
  'structure',
  'damage',
  'indicator',
  'turner',
  '”the',
  'rating',
  'storm',
  'clash',
  'irrigation',
  'sprinkler',
  '“the',
  'thing',
  'seward',
  'county',
  'wheat',
  'dirt',
  'turner',
  'damage',
  'irrigation',
  'sprinkler',
  'damage',
  'report',
  'mph',
  'one].”a',
  'year',
  'kansasin',
  'addition',
  'wednesday',
  'tornado',
  'kansas',
  'tornado',
  'season',
  'week',
  'june',
  'july',
  'heat',
  'air',
  'masse',
  'jet',
  'stream',
  'wind',
  'energy',
  'tornado',
  'advertisementthis',
  'year',
  'kansas',
  'tornado',
  'season',
  'record',
  'tornado',
  'dodge',
  'city',
  'office',
  'forecast',
  'area',
  'year',
  'place',
  'twister',
  'county',
  'warning',
  'area',
  'tornado',
  'picture',
  'turner',
  'supercell',
  'ground',
  'minute',
  '”supercells',
  'thunderstorm',
  'updraft',
  '“we',
  'ton',
  'supercell',
  'year',
  'tornado',
  'production',
  'turner',
  'storm',
  'instability',
  'thing',
  'month',
  'thunderstorm',
  'kansas',
  'wind',
  'dynamic',
  'thunderstorm',
  'buildup',
  'instability',
  'time',
  'year',
  'season',
  'storm',
  'chaser',
  'ton',
  '[',
  'instability',
  'evapotranspiration',
  'turner',
  'process',
  'plant',
  'moisture',
  'air',
  'boundary',
  'storm',
  'day',
  'storm',
  'thursday',
  'tennessee',
  'tornado',
  'death',
  'toll',
  'lack',
  'warning',
  'awareness',
  'readiness',
  'commentsgift',
  'articlegift',
  'articleloading',
  'view',
  'more2023',
  'heat',
  'tracker1690',
  'degree',
  'day',
  'faraverage',
  'year',
  'date23yearly',
  'average40record',
  'most67',
  'fewest7',
  'year38top',
  'analysis',
  'hill',
  'white',
  'housejudge',
  'brake',
  'hunter',
  'biden',
  'pleagiuliani',
  'statement',
  'georgia',
  'election',
  'workersas',
  'inflation',
  'gop',
  'attack',
  'biden',
  'economyrefreshtry',
  'account',
  'preferencestweet',
  'post',
  'newsroom',
  'policies',
  'standards',
  'diversity',
  'inclusion',
  'careers',
  'media',
  'community',
  'relations',
  'wp',
  'creative',
  'group',
  'accessibility',
  'statement',
  'postgift',
  'subscriptions',
  'mobile',
  'apps',
  'newsletters',
  'alerts',
  'washington',
  'post',
  'live',
  'reprints',
  'permissions',
  'post',
  'store',
  'books',
  'e',
  '-',
  'book',
  'newspaper',
  'education',
  'print',
  'archives',
  'subscribers',
  'today',
  'paper',
  'public',
  'notices',
  'contact',
  'uscontact',
  'newsroom',
  'contact',
  'customer',
  'care',
  'contact',
  'opinions',
  'team',
  'advertise',
  'licensing',
  'syndication',
  'request',
  'correction',
  'news',
  'tip',
  'report',
  'vulnerability',
  'terms',
  'usedigital',
  'products',
  'terms',
  'sale',
  'print',
  'products',
  'term',
  'sale',
  'terms',
  'service',
  'privacy',
  'policy',
  'cookie',
  'settings',
  'submissions',
  'discussion',
  'policy',
  'rss',
  'terms',
  'service',
  'ad',
  'choices',
  'washington',
  'postwashingtonpost.com',
  'washington',
  'postabout',
  'post',
  'contact',
  'newsroom',
  'contact',
  'customer',
  'care',
  'request',
  'correction',
  'news',
  'tip',
  'report',
  'vulnerability',
  'download',
  'washington',
  'post',
  'app',
  'policies',
  'standards',
  'terms',
  'service',
  'privacy',
  'policy',
  'cookie',
  'settings',
  'print',
  'products',
  'terms',
  'sale',
  'digital',
  'products',
  'terms',
  'sale',
  'submissions',
  'discussion',
  'policy',
  'rss',
  'terms',
  'service',
  'ad',
  'choice'],
 ['bbc',
  'homepageskip',
  'helpyour',
  'accounthomenewssportreelworklifetravelfuturemore',
  'menumore',
  'bbchomenewssportreelworklifetravelfutureculturemusictvweathersoundsclose',
  'newsmenuhomewar',
  'ukraineclimatevideoworldus',
  'canadaukbusinesstechsciencemoreentertainment',
  'artshealthin',
  'picturesbbc',
  'verifyworld',
  'news',
  'tvnewsbeatus',
  'canadawinter',
  'storm',
  'north',
  'america',
  'blizzard',
  'heat',
  'februaryshareclose',
  'video',
  'video',
  'javascript',
  'browser',
  'medium',
  'caption',
  'northern',
  'snowfall',
  'decadesby',
  'chloe',
  'kim',
  'nadine',
  'yousifbbc',
  'newsa',
  'winter',
  'storm',
  'disruption',
  'country',
  'brace',
  'record',
  'temperature',
  'wednesday',
  'people',
  'state',
  'winter',
  'weather',
  'alert',
  'blizzard',
  'dakotas',
  'minnesota',
  'wisconsin',
  'school',
  'business',
  'temperature',
  'washington',
  'dc',
  'year',
  'record',
  'record',
  'temperature',
  'wind',
  'mph',
  'km/h',
  'wind',
  'chill',
  'image',
  'source',
  'getty',
  'imagesin',
  'northern',
  'state',
  'forecast',
  'ft',
  'cm',
  'snow',
  'area',
  'snowfall',
  'year',
  'minnesota',
  'governor',
  'tim',
  'walz',
  'national',
  'guard',
  'motorist',
  'blizzard',
  'condition',
  'state',
  'record',
  'snowfall',
  'official',
  'forecaster',
  'storm',
  'system',
  'mile',
  'nebraska',
  'new',
  'hampshire',
  'flight',
  'result',
  'storm',
  'la',
  'meteorologist',
  'blizzard',
  'weather',
  'los',
  'angeles',
  'california',
  'blizzard',
  'warning',
  'snow',
  'wind',
  'mph',
  'mountain',
  'foothill',
  'ventura',
  'los',
  'angeles',
  'county',
  'california',
  'resident',
  'snow',
  'mountain',
  'daniel',
  'swain',
  'climate',
  'scientist',
  'university',
  'california',
  'los',
  'angeles',
  'wednesday',
  'night',
  'temperature',
  '-9f',
  'montana',
  'image',
  'source',
  'getty',
  'imagesrecord',
  'temperature',
  'toomeanwhile',
  'temperature',
  'time',
  'year',
  'wednesday',
  'mcallen',
  'texas',
  '95f.',
  'heat',
  'wednesday',
  'lexington',
  'kentucky',
  'nashville',
  'tennessee',
  'record',
  'century',
  'cincinnati',
  'indianapolis',
  'atlanta',
  'city',
  'record',
  'high',
  'washington',
  'dc',
  '80f',
  'thursday',
  'record',
  'set',
  'florida',
  'new',
  'orleans',
  'louisiana',
  'winter',
  'pattern',
  'temperature',
  'temperature',
  'climate',
  'scientist',
  'andrew',
  'kruczkiewicz',
  'researcher',
  'columbia',
  'university',
  'bbc',
  'news',
  'twitter',
  'post',
  'browser',
  'javascript',
  'browser',
  'view',
  'content',
  'twitterthe',
  'bbc',
  'content',
  'site',
  'twitter',
  'post',
  'mark',
  'follmanallow',
  'twitter',
  'article',
  'content',
  'twitter',
  'permission',
  'cookie',
  'technology',
  'twitterâ\x80\x99s',
  'cookie',
  'policy',
  'privacy',
  'policy',
  'content',
  'continueâ\x80\x99.accept',
  'bbc',
  'content',
  'site',
  'end',
  'twitter',
  'post',
  'mark',
  'follmancanada',
  'effect',
  'winter',
  'stormlarge',
  'country',
  'weather',
  'alert',
  'toronto',
  'cm',
  'snow',
  'ice',
  'pellet',
  'rain',
  'winter',
  'storm',
  'flight',
  'air',
  'canada',
  'quarter',
  'flight',
  'wednesday',
  'afternoon',
  'country',
  'record',
  'temperature',
  'february',
  'toronto',
  'ice',
  'build',
  'result',
  'snap',
  'alberta',
  'prairie',
  'warning',
  'temperature',
  'region',
  '-40f',
  '-40c',
  'range',
  'wind',
  'chill',
  'video',
  'video',
  'javascript',
  'browser',
  'medium',
  'caption',
  'winter',
  'stormcheck',
  'weather',
  'airport',
  'flightsnational',
  'weather',
  'service',
  'zip',
  'code',
  'watch',
  'alert',
  'usgovernment',
  'canada',
  'weather',
  'forecast',
  'alert',
  'weather',
  'weather',
  'weather',
  'forecast',
  'area',
  'breakdown',
  'day',
  'lookahead',
  'winter',
  'storm',
  'experience',
  'haveyoursay@bbc.co.uk',
  'contact',
  'number',
  'bbc',
  'journalist',
  'touch',
  'way',
  'whatsapp',
  '+44',
  'picture',
  'videoplease',
  'term',
  'condition',
  'privacy',
  'policy',
  'page',
  'form',
  'version',
  'bbc',
  'website',
  'question',
  'comment',
  'haveyoursay@bbc.co.uk',
  'age',
  'location',
  'submission',
  'topicssnowunited',
  'statessevere',
  'weathermore',
  'week',
  'weatherpublished21',
  'februaryla',
  'meteorologist',
  'blizzard',
  'warningspublished22',
  'februarytop',
  'storiesniger',
  'soldier',
  'coup',
  'tvpublished1',
  'hour',
  'singer',
  'sinãad',
  "o'connor",
  'hour',
  'agohow',
  'ukraine',
  'offensive',
  'south',
  'hour',
  'agofeaturessinãad',
  "o'connor",
  'obituary',
  'talent',
  'comparehow',
  'sinãad',
  "o'connor",
  'uhow',
  'ukraine',
  'offensive',
  'south',
  'stutteredn',
  'koreaâ\x80\x99s',
  'prisoner',
  'war',
  'plot',
  'flame',
  'buddha',
  'china',
  'videowatch',
  'flame',
  'buddha',
  'chinathe',
  'claim',
  'india',
  'violenceputin',
  'leader',
  'star',
  'role?can',
  'india',
  'chip',
  'powerhouse?world',
  'city',
  'bbcthe',
  'way',
  'homeswhy',
  'brand',
  'mediathe',
  'film',
  'usmost',
  'read1irish',
  'singer',
  'sinãad',
  "o'connor",
  'family',
  "grid'3how",
  'ukraine',
  'offensive',
  'south',
  'stuttered4niger',
  'soldier',
  'coup',
  'national',
  'tv5alien',
  'congress',
  'biden',
  'plea',
  'deal',
  'apart7mastercard',
  'bank',
  'debit',
  'weed8sinãad',
  "o'connor",
  'obituary',
  'talent',
  'koreaâ\x80\x99s',
  'prisoner',
  'war',
  'plot',
  'toy',
  'maker',
  'movie',
  'sale',
  'news',
  'mobileon',
  'news',
  'alertscontact',
  'bbc',
  'newshomenewssportreelworklifetravelfutureculturemusictvweathersoundsterms',
  'useabout',
  'bbcprivacy',
  'policycookiesaccessibility',
  'helpparental',
  'guidancecontact',
  'bbcget',
  'newsletterswhy',
  'bbcadvertise',
  'usâ',
  'bbc',
  'bbc',
  'content',
  'site',
  'approach',
  'linking'],
 ['associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'u.s.',
  'news',
  'punishing',
  'wind',
  'tornado',
  'damage',
  'storm',
  'south',
  'screenshot',
  'video',
  'tornado',
  'june',
  'blakely',
  'ga.',
  'official',
  'texas',
  'georgia',
  'wind',
  'tornado',
  'storm',
  'system',
  'south',
  'rand',
  'mcdonald',
  'ap',
  'albany',
  'ga.',
  'ap',
  'wind',
  'tornado',
  'tree',
  'building',
  'car',
  'highway',
  'wednesday',
  'storm',
  'south',
  'texas',
  'georgia',
  'national',
  'weather',
  'service',
  'tornado',
  'warning',
  'alabama',
  'georgia',
  'gust',
  'hurricane',
  'force',
  'wind',
  'mph',
  'kph',
  'louisiana',
  'mississippi',
  'area',
  'hail',
  'witness',
  'video',
  'tornado',
  'abbeville',
  'eufala',
  'alabama',
  'georgia',
  'authority',
  'troup',
  'county',
  'wsb',
  'tv',
  'person',
  'lightning',
  'wednesday',
  'afternoon',
  'word',
  'person',
  'condition',
  'mississippi',
  'governor',
  'assistance',
  'tornado',
  'damage',
  'tornado',
  'damage',
  'pfizer',
  'drug',
  'supply',
  'shortage',
  'fda',
  'news',
  'look',
  'week',
  'tens',
  'thousand',
  'people',
  'alabama',
  'georgia',
  'power',
  'wednesday',
  'night',
  'storm',
  'state',
  'power',
  'provider',
  'point',
  'outage',
  'people',
  'alabama',
  'forecaster',
  'storm',
  'threat',
  'thursday',
  'risk',
  'alabama',
  'georgia',
  'florida',
  'panhandle',
  'oklahoma',
  'texas',
  'kansas',
  'felecia',
  'bowser',
  'meteorologist',
  'charge',
  'national',
  'weather',
  'service',
  'tallahassee',
  'florida',
  'storm',
  'system',
  'time',
  'year',
  'june',
  'weather',
  'bowser',
  'type',
  'precipitation',
  'today',
  'spring',
  'people',
  'home',
  'wednesday',
  'storm',
  'southwest',
  'georgia',
  'calhoun',
  'county',
  'sheriff',
  'josh',
  'hilton',
  'walb',
  'tv',
  'home',
  'quail',
  'county',
  'plantation',
  'county',
  'line',
  'early',
  'county',
  'video',
  'medium',
  'funnel',
  'cloud',
  'horizon',
  'city',
  'blakely',
  'official',
  'community',
  'tree',
  'power',
  'line',
  'connie',
  'hobbs',
  'commission',
  'chairman',
  'baker',
  'county',
  'stone',
  'golf',
  'ball',
  'size',
  'yard',
  'tornado',
  'warning',
  'georgia',
  'city',
  'albany',
  'dougherty',
  'county',
  'wednesday',
  'afternoon',
  'county',
  'government',
  'spokeswoman',
  'wendy',
  'howell',
  'report',
  'damage',
  'injury',
  'concern',
  'howell',
  'rain',
  'window',
  'wednesday',
  'evening',
  'area',
  'water',
  'standing',
  'road',
  'alabama',
  'eufaula',
  'police',
  'department',
  'tornado',
  'damage',
  'city',
  'georgia',
  'state',
  'line',
  'eufaula',
  'mayor',
  'jack',
  'tibbs',
  'wsfa',
  'tv',
  'injury',
  'storm',
  'wall',
  'building',
  'tree',
  'news',
  'outlet',
  'viewer',
  'video',
  'tornado',
  'henry',
  'county',
  'alabama',
  'roof',
  'damage',
  'area',
  'sheriff',
  'larry',
  'rowe',
  'cass',
  'county',
  'texas',
  'kytx',
  'tv',
  'vehicle',
  'highway',
  'wednesday',
  'afternoon',
  'county',
  'tornado',
  'warning',
  'report',
  'injury',
  'associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights'],
 ['liveweatherthing',
  'dosportsemailcontestsmoneysaver',
  'watch',
  'expand',
  'collapse',
  'search',
  '☰',
  'search',
  'site',
  'news',
  'localnationalhall',
  'shamelet',
  'ripcrimestoppersthe',
  'interviewbusinessthing',
  'dofox',
  'news',
  'sundaylive',
  'livenow',
  'foxfox',
  'soulstream',
  'fox',
  'fox',
  'localfox',
  'news',
  'appweather',
  'closingsweather',
  'appweather',
  'alertstrafficairport',
  'delaysfox',
  'weathermornings',
  'ninethe',
  'noonmug',
  'contesthealth',
  'workscooking',
  'schoolnosh',
  'joshget',
  'fitmoney',
  'saverdoctor',
  'inweekend',
  'morningspolitics',
  'ripgretchen',
  'whitmerjoe',
  'bidensports',
  'lionswolverinesspartanspistonstigersred',
  'wingsentertainment',
  'fox',
  'showscriticlee',
  'fox',
  'staffcontact',
  'uswork',
  'fox',
  '2fox',
  'news',
  'appjob',
  'public',
  'file',
  'fcc',
  'applicationsclosed',
  'captionsproblem',
  'solvers',
  'resourcescontests',
  'wallside',
  'windows',
  'weather',
  'quizgardner',
  'white',
  'dream',
  'teammug',
  'contestexposedmoney',
  'personal',
  'financecovid-19',
  'economybusinessstock',
  'marketsmall',
  'businessregional',
  'news',
  'chicago',
  'news',
  'fox',
  'chicagomilwaukee',
  'news',
  'fox',
  'newsminneapolis',
  'news',
  'fox',
  'montana',
  'september',
  'winter',
  'storm',
  'foot',
  'snow',
  'area',
  'amy',
  'lieu',
  'september',
  'news',
  'fox',
  'tv',
  'stations',
  'share',
  'copy',
  'link',
  'email',
  'facebook',
  'twitter',
  'linkedin',
  'reddit',
  'montana',
  'september',
  'winter',
  'storm',
  'foot',
  'snow',
  'area',
  'temperature',
  'rocky',
  'mountains',
  'montana',
  'monday',
  'governor',
  'emergency',
  'helena',
  'mont.',
  'temperature',
  'rocky',
  'mountains',
  'montana',
  'monday',
  'governor',
  'emergency',
  'winter',
  'storm',
  'resident',
  'montana',
  'wintry',
  'blast',
  'foot',
  'snow',
  'area',
  'foot',
  'powder',
  'winter',
  'storm',
  'state',
  'surprise',
  'september',
  'state',
  'government',
  'health',
  'safety',
  'montanans',
  'priority',
  'montana',
  'governor',
  'steve',
  'bullock',
  'announcement',
  'montanans',
  'warning',
  'state',
  'official',
  'time',
  'file',
  'snowplow',
  'road',
  'montana',
  'photo',
  'elizabeth',
  'ruth',
  'moehlmann',
  'contributor',
  'moment',
  'mobile',
  'ed',
  'getty',
  'images',
  'freeze',
  'warning',
  'effect',
  'utah',
  'idaho',
  'wyoming',
  'temperature',
  'teen',
  '20',
  'set',
  'fall',
  'storm',
  'system',
  'snow',
  'day',
  'montana',
  'foot',
  'blackfeet',
  'reservation',
  'storm',
  'warning',
  'advisory',
  'effect',
  'central',
  'montana',
  'monday',
  'morning',
  'national',
  'weather',
  'service',
  'npr',
  'nws',
  'statement',
  'facebook',
  'inch',
  'snow',
  'sunday',
  'great',
  'falls',
  'record',
  'sept.',
  'day',
  'september',
  'snow',
  'saturday',
  'inch',
  'day',
  'snow',
  'total',
  'inch',
  'great',
  'falls',
  'day',
  'snow',
  'time',
  'year',
  'winter',
  'storm',
  'day',
  'snow',
  'total',
  'april',
  'inch',
  'nws',
  'bullock',
  'emergency',
  'sunday',
  'area',
  'season',
  'storm',
  'snow',
  'wind',
  'road',
  'tree',
  'power',
  'outage',
  'declaration',
  'state',
  'resource',
  'area',
  'day',
  'notice',
  'national',
  'weather',
  'service',
  'job',
  'size',
  'magnitude',
  'storm',
  'bullock',
  'snow',
  'road',
  'school',
  'closure',
  'monday',
  'town',
  'browning',
  'choteau',
  'conrad',
  'cut',
  'bank',
  'dutton',
  'brady',
  'fairfield',
  'shelby',
  'augusta',
  'valier',
  'school',
  'superintendent',
  'matt',
  'genger',
  'decision',
  'monday',
  'road',
  'student',
  'mile',
  'genger',
  'snow',
  'day',
  'school',
  'year',
  'school',
  'closure',
  'september',
  'wildfire',
  'mid-1980',
  'red',
  'cross',
  'u.s.',
  'forest',
  'service',
  'staging',
  'area',
  'shelter',
  'blackfeet',
  'pondera',
  'emergency',
  'official',
  'sunday',
  'vehicle',
  'road',
  'notice',
  'snow',
  'u.s.-canada',
  'border',
  'crossing',
  'u.s.',
  'highway',
  'state',
  'transportation',
  'official',
  'head',
  'cattle',
  'roadway',
  'vehicle',
  'accident',
  'traffic',
  'interstate',
  'state',
  'highway',
  'snow',
  'rockies',
  'temperature',
  'snow',
  'wildfire',
  'danger',
  'warning',
  'utah',
  'colorado',
  'monday',
  'temperature',
  'mid-80',
  'wind',
  'air',
  'fire',
  'condition',
  'nws',
  'warning',
  'wildfire',
  'danger',
  'warning',
  'utah',
  'freeze',
  'warning',
  'state',
  'tuesday',
  'plumbing',
  'crop',
  'protection',
  'damage',
  'fire',
  'warning',
  'state',
  'moab',
  'monday',
  'evening',
  'associated',
  'press',
  'report',
  'story',
  'los',
  'angeles',
  'video',
  'video',
  'light',
  'rain',
  'condition',
  'detroit',
  'fireworks',
  'fun',
  'video',
  'hart',
  'plaza',
  'detroit',
  'firework',
  'fan',
  'video',
  'people',
  'ypsilanti',
  'teen',
  'detroit',
  'woman',
  'driveway',
  'sinkhole',
  'video',
  'belle',
  'isle',
  'fan',
  'rain',
  'cloud',
  'detroit',
  'firework',
  'trending',
  'detroit',
  'woman',
  'murder',
  'livonia',
  'liquor',
  'store',
  'guide',
  'monroe',
  'county',
  'fair',
  'beyoncé',
  'renaissance',
  'tour',
  'detroit',
  'man',
  'girlfriend',
  'woman',
  'detroit',
  'intersection',
  'man',
  'thousand',
  'cash',
  'motor',
  'city',
  'casino',
  'parking',
  'structure',
  'fox',
  'fox',
  'stream',
  'fox',
  'tv',
  'today',
  'fox',
  'detroit',
  'roku',
  'appletv',
  'amazon',
  'firetv',
  'google',
  'androidtv',
  'app',
  'app',
  'device',
  'today',
  'news',
  'localnationalhall',
  'shamelet',
  'ripcrimestoppersthe',
  'interviewbusinessthing',
  'dofox',
  'news',
  'sundaylive',
  'livenow',
  'foxfox',
  'soulstream',
  'fox',
  'fox',
  'localfox',
  'news',
  'appweather',
  'closingsweather',
  'appweather',
  'alertstrafficairport',
  'delaysfox',
  'weathermornings',
  'ninethe',
  'noonmug',
  'contesthealth',
  'workscooking',
  'schoolnosh',
  'joshget',
  'fitmoney',
  'saverdoctor',
  'inweekend',
  'morningspolitics',
  'ripgretchen',
  'whitmerjoe',
  'bidensports',
  'lionswolverinesspartanspistonstigersred',
  'wingsentertainment',
  'fox',
  'showscriticlee',
  'fox',
  'staffcontact',
  'uswork',
  'fox',
  '2fox',
  'news',
  'appjob',
  'public',
  'file',
  'fcc',
  'applicationsclosed',
  'captionsproblem',
  'solvers',
  'resourcescontests',
  'wallside',
  'windows',
  'weather',
  'quizgardner',
  'white',
  'dream',
  'teammug',
  'contestexposedmoney',
  'personal',
  'financecovid-19',
  'economybusinessstock',
  'marketsmall',
  'businessregional',
  'news',
  'chicago',
  'news',
  'fox',
  'chicagomilwaukee',
  'news',
  'fox',
  'newsminneapolis',
  'news',
  'fox',
  'facebooktwitterinstagramemail',
  'usnew',
  'privacy',
  'policyterms',
  'serviceyour',
  'privacy',
  'choiceswork',
  'fox',
  'public',
  'file',
  'material',
  'fox',
  'television',
  'stations'],
 ['website',
  'commonwealth',
  'massachusetts',
  'website',
  'website',
  'government',
  'organization',
  'massachusetts',
  'website',
  'https',
  'certificate',
  'lock',
  'icon',
  'https://',
  'website',
  'share',
  'information',
  'website',
  'site',
  'service',
  'state',
  'sub',
  'topic',
  'living',
  'sub',
  'topic',
  'working',
  'sub',
  'topic',
  'learning',
  'sub',
  'topic',
  'visiting',
  'exploring',
  'sub',
  'topic',
  'government',
  'site',
  'service',
  'state',
  'safety',
  'tips',
  'specific',
  'threats',
  'hazards',
  'page',
  'level',
  'topic',
  'page',
  'level',
  'button',
  'access',
  'level',
  'page',
  'winter',
  'storm',
  'safety',
  'tips',
  'winter',
  'storm',
  'new',
  'england',
  'rain',
  'ice',
  'snowfall',
  'hour',
  'blizzard',
  'condition',
  'wind',
  'snow',
  'day',
  'table',
  'content',
  'table',
  'contentsx',
  'table',
  'content',
  'section',
  'winter',
  'storm',
  'winter',
  'storm',
  'snow',
  'accumulation',
  'temperature',
  'flooding',
  'beach',
  'erosion',
  'snow',
  'ice',
  'winter',
  'weather',
  'region',
  'roof',
  'collapse',
  'communication',
  'disruption',
  'power',
  'outage',
  'storm',
  'storm',
  'death',
  'automobile',
  'accident',
  'heart',
  'attack',
  'overexertion',
  'freezing',
  'death',
  'carbon',
  'monoxide',
  'incident',
  'danger',
  'winter',
  'storm',
  'safety',
  'precaution',
  'family',
  'national',
  'weather',
  'service',
  'issue',
  'warning',
  'winter',
  'storm',
  'blizzard',
  'public',
  'winter',
  'storm',
  'difference',
  'warning',
  'winter',
  'storm',
  'watch',
  'winter',
  'storm',
  'warning',
  'blizzard',
  'warning',
  'ice',
  'storm',
  'warning',
  'criterion',
  'condition',
  'storm',
  'winter',
  'storm',
  'snow',
  'hour',
  'period',
  'snow',
  'hour',
  'period',
  'hour',
  'blizzard',
  'warning',
  'wind',
  'mph',
  'falling',
  'snow',
  'visibility',
  'mile',
  'hour',
  'ice',
  'storm',
  'warning',
  '½',
  'inch',
  'rain',
  'alert',
  'warning',
  'safety',
  'information',
  'emergency',
  'family',
  'emergency',
  'plan',
  'dialysis',
  'treatment',
  'home',
  'health',
  'care',
  'service',
  'provider',
  'care',
  'service',
  'home',
  'period',
  'time',
  'emergency',
  'kit',
  'supply',
  'emergency',
  'kit',
  'winter',
  'clothing',
  'blanket',
  'instruction',
  'safety',
  'official',
  'power',
  'outage',
  'cellphone',
  'laptop',
  'device',
  'storm',
  'power',
  'outage',
  'equipment',
  'electricity',
  'health',
  'care',
  'provider',
  'utility',
  'company',
  'support',
  'network',
  'option',
  'power',
  'outage',
  'assistance',
  'outage',
  'family',
  'friend',
  'support',
  'network',
  'generator',
  'power',
  'outage',
  'manufacturer',
  'instruction',
  'outage',
  'home',
  'emergency',
  'tree',
  'branch',
  'home',
  'injury',
  'damage',
  'rain',
  'gutter',
  'water',
  'home',
  'snow',
  'ice',
  'gutter',
  'debris',
  'smoke',
  'carbon',
  'monoxide',
  'alarm',
  'battery',
  'heating',
  'equipment',
  'chimney',
  'year',
  'home',
  'weather',
  'strip',
  'door',
  'window',
  'air',
  'storm',
  'window',
  'window',
  'plastic',
  'inside',
  'insulation',
  'heating',
  'fuel',
  'heating',
  'option',
  'fireplace',
  'woodstove',
  'vehicle',
  'winter',
  'driving',
  'gas',
  'tank',
  'winter',
  'emergency',
  'car',
  'kit',
  'trunk',
  'activity',
  'mema',
  'winter',
  'safety',
  'tip',
  'pet',
  'winter',
  'pet',
  'safety',
  'tips',
  'dress',
  'season',
  'element',
  'dress',
  'layer',
  'clothing',
  'layer',
  'garment',
  'water',
  'hat',
  'mitten',
  'glove',
  'boot',
  'extremity',
  'mouth',
  'scarf',
  'lung',
  'weather',
  'safety',
  'tip',
  'sign',
  'frostbite',
  'hypothermia',
  'medium',
  'emergency',
  'information',
  'instruction',
  'safety',
  'official',
  'emergency',
  'power',
  'line',
  'gas',
  'leak',
  'authority',
  'location',
  'warming',
  'center',
  'shelter',
  'storm',
  'question',
  'event',
  'power',
  'outage',
  'weather',
  'warming',
  'center',
  'emergency',
  'shelter',
  'report',
  'power',
  'outage',
  'utility',
  'company',
  'utility',
  'wire',
  'power',
  'line',
  'street',
  'road',
  'snow',
  'caution',
  'break',
  'snow',
  'overexertion',
  'overexertion',
  'heart',
  'attack',
  'cause',
  'death',
  'winter',
  'exhaust',
  'vent',
  'vent',
  'gas',
  'furnace',
  'system',
  'carbon',
  'monoxide',
  'poisoning',
  'carbon',
  'monoxide',
  'detector',
  'killer',
  'snow',
  'vehicle',
  'exhaust',
  'pipe',
  'vehicle',
  'carbon',
  'monoxide',
  'poisoning',
  'emergency',
  'generator',
  'heating',
  'system',
  'fume',
  'carbon',
  'monoxide',
  'generator',
  'safety',
  'tips',
  'fire',
  'hydrant',
  'storm',
  'neighborhood',
  'snow',
  'sidewalk',
  'property',
  'curb',
  'cut',
  'access',
  'wheelchair',
  'user',
  'regulation',
  'requirement',
  'homeowner',
  'business',
  'sidewalk',
  'community',
  'sidewalk',
  'travel',
  'property',
  'owner',
  'business',
  'snow',
  'walkway',
  'entrance',
  'access',
  'ramp',
  'parking',
  'spot',
  'roof',
  'snow',
  'roof',
  'collapse',
  'corner',
  'safety',
  'vehicle',
  'plow',
  'child',
  'street',
  'snowdrift',
  'parent',
  'child',
  'operation',
  'traffic',
  'neighbor',
  'family',
  'friend',
  'neighbor',
  'condition',
  'assistance',
  'mass.gov',
  'feedback',
  'webpage',
  'suggestion',
  'website',
  'page',
  'contact',
  'information',
  'response',
  'feedback',
  'website',
  'assistance',
  'massachusetts',
  'emergency',
  'management',
  'agency',
  'input',
  'character',
  'contact',
  'information',
  'datum',
  'feedback',
  'assistance',
  'massachusetts',
  'emergency',
  'management',
  'agency',
  'page',
  'contact',
  'information',
  'datum',
  'feedback',
  'assistance',
  'massachusetts',
  'emergency',
  'management',
  'agency',
  'website',
  'feedback',
  'information',
  'page',
  'mass.gov',
  'user',
  'panel',
  'feature',
  'site',
  'commonwealth',
  'massachusetts',
  'mass.gov',
  'service',
  'mark',
  'commonwealth',
  'massachusetts',
  'mass.gov',
  'privacy',
  'policy'],
 ['alert',
  'heat',
  'week',
  'streaming',
  'news',
  'center',
  'patriots',
  'training',
  'camp',
  'karen',
  'read',
  'case',
  'women',
  'world',
  'cup',
  'embrace',
  'boston',
  'pride',
  'boston',
  'climate',
  'depth',
  'news',
  'coverage',
  'greater',
  'boston',
  'area',
  'new',
  'hampshire',
  'braces',
  'hurricane',
  'henri',
  'impact',
  'hurricane',
  'henri',
  'landfall',
  'new',
  'england',
  'tomorrow',
  'tropical',
  'storm',
  'new',
  'hampshire',
  'august',
  'august',
  'pm',
  'new',
  'hampshire',
  'governor',
  'chris',
  'sununu',
  'resident',
  'effect',
  'rain',
  'wind',
  'state',
  'hurricane',
  'henri',
  'way',
  'region',
  'hurricane',
  'henri',
  'landfall',
  'new',
  'england',
  'sunday',
  'tropical',
  'storm',
  'new',
  'hampshire',
  'rainfall',
  'wind',
  'potential',
  'flash',
  'flood',
  'power',
  'outage',
  'state',
  'southern',
  'new',
  'hampshire',
  'wind',
  'mph',
  'possibility',
  'wind',
  'monadnock',
  'region',
  'state',
  'department',
  'safety',
  'storm',
  'state',
  'homeland',
  'security',
  'emergency',
  'management',
  'director',
  'jennifer',
  'harper',
  'statement',
  'people',
  'weather',
  'condition',
  'emergency',
  'boston',
  'news',
  'weather',
  'forecast',
  'lifestyle',
  'entertainment',
  'story',
  'inbox',
  'sign',
  'nbc',
  'boston',
  'newsletter',
  'sununu',
  'list',
  'preparedness',
  'strategy',
  'area',
  'resident',
  'wind',
  'rain',
  'tropical',
  'storm',
  'henri',
  'weekend',
  'storm',
  'information',
  'safety',
  'tip',
  '',
  '',
  'readynh',
  'chris',
  'sununu',
  '@govchrissununu',
  'august',
  'department',
  'public',
  'safety',
  'suggestion',
  'storm',
  'update',
  'national',
  'weather',
  'service',
  'radio',
  'television',
  'station',
  'home',
  'rain',
  'gutter',
  'item',
  'vehicle',
  'location',
  'tree',
  'damage',
  'generator',
  'case',
  'power',
  'generator',
  'home',
  'garage',
  'crawlspace',
  'generator',
  'foot',
  'home',
  'exhaust',
  'hiker',
  'camper',
  'shelter',
  'instruction',
  'official',
  'current',
  'storm',
  'beach',
  'activity',
  'weather',
  'condition',
  'emergency',
  'video',
  'attack',
  'dorchester',
  'woman',
  'morning',
  'massachusetts',
  'casino',
  'sport',
  'wager',
  'water',
  'break',
  'street',
  'flooding',
  'road',
  'damage',
  'cambridge',
  'man',
  'robbery',
  'worcester',
  'shooter',
  'sinéad',
  "o'connor",
  'singer',
  'nbc10',
  'boston',
  'news',
  'standards',
  'tip',
  'investigations',
  'newsletters',
  'wbts',
  'public',
  'inspection',
  'file',
  'wbts',
  'accessibility',
  'wbts',
  'employment',
  'information',
  'fcc',
  'applications',
  'nbc',
  'non',
  '-',
  'profit',
  'news',
  'partnership',
  'report',
  'term',
  'service',
  'privacy',
  'policy',
  'privacy',
  'choices',
  'notice',
  'ad',
  'choices',
  'advertise',
  'copyright',
  'nbcuniversal',
  'media',
  'llc',
  'right'],
 ['local',
  'news',
  'vallow',
  'daybell',
  'coverage',
  'coronavirus',
  'coverage',
  'crime',
  'tracker',
  'idaho',
  'forward',
  'prevent',
  'child',
  'abuse',
  'scam',
  'alerts',
  'world',
  'utah',
  'wyoming',
  'alerts',
  'alert',
  'vipir',
  'radar',
  'local',
  'forecast',
  'day',
  'forecasts',
  'road',
  'report',
  'ski',
  'report',
  'sky',
  'cams',
  'athlete',
  'week',
  'high',
  'school',
  'athletics',
  'east',
  'idaho',
  'game',
  'night',
  'boise',
  'state',
  'athletics',
  'idaho',
  'state',
  'athletics',
  'byu',
  'athletics',
  'livestream',
  'local',
  'news',
  'livestream',
  'news',
  'livestream',
  'event',
  'videos',
  'entertainment',
  'events',
  'gas',
  'price',
  'yellowstone',
  'teton',
  'territory',
  'travel',
  'tourism',
  'conversation',
  'inl',
  'hire',
  'idaho',
  'obituaries',
  'question',
  'day',
  'banking',
  'business',
  'house',
  'home',
  'money',
  'safe',
  'home',
  'meet',
  'team',
  'contact',
  'advertise',
  'captioning',
  'download',
  'apps',
  'fcc',
  'public',
  'file',
  'kifi',
  'fcc',
  'public',
  'file',
  'kidk',
  'fcc',
  'public',
  'file',
  'k34nc',
  'd',
  'eeo',
  'form',
  'cw',
  'east',
  'idaho',
  'telemundo',
  'east',
  'idaho',
  'jobs',
  'internships',
  'scholarships',
  'translator',
  'information',
  'tv',
  'listing',
  'slight',
  'chance',
  'shower',
  'thursday',
  'red',
  'flag',
  'warning',
  'view',
  'vallow',
  'daybell',
  'coverage',
  'cause',
  'investigation',
  'oxygen',
  'hose',
  'fire',
  'crash',
  'rexburg',
  'greater',
  'idaho',
  'falls',
  'transit',
  'hour',
  'service',
  'central',
  'idaho',
  'fire',
  'restrictions',
  'area',
  'state',
  'fire',
  'restriction',
  'iffd',
  'fire',
  'training',
  'milligan',
  'road',
  'idaho',
  'falls',
  'homeowner',
  'road',
  'flood',
  'damage',
  'share',
  'facebookshare',
  'twitter',
  'share',
  'linkedin',
  'idaho',
  'falls',
  'idaho',
  'kifi',
  'week',
  'flash',
  'flood',
  'idaho',
  'falls',
  'homeowner',
  'remain',
  'storm',
  'wave',
  'water',
  'street',
  'day',
  'homeowner',
  'melody',
  'byers',
  'floodwater',
  'home',
  'melody',
  'basement',
  'time',
  'storm',
  'water',
  'flood',
  'basement',
  'entrance',
  'weight',
  'door',
  'avail',
  'melody',
  'basement',
  'foot',
  'water',
  'living',
  'room',
  'retreat',
  'stud',
  'door',
  'debris',
  'leave',
  'squirrel',
  'melody',
  'furnace',
  'water',
  'heater',
  'damage',
  'ceiling',
  'home',
  'andrew',
  'emily',
  'pope',
  'storm',
  'home',
  'basement',
  'investment',
  'home',
  'loss',
  'emily',
  'damage',
  'ballpark',
  'dollar',
  'andrew',
  'resident',
  'area',
  'history',
  'flood',
  'lawrence',
  'walton',
  'neighborhood',
  'year',
  'street',
  'sewer',
  'system',
  'city',
  'issue',
  'decade',
  'walton',
  'city',
  'emergency',
  'pump',
  'situation',
  'majority',
  'homeowner',
  'area',
  'flood',
  'insurance',
  'damage',
  'insurance',
  'agent',
  'lucy',
  'carrillo',
  'homeowner',
  'idaho',
  'flood',
  'insurance',
  'home',
  'flood',
  'plain',
  'flood',
  'insurance',
  'people',
  'bank',
  'flood',
  'insurance',
  'flood',
  'insurance',
  'carriollo',
  'way',
  'insurance',
  'law',
  'carrillo',
  'homeowner',
  'area',
  'boat',
  'lack',
  'day',
  'flood',
  'homeowner',
  'business',
  'quote',
  'restoration',
  'danielle',
  'stimpson',
  'business',
  'owner',
  'mountain',
  'west',
  'rentals',
  'mark',
  'andrews',
  'misfortune',
  'couple',
  'day',
  'door',
  'stimpson',
  'business',
  'ton',
  'money',
  'lot',
  'people',
  'home',
  'member',
  'community',
  'homeowner',
  'service',
  'labor',
  'cost',
  'insurance',
  'homeowner',
  'melody',
  'idea',
  'claim',
  'city',
  'idaho',
  'falls',
  'response',
  'melody',
  'pocket',
  'seth',
  'reporter',
  'local',
  'news',
  'eyewitness',
  'news',
  'ammon',
  'bundy',
  'idaho',
  'hospital',
  'ceo',
  'staff',
  'member',
  'leader',
  'kim',
  'jong',
  'un',
  'defense',
  'minister',
  'cooperation',
  'journalist',
  'year',
  'prison',
  'opposition',
  'alaska',
  'board',
  'action',
  'proposal',
  'transgender',
  'girl',
  'girl',
  'school',
  'sport',
  'team',
  'conversation',
  'kifi',
  'local',
  'news',
  'forum',
  'conversation',
  'comment',
  'community',
  'guidelines',
  'story',
  'idea',
  'eeo',
  'report',
  'term',
  'use',
  '',
  '',
  'privacy',
  'policy',
  'community',
  'guidelines',
  'fcc',
  'applications',
  '',
  '',
  'personal',
  'information',
  'email',
  'newsletters',
  'daily',
  'news',
  'update',
  'breaking',
  'news',
  'alert',
  'daily',
  'weather',
  'forecast',
  'severe',
  'weather',
  'alert',
  'contests',
  'promotions',
  'apps',
  'android',
  'npg',
  'idaho',
  'inc.',
  'idaho',
  'falls',
  'id',
  'usa'],
 ['news',
  'sports',
  'biz',
  'vt',
  'life',
  'advertise',
  'obituaries',
  'enewspaper',
  'legals',
  "vermont'this",
  'gov.',
  'scott',
  'vermont',
  'recovery',
  'weather',
  'april',
  'bartonburlington',
  'free',
  'pressas',
  'vermont',
  'focus',
  'flooding',
  'forecast',
  'rain',
  'weather',
  'effort',
  'hold',
  'damage',
  '"this',
  'gov.',
  'phil',
  'scott',
  'public',
  'medium',
  'news',
  'conference',
  'thursday',
  'morning',
  'vermonters',
  'plan',
  'vermonters',
  'p.m.',
  'p.m.',
  'thursday',
  'evening',
  'thunderstorm',
  'wind',
  'rainfall',
  'possibility',
  'lightning',
  'hail',
  'tornado',
  'forecast',
  'inch',
  'rainfall',
  'vermont',
  'ground',
  'result',
  'flash',
  'flooding',
  'ground',
  'tree',
  'powerline',
  'damage',
  'power',
  'outage',
  'central',
  'vermont',
  'montpelier',
  'bennington',
  'flash',
  'flood',
  'area',
  'water',
  'state',
  'damage',
  'system',
  'time',
  'message',
  'official',
  'flooding',
  'impact',
  'jennifer',
  'morrison',
  'safety',
  'commissioner',
  'repeat',
  'vermonters',
  'deluge',
  'inch',
  'rain',
  'day',
  'period',
  'potential',
  'water',
  'ground',
  'river',
  'flood',
  'stage',
  'vtrans',
  'truck',
  'emergency',
  'resource',
  'round',
  'storm',
  'morrison',
  'water',
  'rescue',
  'search',
  'rescue',
  'crew',
  'national',
  'guard',
  'standby',
  'vtrans',
  'obstruction',
  'river',
  'bank',
  'storm',
  'wave',
  'saturday',
  'sunday',
  'wave',
  'monday',
  'tuesday',
  'accuweather',
  'inch',
  'rain',
  'northeast',
  'thursday',
  'tuesday',
  'accuweather',
  'pocket',
  'inch',
  'rain',
  'region',
  'morrison',
  'vermonter',
  'family',
  'risk',
  'extension',
  'emergency',
  'responder',
  'risk',
  'photo',
  'op',
  'danger',
  'kid',
  'storm',
  'water',
  'medium',
  'water',
  'oil',
  'gas',
  'sewage',
  'chemical',
  'debris',
  'kid',
  'storm',
  'impact',
  'rain',
  'total',
  'damage',
  'road',
  'closure',
  'havoc',
  'storm',
  'vermontofficials',
  'vermonter',
  'water',
  'road',
  'closure',
  'sign',
  'attention',
  'weather',
  'report',
  'plan',
  'action',
  'gov.',
  'scott',
  'vermonters',
  'vermonter',
  'silo',
  'state',
  'department',
  'covid',
  'emergency',
  'response',
  'entity',
  '"when',
  'state',
  'hope',
  'security',
  '"contact',
  'reporter',
  'april',
  'barton',
  'abarton@freepressmedia.com',
  'twitter',
  '@aprildbarton',
  'corrections',
  'staff',
  'directory',
  'careers',
  'accessibility',
  'support',
  'site',
  'map',
  'legals',
  'ethical',
  'principles',
  'subscription',
  'terms',
  'conditions',
  'terms',
  'service',
  'privacy',
  'policy',
  'california',
  'privacy',
  'rights',
  'privacy',
  'policydo',
  'sell',
  'share',
  'target',
  'infocookie',
  'settingscontact',
  'support',
  'business',
  'business',
  'advertising',
  'terms',
  'conditions',
  'buy',
  'sell',
  'licensing',
  'reprints',
  'help',
  'center',
  'subscriber',
  'guide',
  'account',
  'feedbacksubscribe',
  'today',
  'newsletters',
  'mobile',
  'app',
  'facebook',
  'twitter',
  'enewspaper',
  'storytellers',
  'archives',
  'rss',
  'feedsjobs',
  'cars',
  'homes',
  'classifieds',
  'education',
  'moonlighting',
  'localiq',
  'digital',
  'marketing',
  'solutions',
  'right'],
 ['lawyer',
  'lawyer',
  'research',
  'law',
  'law',
  'schools',
  'laws',
  'regs',
  'newsletters',
  'marketing',
  'solutions',
  'justia',
  'law',
  'codes',
  'statute',
  'wyoming',
  'statute',
  'title',
  'trade',
  'commerce',
  'chapter',
  'consumer',
  'protection',
  'article',
  'storm',
  'damage',
  'repair',
  'contracts',
  'section',
  'disclosure',
  'requirements',
  'exterior',
  'storm',
  'damage',
  'repair',
  'contracts',
  'version',
  'section',
  'universal',
  'citation',
  'wy',
  'stat',
  '§',
  'disclosure',
  'requirement',
  'storm',
  'damage',
  'repair',
  'contract',
  'contract',
  'storm',
  'damage',
  'repair',
  'copy',
  'repair',
  'proposal',
  'disclosure',
  'w.s.',
  '703(a',
  'disclaimer',
  'code',
  'version',
  'wyoming',
  'information',
  'warranty',
  'guarantee',
  'accuracy',
  'completeness',
  'adequacy',
  'information',
  'site',
  'information',
  'state',
  'site',
  'source',
  'site',
  'recaptcha',
  'google',
  'privacy',
  'policy',
  'terms',
  'service',
  'free',
  'daily',
  'summaries',
  'inbox',
  'justia',
  'opinion',
  'summary',
  'newsletters',
  'newsletter',
  'sign',
  'summary',
  'lawyer',
  'directory',
  'profile',
  'summary',
  'opinion',
  'inbox',
  'bankruptcy',
  'lawyers',
  'business',
  'lawyers',
  'criminal',
  'lawyers',
  'employment',
  'lawyers',
  'estate',
  'planning',
  'lawyers',
  'family',
  'lawyers',
  'personal',
  'injury',
  'lawyers',
  'business',
  'formation',
  'business',
  'operations',
  'employment',
  'intellectual',
  'property',
  'international',
  'trade',
  'real',
  'estate',
  'tax',
  'law',
  'constitution',
  'code',
  'regulations',
  'supreme',
  'court',
  'circuit',
  'courts',
  'district',
  'courts',
  'dockets',
  'filing',
  'state',
  'constitutions',
  'state',
  'codes',
  'state',
  'case',
  'law',
  'california',
  'florida',
  'new',
  'york',
  'texas',
  'justia',
  'membership',
  'justia',
  'lawyer',
  'directory',
  'justia',
  'premium',
  'placements',
  'justia',
  'elevate',
  'seo',
  'website',
  'justia',
  'ppc',
  'gbp',
  'justia',
  'onward',
  'blog',
  'testimonial',
  'justia',
  'legal',
  'portal',
  'company',
  'terms',
  'service',
  'privacy',
  'policy',
  'marketing',
  'solutions'],
 ['virginia',
  'department',
  'health',
  'environmental',
  'health',
  'water',
  'wastewater',
  'services',
  'storm',
  'wells',
  'onsite',
  'sewage',
  'systems',
  'bedding',
  'upholstered',
  'furniture',
  'program',
  'childhood',
  'lead',
  'poisoning',
  'prevention',
  'food',
  'safety',
  'virginia',
  'marina',
  'program',
  'labor',
  'camps',
  'public',
  'health',
  'toxicology',
  'shellfish',
  'safety',
  'tourist',
  'establishment',
  'regulation',
  'waterborne',
  'hazards',
  'control',
  'onsite',
  'water',
  'wastewater',
  'services',
  'email',
  'page',
  'storm',
  'wells',
  'onsite',
  'sewage',
  'systems',
  'storm',
  'hurricane',
  'priority',
  'safety',
  'family',
  'priority',
  'concern',
  'drinking',
  'water',
  'sewage',
  'disposal',
  'concern',
  'onsite',
  'sewage',
  'system',
  'virginia',
  'storm',
  'flooding',
  'link',
  'source',
  'information',
  'question',
  'storm',
  'health',
  'department',
  'emergency',
  'progress',
  'virginia',
  'department',
  'health',
  'personnel',
  'emergency',
  'operation',
  'centers',
  'state',
  'level',
  'power',
  'outage',
  'power',
  'outage',
  'problem',
  'homeowner',
  'sewage',
  'system',
  'home',
  'pump',
  'power',
  'water',
  'hand',
  'drinking',
  'cooking',
  'toilet',
  'bucketful',
  'water',
  'tank',
  'handle',
  'bucketful',
  'bowl',
  'pump',
  'volt',
  'circuit',
  'generator',
  'pump',
  'power',
  'outage',
  'connection',
  'electrician',
  'water',
  'electricity',
  'onsite',
  'sewage',
  'system',
  'power',
  'outage',
  'pump',
  'power',
  'system',
  'pump',
  'sewage',
  'system',
  'pump',
  'gallon',
  'storage',
  'capacity',
  'level',
  'alarm',
  'storage',
  'capacity',
  'pump',
  'chamber',
  'overflow',
  'sewage',
  'ground',
  'water',
  'system',
  'component',
  'aerator',
  'flow',
  'control',
  'switch',
  'equipment',
  'system',
  'pump',
  'storage',
  'capacity',
  'system',
  'owner',
  'alternative',
  'onsite',
  'sewage',
  'system',
  'operator',
  'power',
  'return',
  'component',
  'wells',
  'people',
  'water',
  'hurricane',
  'pump',
  'system',
  'epa',
  'link',
  'flood',
  'water',
  'system',
  'procedure',
  'system',
  'water',
  'testing',
  'test',
  'sample',
  'hour',
  'water',
  'supply',
  'labs',
  'drinking',
  'water',
  'water',
  'source',
  'water',
  'supply',
  'water',
  'test',
  'disinfection',
  'water',
  'supply',
  'water',
  'test',
  'hour',
  'contamination',
  'water',
  'supply',
  'instruction',
  'lab',
  'water',
  'sample',
  'water',
  'container',
  'source',
  'contamination',
  'finger',
  'breath',
  'result',
  'onsite',
  'sewage',
  'systems',
  'type',
  'sewage',
  'system',
  'hurricane',
  'flood',
  'system',
  'backup',
  'sewage',
  'house',
  'sewage',
  'backup',
  'plumbing',
  'fixture',
  'elevation',
  'house',
  'wax',
  'seal',
  'toilet',
  'floor',
  'floor',
  'basement',
  'bathtub',
  'wear',
  'glove',
  'gear',
  'sewage',
  'flooding',
  'soil',
  'tank',
  'drainfield',
  'line',
  'component',
  'damage',
  'component',
  'sewage',
  'yard',
  'flooding',
  'onsite',
  'sewage',
  'system',
  'soil',
  'dispersal',
  'area',
  'tank',
  'ground',
  'hurricane',
  'isabel',
  'september',
  'virginia',
  'acre',
  'tree',
  'wind',
  'soil',
  'homeowner',
  'root',
  'tree',
  'drainfield',
  'line',
  'component',
  'tank',
  'distribution',
  'box',
  'tank',
  'drainfield',
  'system',
  'storm',
  'soil',
  'water',
  'use',
  'house',
  'sewage',
  'ground',
  'surface',
  'contact',
  'sewage',
  'water',
  'glove',
  'gear',
  'skin',
  'soap',
  'water',
  'contact',
  'surface',
  'bleach',
  'water',
  'storm',
  'soil',
  'function',
  'system',
  'system',
  'application',
  'system',
  'health',
  'department',
  'alternative',
  'onsite',
  'sewage',
  'system',
  'operator',
  'system',
  'link',
  'shock',
  'link',
  'virginia',
  'cooperative',
  'extension',
  'virginia',
  'certified',
  'laboratories',
  'dept',
  '.',
  'general',
  'services',
  'general',
  'food',
  'water',
  'sanitation',
  'emergencies',
  'cdc',
  'flood',
  'epa',
  'water',
  'related',
  'diseases',
  'contaminant',
  'cdc',
  'contact',
  'ushealth',
  'department',
  'locator',
  'phone',
  'directions',
  'feedback',
  'form',
  'agency',
  'informationorganizational',
  'charts',
  'internships',
  'foia',
  'policy',
  'code',
  'ethics',
  'privacy',
  'policy',
  'accessibility',
  'difficulty',
  'information',
  'page',
  'website',
  'accessibility@vdh.virginia.gov'],
 ['hazy',
  'weather',
  'week',
  'central',
  'texas',
  'forecast',
  'weather',
  'week',
  'central',
  'texas',
  'hazy',
  'weather',
  'week',
  'central',
  'texas',
  'forecast',
  'weather',
  'week',
  'central',
  'texas',
  'weather',
  'severe',
  'thunderstorm',
  'watch',
  'storm',
  'threat',
  'timing',
  'author',
  'jordan',
  'darensbourg',
  'hunter',
  'williams',
  'kvue',
  'shane',
  'hinton',
  'kvue',
  'pm',
  'cdt',
  'april',
  'cdt',
  'april',
  'austin',
  'texas',
  'editor',
  'note',
  'article',
  'information',
  'weather',
  'week',
  'weather',
  'central',
  'texas',
  'rain',
  'storm',
  'wednesday',
  'night',
  'storm',
  'hail',
  'tornado',
  'wind',
  'tornado',
  'watch',
  'austin',
  'kvue',
  'thunderstorm',
  'watch',
  'a.m.',
  'thursday',
  'morning',
  'watch',
  'weather',
  'way',
  'weather',
  'alert',
  'kvue',
  'app',
  'weather',
  'threat',
  'storm',
  'prediction',
  'center',
  'yesterday',
  'kvue',
  'area',
  'level',
  'risk',
  'storm',
  'milam',
  'country',
  'level',
  'risk',
  'concern',
  'hail',
  'ping',
  'pong',
  'ball',
  'size',
  'storm',
  'evening',
  'tornado',
  'threat',
  'storm',
  'chance',
  'evening',
  'wednesday',
  'night',
  'resolution',
  'forecast',
  'model',
  'line',
  'storm',
  'central',
  'texas',
  'wednesday',
  'thursday',
  'morning',
  'line',
  'coastal',
  'plains',
  'morning',
  'hour',
  'shower',
  'coastal',
  'plains',
  'morning',
  'condition',
  'afternoon',
  'storm',
  'hill',
  'country',
  'p.m.',
  'central',
  'texas',
  'line',
  'storm',
  'midnight',
  'austin',
  'metro',
  'a.m.',
  'a.m',
  'bulk',
  'moisture',
  'central',
  'texas',
  'afternoon',
  'storm',
  'threat',
  'wind',
  'hail',
  'thursday',
  'morning',
  'area',
  'east',
  'i-35',
  'inch',
  'rainfall',
  'total',
  'inch',
  'range',
  'flooding',
  'chance',
  'storm',
  'week',
  'friday',
  'evening',
  'forecast',
  'model',
  'storm',
  'system',
  'storm',
  'prediction',
  'center',
  'majority',
  'central',
  'texas',
  'risk',
  'friday',
  'night',
  'saturday',
  'morning',
  'detail',
  'impact',
  'system',
  'kvue',
  'storm',
  'team',
  'forecast',
  'meantime',
  'forecast',
  'example',
  'video',
  'title',
  'video',
  'eeo',
  'public',
  'file',
  'report',
  'fcc',
  'online',
  'public',
  'inspection',
  'file',
  'closed',
  'caption',
  'procedure',
  'personal',
  'information',
  'kvue',
  'tv',
  'rights',
  'kvue',
  'notification',
  'news',
  'weather',
  'notification',
  'browser',
  'setting'],
 ['local',
  'election',
  'hq',
  'local',
  'news',
  'state',
  'news',
  'national',
  'news',
  'politics',
  'hill',
  'talk',
  'business',
  'politics',
  'crime',
  'tracker',
  'investigates',
  'victory',
  'violence',
  'traffic',
  'entertainment',
  'video',
  'center',
  'good',
  'day',
  'arkansas',
  'crime',
  'watch',
  'team',
  'bestreviews',
  'bestreviews',
  'bestreviews',
  'daily',
  'deals',
  'automotive',
  'news',
  'newsletters',
  'alerts',
  'press',
  'regional',
  'news',
  'partners',
  'dcso',
  'arrest',
  'suspect',
  'fordyce',
  'business',
  'ast',
  'blog',
  'rainfall',
  'rangers',
  'road',
  'southern',
  'conference',
  'wnba',
  'player',
  'charge',
  'latest',
  'forecast',
  'closing',
  'arkansas',
  'storm',
  'team',
  'weather',
  'blog',
  'interactive',
  'radar',
  'map',
  'center',
  'arkansas',
  'storm',
  'chasers',
  'alerts',
  'weather',
  'knowledge',
  'red',
  'white',
  'report',
  'local',
  'sports',
  'fearless',
  'friday',
  'fearless',
  'silver',
  'star',
  'nation',
  'nfl',
  'mlb',
  'big',
  'game',
  'guardians',
  'trade',
  'amed',
  'rosario',
  'dodgers',
  'butler',
  'university',
  'soccer',
  'player',
  'lawsuit',
  'monahan',
  'pga',
  'tour',
  'rollback',
  'coach',
  'wildcat',
  'month',
  'contact',
  'colorado',
  'aaron',
  'rodgers',
  'pay',
  'cut',
  'year',
  'home',
  'improvement',
  'pros',
  'health',
  'pros',
  'retail',
  'pros',
  'real',
  'estate',
  'pros',
  'business',
  'phone',
  'support',
  'pros',
  'restaurant',
  'pros',
  'education',
  'pros',
  'woman',
  'arkansas',
  'yoga',
  'warrior',
  'tv',
  'schedule',
  'gas',
  'tracker',
  'events',
  'ar',
  'scholarship',
  'lottery',
  'horoscopes',
  'fox16',
  'showcase',
  'campus',
  'spotlight',
  'donna',
  'terrell',
  'family',
  'health',
  'recipes',
  'outdoors',
  'arkansas',
  'farm',
  'talk',
  'job',
  'alert',
  'job',
  'post',
  'job',
  'arkansas',
  'storm',
  'team',
  'weather',
  'blog',
  'thunderstorm',
  'watch',
  'apr',
  'cdt',
  'apr',
  'pm',
  'cdt',
  'apr',
  'cdt',
  'apr',
  'pm',
  'cdt',
  'severe',
  'thunderstorm',
  'watch',
  'pm',
  'arkansas',
  'hail',
  'thunderstorm',
  'threat',
  'event',
  'west',
  'ar',
  'oklahoma',
  'line',
  'storm',
  'wind',
  'threat',
  'rain',
  'flash',
  'flooding',
  'potential',
  'morning',
  'post',
  'round',
  'storm',
  'state',
  'afternoon',
  'evening',
  'storm',
  'today',
  'state',
  'level',
  'risk',
  'weather',
  'level',
  'risk',
  'rest',
  'state',
  'end',
  'risk',
  'weather',
  'spc',
  'outlook',
  'today',
  'wind',
  'mph',
  'quarter',
  'hail',
  'threat',
  'flash',
  'flooding',
  'rain',
  'tornado',
  'risk',
  'time',
  'arkansas',
  'storm',
  'team',
  'risk',
  'gauge',
  'rain',
  'friday',
  'rainfall',
  'total',
  'area',
  'inch',
  'rainfall',
  'spot',
  'inch',
  'rainfall',
  'model',
  'datum',
  'shower',
  'storm',
  'afternoon',
  'hour',
  'arkansas',
  'storm',
  'state',
  'tonight',
  'friday',
  'morning',
  'storm',
  'storm',
  'day',
  'friday',
  'shower',
  'thunderstorm',
  'chance',
  'morning',
  'afternoon',
  'hour',
  'friday',
  'storm',
  'state',
  'friday',
  'evening',
  'risk',
  'weather',
  'friday',
  'shower',
  'storm',
  'status',
  'spc',
  'outlook',
  'friday',
  'arkansas',
  'storm',
  'team',
  'update',
  'today',
  'weather',
  'chance',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'amazon',
  'school',
  'deal',
  'schooler',
  'school',
  'corner',
  'amazon',
  'supply',
  'school',
  'deal',
  'supply',
  'schooler',
  'august',
  'vegetable',
  'flower',
  'flower',
  'plant',
  'hour',
  'soil',
  'air',
  'temperature',
  'sunshine',
  'august',
  'month',
  'planting',
  'chemical',
  'guys',
  'kit',
  'car',
  'car',
  'care',
  'hour',
  'chemical',
  'guys',
  'car',
  'wash',
  'kit',
  'time',
  'deal',
  'ast',
  'blog',
  'rainfall',
  'rangers',
  'road',
  'southern',
  'conference',
  'colleague',
  'ar',
  'treasurer',
  'mark',
  'lowery',
  'patrol',
  'live',
  'hazen',
  'broadcast',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'judge',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'dcso',
  'arrest',
  'suspect',
  'fordyce',
  'business',
  'mutinous',
  'soldier',
  'niger',
  'sesame',
  'food',
  'fda',
  'senate',
  'gop',
  'leader',
  'mcconnell',
  'news',
  'conference',
  'samsung',
  'smartphone',
  'bet',
  'journalist',
  'year',
  'prison',
  'arkansas',
  'storm',
  'team',
  'weather',
  'blog',
  'natural',
  'state',
  'little',
  'rock',
  'rangers',
  'road',
  'southern',
  'patrol',
  'live',
  'hazen',
  'arkansas',
  'jefferson',
  'regional',
  'medical',
  'center',
  'tuesday',
  'night',
  'little',
  'rock',
  'family',
  'action',
  'bullet',
  'arkansas',
  'veteran',
  'family',
  'home',
  'conway',
  'corp',
  'power',
  'testing',
  'farm',
  'mayflower',
  'spike',
  'crime',
  'central',
  'arkansas',
  'year',
  'life',
  'saving',
  'award',
  'mayflower',
  'man',
  'robbery',
  'shooting',
  'friend',
  'leaders',
  'end',
  'action',
  'ag',
  'settlement',
  'blessing',
  'time',
  'lawsuit',
  'vehicle',
  'network',
  'whistleblower',
  'congress',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'school',
  'shot',
  'child',
  'ar',
  'vets',
  'healthcare',
  'star',
  'rating',
  'quality',
  'fed',
  'hike',
  'interest',
  'rate',
  'year',
  'high',
  'ast',
  'forecast',
  'heat',
  'advisory',
  'thursday',
  'weather',
  'forecast',
  'min',
  'ast',
  'blog',
  'rainfall',
  'weather',
  'blog',
  'hour',
  'heat',
  'wave',
  'weather',
  'blog',
  'hour',
  'ast',
  'blog',
  'feel',
  'temperature',
  'heat',
  'wave',
  '-',
  'week',
  'weather',
  'blog',
  'week',
  'ast',
  'blog',
  't’storm',
  'watch',
  'monday',
  'evening',
  'weather',
  'blog',
  'week',
  'ast',
  'blog',
  'summer',
  'shower',
  'drought',
  'weather',
  'blog',
  'week',
  'rain',
  'chance',
  'week',
  'weather',
  'blog',
  'week',
  'ast',
  'blog',
  'weekend',
  'weather',
  'risk',
  'weather',
  'blog',
  'week',
  'ast',
  'blog',
  'june',
  'arkansas',
  'weather',
  'ast',
  'blog',
  'heat',
  'week',
  'weather',
  'blog',
  'week',
  'arkansas',
  'storm',
  'team',
  'weather',
  'blog',
  'patrol',
  'live',
  'hazen',
  'broadcast',
  'fox',
  'news',
  'hunt',
  'marshals',
  'arkansas',
  'storm',
  'team',
  'forecast',
  'heat',
  'humidity',
  'job',
  'alert',
  'opening',
  'finance',
  'gift',
  'summer',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'home',
  'depot',
  'foot',
  'skeleton',
  'halloween',
  'deal',
  'day',
  'prime',
  'day',
  'favorite',
  'fox',
  'news',
  'weather',
  'sport',
  'arkansas',
  'eeo',
  'klrt',
  'public',
  'file',
  'kasn',
  'public',
  'file',
  'nexstar',
  'cc',
  'certification',
  'mission',
  'fcc',
  'applications',
  'contests',
  'team',
  'tv',
  'schedule',
  'contact',
  'work',
  'information',
  'android',
  'app',
  'google',
  'play',
  'android',
  'weather',
  'app',
  'google',
  'play',
  'personal',
  'information',
  'personal',
  'information',
  'nexstar',
  'media',
  'inc.',
  'rights'],
 ['website',
  'united',
  'states',
  'government',
  'government',
  'website',
  '.gov',
  '.mil',
  'information',
  'government',
  'site',
  'https://',
  'website',
  'information',
  'homenews',
  'day',
  'storm',
  'century',
  'day',
  'storm',
  'century',
  'courtesy',
  'noaa',
  'nws',
  'tim',
  'armstrong',
  'march',
  'storm',
  'system',
  'half',
  'u.s.',
  'population',
  'damage',
  'dollar',
  'america',
  'storm',
  'century',
  'deep',
  'south',
  'way',
  'east',
  'coast',
  'monster',
  'storm',
  'system',
  'east',
  'texas',
  'wind',
  'hail',
  'area',
  'lone',
  'star',
  'state',
  'evening',
  'march',
  'pressure',
  'category',
  'hurricane',
  'storm',
  'tornado',
  'flooding',
  'snow',
  'bone',
  'cold',
  'wake',
  'weather',
  'climate',
  'event',
  'damage',
  'storm',
  'country',
  'winter',
  'storm',
  'date',
  'stormsatellites',
  'noaa',
  'partner',
  'bird’s',
  'eye',
  'view',
  'storm',
  'trek',
  'u.s.',
  'east',
  'coast',
  'development',
  'disturbance',
  'texas',
  'coast',
  'gulf',
  'mexico',
  'march',
  'imagery',
  'noaa',
  'goes-7',
  '1700z',
  'march',
  'disturbance',
  'storm',
  'century',
  'texas',
  'coast',
  'gulf',
  'mexico',
  'march',
  'intensification',
  'gulf',
  'mexico',
  'storm',
  'impact',
  'portion',
  'florida',
  'meteosat',
  'satellite',
  'imagery',
  'march',
  'development',
  'storm',
  'system',
  'gulf',
  'mexico',
  'storm',
  'winter',
  'storm',
  'system',
  'east',
  'coast',
  'march',
  'easterner',
  'damage',
  'snowfall',
  'visualization',
  'evolution',
  'impact',
  'storm',
  'century',
  'feature',
  'nesdis',
  'storm',
  'anniversary',
  'noaa',
  'goes-7',
  'satellite',
  'imagery',
  'snowfall',
  'march',
  'storm',
  'century',
  'deep',
  'south',
  'new',
  'england',
  'lot',
  'lot',
  'height',
  'storm',
  'snowfall',
  'rate',
  'inch',
  'hour',
  'new',
  'york',
  'catskill',
  'mountains',
  'appalachians',
  'foot',
  'snow',
  'wind',
  'sleet',
  'east',
  'coast',
  'new',
  'jersey',
  'inch',
  'sleet',
  'inch',
  'snow',
  'ice',
  'cream',
  'sandwich',
  'effect',
  'inch',
  'snow',
  'portion',
  'florida',
  'panhandle',
  'snowfall',
  'total',
  'inch',
  'mount',
  'leconte',
  'tennessee50',
  'inch',
  'mount',
  'mitchell',
  'north',
  'carolina',
  'foot',
  'drifts44',
  'inch',
  'snowshoe',
  'west',
  'virginia43',
  'inch',
  'syracuse',
  'new',
  'york36',
  'inch',
  'latrobe',
  'pennsylvania',
  'foot',
  'driftsthe',
  'storm',
  'extreme',
  'category',
  'regional',
  'snowfall',
  'index',
  'northeast',
  'southeast',
  'ohio',
  'valley',
  'region',
  'mile',
  'people',
  'storm',
  'century',
  'snowstorm',
  'region',
  'storm',
  'magnitude',
  'national',
  'weather',
  'service',
  'office',
  'hydrology',
  'storm',
  'volume',
  'water',
  'acre',
  'foot',
  'day',
  'flow',
  'mississippi',
  'river',
  'new',
  'orleans',
  'water',
  'state',
  'missouri',
  'foot',
  'snowin',
  'addition',
  'snow',
  'tornado',
  'florida',
  'death',
  'tornado',
  'weather',
  'state',
  'foot',
  'storm',
  'surge',
  'taylor',
  'county',
  'florida',
  'death',
  'storm',
  'wind',
  'station',
  'east',
  'coast',
  'wind',
  'gust',
  'mile',
  'hour',
  'dry',
  'tortugas',
  'west',
  'key',
  'west',
  'florida',
  'wind',
  'gust',
  'mile',
  'hour',
  'mount',
  'washington',
  'new',
  'hampshire',
  'gust',
  'mile',
  'hour',
  'impact',
  'lives',
  'livelihoodsthe',
  'storm',
  'snowfall',
  'thousand',
  'people',
  'georgia',
  'north',
  'carolina',
  'virginia',
  'mountain',
  'worker',
  'hiker',
  'north',
  'carolina',
  'tennessee',
  'mountain',
  'national',
  'guard',
  'county',
  'city',
  'curfew',
  'state',
  'emergency',
  'people',
  'state',
  'storm',
  'storm',
  'highway',
  'atlanta',
  'northeastward',
  'airport',
  'east',
  'coast',
  'time',
  'time',
  'weather',
  'flight',
  'cancellation',
  'u.s.',
  'history',
  'point',
  'florida',
  'maine',
  'people',
  'business',
  'electricity',
  'florida',
  'storm',
  'coastline',
  'home',
  'sea',
  'long',
  'island',
  'surf',
  'storm',
  'home',
  'north',
  'carolina',
  'outer',
  'banks',
  'u.s.',
  'coast',
  'guard',
  'people',
  'sea',
  'atlantic',
  'gulf',
  'mexico',
  'freighter',
  'people',
  'sea',
  'noaa',
  'leader',
  'look',
  'backformer',
  'national',
  'weather',
  'service',
  'nws',
  'director',
  'louis',
  'uccellini',
  'forecaster',
  'hydrometeorological',
  'prediction',
  'center',
  'weather',
  'prediction',
  'center',
  'time',
  'storm',
  'week',
  'potential',
  'storm',
  'east',
  'coast',
  'weekend',
  'friday',
  'saturday',
  'day',
  'storm',
  'east',
  'coast',
  'map',
  'punch',
  'storm',
  'proportion',
  'response',
  'forecast',
  'official',
  'forecast',
  'people',
  'decision',
  'new',
  'york',
  'turnpike',
  'authority',
  'turnpike',
  'friday',
  'night',
  'snow',
  'forecasting',
  'foot',
  'snow',
  'new',
  'york',
  'mountain',
  'state',
  'chain',
  'appalachian',
  'mountains',
  'state',
  'emergency',
  'snow',
  'hindsight',
  'storm',
  'forecast',
  'computer',
  'model',
  'meteorologist',
  'point',
  'nws',
  'prediction',
  'storm',
  'ability',
  'forecaster',
  'attention',
  'uccellini',
  'point',
  'view',
  'moment',
  'ability',
  'type',
  'event',
  'time',
  'way',
  'people',
  'attention',
  '”lessons',
  'preparedvery',
  'storm',
  'storm',
  'century',
  'information',
  'future',
  'ncei',
  'weather',
  'datum',
  'analysis',
  'decision',
  'maker',
  'constituent',
  'stakeholder',
  'tool',
  'public',
  'storm',
  'information',
  'family',
  'friend',
  'weather',
  'ready.gov',
  'march',
  'updated',
  'date',
  'march',
  'date',
  'storm',
  'information',
  'texas',
  'damage',
  'cpi',
  'cost',
  'information',
  'cpi',
  'cost',
  'information',
  'dollar',
  'disaster',
  'dollar',
  'disaster',
  'ranking',
  'end',
  'cpi',
  'cost',
  'information',
  'cpi',
  'cost',
  'information',
  'visualization',
  'section',
  'section',
  'forecasting',
  'perspective',
  'linksbillion',
  'dollar',
  'weather',
  'climate',
  'snowfall',
  'weather',
  'datasatellite',
  'animation',
  'storm',
  'centurymore',
  'storm',
  'century',
  'noaa',
  'national',
  'weather',
  'servicearticle',
  'tagsextreme',
  'weathernatural',
  'hazardssnow',
  'icehistory',
  'folklorewindsnorth',
  'americarelated',
  'news',
  'july',
  'u.s.',
  'drought',
  'weekly',
  'report',
  'july',
  '2023read',
  'july',
  'u.s.',
  'drought',
  'weekly',
  'report',
  'july',
  '2023read',
  'july',
  'day',
  'earth',
  'hottest',
  'temperatureread'],
 ['livenewsweathergood',
  'watch',
  'expand',
  'collapse',
  'search',
  '☰',
  'search',
  'site',
  'news',
  'local',
  'newsnational',
  'newsworld',
  'newscrime',
  'public',
  'safetygood',
  'dayviralfox',
  'news',
  'sundayweather',
  'weather',
  'alertsclosingstim',
  'weather',
  'takeawaysweather',
  'teamweather',
  'apphurricanesfox',
  'weathertraffic',
  "transportationtravelctametrao'hare",
  'airportmidway',
  'airportunion',
  'stationpolitics',
  'flannery',
  'fired',
  'upchicago',
  'city',
  'councilimmigrationjoe',
  'bidenjb',
  'pritzkerbrandon',
  'johnsonsports',
  'fifa',
  'women',
  'world',
  'cupbearsblackhawksbullscubswhite',
  'soxfireskycollege',
  'sportsentertainment',
  'chicagofox',
  'starsfood',
  'drinkmovies!watch',
  'fox',
  'showsmoney',
  'businessconsumerdealsjobspersonal',
  'financereal',
  'estatesmall',
  'businessstock',
  'markethealth',
  'coronaviruscannabisfitness',
  'beinghealth',
  'carerecallsmore',
  'news',
  'educationlifestylesciencetechnologyunusualpet',
  'personsregional',
  'news',
  'milwaukee',
  'news',
  'fox',
  'newsdetroit',
  'news',
  'fox',
  'detroitminneapolis',
  'news',
  'fox',
  'special',
  'reportsvoice',
  'changejake',
  'takesgood',
  'news',
  'guaranteethat',
  'itabout',
  'streammobile',
  'appsemail',
  'newsletterscontact',
  'uscontestspersonalitiesjobs',
  'fox',
  'public',
  'filefcc',
  'applications',
  'heat',
  'advisory',
  'thu',
  'pm',
  'cdt',
  'grundy',
  'county',
  'kankakee',
  'county',
  'la',
  'salle',
  'county',
  'southern',
  'county',
  'newton',
  'county',
  'jasper',
  'county',
  'heat',
  'advisory',
  'thu',
  'pm',
  'cdt',
  'thu',
  'pm',
  'cdt',
  'dekalb',
  'county',
  'eastern',
  'county',
  'kendall',
  'county',
  'northern',
  'county',
  'southern',
  'cook',
  'county',
  'lake',
  'county',
  'porter',
  'county',
  'air',
  'quality',
  'alert',
  'fri',
  'cdt',
  'lake',
  'county',
  'newton',
  'county',
  'porter',
  'county',
  'jasper',
  'county',
  'weather',
  'service',
  'governor',
  'illinois',
  'storm',
  'damage',
  'march',
  'news',
  'fox',
  'chicago',
  'share',
  'copy',
  'link',
  'email',
  'facebook',
  'twitter',
  'linkedin',
  'reddit',
  'article',
  'ottawa',
  'ill.',
  'ap',
  'national',
  'weather',
  'service',
  'survey',
  'team',
  'illinois',
  'damage',
  'number',
  'tornado',
  'state',
  'meteorologist',
  'amy',
  'seeley',
  'team',
  'wednesday',
  'tornado',
  'ground',
  'illinois',
  'emergency',
  'management',
  'agency',
  'spokeswoman',
  'patti',
  'thompson',
  'person',
  'tuesday',
  'illinois',
  'city',
  'ottawa',
  'tornado',
  'winter',
  'storm',
  'system',
  'tornado',
  'lasalle',
  'county',
  'nursing',
  'home',
  'ottawa',
  'injury',
  'resident',
  'gov.',
  'bruce',
  'rauner',
  'damage',
  'wednesday',
  'morning',
  'naplate',
  'fire',
  'chief',
  'john',
  'nevins',
  'home',
  'village',
  'ottawa',
  'nevins',
  'news',
  'tribune',
  'ottawa',
  'injury',
  'chicago',
  'pair',
  'narcotic',
  'walgreens',
  'pharmacy',
  'police',
  'speed',
  'chase',
  'prosecutor',
  'jay',
  'z',
  'stop',
  'bbq',
  'bronzeville',
  'soul',
  'beyoncé',
  'chicago',
  'concert',
  'illinois',
  'woman',
  'boat',
  'renter',
  'phone',
  'water',
  'argument',
  'dave',
  'chappelle',
  'comedy',
  'chicago',
  'man',
  'north',
  'lawndale',
  'home',
  'police',
  'news',
  'alicia',
  'navarro',
  'arizona',
  'girl',
  'montana',
  'pd',
  'lawmaker',
  'ufo',
  'transparency',
  'investigation',
  'south',
  'school',
  'graduate',
  'college',
  'supply',
  'florida',
  'girl',
  'text',
  'friend',
  'deputy',
  'crash',
  'tanker',
  'hazmat',
  'situation',
  'northwest',
  'indiana',
  'hour',
  'daily',
  'newsletter',
  'news',
  'day',
  'sign',
  'privacy',
  'policy',
  'terms',
  'service',
  'news',
  'local',
  'newsnational',
  'newsworld',
  'newscrime',
  'public',
  'safetygood',
  'dayviralfox',
  'news',
  'sundayweather',
  'weather',
  'alertsclosingstim',
  'weather',
  'takeawaysweather',
  'teamweather',
  'apphurricanesfox',
  'weathertraffic',
  "transportationtravelctametrao'hare",
  'airportmidway',
  'airportunion',
  'stationpolitics',
  'flannery',
  'fired',
  'upchicago',
  'city',
  'councilimmigrationjoe',
  'bidenjb',
  'pritzkerbrandon',
  'johnsonsports',
  'fifa',
  'women',
  'world',
  'cupbearsblackhawksbullscubswhite',
  'soxfireskycollege',
  'sportsentertainment',
  'chicagofox',
  'starsfood',
  'drinkmovies!watch',
  'fox',
  'showsmoney',
  'businessconsumerdealsjobspersonal',
  'financereal',
  'estatesmall',
  'businessstock',
  'markethealth',
  'coronaviruscannabisfitness',
  'beinghealth',
  'carerecallsmore',
  'news',
  'educationlifestylesciencetechnologyunusualpet',
  'personsregional',
  'news',
  'milwaukee',
  'news',
  'fox',
  'newsdetroit',
  'news',
  'fox',
  'detroitminneapolis',
  'news',
  'fox',
  'special',
  'reportsvoice',
  'changejake',
  'takesgood',
  'news',
  'guaranteethat',
  'itabout',
  'streammobile',
  'appsemail',
  'newsletterscontact',
  'uscontestspersonalitiesjobs',
  'fox',
  'public',
  'filefcc',
  'application',
  'new',
  'privacy',
  'policyterms',
  'serviceyour',
  'privacy',
  'choicesfcc',
  'public',
  'public',
  'fileclosed',
  'captioningabout',
  'usjobs',
  'fox',
  'material',
  'fox',
  'television',
  'stations'],
 ['fox',
  'news',
  'media',
  'fox',
  'news',
  'mediafox',
  'businessfox',
  'nationfox',
  'news',
  'audiofox',
  'fox',
  'news',
  'expand',
  'collapse',
  'search',
  'login',
  'tv',
  'menu',
  'u.s.',
  'crimemilitaryeducationterrorimmigrationeconomypersonal',
  'freedomsfox',
  'news',
  'investigatesworld',
  'u.n.conflictsterrorismdisastersglobal',
  'politic',
  'executivesenatehousejudiciaryforeign',
  'policypollselectionsentertainment',
  'celebrity',
  'newsmoviestv',
  'newsmusic',
  'newsstyle',
  'newsentertainment',
  'videobusiness',
  'personal',
  'financeeconomymarketswatchlistlifestylereal',
  'estatetechlifestyle',
  'food',
  'drinkcars',
  'truckstravel',
  'outdoorshouse',
  'homefitness',
  'beingstyle',
  'beautyfamilyfaithscience',
  'archaeologyair',
  'spaceplanet',
  'earthwild',
  'naturenatural',
  'sciencedinosaurstech',
  'gamesmilitary',
  'techhealth',
  'coronavirushealthy',
  'livingmedical',
  'researchmental',
  'healthcancerheart',
  'healthchildren',
  'healthtv',
  'showspersonalitieswatch',
  'livefull',
  'episodesshow',
  'clipsnews',
  'clipsabout',
  'contact',
  'worldadvertise',
  'usmedia',
  'relationscorporate',
  'informationcompliance',
  'fox',
  'businessfox',
  'weatherfox',
  'nationwomen',
  'world',
  'cup',
  'news',
  'shopfox',
  'news',
  'gofox',
  'news',
  'radiooutkicknewsletterspodcastsapps',
  'products',
  'fox',
  'news',
  'new',
  'terms',
  'use',
  'new',
  'privacy',
  'policy',
  'privacy',
  'choices',
  'captioning',
  'policy',
  'material',
  'fox',
  'news',
  'network',
  'llc',
  'right',
  'quote',
  'time',
  'minute',
  'market',
  'datum',
  'factset',
  'factset',
  'digital',
  'solutions',
  'statement',
  'mutual',
  'fund',
  'etf',
  'datum',
  'refinitiv',
  'lipper',
  'facebook',
  'twitter',
  'instagram',
  'rss',
  'email',
  'weather',
  'september',
  'edt',
  'hurricane',
  'force',
  'wind',
  'utah',
  'semitruck',
  'person',
  'thousand',
  'power',
  'customer',
  'power',
  'salt',
  'lake',
  'city',
  'area',
  'travis',
  'fedschun',
  'fox',
  'news',
  'facebook',
  'twitter',
  'flipboard',
  'comments',
  'print',
  'email',
  'video',
  'hurricane',
  'force',
  'wind',
  'truck',
  'utah',
  'highway',
  'raw',
  'video',
  'wind',
  'damage',
  'property',
  'person',
  'utah',
  'thousand',
  'power',
  'utah',
  'hurricane',
  'force',
  'wind',
  'portion',
  'state',
  'week',
  'damage',
  'person',
  'official',
  'wind',
  'gust',
  'mph',
  'salt',
  'lake',
  'city',
  'tuesday',
  'system',
  'snowstorm',
  'rockies',
  'state',
  'degree',
  'temperature',
  'drop',
  'utah',
  'highway',
  'patrol',
  'uhp',
  'semitruck',
  'windstorm',
  'profile',
  'vehicle',
  'wind',
  'hit',
  'utah',
  'sparking',
  'power',
  'outage',
  'school',
  'closures',
  'trooper',
  'uhp',
  'video',
  'truck',
  'interstate',
  'hurricane',
  'force',
  'wind',
  'semitruck',
  'utah',
  'tuesday',
  'utah',
  'highway',
  'patrol)uhp',
  'lt',
  'nick',
  'street',
  'kjzz',
  'tv',
  'truck',
  'driver',
  'hospital',
  'injury',
  'wind',
  'property',
  'damage',
  'person',
  'official',
  'driver',
  'restriction',
  'place',
  'profile',
  'vehicle',
  'gusty',
  'wind',
  'wind',
  'excess',
  'mph',
  'tree',
  'property',
  'salt',
  'lake',
  'city',
  'semi',
  'wind',
  'interstate',
  'tuesday',
  'sept.',
  'bountiful',
  'utah',
  'ap',
  'photo',
  'rick',
  'bowmer)rocky',
  'mountain',
  'power',
  'fox13',
  'power',
  'customer',
  'service',
  'power',
  'thursday',
  'morning',
  'restoration',
  'effort',
  'clock',
  'customer',
  'service',
  'power',
  'night',
  'thursday',
  'message',
  'rocky',
  'mountain',
  'power',
  'website',
  'resident',
  'power',
  'pole',
  'wind',
  'tuesday',
  'sept.',
  'hyrum',
  'utah',
  'eli',
  'lucero',
  'herald',
  'journal',
  'ap)farmington',
  'city',
  'state',
  'emergency',
  'wednesday',
  'wind',
  'property',
  'damage',
  'person',
  'wildfire',
  'threat',
  'simmer',
  'west',
  'smoke',
  'blazes',
  'spreads',
  'central',
  'ustruck',
  'driver',
  'donald',
  'hardy',
  'shipment',
  'tennessee',
  'business',
  'south',
  'salt',
  'lake',
  'wind',
  'ground',
  'people',
  'damage',
  'wind',
  'damage',
  'power',
  'outage',
  'tuesday',
  'sept.',
  'salt',
  'lake',
  'city',
  'ap',
  'photo',
  'rick',
  'bowmer)the',
  'south',
  'salt',
  'lake',
  'fire',
  'department',
  'fox13',
  'cargo',
  'door',
  'hardy',
  'thrust',
  'wind',
  'head',
  'wife',
  'alissa',
  'joy',
  'hardy',
  'incident',
  'freak',
  'accident',
  'hardy',
  'husband',
  'road',
  'month',
  'fox13.“we',
  'truck',
  'house',
  'hour',
  'day',
  'day',
  'year',
  'fox13',
  'foot',
  'kite',
  'click',
  'weather',
  'fox',
  'news',
  'season',
  'winter',
  'storm',
  'snow',
  'temperature',
  'gusty',
  'wind',
  'rockies',
  'central',
  'high',
  'plains',
  'temperature',
  'thursday',
  'sept.',
  'fox',
  'news)the',
  'blast',
  'arctic',
  'air',
  'high',
  'friday',
  'weekend',
  'forecast',
  'sept.',
  'fox',
  'news',
  'janice',
  'dean',
  'james',
  'rogers',
  'associated',
  'press',
  'report',
  'click',
  'fox',
  'news',
  'app',
  'story',
  'news',
  'thing',
  'morning',
  'inbox',
  'weekday',
  'newsletter',
  'u.s.',
  'crimemilitaryeducationterrorimmigrationeconomypersonal',
  'freedomsfox',
  'news',
  'investigatesworld',
  'u.n.conflictsterrorismdisastersglobal',
  'politic',
  'executivesenatehousejudiciaryforeign',
  'policypollselectionsentertainment',
  'celebrity',
  'newsmoviestv',
  'newsmusic',
  'newsstyle',
  'newsentertainment',
  'videobusiness',
  'personal',
  'financeeconomymarketswatchlistlifestylereal',
  'estatetechlifestyle',
  'food',
  'drinkcars',
  'truckstravel',
  'outdoorshouse',
  'homefitness',
  'beingstyle',
  'beautyfamilyfaithscience',
  'archaeologyair',
  'spaceplanet',
  'earthwild',
  'naturenatural',
  'sciencedinosaurstech',
  'gamesmilitary',
  'techhealth',
  'coronavirushealthy',
  'livingmedical',
  'researchmental',
  'healthcancerheart',
  'healthchildren',
  'healthtv',
  'showspersonalitieswatch',
  'livefull',
  'episodesshow',
  'clipsnews',
  'clipsabout',
  'contact',
  'worldadvertise',
  'usmedia',
  'relationscorporate',
  'informationcompliance',
  'fox',
  'businessfox',
  'weatherfox',
  'nationwomen',
  'world',
  'cup',
  'news',
  'shopfox',
  'news',
  'gofox',
  'news',
  'radiooutkicknewsletterspodcastsapps',
  'products',
  'facebook',
  'twitter',
  'instagram',
  'youtube',
  'flipboard',
  'linkedin',
  'slack',
  'rss',
  'newsletters',
  'spotify',
  'iheartradio',
  'fox',
  'news',
  'new',
  'terms',
  'use',
  'new',
  'privacy',
  'policy',
  'privacy',
  'choices',
  'captioning',
  'policy',
  'accessibility',
  'statement',
  'material',
  'fox',
  'news',
  'network',
  'llc',
  'right',
  'quote',
  'time',
  'minute',
  'market',
  'datum',
  'factset',
  'factset',
  'digital',
  'solutions',
  'statement',
  'mutual',
  'fund',
  'etf',
  'datum',
  'refinitiv',
  'lipper'],
 ['sports',
  'high',
  'school',
  'sports',
  'college',
  'sports',
  'connecticut',
  'sun',
  'uconn',
  'men',
  'uconn',
  'women',
  'uconn',
  'football',
  'uconn',
  'huskies',
  'thing',
  'horoscopes',
  'ctnow',
  'food',
  'drink',
  'event',
  'calendar',
  'advertising',
  'ascend',
  'paid',
  'content',
  'brandpoint',
  'paid',
  'partner',
  'content',
  'nor’easter',
  'ct',
  'twitter',
  'opens',
  'window)click',
  'facebook',
  'opens',
  'window',
  'courant.com',
  'faq',
  'ct',
  'man',
  'baby',
  'daughter',
  'cause',
  'july',
  'pm',
  'nor’easter',
  'ct',
  'snow',
  'wind',
  'tuesday',
  'share',
  'twitter',
  'opens',
  'window)click',
  'facebook',
  'opens',
  'window',
  'tim',
  'barlow',
  'windshield',
  'truck',
  'windsor',
  'public',
  'works',
  'monday',
  'march',
  'preparation',
  'winter',
  'storm',
  'aaron',
  'flaum',
  'hartford',
  'courant',
  'taylor',
  'hartz',
  '',
  '',
  'hartford',
  'courantpublished',
  'march',
  'p.m.',
  'updated',
  'march',
  'p.m.',
  'nor’easter',
  'connecticut',
  'tuesday',
  'snow',
  'state',
  'area',
  'litchfield',
  'county',
  'inch',
  'snow',
  'monday',
  'night',
  'tuesday',
  'night',
  'power',
  'outage',
  'national',
  'weather',
  'service',
  'gary',
  'lessor',
  'meteorologist',
  'connecticut',
  'weather',
  'center',
  'western',
  'connecticut',
  'state',
  'university',
  'windham',
  'tolland',
  'hartford',
  'county',
  'inch',
  'snow',
  'connecticut',
  'inch',
  'wednesday',
  'morning',
  'lessor',
  'shoreline',
  'coating',
  'inch',
  'temperature',
  'monday',
  'night',
  'rain',
  'litchfield',
  'county',
  'lessor',
  'temperature',
  '40',
  'tuesday',
  'tuesday',
  'night',
  'bulk',
  'snow',
  'accumulation',
  'roadway',
  'driveway',
  'tuesday',
  'night',
  'lessor',
  'people',
  'storm',
  'winter',
  'season',
  'lessor',
  'gov.',
  'ned',
  'lamont',
  'monday',
  'state',
  'emergency',
  'operations',
  'center',
  'eoc',
  'a.m.',
  'tuesday',
  'condition',
  'winter',
  'storm',
  'lamont',
  'office',
  'emergency',
  'operations',
  'center',
  'personnel',
  'state',
  'agency',
  'department',
  'emergency',
  'services',
  'public',
  'protection',
  'department',
  'transportation',
  'department',
  'administrative',
  'services',
  'connecticut',
  'national',
  'guard',
  'eversource',
  'united',
  'illuminating',
  'co.',
  'representative',
  'site',
  'staff',
  'state',
  'agency',
  'red',
  'cross',
  'united',
  'way',
  'weather',
  'model',
  'projection',
  'moment',
  'potential',
  'connecticut',
  'range',
  'snowfall',
  'total',
  'impact',
  'portion',
  'state',
  'lamont',
  'winter',
  'storm',
  'watch',
  'effect',
  'nws',
  'hartford',
  'area',
  'monday',
  'night',
  'wednesday',
  'morning',
  'weather',
  'service',
  'travel',
  'storm',
  'tuesday',
  'afternoon',
  'wind',
  'tree',
  'branch',
  'winter',
  'storm',
  'warning',
  'effect',
  'litchfield',
  'area',
  'p.m.',
  'monday',
  'a.m.',
  'wednesday',
  'monday',
  'afternoon',
  'nws',
  'inch',
  'snow',
  'litchfield',
  'county',
  'wind',
  'mph',
  'nws',
  'snowfall',
  'rate',
  'inch',
  'hour',
  'area',
  'travel',
  'weather',
  'service',
  'winter',
  'storm',
  'watch',
  'monday',
  'flashlight',
  'food',
  'water',
  'vehicle',
  'case',
  'emergency',
  'area',
  'connecticut',
  'elevation',
  'hartford',
  'plainville',
  'southington',
  'wallingford',
  'north',
  'haven',
  'widow',
  'maker',
  'style',
  'snow',
  'lessor',
  'lessor',
  'health',
  'snowfall',
  'lamont',
  'road',
  'extent',
  'storm',
  'national',
  'weather',
  'service',
  'boston',
  'office',
  'statement',
  'twitter',
  'impact',
  'snow',
  'tree',
  'power',
  'line',
  'wind',
  'gust',
  'press',
  'conference',
  'monday',
  'eversource',
  'president',
  'connecticut',
  'electric',
  'operations',
  'steve',
  'sullivan',
  '%',
  'customer',
  'people',
  'power',
  'outage',
  'storm',
  'combination',
  'snow',
  'duration',
  'wind',
  'duration',
  'gust',
  'tree',
  'limb',
  'tree',
  'outage',
  'company',
  'emergency',
  'response',
  'level',
  'forecast',
  'sullivan',
  'event',
  'lamont',
  'office',
  'contact',
  'connecticut',
  'utility',
  'company',
  'eversource',
  'united',
  'illuminating',
  'importance',
  'preparation',
  'place',
  'advance',
  'storm',
  'outage',
  'sullivan',
  'eversource',
  'line',
  'crew',
  'troubleshooter',
  'tree',
  'crew',
  'company',
  'people',
  'electronic',
  'storm',
  'kit',
  'thing',
  'battery',
  'flashlight',
  'supply',
  'item',
  'forecast',
  'snow',
  'wind',
  'gust',
  'lamont',
  'factor',
  'power',
  'line',
  'tree',
  'limb',
  'power',
  'outage',
  'preparation',
  'place',
  'event',
  'electricity',
  'device',
  'case',
  'emergency',
  'sullivan',
  'people',
  'storm',
  'people',
  'wire',
  'taylor',
  'hartz',
  'reporter',
  'hartford',
  'courant',
  'dom',
  'amore',
  'assist',
  'hometown',
  'football',
  'hero',
  'byron',
  'jones',
  'osgood',
  'shootout',
  'return',
  'new',
  'britain',
  'ct',
  'henry',
  'lee',
  'work',
  'murder',
  'case',
  'motive',
  'reason',
  'evidence',
  'u.s.',
  'attorney',
  'office',
  'ct',
  'state',
  'trooper',
  'issuance',
  'traffic',
  'ticket',
  'uconn',
  'usa',
  'today',
  'best',
  'college',
  'sports',
  'fans',
  'award',
  'chicago',
  'tribune',
  'new',
  'york',
  'daily',
  'news',
  'sun',
  'sentinel',
  'fla.',
  'daily',
  'press',
  'va.',
  'daily',
  'meal',
  'baltimore',
  'sun',
  'orlando',
  'sentinel',
  'morning',
  'pa.',
  'virginian',
  'pilot',
  'studio',
  'contact',
  'classifieds',
  'careers',
  'privacy',
  'policy',
  'cookie',
  'policy',
  'terms',
  'service',
  'sitemap',
  'manage',
  'subscription',
  'ez',
  'pay',
  'vacation',
  'stop',
  'delivery',
  'issue',
  'subscriber',
  'term',
  'subscriber',
  'terms',
  'conditions',
  'cookie',
  'policy',
  'cookie',
  'preferences',
  'california',
  'notice',
  'collection',
  'notice',
  'financial',
  'incentive',
  'share',
  'information'],
 ['contentnewselection',
  'classhomenewslocalregionalnationalinternationalpoliticsweatherwv',
  'lottery',
  'camsdual',
  'doppler',
  'radarlatest',
  'videowsaz',
  'nowwatch',
  'livegas',
  'tank',
  'getawaybest',
  'classwsaz',
  'golden',
  'applefootball',
  'friday',
  'nightmaking',
  'differencejourney',
  'parenthoodfeatured',
  'linkssubmit',
  'storysubmit',
  'photos',
  'videospoll',
  'questionwsaz',
  'investigatesmeet',
  'teamcontact',
  'usnextgen',
  'tvwork',
  'wsazadvertise',
  'ussportsfootball',
  'friday',
  'nighthigh',
  'school',
  'sportscollege',
  'sportspro',
  'sportshigh',
  'school',
  'scoresstats',
  'predictionshow',
  'watchtri',
  'state',
  'cwmetvinvestigatetvcircle',
  'country',
  'music',
  'lifestyletv',
  'heronominate',
  'hometown',
  'herohome',
  'garden',
  'connectionfirst',
  'look',
  'fourstudio',
  'children',
  'charitiesgray',
  'dc',
  'bureaugreat',
  'health',
  'dividelatest',
  'newscastspress',
  'releasesbreaking',
  'person',
  'kanawha',
  'riverdismiss',
  'breaking',
  'news',
  'alerts',
  'bar2',
  'weather',
  'alert',
  'weather',
  'alert',
  'alert',
  'barwsaz',
  'weather',
  'warning',
  'forecast',
  'doppler',
  'radarwv',
  'lottery',
  'camsdual',
  'doppler',
  'radarforecast',
  'heat',
  'saturdayupdated',
  'hour',
  'ago',
  'tony',
  'cavalierheat',
  'wave',
  'condition',
  'saturday',
  'tony',
  'story',
  'warning',
  'forecast',
  '',
  '',
  'heat',
  'wave',
  'wednesday',
  'fridayupdated',
  'hour',
  'ago',
  'nicholas',
  'sniderheat',
  'wave',
  'wednesday',
  'fridayforecast',
  'warning',
  'forecast',
  'heat',
  'wave',
  'beginsupdated',
  'hour',
  'ago',
  'brandon',
  'butcherfirst',
  'heat',
  'wave',
  'summer',
  'warning',
  'forecast',
  'hot',
  'todayupdated',
  'jul.',
  'pm',
  'edt',
  'andy',
  'chilianhours',
  'sunshine',
  '80',
  'risk',
  'downpour',
  'day',
  'warning',
  'forecast',
  'heatupdated',
  'jul.',
  'pm',
  'andy',
  'chilianthe',
  'temperature',
  'trek',
  'heat',
  'wave',
  'status',
  'storm',
  'downpour',
  'forecast',
  'weekend',
  'heat',
  'jul.',
  'pm',
  'andy',
  'chiliansaturday',
  'weather',
  'temperature',
  'humidity',
  'sunday',
  'rain',
  'chance',
  'sunday',
  'shower',
  'kentucky',
  'ohio',
  'west',
  'virginia',
  'mountain',
  'work',
  'week',
  'rain',
  'chance',
  'heat',
  'humidity',
  'build',
  'stretch',
  'summer',
  'humidity',
  'heat',
  'issue',
  'weather',
  'jul.',
  'edt',
  'andy',
  'chiliancomfortable',
  'night',
  '60',
  'afternoon',
  '80',
  'humidity',
  'weather',
  'weekend',
  'rain',
  'chance',
  'shower',
  'kentucky',
  'ohio',
  'west',
  'virginia',
  'mountain',
  'week',
  'rain',
  'chance',
  'heat',
  'end',
  'week',
  'temperature',
  'summer',
  'weekend',
  'jul.',
  'pm',
  'tony',
  'weekend',
  'weekend',
  'taste',
  'september',
  'weather',
  'tony',
  'story',
  'forecast',
  'weekend',
  'jul.',
  'edt',
  'nicholas',
  'sniderthe',
  'notion',
  'weekend',
  'warning',
  'forecast',
  'quieter',
  'dayupdated',
  'jul.',
  'edt',
  'brandon',
  'rain',
  'day',
  'today',
  'storm',
  'tomorrow',
  'risk',
  'flooding',
  'weather',
  'doppler',
  'radarforecast',
  'warning',
  'forecast',
  'stuck',
  'tropical',
  'patternupdated',
  'jul.',
  'edt',
  'brandon',
  'butchermorning',
  'sunshine',
  'yesterday',
  'rain',
  '80',
  'afternoon',
  'spark',
  'downpour',
  'day',
  'pattern',
  'warning',
  'forecast',
  'hazy',
  'smoke',
  'storm',
  'jul.',
  'edt',
  'brandon',
  'butcheramidst',
  'summer',
  'day',
  'july',
  'heat',
  'wildfire',
  'smoke',
  'round',
  'rain',
  'thunder',
  'kind',
  'week',
  'sundayupdated',
  'jul.',
  'pm',
  'andy',
  'chilianwidespread',
  'shower',
  'thunderstorm',
  'region',
  'saturday',
  'afternoon',
  'saturday',
  'night',
  'fanfare',
  'shower',
  'weather',
  'store',
  'future',
  'temperature',
  'mid',
  '80',
  'day',
  'sunday',
  'humidity',
  'chance',
  'shower',
  'haze',
  'thing',
  'sunday',
  'monday',
  'round',
  'wildfire',
  'smoke',
  'canada',
  'way',
  'monday',
  'wednesday',
  'storm',
  'day',
  'chance',
  'rain',
  'forecast',
  'shower',
  'storm',
  'jul.',
  'edt',
  'andy',
  'chilianafter',
  'start',
  'week',
  'humidity',
  'condition',
  'thursday',
  'heat',
  'humidity',
  'fuel',
  'afternoon',
  'evening',
  'shower',
  'thunderstorm',
  'humidity',
  'shower',
  'storm',
  'friday',
  'rain',
  'chance',
  'forecast',
  'saturday',
  'week',
  'plenty',
  'time',
  'temperature',
  'mid',
  '80',
  'afternoon',
  'weekend',
  'aheadupdated',
  'jul.',
  'pm',
  'tony',
  'cavalierthe',
  'weekend',
  'weather',
  'day',
  'saturday',
  'storm',
  'prowl',
  'warning',
  'forecast',
  '',
  '',
  'passing',
  'showers',
  'steamy',
  'afternoonupdated',
  'jul.',
  'edt',
  'brandon',
  'butcherearly',
  'shower',
  'sunshine',
  'west',
  'afternoon',
  'break',
  'storm',
  'tomorrow',
  'warning',
  'forecast',
  '',
  '',
  'severe',
  'weather',
  'alert',
  'day',
  'todayupdated',
  'jul.',
  'brandon',
  'butchertoday',
  'severe',
  'weather',
  'alert',
  'day',
  'shower',
  'storm',
  'afternoon',
  'street',
  'flooding',
  'downpour',
  'summer',
  'threat',
  'wind',
  'hail',
  'tornado',
  'warning',
  'forecast',
  'rain',
  'free',
  'day',
  'hottestupdated',
  'jul.',
  'edt',
  'brandon',
  'butchertoday',
  'sunshine',
  'day',
  'week',
  'return',
  'shower',
  'storm',
  'tomorrow',
  'warning',
  'forecast',
  'inching',
  'hotter',
  'sun',
  'shinesupdated',
  'jul.',
  'edt',
  'brandon',
  'heat',
  'day',
  'temperature',
  '°',
  'today',
  'tomorrow',
  'shower',
  'storm',
  'warning',
  'forecast',
  '',
  '',
  'breakupdated',
  'jul.',
  'pm',
  'andy',
  'chilianit',
  'time',
  'bit',
  'heat',
  'jul.',
  'pm',
  'andy',
  'chilianwhile',
  'ohio',
  'kentucky',
  'shower',
  'saturday',
  'afternoon',
  'area',
  'air',
  'place',
  'change',
  'sunday',
  'humidity',
  'increase',
  'approach',
  'ingredient',
  'shower',
  'storm',
  'day',
  'washout',
  'shower',
  'storm',
  'day',
  'day',
  'heat',
  'midweek',
  'rain',
  'storm',
  'chance',
  'edge',
  'heat',
  'weekend',
  'jul.',
  'andy',
  'chiliansummertime',
  'heat',
  'saturday',
  'temperature',
  'degree',
  'afternoon',
  'humidity',
  'level',
  'day',
  'change',
  'sunday',
  'moisture',
  'gulf',
  'mexico',
  'shower',
  'storm',
  'rain',
  'pass',
  'heat',
  'middle',
  'week',
  'forecast',
  '3h',
  'weather',
  'kid',
  '4h',
  'county',
  'jul.',
  'pm',
  'tony',
  'cavaliercounty',
  'fair',
  'season',
  'tow',
  'thing',
  'timer',
  'tony',
  'cavalier',
  'heat',
  'thunder!forecast',
  'warning',
  'forecast',
  '',
  '',
  'worseupdated',
  'jul.',
  'edt',
  'brandon',
  'butchersunshine',
  'day',
  'today',
  'afternoon',
  'weather',
  'hour',
  'weekend',
  'stormy',
  'thursday',
  'evening',
  'fridayupdated',
  'jul.',
  'pm',
  'edt',
  'nicholas',
  'sniderstormy',
  'thursday',
  'evening',
  'fridayforecast',
  'warning',
  'forecast',
  'heat',
  'downpourupdated',
  'jul.',
  'brandon',
  'butcherhazy',
  'sky',
  'afternoon',
  'storm',
  'temperature',
  'near-90',
  '°',
  'warning',
  'forecast',
  'hazy',
  'summer',
  'heatupdated',
  'jul.',
  'edt',
  'brandon',
  'butchermost',
  'folk',
  'storm',
  'afternoon',
  'heat',
  'warning',
  'forecast',
  'sweltering',
  'festivitiesupdated',
  'jul.',
  'edt',
  'brandon',
  'rain',
  'chock',
  'humidity',
  'folk',
  'storm',
  'pop',
  'afternoon',
  'high',
  'today',
  '80',
  '90',
  'mugginess',
  'weather',
  'severe',
  'thunderstorm',
  'endsupdated',
  'jul.',
  'edt',
  'brandon',
  'thunderstorm',
  'watch',
  'midnight',
  'shower',
  'mondayupdated',
  'jul.',
  'pm',
  'edt',
  'andy',
  'chiliana',
  'pressure',
  'system',
  'shower',
  'forecast',
  'monday',
  'day',
  'weather',
  'fourth',
  'july',
  'tuesday',
  'thursday',
  'shower',
  'thunderstorm',
  'chance',
  'weekend',
  'nature',
  'forecast',
  'summery',
  'week',
  'julyupdated',
  'jul.',
  'pm',
  'edt',
  'andy',
  'chiliansaturday',
  'weather',
  'bit',
  'curveball',
  'morning',
  'shower',
  'storm',
  'kentucky',
  'atmosphere',
  'temperature',
  'light',
  'rain',
  'region',
  'sunday',
  'day',
  'shower',
  'thunderstorm',
  'activity',
  'activity',
  'afternoon',
  'temperature',
  'degree',
  'humidity',
  'monday',
  'shower',
  'nature',
  'fourth',
  'july',
  'fact',
  'temperature',
  'hold',
  'week',
  'shower',
  'storm',
  'forecast',
  'weekend',
  'weekend',
  'shower',
  'jul.',
  'andy',
  'chilianthe',
  'pattern',
  'june',
  'rearview',
  'mirror',
  'july',
  'note',
  'opportunity',
  'shower',
  'storm',
  'day',
  'washout',
  'event',
  'sternwheel',
  'regatta',
  'charleston',
  'summer',
  'motion',
  'ashland',
  'rain',
  'chance',
  'monday',
  'tuesday',
  'fourth',
  'july',
  'holiday',
  'heat',
  'humidity',
  'place',
  'storm',
  'risk',
  'return',
  'end',
  'week',
  'h',
  'weather',
  'weekend',
  '4thupdated',
  'jun.',
  'pm',
  'tony',
  'cavalierthe',
  'day',
  'independence',
  'day',
  'weekend',
  'tony',
  '3h',
  't',
  'forecast',
  'forecastthunder',
  'holiday',
  'jun.',
  'edt',
  'nicholas',
  'sniderthe',
  'fourth',
  'july',
  'weekend',
  'hand',
  'breezy',
  'mondayupdated',
  'jun.',
  'pm',
  'andy',
  'chilianshowers',
  'storm',
  'region',
  'night',
  'rain',
  'kentucky',
  'west',
  'virginia',
  'wind',
  'gust',
  'west',
  'virginia',
  'storm',
  'complex',
  'power',
  'outage',
  'day',
  'threat',
  'wind',
  'shower',
  'storm',
  'forecast',
  'couple',
  'day',
  'pressure',
  'system',
  'great',
  'lakes',
  'weather',
  'return',
  'wednesday',
  'friday',
  'temperature',
  'shower',
  'storm',
  'start',
  'fourth',
  'july',
  'holiday',
  'weekend',
  'time',
  'temperature',
  'warning',
  'forecast',
  'stormy',
  'summer',
  'eventuallyupdated',
  'jun.',
  'pm',
  'nicholas',
  'snidersummery',
  'weather',
  'end',
  'summer',
  'sundayupdated',
  'jun.',
  'edt',
  'andy',
  'chiliantemperatures',
  '80',
  'location',
  'saturday',
  'afternoon',
  'sunday',
  'high',
  '80',
  'humidity',
  'humidity',
  'focus',
  'shower',
  'thunderstorm',
  'sunday',
  'night',
  'air',
  'storm',
  'downpour',
  'wind',
  'hail',
  'weather',
  'pattern',
  'place',
  'middle',
  'week',
  'air',
  'end',
  'temperature',
  'day',
  'week',
  'cry',
  'month',
  'weekend',
  'weather',
  'jun.',
  'edt',
  'andy',
  'chilianthe',
  'pattern',
  'week',
  'saturday',
  'rain',
  'nature',
  'hour',
  'day',
  'sunday',
  'hour',
  'afternoon',
  'temperature',
  'time',
  'weather',
  'sunday',
  'evening',
  'shower',
  'thunderstorm',
  'west',
  'storm',
  'pattern',
  'middle',
  'week',
  'temperature',
  'weather',
  'end',
  'week',
  'forecast',
  'weekend',
  'forecast',
  'summery',
  'jun.',
  'pm',
  'tony',
  'cavalierthe',
  'weekend',
  'summer',
  'weather',
  'event',
  'warning',
  'forecast',
  'gradual',
  'improvement',
  'timeupdated',
  'jun.',
  'edt',
  'brandon',
  'butcherafter',
  'week',
  'rain',
  'threat',
  'sky',
  'time',
  'weekend',
  'journey',
  'warning',
  'forecast',
  '',
  '',
  'betterupdated',
  'jun.',
  'edt',
  'brandon',
  'butcherlow',
  'cloud',
  'drizzle',
  'day',
  'today',
  'set',
  'rain',
  'band',
  'afternoon',
  'evening',
  'rain',
  'tonight',
  'time',
  'weekend',
  'warning',
  'forecast',
  'showersupdated',
  'jun.',
  'edt',
  'brandon',
  'butcherscattered',
  'shower',
  'landscape',
  'bit',
  'glimpse',
  'sunshine',
  'temperature',
  '70',
  'afternoon',
  'pattern',
  'couple',
  'days--',
  'time',
  'weekend',
  'warning',
  'forecast',
  'tropical',
  'continuesupdated',
  'jun.',
  'edt',
  'brandon',
  'feel',
  'tri',
  'state',
  'area',
  'rain',
  'downpour',
  'forecast',
  'warning',
  'forecast',
  'rain',
  'returnsupdated',
  'jun.',
  'edt',
  'brandon',
  'butcherthis',
  'week',
  'pattern',
  'change',
  'drought',
  'concern',
  'flooding',
  'concern',
  'weather',
  'father',
  'dayupdated',
  'jun.',
  'pm',
  'andy',
  'chilianfather',
  'day',
  'sunday',
  'saturday',
  'stretch',
  'weather',
  'juneteenth',
  'monday',
  'humidity',
  'increase',
  'pressure',
  'system',
  'chance',
  'shower',
  'storm',
  'system',
  'vicinity',
  'region',
  'week',
  'shift',
  ...],
 ['trouble',
  'page',
  'help',
  'feature',
  'politic',
  'sports',
  'square',
  'mile',
  'search',
  'account',
  'air',
  'schedule',
  'donate',
  'term',
  'use',
  'privacy',
  'policy',
  'corrections',
  'contest',
  'rules',
  'amazon',
  'alexa',
  'app',
  'air',
  'schedule',
  'storm',
  'outage',
  'ri',
  'ma',
  'temperature',
  'weekend',
  'fri',
  'dec',
  'gmt+0000',
  'coordinated',
  'universal',
  'time',
  'winter',
  'storm',
  'condition',
  'holiday',
  'travel',
  'midwest',
  'new',
  'england',
  'forecaster',
  'wind',
  'gust',
  'storm',
  'surge',
  'rain',
  'temperature',
  'weekend',
  'official',
  'winter',
  'storm',
  'rain',
  'wind',
  'flooding',
  'new',
  'england',
  'friday',
  'temperature',
  'weekend',
  'forecaster',
  'temperature',
  'friday',
  'night',
  'providence',
  'pm',
  'low',
  'temperature',
  'evening',
  'driving',
  'condition',
  'â\x80\x9d',
  'rhode',
  'island',
  'gov.',
  'dan',
  'mckee',
  'friday',
  'afternoon',
  'temperature',
  'weekend',
  'official',
  'new',
  'england',
  'warming',
  'center',
  'providence',
  'mayor',
  'jorge',
  'elorza',
  'city',
  'hour',
  'warming',
  'center',
  'crossroads',
  'broad',
  'st.',
  'providence',
  'rescue',
  'mission',
  'cranston',
  'st.',
  'rhode',
  'island',
  'emergency',
  'management',
  'agency',
  'list',
  'warming',
  'center',
  'state',
  'stormâ\x80\x99s',
  'wind',
  'power',
  'thousand',
  'rhode',
  'island',
  'massachusetts',
  'utility',
  'customer',
  'power',
  'rhode',
  'island',
  'p.m.',
  'friday',
  'customer',
  'power',
  'bristol',
  'county',
  'massachusetts',
  'national',
  'weather',
  'service',
  'tide',
  'surge',
  'foot',
  'friday',
  'morning',
  'providence',
  'nuisance',
  'fox',
  'point',
  'hurricane',
  'barrier',
  'anticipation',
  'storm',
  'warwick',
  'wind',
  'gust',
  'mph',
  'friday',
  'morning',
  'national',
  'weather',
  'serviceâ\x80\x99s',
  'boston',
  'office',
  'station',
  'new',
  'bedford',
  'gust',
  'mph',
  'block',
  'island',
  'ferry',
  'ferry',
  'friday',
  'sea',
  'condition',
  'million',
  'americans',
  'bone',
  'temperature',
  'blizzard',
  'condition',
  'power',
  'outage',
  'holiday',
  'gathering',
  'friday',
  'winter',
  'storm',
  'forecaster',
  'scope',
  '%',
  'population',
  'sort',
  'winter',
  'weather',
  'advisory',
  'warning',
  'people',
  '%',
  'u.s.',
  'population',
  'form',
  'winter',
  'weather',
  'advisory',
  'warning',
  'friday',
  'national',
  'weather',
  'service',
  'weather',
  'service',
  'map',
  'â\x80\x9cdepict',
  'extent',
  'winter',
  'weather',
  'warning',
  'advisory',
  'â\x80\x9d',
  'forecaster',
  'statement',
  'friday',
  'flight',
  'u.s.',
  'friday',
  'tracking',
  'site',
  'flightaware',
  'mayhem',
  'traveler',
  'holiday',
  'home',
  'business',
  'power',
  'friday',
  'morning',
  'storm',
  'border',
  'border',
  'canada',
  'westjet',
  'flight',
  'friday',
  'toronto',
  'pearson',
  'international',
  'airport',
  'a.m.',
  'mexico',
  'migrant',
  'u.s.',
  'border',
  'temperature',
  'u.s.',
  'supreme',
  'court',
  'decision',
  'era',
  'restriction',
  'snow',
  'day',
  'kid',
  'president',
  'joe',
  'biden',
  'thursday',
  'oval',
  'office',
  'briefing',
  'official',
  'stuff.â\x80\x9dforecasters',
  'bomb',
  'cyclone',
  'pressure',
  'storm',
  'great',
  'lakes',
  'blizzard',
  'condition',
  'wind',
  'snow',
  'flight',
  'ashley',
  'sherrod',
  'nashville',
  'tennessee',
  'flint',
  'michigan',
  'thursday',
  'afternoon',
  'sherrod',
  'risk',
  'saturday',
  'flight',
  'canceled.â\x80\x9cmy',
  'family',
  'christmas',
  'sherrod',
  'bag',
  'grinch',
  'pajama',
  'family',
  'party',
  'door',
  'â\x80\x9cchristmas',
  'lack',
  'word',
  'suck.â\x80\x9d',
  'park',
  'ave',
  'portsmouth',
  'r.i.',
  'friday',
  'dec.'],
 ['advertisementskip',
  'main',
  'contentaccessibility',
  'helpthe',
  'weather',
  'channeltype',
  'character',
  'auto',
  'complete',
  'location',
  'search',
  'query',
  'option',
  'arrow',
  'selection',
  'search',
  'city',
  'zip',
  'codesearchrecentsyou',
  'locationsglobeus',
  '°',
  'farrow',
  '°',
  'f',
  '°',
  'chybridimperial',
  'f',
  'mph',
  'mile',
  'inchesamericasarrow',
  'downantigua',
  'barbuda',
  'englishargentina',
  'españolbahamas',
  'englishbarbados',
  'englishbelize',
  'englishbolivia',
  'españolbrazil',
  'portuguêscanada',
  'englishcanada',
  'françaischile',
  'españolcolombia',
  'españolcosta',
  'rica',
  'españoldominica',
  'englishdominican',
  'republic',
  '',
  '',
  'españolecuador',
  'españolel',
  'salvador',
  '',
  '',
  'españolgrenada',
  'englishguatemala',
  'españolguyana',
  'englishhaiti',
  'françaishonduras',
  'españoljamaica',
  'englishmexico',
  'españolnicaragua',
  'españolpanama',
  'españolpanama',
  'englishparaguay',
  'españolperu',
  '',
  '',
  'españolst',
  'kitts',
  'nevis',
  'englishst',
  'lucia',
  '',
  '',
  'englishst',
  'vincent',
  'grenadines',
  'englishsuriname',
  'nederlandstrinidad',
  'tobago',
  'englishuruguay',
  'españolunited',
  'states',
  'englishunited',
  'states',
  'españolvenezuela',
  'españolafricaarrow',
  'downalgeria',
  'françaisangola',
  'portuguêsbenin',
  'françaisburkina',
  'faso',
  'françaisburundi',
  'françaiscameroon',
  '',
  '',
  'françaiscameroon',
  '',
  '',
  'englishcape',
  'verde',
  'portuguêscentral',
  'african',
  'republic',
  'françaischad',
  'françaischad',
  'العربيةcomoro',
  'françaiscomoros',
  '',
  '',
  'العربيةdemocratic',
  'republic',
  'congo',
  '',
  '',
  'françaisrepublic',
  'congo',
  'françaiscôte',
  "d'ivoire",
  'françaisdjibouti',
  'françaisdjibouti',
  'العربيةegypt',
  'العربيةequatorial',
  'guinea',
  'españoleritrea',
  'françaisgambia',
  'englishghana',
  'englishguinea',
  'françaisguinea',
  'bissau',
  'portuguêskenya',
  'englishlesotho',
  'englishliberia',
  'englishlibya',
  'العربيةmadagascar',
  'françaismali',
  'françaismauritania',
  'العربيةmauritius',
  '',
  '',
  'englishmauritius',
  'françaismorocco',
  '',
  '',
  'françaismozambique',
  'portuguêsnamibia',
  'englishniger',
  'françaisnigeria',
  'englishrwanda',
  'françaisrwanda',
  'englishsao',
  'tome',
  'principe',
  'portuguêssenegal',
  'françaissierra',
  'leone',
  'englishsomalia',
  'africa',
  'englishsouth',
  'sudan',
  'englishsudan',
  '',
  '',
  'englishtanzania',
  'françaistunisia',
  'العربيةuganda',
  'englishasia',
  'pacificarrow',
  'downaustralia',
  'englishbangladesh',
  'বাংলাbrunei',
  'bahasa',
  'melayuchina',
  'kong',
  'sar',
  '',
  '',
  'timor',
  'portuguêsfiji',
  'englishindia',
  'english',
  'englishindia',
  'hindi',
  'हिन्दीindonesia',
  'bahasa',
  'indonesiajapan',
  'englishsouth',
  'korea',
  '한국어kyrgyzstan',
  'русскийmalaysia',
  'bahasa',
  'melayumarshall',
  'islands',
  'englishmicronesia',
  'englishnew',
  'zealand',
  'englishpalau',
  'englishphilippines',
  'englishphilippines',
  'tagalogsamoa',
  'englishsingapore',
  'englishsingapore',
  '',
  '',
  '中文solomon',
  'islands',
  'englishtaiwan',
  '中文thailand',
  'ไทยtonga',
  'englishtuvalu',
  'englishvanuatu',
  'englishvanuatu',
  'françaisvietnam',
  'tiếng',
  'việteuropearrow',
  'downandorra',
  'catalàandorra',
  'françaisaustria',
  'deutschbelarus',
  'русскийbelgium',
  'dutchbelgium',
  'françaisbosnia',
  'herzegovina',
  'hrvatskicroatia',
  'hrvatskicyprus',
  'ελληνικάczech',
  'republic',
  'češtinadenmark',
  'danskestonia',
  'русскийestonia',
  'eestifinland',
  'suomifrance',
  'françaisgermany',
  'deutschgreece',
  'ελληνικάhungary',
  'magyarireland',
  'englishitaly',
  'italianoliechtenstein',
  'deutschluxembourg',
  'françaismalta',
  'englishmonaco',
  'françaisnetherlands',
  'nederlandsnorway',
  'norskpoland',
  'polskiportugal',
  'portuguêsromania',
  'românărussia',
  'русскийsan',
  'marino',
  'italianoslovakia',
  'slovenčinaspain',
  'españolspain',
  'catalàsweden',
  'svenskaswitzerland',
  'deutschturkey',
  'turkçeukraine',
  'українськаunited',
  'kingdom',
  'englishstate',
  'vatican',
  'city',
  'holy',
  'italianomiddle',
  'eastarrow',
  'downbahrain',
  'فارسىiraq',
  'العربيةisrael',
  'עִבְרִיתjordan',
  '',
  '',
  'العربيةlebanon',
  'العربيةpakistan',
  'اردوpakistan',
  'englishqatar',
  'arabia',
  'العربيةsyria',
  'arab',
  'emirates',
  'العربيةweathertoday',
  'forecasthourly',
  'forecastweekend',
  'forecastmonthly',
  'forecastnational',
  'forecastnational',
  'newsalmanacradarweather',
  'motionradar',
  'mapsclassic',
  'weather',
  'mapsregional',
  'satelliteseveresevere',
  'alertssafety',
  'preparednesshurricane',
  'centralaccountsign',
  'upgo',
  'premiumlog',
  'inget',
  'newsletterweb',
  'notificationsnewvideo',
  'photostop',
  'storiesvideophotosclimate',
  'newsexternal',
  'linkaward',
  'investigationsexternal',
  'linkhealth',
  'activitiesallergy',
  'trackercold',
  'fluair',
  'quality',
  'forecasttv',
  'weatheralexa',
  'skillexternal',
  'linkwatch',
  'liveexternal',
  'linkpersonalitiesexternal',
  'linkweather',
  'productsalexa',
  'skillexternal',
  'linkseasonal',
  'dealsprivacyreview',
  'privacy',
  'ad',
  'settingsdata',
  'rightsprivacy',
  'policyarrow',
  'leftarrow',
  'righttodayhourly10',
  'dayweekendmonthlyradarvideovideomore',
  'forecastsmorearrow',
  'forecastsyesterday',
  'weatherexternal',
  'linkallergy',
  'trackercold',
  'fluair',
  'quality',
  'forecastadvertisementnewstornadoes',
  'storm',
  'deadly',
  'path',
  'arkansas',
  'illinois',
  'iowa',
  'tennesseeby',
  'jan',
  'wesner',
  'childsapril',
  'glanceseveral',
  'city',
  'tornado',
  'midwest',
  'south',
  'people',
  'tornado',
  'little',
  'rock',
  'arkansas',
  'home',
  'article',
  'story',
  'tornado',
  'storm',
  'state',
  'friday',
  'people',
  'dozen',
  'neighborhood',
  'path',
  'destruction',
  'arkansas',
  'iowa',
  'illinois',
  'tennessee',
  'toll',
  'arkansas',
  'official',
  'pulaski',
  'county',
  'fatality',
  'north',
  'little',
  'rock',
  'death',
  'wynne',
  'arkansas',
  'people',
  'little',
  'rock',
  'area',
  'condition',
  'person',
  'roof',
  'apollo',
  'theatre',
  'belvidere',
  'illinois',
  'illinois',
  'death',
  'indiana',
  'alabama',
  'dozen',
  'home',
  'storefront',
  'vehicle',
  'semitrailer',
  'toy',
  'storm',
  'outbreak',
  'thunderstorm',
  'aim',
  'area',
  'midwest',
  'severe',
  'thunderstorm',
  'midwest',
  'south',
  'tornado',
  'outbreak',
  'update',
  'friday',
  'et',
  'power',
  'outage',
  'number',
  'state',
  'illinois',
  'arkansas',
  'indiana',
  'tennessee',
  'iowa',
  'missouri',
  'et',
  'apollo',
  'detail',
  'collapse',
  'concert',
  'venue',
  'belvidere',
  'illinois',
  'addition',
  'person',
  'fire',
  'official',
  'people',
  'concert',
  'roof',
  'building',
  'storm',
  'through.(1\u200b1:21',
  'p.m.',
  'et',
  'dead',
  'illinois',
  'concerta\u200bt',
  'person',
  'apollo',
  'theatre',
  'belvidere',
  'illinois',
  'building',
  'storm',
  'injured.(\u200b11:08',
  'et',
  'dozen',
  'tornadoes',
  'reportedt\u200bhere',
  'report',
  'tornado',
  'arkansas',
  'iowa',
  'tennessee',
  'illinois',
  'wisconsin',
  'mississippi',
  'tornado',
  'national',
  'weather',
  'service',
  'survey',
  'team',
  'determination',
  'vehicle',
  'damage',
  'structure',
  'tornado',
  'coralville',
  'iowa',
  'friday',
  'march',
  'ap',
  'photo',
  'ryan',
  'foley)(\u200b10:33',
  'p.m.',
  'et',
  'mass',
  'casualty',
  'event',
  'illinois',
  'concert',
  'venue',
  'collapse',
  'apollo',
  'theatre',
  'belvidere',
  'illinois',
  'mass',
  'casualty',
  'event',
  'roof',
  'building',
  'storm',
  'concert.(\u200b10:21',
  'et',
  'half',
  'iowa',
  'town',
  'evacuatedh\u200balf',
  'people',
  'iowa',
  'town',
  'charlotte',
  'home',
  'gas',
  'leak',
  'storm',
  'des',
  'moines',
  'register',
  'gallon',
  'propane',
  'leaking.(\u200b10:11',
  'et',
  'people',
  'wynne',
  'arkansas“we',
  'issue',
  'area',
  'entrance',
  'wynne',
  'latresha',
  'woodruff',
  'spokesperson',
  'arkansas',
  'emergency',
  'management',
  'weather',
  'channel',
  'interview',
  'moment',
  'woodruff',
  'curfew',
  'place',
  'resident',
  'neighborhood',
  'tornado',
  'home',
  'building',
  'march',
  'little',
  'rock',
  'arkansas',
  'benjamin',
  'krain',
  'getty',
  'images)(10:05',
  'p.m.',
  'et',
  'roof',
  'collapses',
  'illinois',
  'concert',
  'venuea\u200bmbulances',
  'apollo',
  'theatre',
  'belvidere',
  'illinois',
  'building',
  'storm',
  'band',
  'angel',
  'revocation',
  'remain',
  'concert',
  'time',
  'cbs',
  'news',
  'word',
  'injury',
  'belvidere',
  'mile',
  'chicago.(\u200b9:57',
  'et',
  'death',
  'toll',
  'arkansasa\u200bt',
  'people',
  'wynne',
  'arkansas',
  'person',
  'north',
  'et',
  'dozen',
  'little',
  'rockmadeline',
  'roberts',
  'director',
  'communication',
  'pulaski',
  'county',
  'arkansas',
  'weather',
  'channel',
  'people',
  'county',
  'home',
  'little',
  'rock',
  'r\u200bobert',
  'damage',
  'county',
  'west',
  'little',
  'rock',
  'jacksonville',
  'north',
  'little',
  'rock',
  'sherwood',
  'home',
  'home',
  'little',
  'rock',
  'area',
  'friday',
  'march',
  'democrat',
  'gazette)(\u200b8:37',
  'et',
  'damage',
  'illinois',
  'sangamon',
  'county',
  'sangamon',
  'county',
  'sheriff',
  'jack',
  'campbell',
  'damage',
  'home',
  'business',
  'sherman',
  'illinois',
  'north',
  'springfield',
  'cnn',
  'damage',
  'dawson',
  'riverton',
  'campbell',
  'roof',
  'daycare',
  'building',
  'time',
  'person',
  'traffic',
  'accident',
  'storm',
  'injury',
  'life',
  'et',
  'dozen',
  'rock"at',
  'time',
  'people',
  'little',
  'rock',
  'hospital',
  'fatality',
  'little',
  'rock',
  'time',
  'mayor',
  'frank',
  'scott',
  'jr.',
  'property',
  'damage',
  '"(\u200b8:15',
  'p.m.',
  'et',
  'city',
  'covington',
  'tennessee',
  'impassable\'advertisement"the',
  'city',
  'covington',
  'vehicle',
  'roadway',
  'highway',
  'hospital',
  'crew',
  'city',
  'police',
  'department',
  'facebook',
  'post',
  'report',
  'hospital',
  'covington',
  'mile',
  'memphis.(\u200b8:06',
  'et',
  'home',
  'hills',
  'iowah\u200bundress',
  'people',
  'neighbor',
  'hills',
  'iowa',
  'roof',
  'home',
  'storm',
  'trail',
  'debris',
  'des',
  'moines',
  'register',
  'hills',
  'mile',
  'cedar',
  'rapids.(8\u200b:02',
  'et',
  'wynne',
  "demolished'“i’m",
  'panic',
  'wynne',
  'house',
  'tree',
  'street',
  'city',
  'councilmember',
  'lisa',
  'powell',
  'carter',
  'associated',
  'press',
  'phone',
  'p.m.',
  'et',
  'power',
  'outages',
  'mount',
  'statesm\u200bore',
  'home',
  'business',
  'utility',
  'customer',
  'power',
  'arkansas',
  'poweroutage.us',
  'number',
  'state',
  'iowa',
  'missouri',
  'tennessee.(\u200b7:04',
  'p.m.',
  'et',
  'search',
  'rescue',
  'underway',
  'wynne',
  'report',
  'injury',
  'wynne',
  'arkansas',
  'tornado',
  'debris',
  'air',
  'search',
  'rescue',
  'effort',
  'wynne',
  'police',
  'chief',
  'richard',
  'dennis',
  'destruction',
  'town',
  'kait',
  'dozen',
  'people',
  'et',
  'photo',
  'damage',
  'iowap\u200bhoto',
  'medium',
  'damage',
  'keota',
  'iowa',
  'home',
  'vehicle',
  'p.m.',
  'et',
  'state',
  'emergency',
  'arkansas',
  'national',
  'guard',
  'activatedgov',
  'sarah',
  'huckabee',
  'sanders',
  'state',
  'emergency',
  'national',
  'guard',
  'damage',
  'arkansas.(\u200b6:17',
  'et',
  "loud'little",
  'rock',
  'resident',
  'niki',
  'scott',
  'bathroom',
  'tornado',
  'associated',
  'press',
  'damage',
  'home',
  'street',
  'scott',
  'chainsaw',
  'siren',
  'area',
  'p.m.',
  'et',
  'tornado',
  'hits',
  'wynne',
  'arkansasa\u200b',
  'tornado',
  'wynne',
  'arkansas',
  'time',
  'damage',
  'debris',
  'air',
  'wynne',
  'mile',
  'little',
  'rock.(5\u200b:34',
  'p.m.',
  'et',
  'hospital',
  'brace',
  'mass',
  'casualties',
  'little',
  'rockthe',
  'university',
  'arkansas',
  'medical',
  'sciences',
  'medical',
  'center',
  'little',
  'rock',
  'mass',
  'casualty',
  'level',
  'patient',
  'spokesperson',
  'leslie',
  'taylor',
  'associated',
  'press',
  'people',
  'condition.(\u200b5:12',
  'p.m.',
  'et',
  'damage',
  'little',
  'rockl\u200bisa',
  'buchanan',
  'little',
  'rock',
  'tornado',
  'interview',
  'damage',
  'sky',
  'buchanan',
  '“we',
  'text',
  'hospital',
  'mass',
  'casualty',
  'p.m.',
  'et',
  'homes',
  'search',
  'rescue',
  'ongoingt\u200bhere',
  'report',
  'injury',
  'little',
  'rock',
  'area',
  'video',
  'scene',
  'home',
  'car',
  'kroger',
  'parking',
  'lot',
  'storm',
  'little',
  'rock',
  'ark.',
  'friday',
  'march',
  'ap',
  'photo',
  'andrew',
  'p.m.',
  'et',
  'power',
  'outage',
  'rock',
  'home',
  'business',
  'little',
  'rock',
  'area',
  'electricity',
  'poweroutage.us.(3:56',
  'et',
  'tornado',
  'videovideo',
  'medium',
  'tornado',
  'little',
  'rock',
  'area.(3:15',
  'et',
  'students',
  'place)student',
  'pulaski',
  'county',
  'special',
  'school',
  'district',
  'little',
  'rock',
  'place',
  'tornado',
  'warning',
  'school',
  'office',
  'shelter',
  'district',
  'tweeted.(3:07',
  'et',
  'debris',
  'radard\u200bebris',
  'radar',
  'p.m.',
  'time',
  'hot',
  'springs',
  'tornado',
  'siren',
  'oaklawn',
  'park',
  'horse',
  'track',
  'et',
  'weatherif',
  'area',
  'way',
  'watch',
  'warning',
  'national',
  'weather',
  'service',
  'smartphone',
  'noaa',
  'weather',
  'radio',
  'weather',
  'plan',
  'shelter',
  'thunderstorm',
  'tornado',
  'warning',
  'area',
  'home',
  'community',
  'storm',
  'shelter',
  ...],
 ['permission',
  'article',
  'account',
  'dashboard',
  'profile',
  'item',
  'log',
  'account',
  'log',
  'account',
  'sign',
  'today',
  'account',
  'dashboard',
  'profile',
  'item',
  'storm',
  'system',
  'new',
  'mexico',
  'snow',
  'squall',
  'farmington',
  'gallup',
  'area',
  'national',
  'weather',
  'service)the',
  'national',
  'weather',
  'service',
  'snow',
  'squall',
  'life',
  'travel',
  'condition',
  'farmington',
  'gallup',
  'area',
  'wednesday',
  'morning',
  '×',
  'javascript',
  'premium',
  'content',
  'browser',
  'setting',
  'k3=@4',
  'bf@e6',
  'ee6c',
  'eh66eqmka',
  '=',
  '2?8lq6?q',
  'ecqm%96',
  'd?@h',
  'fde',
  'c624965',
  'k2',
  '9c67lq9eeadi^^eh',
  'm',
  '8fde:?8',
  'h:?5d',
  '2?5',
  'e96',
  'bf:4<=j',
  '52?86c@fd',
  '5c',
  'g:?8',
  'q6',
  'e96c6',
  'ec2g6=',
  '9c67lq9eeadi^^eh',
  'ajc670dc4lehdc4tdte7hqmr?>hik^2',
  'k2',
  'ee6c]4@>^hai;e',
  'gkadk^2mk^am',
  'w2??29',
  'vc@g6c',
  'wo9>8c@g6cx',
  'k2',
  '9c67lq9eeadi^^eh',
  'aa',
  'a_abk^2mk^3=@4',
  'bf@e6',
  'h2c?:?8',
  'a@e6?e:2=',
  'h9',
  'e6',
  '@fe',
  '962gj',
  '3=@h:?8',
  'd?@h',
  'e96',
  '%',
  'h',
  'ee6c',
  'a286]k^amk3=@4',
  '<',
  'bf@e6',
  'ka',
  '=',
  'ecq',
  '=',
  'd?@h',
  'dbf2==',
  'h2c?:?8',
  '67764e',
  'f?e:=',
  'p',
  '',
  'x',
  'c',
  '',
  'ch',
  '',
  '',
  'k2',
  '9c67lq9eeadi^^e]4@^au`',
  '*45y4bqma:4]eh',
  'ee6c]4@>^au`',
  '*45y4bk^2mk^am',
  'p=3fbf6cbf6',
  'wo}($p=3fbf6cbf6x',
  'k2',
  '9c67lq9eeadi^^eh',
  'ee6c]4@>^}($p=3fbf6cbf6^de2efd^`eagcccb`h_b``beaeanc670dc4lehdc4tdte7hqmu63cf2cj',
  'aa',
  'a_abk^2mk^3=@4',
  'a@e6?e:2=',
  'a2ce',
  'g6',
  'de@c',
  'djde6',
  '@g:?8',
  '6ia64e',
  'c6df',
  '=',
  'e',
  'd?@h72==',
  'a2ced',
  '@ce96c',
  '6h',
  '',
  '6i:4@',
  '2?5',
  'dec@?8',
  '2?5',
  '6h',
  '',
  '6i:4@',
  'kda2',
  'dej=6lq7@?e',
  'd',
  'k6i',
  'jqm$?@h72==',
  'r@f?ej',
  '2?5',
  'e96',
  'y6>6',
  'k',
  '',
  '@f?e2:?d',
  'c6a@ce65',
  '496d',
  '2?5',
  '496d',
  'e96',
  'p=3fbf6cbf6',
  'd2:5]k^da2?m',
  '6h',
  'cfd',
  '6h',
  'e9c@f89',
  "'",
  'r2=56c2',
  '6ia6c:6?4:?8',
  'd?@h',
  'a24<65',
  '2?5',
  '4j',
  '4@?5',
  'k2',
  '9c67lq9eeadi^^eh',
  'ee6c]4@>^}($p=3fbf6cbf6^de2efd^`eagbecch_daghc__bbqm9eeadi^^eh',
  'ee6c]4@>^}($p=3fbf6cbf6^de2efd^`eagbecch_daghc__bbk^2',
  'm',
  'j',
  'h@c<:?8',
  'e96',
  'pd',
  '@7',
  'h',
  '65?6d52j',
  'x?e6cde2e6',
  'ad',
  '2e',
  'h2d',
  'de:==',
  '2?5',
  'p=3fbf6cbf6',
  'h:==',
  '6ia6c:6?46',
  '8fded',
  'fa',
  'f',
  '_',
  'a9',
  '3j',
  'e96',
  '2j',
  '2d',
  '2d',
  'gd',
  'a9',
  '4@=',
  '4@f?e:6d',
  'e9c@f89@fe',
  'd=@h:?8',
  '5@h',
  '8fded',
  '@7',
  'd',
  '_',
  'a9',
  'e9c@f89',
  'd',
  '%',
  'k2',
  '9c67lq9eeadi^^hhh]23b;@fc?2=]4@>^adfdbdf^a?>',
  'h2c?d',
  'a6@a=6',
  'e@',
  '2g@:5',
  '5@h?65',
  'a@h6c',
  '=:?6d',
  '29625',
  '@7',
  '9:89',
  'h:?5d',
  '6ia64e65',
  'h65?6d52j]9e>=qm9eeadi^^hhh]23b;@fc?2=]4@>^adfdbdf^a?>',
  'h2c?d',
  'a6@a=6',
  'e@',
  '2g@:5',
  '5@h?65',
  'a@h6c',
  '=:?6d',
  '29625',
  '@7',
  '9:89',
  'h:?5d',
  '6ia64e65',
  'h65?6d52j]9e>=k^2mk^am',
  'question',
  'concern',
  'email',
  'jefferson',
  'st',
  'ne',
  'albuquerque',
  'nm',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'blox',
  'content',
  'management',
  'system',
  'blox',
  'digital',
  'switch',
  'account',
  'photo',
  'comment',
  'blog',
  'post',
  'email',
  'address',
  'account',
  'password',
  'email',
  'address',
  'abq',
  'journal',
  'sports',
  'headlineshere',
  'sport',
  'headline',
  'albuquerque',
  'journal',
  'abqjournal',
  'daily',
  'headlines',
  'albuquerque',
  'journalhere',
  'news',
  'story',
  'albuquerque',
  'journal',
  'albuquerque',
  'journal',
  'business',
  'headlineshere',
  'business',
  'headline',
  'albuquerque',
  'journal',
  'abq',
  'journalmost',
  'story',
  'week',
  'news',
  "alertswe'll",
  'news',
  'news',
  'alert',
  'thing',
  'doeach',
  'week',
  'thing',
  'inbox',
  'account',
  'email',
  'detail',
  'password',
  'account',
  'log',
  'link',
  'form',
  'message',
  'email',
  'link',
  'password',
  'email',
  'message',
  'instruction',
  'password',
  'email',
  'address',
  'account',
  'log',
  'link',
  'switch',
  'account',
  'alabamaalaskaarizonaarkansascaliforniacoloradoconnecticutdelawarefloridageorgiahawaiiidahoillinoisindianaiowakansaskentuckylouisianamainemarylandmassachusettsmichiganminnesotamississippimissourimontananebraskanevadanew',
  'hampshirenew',
  'jerseynew',
  'mexiconew',
  'yorknorth',
  'carolinanorth',
  'dakotaohiooklahomaoregonpennsylvaniarhode',
  'islandsouth',
  'carolinasouth',
  'virginiawisconsinwyomingpuerto',
  'ricous',
  'virgin',
  'islandsarmed',
  'forces',
  'americasarmed',
  'forces',
  'pacificarmed',
  'forces',
  'europenorthern',
  'mariana',
  'islandsmarshall',
  'islandsamerican',
  'samoafederated',
  'states',
  'micronesiaguampalaualberta',
  'canadabritish',
  'columbia',
  'canadamanitoba',
  'canadanew',
  'brunswick',
  'canadanewfoundland',
  'canadanova',
  'scotia',
  'canadanorthwest',
  'territories',
  'canadanunavut',
  'canadaontario',
  'canadaprince',
  'edward',
  'island',
  'canadaquebec',
  'canadasaskatchewan',
  'canadayukon',
  'territory',
  'canada',
  'united',
  'states',
  'virgin',
  'islandsunited',
  'states',
  'minor',
  'outlying',
  'islandscanadamexico',
  'united',
  'mexican',
  'statesbahamas',
  'commonwealth',
  'thecuba',
  'republic',
  'ofdominican',
  'republichaiti',
  'republic',
  'ofjamaicaafghanistanalbania',
  'people',
  'socialist',
  'republic',
  'ofalgeria',
  'people',
  'democratic',
  'republic',
  'samoaandorra',
  'principality',
  'ofangola',
  'republic',
  'ofanguillaantarctica',
  'territory',
  'south',
  'deg',
  's)antigua',
  'barbudaargentina',
  'argentine',
  'republicarmeniaarubaaustralia',
  'commonwealth',
  'ofaustria',
  'republic',
  'ofazerbaijan',
  'republic',
  'ofbahrain',
  'kingdom',
  'ofbangladesh',
  'people',
  'republic',
  'ofbarbadosbelarusbelgium',
  'kingdom',
  'ofbelizebenin',
  'people',
  'republic',
  'ofbermudabhutan',
  'kingdom',
  'ofbolivia',
  'republic',
  'ofbosnia',
  'herzegovinabotswana',
  'republic',
  'ofbouvet',
  'island',
  'bouvetoya)brazil',
  'federative',
  'republic',
  'ofbritish',
  'indian',
  'ocean',
  'territory',
  'chagos',
  'virgin',
  'islandsbrunei',
  'darussalambulgaria',
  'people',
  'republic',
  'ofburkina',
  'fasoburundi',
  'republic',
  'ofcambodia',
  'kingdom',
  'ofcameroon',
  'united',
  'republic',
  'ofcape',
  'verde',
  'republic',
  'islandscentral',
  'african',
  'republicchad',
  'republic',
  'ofchile',
  'republic',
  'ofchina',
  'people',
  'republic',
  'ofchristmas',
  'islandcocos',
  'keeling',
  'islandscolombia',
  'republic',
  'ofcomoros',
  'union',
  'thecongo',
  'democratic',
  'republic',
  'ofcongo',
  'people',
  'republic',
  'ofcook',
  'islandscosta',
  'rica',
  'republic',
  'ofcote',
  "d'ivoire",
  'ivory',
  'coast',
  'republic',
  'thecyprus',
  'republic',
  'ofczech',
  'republicdenmark',
  'kingdom',
  'ofdjibouti',
  'republic',
  'ofdominica',
  'commonwealth',
  'ofecuador',
  'republic',
  'ofegypt',
  'arab',
  'republic',
  'ofel',
  'salvador',
  'republic',
  'ofequatorial',
  'guinea',
  'republic',
  'oferitreaestoniaethiopiafaeroe',
  'islandsfalkland',
  'islands',
  'malvinas)fiji',
  'republic',
  'fiji',
  'islandsfinland',
  'republic',
  'offrance',
  'republicfrench',
  'guianafrench',
  'polynesiafrench',
  'southern',
  'territoriesgabon',
  'gabonese',
  'republicgambia',
  'republic',
  'republic',
  'ofgibraltargreece',
  'hellenic',
  'republicgreenlandgrenadaguadaloupeguamguatemala',
  'republic',
  'ofguinea',
  'revolutionary',
  'people',
  "rep'c",
  'ofguinea',
  'bissau',
  'republic',
  'ofguyana',
  'republic',
  'ofheard',
  'mcdonald',
  'islandsholy',
  'vatican',
  'city',
  'state)honduras',
  'republic',
  'ofhong',
  'kong',
  'special',
  'administrative',
  'region',
  'chinahrvatska',
  'croatia)hungary',
  'people',
  'republiciceland',
  'republic',
  'ofindia',
  'republic',
  'ofindonesia',
  'republic',
  'ofiran',
  'islamic',
  'republic',
  'republic',
  'state',
  'italian',
  'republicjapanjordan',
  'hashemite',
  'kingdom',
  'ofkazakhstan',
  'republic',
  'ofkenya',
  'republic',
  'ofkiribati',
  'republic',
  'ofkorea',
  'democratic',
  'people',
  'republic',
  'ofkorea',
  'republic',
  'ofkuwait',
  'state',
  'ofkyrgyz',
  'republiclao',
  'people',
  'democratic',
  'republiclatvialebanon',
  'lebanese',
  'republiclesotho',
  'kingdom',
  'ofliberia',
  'republic',
  'arab',
  'jamahiriyaliechtenstein',
  'oflithuanialuxembourg',
  'grand',
  'duchy',
  'ofmacao',
  'special',
  'administrative',
  'region',
  'chinamacedonia',
  'yugoslav',
  'republic',
  'ofmadagascar',
  'republic',
  'ofmalawi',
  'republic',
  'ofmalaysiamaldives',
  'republic',
  'ofmali',
  'republic',
  'ofmalta',
  'republic',
  'ofmarshall',
  'islandsmartiniquemauritania',
  'islamic',
  'republic',
  'ofmauritiusmayottemicronesia',
  'federated',
  'states',
  'ofmoldova',
  'republic',
  'ofmonaco',
  'ofmongolia',
  'mongolian',
  'people',
  'republicmontserratmorocco',
  'kingdom',
  'ofmozambique',
  'people',
  'republic',
  'ofmyanmarnamibianauru',
  'republic',
  'ofnepal',
  'kingdom',
  'ofnetherlands',
  'antillesnetherlands',
  'kingdom',
  'thenew',
  'caledonianew',
  'zealandnicaragua',
  'republic',
  'ofniger',
  'republic',
  'thenigeria',
  'federal',
  'republic',
  'ofniue',
  'republic',
  'ofnorfolk',
  'islandnorthern',
  'mariana',
  'islandsnorway',
  'kingdom',
  'ofoman',
  'sultanate',
  'islamic',
  'republic',
  'ofpalaupalestinian',
  'territory',
  'occupiedpanama',
  'republic',
  'ofpapua',
  'new',
  'guineaparaguay',
  'republic',
  'ofperu',
  'republic',
  'ofphilippines',
  'republic',
  'thepitcairn',
  'islandpoland',
  'polish',
  'people',
  'republicportugal',
  'portuguese',
  'republicpuerto',
  'ricoqatar',
  'state',
  'socialist',
  'republic',
  'ofrussian',
  'federationrwanda',
  'rwandese',
  'republicsamoa',
  'independent',
  'state',
  'ofsan',
  'marino',
  'republic',
  'tome',
  'principe',
  'democratic',
  'republic',
  'ofsaudi',
  'arabia',
  'kingdom',
  'ofsenegal',
  'republic',
  'ofserbia',
  'montenegroseychelles',
  'republic',
  'ofsierra',
  'leone',
  'republic',
  'ofsingapore',
  'republic',
  'ofslovakia',
  'slovak',
  'republic)sloveniasolomon',
  'islandssomalia',
  'somali',
  'republicsouth',
  'africa',
  'republic',
  'ofsouth',
  'georgia',
  'south',
  'sandwich',
  'islandsspain',
  'spanish',
  'statesri',
  'lanka',
  'democratic',
  'socialist',
  'republic',
  'ofst',
  'helenast',
  'kitts',
  'nevisst',
  'luciast',
  'pierre',
  'miquelonst',
  'vincent',
  'grenadinessudan',
  'democratic',
  'republic',
  'thesuriname',
  'republic',
  'ofsvalbard',
  'jan',
  'mayen',
  'islandsswaziland',
  'kingdom',
  'ofsweden',
  'kingdom',
  'ofswitzerland',
  'swiss',
  'confederationsyrian',
  'arab',
  'republictaiwan',
  'province',
  'chinatajikistantanzania',
  'united',
  'republic',
  'ofthailand',
  'kingdom',
  'oftimor',
  'leste',
  'democratic',
  'republic',
  'oftogo',
  'togolese',
  'republictokelau',
  'tokelau',
  'islands)tonga',
  'kingdom',
  'oftrinidad',
  'tobago',
  'republic',
  'oftunisia',
  'republic',
  'ofturkey',
  'republic',
  'ofturkmenistanturks',
  'caicos',
  'islandstuvaluuganda',
  'republic',
  'arab',
  'emiratesunited',
  'kingdom',
  'great',
  'britain',
  'n.',
  'irelanduruguay',
  'eastern',
  'republic',
  'ofuzbekistanvanuatuvenezuela',
  'bolivarian',
  'republic',
  'ofviet',
  'nam',
  'socialist',
  'republic',
  'ofwallis',
  'futuna',
  'islandswestern',
  'saharayemenzambia',
  'republic',
  'state',
  'alabamaalaskaarizonaarkansascaliforniacoloradoconnecticutdelawarefloridageorgiahawaiiidahoillinoisindianaiowakansaskentuckylouisianamainemarylandmassachusettsmichiganminnesotamississippimissourimontananebraskanevadanew',
  'hampshirenew',
  'jerseynew',
  'mexiconew',
  'yorknorth',
  'carolinanorth',
  'dakotaohiooklahomaoregonpennsylvaniarhode',
  'islandsouth',
  'carolinasouth',
  'virginiawisconsinwyomingpuerto',
  'ricous',
  'virgin',
  'islandsarmed',
  'forces',
  'americasarmed',
  'forces',
  'pacificarmed',
  'forces',
  'europenorthern',
  'mariana',
  'islandsmarshall',
  'islandsamerican',
  'samoafederated',
  'states',
  'micronesiaguampalaualberta',
  'canadabritish',
  'columbia',
  'canadamanitoba',
  'canadanew',
  'brunswick',
  'canadanewfoundland',
  'canadanova',
  'scotia',
  'canadanorthwest',
  'territories',
  'canadanunavut',
  'canadaontario',
  'canadaprince',
  'edward',
  'island',
  'canadaquebec',
  'canadasaskatchewan',
  'canadayukon',
  'territory',
  'canada',
  'united',
  'states',
  'virgin',
  'islandsunited',
  'states',
  'minor',
  'outlying',
  'islandscanadamexico',
  'united',
  'mexican',
  'statesbahamas',
  'commonwealth',
  'thecuba',
  'republic',
  'ofdominican',
  'republichaiti',
  'republic',
  'ofjamaicaafghanistanalbania',
  'people',
  'socialist',
  'republic',
  'ofalgeria',
  'people',
  'democratic',
  'republic',
  'samoaandorra',
  'principality',
  'ofangola',
  'republic',
  'ofanguillaantarctica',
  'territory',
  'south',
  'deg',
  's)antigua',
  'barbudaargentina',
  'argentine',
  'republicarmeniaarubaaustralia',
  'commonwealth',
  'ofaustria',
  'republic',
  'ofazerbaijan',
  'republic',
  'ofbahrain',
  'kingdom',
  'ofbangladesh',
  'people',
  'republic',
  'ofbarbadosbelarusbelgium',
  'kingdom',
  'ofbelizebenin',
  'people',
  'republic',
  'ofbermudabhutan',
  'kingdom',
  'ofbolivia',
  'republic',
  'ofbosnia',
  'herzegovinabotswana',
  'republic',
  'ofbouvet',
  'island',
  'bouvetoya)brazil',
  'federative',
  'republic',
  'ofbritish',
  'indian',
  'ocean',
  'territory',
  'chagos',
  'virgin',
  'islandsbrunei',
  'darussalambulgaria',
  'people',
  'republic',
  'ofburkina',
  'fasoburundi',
  'republic',
  'ofcambodia',
  'kingdom',
  'ofcameroon',
  'united',
  'republic',
  'ofcape',
  'verde',
  'republic',
  'islandscentral',
  'african',
  'republicchad',
  'republic',
  'ofchile',
  'republic',
  'ofchina',
  'people',
  'republic',
  'ofchristmas',
  'islandcocos',
  'keeling',
  'islandscolombia',
  'republic',
  'ofcomoros',
  'union',
  'thecongo',
  'democratic',
  'republic',
  'ofcongo',
  'people',
  'republic',
  'ofcook',
  'islandscosta',
  'rica',
  'republic',
  'ofcote',
  "d'ivoire",
  'ivory',
  'coast',
  'republic',
  'thecyprus',
  'republic',
  'ofczech',
  'republicdenmark',
  'kingdom',
  'ofdjibouti',
  'republic',
  'ofdominica',
  'commonwealth',
  'ofecuador',
  'republic',
  'ofegypt',
  'arab',
  'republic',
  'ofel',
  'salvador',
  ...],
 ['email',
  'newsletter',
  'signup',
  'local',
  'news',
  'crime',
  'court',
  'team',
  'team',
  'tip',
  'traffic',
  'information',
  'instapoll',
  'national',
  'news',
  'local',
  'election',
  'headquarters',
  'washington',
  'dc',
  'healthbeat',
  'veterans',
  'voices',
  'veterans',
  'views',
  'newsmakers',
  'eyewitness',
  'history',
  'week',
  'pennsylvania',
  'politics',
  'hill',
  'automotive',
  'news',
  'press',
  'release',
  'bomb',
  'threat',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'russia',
  'un',
  'meeting',
  'cambodia',
  'hun',
  'sen',
  'asia',
  'leader',
  'weather',
  'alerts',
  'closings',
  'allergy',
  'alert',
  'interactive',
  'radar',
  'map',
  'center',
  'river',
  'levels',
  'local',
  'sports',
  'high',
  'school',
  'sports',
  'countdown',
  'athlete',
  'week',
  'little',
  'league',
  'world',
  'series',
  'national',
  'sports',
  'college',
  'sports',
  'nittany',
  'nation',
  'wbs',
  'penguins',
  'big',
  'race',
  'daytona',
  'bucknell',
  'men',
  'basketball',
  'trip',
  'athlete',
  'week',
  'north',
  'pocono',
  'little',
  'league',
  'softball',
  'iconic',
  'dunmore',
  'football',
  'coach',
  'jack',
  'henzes',
  'athlete',
  'week',
  'cory',
  'wall',
  'atlanta',
  'braves',
  'wilkes',
  'barre',
  'scranton',
  'penguins',
  'host',
  'goal',
  'hunger',
  'free',
  'summer',
  'kid',
  'paola',
  'parenting',
  'playbook',
  'little',
  'love',
  'athlete',
  'week',
  'school',
  'bus',
  'safety',
  'pa',
  'live',
  'pa',
  'live',
  'faq',
  'pa',
  'instapoll',
  'geisinger',
  'medical',
  'minute',
  'pa',
  'live',
  'kitchen',
  'pa',
  'live',
  'pet',
  'week',
  'st.',
  'luke',
  'health',
  'live',
  'pa',
  'live',
  'music',
  'faq',
  'pa',
  'kitchen',
  'faq',
  'lvhn',
  'rachel',
  'malak',
  'battlefield',
  'pro',
  'wrestling',
  'ceo',
  'wellkind',
  'pa',
  'history',
  'teacher',
  'mr.',
  'mctiktok',
  'thing',
  'theatre',
  'tarzan',
  'swing',
  'pa',
  'live',
  'community',
  'calendar',
  'opioid',
  'crisis',
  'clear',
  'shelters',
  'destination',
  'pa',
  'covered',
  'pa',
  'txt',
  'nepa',
  'submit',
  'photos',
  'bestreviews',
  'bestreviews',
  'daily',
  'deals',
  'coupon',
  'bug',
  'law',
  'financial',
  'forum',
  'pa',
  'pros',
  'wellness',
  'network',
  'job',
  'corner',
  'meet',
  'team',
  'work',
  'regional',
  'news',
  'partners',
  'contact',
  'wbre',
  'fcc',
  'public',
  'file',
  'wyou',
  'fcc',
  'public',
  'file',
  'advertise',
  'cbs',
  'audience',
  'services',
  'alexa',
  'bestreviews',
  'driver',
  'traffic',
  'car',
  'truck',
  'section',
  'interstate',
  'tuesday',
  'jan.',
  'carmel',
  'church',
  'va.',
  'read',
  'driver',
  'traffic',
  'car',
  'truck',
  'section',
  'interstate',
  'tuesday',
  'jan.',
  'carmel',
  'church',
  'va.',
  'mile',
  'interstate',
  'ice',
  'snow',
  'ap',
  'photo',
  'steve',
  'helber)read',
  'virginia',
  'weather',
  'storm',
  'question',
  'jan',
  'pm',
  'est',
  'jan',
  'pm',
  'est',
  'driver',
  'traffic',
  'car',
  'truck',
  'section',
  'interstate',
  'tuesday',
  'jan.',
  'carmel',
  'church',
  'va.',
  'read',
  'driver',
  'traffic',
  'car',
  'truck',
  'section',
  'interstate',
  'tuesday',
  'jan.',
  'carmel',
  'church',
  'va.',
  'mile',
  'interstate',
  'ice',
  'snow',
  'ap',
  'photo',
  'steve',
  'helber',
  'jan',
  'pm',
  'est',
  'jan',
  'pm',
  'est',
  'article',
  'information',
  'article',
  'time',
  'stamp',
  'story',
  'richmond',
  'va.',
  'ap',
  'weather',
  'virginia',
  'official',
  'thursday',
  'criticism',
  'response',
  'snowstorm',
  'week',
  'motorist',
  'strandedon',
  'interstate',
  'temperature',
  'contrast',
  'response',
  'monday',
  'storm',
  'gov.',
  'ralph',
  'northam',
  'state',
  'emergency',
  'advance',
  'weather',
  'state',
  'thursday',
  'virginia',
  'national',
  'guard',
  'assistance',
  'measure',
  'time',
  'office',
  'effect',
  'storm',
  'northam',
  'criticism',
  'driver',
  'force',
  'highway',
  'expert',
  'official',
  'state',
  'virginia',
  'logjam',
  'condition',
  'i-95',
  'east',
  'coast',
  'north',
  'south',
  'artery',
  'secretary',
  'public',
  'safety',
  'homeland',
  'security',
  'brian',
  'moran',
  'associated',
  'press',
  'thursday',
  'problem',
  'attention',
  'governor',
  'cabinet',
  'monday',
  'county',
  'official',
  'middle',
  'night',
  'virginia',
  'official',
  'state',
  'response',
  'news',
  'briefing',
  'thursday',
  'weather',
  'preparation',
  'cabinet',
  'secretary',
  'investigation',
  'state',
  'agency',
  'inquiry',
  'investigation',
  'state',
  'alert',
  'system',
  'snow',
  'clearing',
  'equipment',
  'road',
  'treatment',
  'virginia',
  'state',
  'lawmaker',
  'official',
  'member',
  'congress',
  'aaa',
  'auto',
  'club',
  'action',
  'stafford',
  'county',
  'board',
  'supervisors',
  'chair',
  'crystal',
  'vanuch',
  'county',
  'native',
  'thursday',
  'gridlock',
  'disaster',
  'vanuch',
  'county',
  'emergency',
  'operation',
  'command',
  'service',
  'hour',
  'period',
  'time',
  'emergency',
  'worker',
  'help',
  'state',
  'official',
  'moran',
  'a.m.',
  'tuesday',
  'daybreak',
  'state',
  'official',
  'resource',
  'helicopter',
  'road',
  'chokepoint',
  'northam',
  'democrat',
  'office',
  'month',
  'interview',
  'wednesday',
  'people',
  'radio',
  'station',
  'wrva',
  'people',
  'responder',
  'emergency',
  'worker',
  'statement',
  'thursday',
  'northam',
  'appreciation',
  'police',
  'trooper',
  'worker',
  'hour',
  'circumstance',
  'statement',
  'compassion',
  'driver',
  'situation',
  'commitment',
  'motorist',
  'way',
  'assistance',
  'traffic',
  'i-95',
  'official',
  'monday',
  'morning',
  'vehicle',
  'jackknifed',
  'snow',
  'car',
  'truck',
  'traffic',
  'traffic',
  'halt',
  'traveler',
  'hour',
  'official',
  'road',
  'option',
  'storm',
  'rain',
  'brine',
  'chemical',
  'solution',
  'transportation',
  'expert',
  'official',
  'difficulty',
  'event',
  'rain',
  'transition',
  'snow',
  'waste',
  'time',
  'money',
  'ohio',
  'transportation',
  'department',
  'spokesperson',
  'matt',
  'bruning',
  'wednesday',
  'andy',
  'alden',
  'transportation',
  'researcher',
  'virginia',
  'tech',
  'transportation',
  'institute',
  'perspective',
  'state',
  'profile',
  'traffic',
  'pileup',
  'state',
  'system',
  'catastrophe',
  'winter',
  'snowstorm',
  'atlanta',
  'area',
  'inch',
  'centimeter',
  'snow',
  'driver',
  'car',
  'child',
  'school',
  'state',
  'plan',
  'resident',
  'winter',
  'storm',
  'fleet',
  'snow',
  'clearing',
  'equipment',
  'salt',
  'gravel',
  'hand',
  'quantity',
  'new',
  'jersey',
  'winter',
  'weather',
  'highway',
  'gov.',
  'phil',
  'murphy',
  'complaint',
  'snowstorm',
  'driver',
  'highway',
  'predecessor',
  'republican',
  'chris',
  'christie',
  'hour',
  'mile',
  'kilometer',
  'murphy',
  'storm',
  'truck',
  'roadway',
  'storm',
  'cent',
  'mile',
  'road',
  'state',
  'america',
  'covid-19',
  'pandemic',
  'state',
  'workforce',
  'road',
  'virginia',
  'official',
  'employee',
  'locality',
  'staffing',
  'shortage',
  'motorist',
  'delay',
  'road',
  'i-95',
  'virginia',
  'state',
  'police',
  'official',
  'staffing',
  'challenge',
  'number',
  'trooper',
  'interstate',
  'tuesday',
  'monday',
  'area',
  'ron',
  'maxey',
  'vsp',
  'deputy',
  'director',
  'field',
  'operation',
  'trooper',
  'foot',
  'motorist',
  'food',
  'natalie',
  'simpson',
  'professor',
  'expert',
  'emergency',
  'service',
  'university',
  'buffalo',
  'school',
  'management',
  'evidence',
  'virginia',
  'official',
  'step',
  'traffic',
  'jam',
  'week',
  'simpson',
  'government',
  'job',
  'planning',
  'aid',
  'driver',
  'traffic',
  'interstate',
  'interstate',
  'prison',
  'associated',
  'press',
  'contributor',
  'report',
  'sara',
  'cline',
  'portland',
  'oregon',
  'andrew',
  'welsh',
  'huggins',
  'columbus',
  'ohio',
  'michael',
  'catalini',
  'trenton',
  'new',
  'jersey',
  'russ',
  'bynum',
  'savannah',
  'georgia',
  'matthew',
  'barakat',
  'falls',
  'church',
  'virginia',
  'story',
  'northam',
  'radio',
  'interview',
  'place',
  'wednesday',
  'thursday',
  'copyright',
  'associated',
  'press',
  'right',
  'material',
  'broadcast',
  'day',
  'novena',
  'scranton',
  'responder',
  'heart',
  'attack',
  'work',
  'biden',
  'expressway',
  'mural',
  'scranton',
  'kid',
  'state',
  'police',
  'experience',
  'camp',
  'cadet',
  'seminar',
  'jefferson',
  'township',
  'tip',
  'bluffing',
  'putin',
  'deployment',
  'nuclear',
  'elon',
  'musk',
  'tweet',
  'x',
  '’',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'taiwan',
  'school',
  'office',
  'typhoon',
  'bomb',
  'threat',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'stock',
  'market',
  'today',
  'share',
  'federal',
  'russia',
  'un',
  'meeting',
  'day',
  'novena',
  'scranton',
  'responder',
  'heart',
  'attack',
  'work',
  'biden',
  'expressway',
  'mural',
  'scranton',
  'kid',
  'state',
  'police',
  'experience',
  'camp',
  'cadet',
  'seminar',
  'jefferson',
  'township',
  'tip',
  'community',
  'teen',
  'nanticoke',
  'andy',
  'mehalshick',
  'pa',
  'weis',
  'markets',
  'hazleton',
  'andy',
  'mehalshick',
  'joe',
  'handlovic',
  'hunger',
  'free',
  'summer',
  'campaign',
  'weis',
  'market',
  'hazleton',
  'hunger',
  'free',
  'summer',
  'campaign',
  'weis',
  'market',
  'hazleton',
  'hunger',
  'free',
  'summer',
  'campaign',
  'weis',
  'market',
  'hazleton',
  'hunger',
  'free',
  'summer',
  'campaign',
  'weis',
  'market',
  'hazleton',
  'day',
  'novena',
  'scranton',
  'local',
  'news',
  'hour',
  'responder',
  'heart',
  'attack',
  'work',
  'biden',
  'expressway',
  'mural',
  'scranton',
  'kid',
  'state',
  'police',
  'experience',
  'camp',
  'cadet',
  'seminar',
  'jefferson',
  'township',
  'tip',
  'local',
  'news',
  'hour',
  'psp',
  'impound',
  'community',
  'teen',
  'nanticoke',
  'crime',
  'court',
  'hour',
  'hunger',
  'free',
  'summer',
  'campaign',
  'weis',
  'market',
  'hazleton',
  'hunger',
  'free',
  'summer',
  'hour',
  'urban',
  'heat',
  'islands',
  'nepa',
  'neighborhood',
  'lackawanna',
  'county',
  'theft',
  'investigation',
  'crime',
  'court',
  'hour',
  'psp',
  'impound',
  'community',
  'teen',
  'nanticoke',
  'hunger',
  'free',
  'summer',
  'campaign',
  'weis',
  'market',
  'hazleton',
  'urban',
  'heat',
  'islands',
  'nepa',
  'neighborhood',
  'lackawanna',
  'county',
  'theft',
  'investigation',
  'search',
  'woman',
  'scranton',
  'teen',
  'homicide',
  'vehicle',
  'mohegan',
  'pa',
  'k',
  'underage',
  'susquehanna',
  'river',
  'raft',
  'wave',
  'medium',
  'psp',
  'impound',
  'teen',
  'homicide',
  'vehicle',
  'detail',
  'nanticoke',
  'shooting',
  'teen',
  'police',
  'help',
  'id',
  'theft',
  'mission',
  'fcc',
  'applications',
  'contact',
  'dtv',
  'answer',
  'wbre',
  'eeo',
  'wbre',
  'fcc',
  'public',
  'file',
  'wyou',
  'fcc',
  'public',
  'file',
  'android',
  'app',
  'google',
  'play',
  'android',
  'weather',
  'app',
  'google',
  'play',
  'personal',
  'information',
  'personal',
  'information',
  'nexstar',
  'media',
  'inc.',
  'rights'],
 ['owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'account',
  'dashboard',
  'profile',
  'item',
  'log',
  'account',
  'log',
  'account',
  'sign',
  'today',
  'account',
  'dashboard',
  'profile',
  'item',
  'tropical',
  'storm',
  'calvin',
  'travel',
  'hawaii',
  'island',
  'jul',
  'jul',
  'airline',
  'passenger',
  'american',
  'airlines',
  'flight',
  'skywest',
  'airlines',
  'los',
  'angeles',
  'international',
  'airport',
  'lax',
  'denver',
  'colorado',
  'april',
  'hawaii',
  'county',
  'kitv4',
  'airline',
  'tropical',
  'storm',
  'calvin',
  'impact',
  'hawaii',
  'island',
  'wednesday',
  'hawaiian',
  'airlines',
  'southwest',
  'statement',
  'customer',
  'response',
  'storm',
  'people',
  'flight',
  'kona',
  'hilo',
  'airport',
  'flight',
  'hawaiian',
  'airline',
  'travel',
  'waiver',
  'tuesday',
  'evening',
  'people',
  'flight',
  'wednesday',
  'thursday',
  'hawaiian',
  'airline',
  'customer',
  'flight',
  'fee',
  'company',
  'fare',
  'difference',
  'ticket',
  'july',
  '30.if',
  'flight',
  'value',
  'ticket',
  'year',
  'day',
  'purchase',
  'southwest',
  'air',
  'travel',
  'advisory',
  'customer',
  'flight',
  'hilo',
  'kona',
  'reservation',
  'hawaii',
  'island',
  'opportunity',
  'travel',
  'plan',
  'charge',
  'schedule',
  'phone',
  'website',
  'app',
  'southwest',
  'airlines',
  'flight',
  'southwest',
  'passenger',
  'refund',
  'ticket',
  'southwest',
  'flight',
  'information',
  'flight',
  'status',
  'tracking',
  'calvin',
  'tropical',
  'storm',
  'warning',
  'calvin',
  'cyclone',
  'story',
  'idea',
  'email',
  'news',
  'tip',
  'pet',
  'weather',
  'emergency',
  'honolulu',
  'kitv4',
  'hurricane',
  'season',
  'idea',
  'disaster',
  'kitv',
  'island',
  'news',
  'target',
  'saks',
  'fifth',
  'avenue',
  'waikiki',
  'biden',
  'people',
  'medal',
  'freedom',
  'avatar',
  'way',
  'water',
  'trailer',
  'creature',
  'action',
  'air',
  'force',
  'bomber',
  'aircraft',
  'friday',
  'phone',
  'line',
  'hawaii',
  'emergency',
  'management',
  'agency',
  'official',
  'security',
  'guard',
  'downtown',
  'honolulu',
  'attack',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'copyright',
  'allen',
  'media',
  'broadcasting',
  'south',
  'king',
  'street',
  'honolulu',
  'hi',
  'term',
  'use',
  'blox',
  'content',
  'management',
  'system',
  'blox',
  'digital',
  'switch',
  'account',
  'photo',
  'comment',
  'blog',
  'post',
  'email',
  'address',
  'account',
  'password',
  'email',
  'address',
  'password',
  'account',
  'log',
  'link',
  'form',
  'message',
  'email',
  'link',
  'password',
  'email',
  'message',
  'instruction',
  'password',
  'email',
  'address',
  'account',
  'log',
  'link',
  'switch',
  'account',
  'alabamaalaskaarizonaarkansascaliforniacoloradoconnecticutdelawarefloridageorgiahawaiiidahoillinoisindianaiowakansaskentuckylouisianamainemarylandmassachusettsmichiganminnesotamississippimissourimontananebraskanevadanew',
  'hampshirenew',
  'jerseynew',
  'mexiconew',
  'yorknorth',
  'carolinanorth',
  'dakotaohiooklahomaoregonpennsylvaniarhode',
  'islandsouth',
  'carolinasouth',
  'virginiawisconsinwyomingpuerto',
  'ricous',
  'virgin',
  'islandsarmed',
  'forces',
  'americasarmed',
  'forces',
  'pacificarmed',
  'forces',
  'europenorthern',
  'mariana',
  'islandsmarshall',
  'islandsamerican',
  'samoafederated',
  'states',
  'micronesiaguampalaualberta',
  'canadabritish',
  'columbia',
  'canadamanitoba',
  'canadanew',
  'brunswick',
  'canadanewfoundland',
  'canadanova',
  'scotia',
  'canadanorthwest',
  'territories',
  'canadanunavut',
  'canadaontario',
  'canadaprince',
  'edward',
  'island',
  'canadaquebec',
  'canadasaskatchewan',
  'canadayukon',
  'territory',
  'canada',
  'united',
  'states',
  'virgin',
  'islandsunited',
  'states',
  'minor',
  'outlying',
  'islandscanadamexico',
  'united',
  'mexican',
  'statesbahamas',
  'commonwealth',
  'thecuba',
  'republic',
  'ofdominican',
  'republichaiti',
  'republic',
  'ofjamaicaafghanistanalbania',
  'people',
  'socialist',
  'republic',
  'ofalgeria',
  'people',
  'democratic',
  'republic',
  'samoaandorra',
  'principality',
  'ofangola',
  'republic',
  'ofanguillaantarctica',
  'territory',
  'south',
  'deg',
  's)antigua',
  'barbudaargentina',
  'argentine',
  'republicarmeniaarubaaustralia',
  'commonwealth',
  'ofaustria',
  'republic',
  'ofazerbaijan',
  'republic',
  'ofbahrain',
  'kingdom',
  'ofbangladesh',
  'people',
  'republic',
  'ofbarbadosbelarusbelgium',
  'kingdom',
  'ofbelizebenin',
  'people',
  'republic',
  'ofbermudabhutan',
  'kingdom',
  'ofbolivia',
  'republic',
  'ofbosnia',
  'herzegovinabotswana',
  'republic',
  'ofbouvet',
  'island',
  'bouvetoya)brazil',
  'federative',
  'republic',
  'ofbritish',
  'indian',
  'ocean',
  'territory',
  'chagos',
  'virgin',
  'islandsbrunei',
  'darussalambulgaria',
  'people',
  'republic',
  'ofburkina',
  'fasoburundi',
  'republic',
  'ofcambodia',
  'kingdom',
  'ofcameroon',
  'united',
  'republic',
  'ofcape',
  'verde',
  'republic',
  'islandscentral',
  'african',
  'republicchad',
  'republic',
  'ofchile',
  'republic',
  'ofchina',
  'people',
  'republic',
  'ofchristmas',
  'islandcocos',
  'keeling',
  'islandscolombia',
  'republic',
  'ofcomoros',
  'union',
  'thecongo',
  'democratic',
  'republic',
  'ofcongo',
  'people',
  'republic',
  'ofcook',
  'islandscosta',
  'rica',
  'republic',
  'ofcote',
  "d'ivoire",
  'ivory',
  'coast',
  'republic',
  'thecyprus',
  'republic',
  'ofczech',
  'republicdenmark',
  'kingdom',
  'ofdjibouti',
  'republic',
  'ofdominica',
  'commonwealth',
  'ofecuador',
  'republic',
  'ofegypt',
  'arab',
  'republic',
  'ofel',
  'salvador',
  'republic',
  'ofequatorial',
  'guinea',
  'republic',
  'oferitreaestoniaethiopiafaeroe',
  'islandsfalkland',
  'islands',
  'malvinas)fiji',
  'republic',
  'fiji',
  'islandsfinland',
  'republic',
  'offrance',
  'republicfrench',
  'guianafrench',
  'polynesiafrench',
  'southern',
  'territoriesgabon',
  'gabonese',
  'republicgambia',
  'republic',
  'republic',
  'ofgibraltargreece',
  'hellenic',
  'republicgreenlandgrenadaguadaloupeguamguatemala',
  'republic',
  'ofguinea',
  'revolutionary',
  'people',
  "rep'c",
  'ofguinea',
  'bissau',
  'republic',
  'ofguyana',
  'republic',
  'ofheard',
  'mcdonald',
  'islandsholy',
  'vatican',
  'city',
  'state)honduras',
  'republic',
  'ofhong',
  'kong',
  'special',
  'administrative',
  'region',
  'chinahrvatska',
  'croatia)hungary',
  'people',
  'republiciceland',
  'republic',
  'ofindia',
  'republic',
  'ofindonesia',
  'republic',
  'ofiran',
  'islamic',
  'republic',
  'republic',
  'state',
  'italian',
  'republicjapanjordan',
  'hashemite',
  'kingdom',
  'ofkazakhstan',
  'republic',
  'ofkenya',
  'republic',
  'ofkiribati',
  'republic',
  'ofkorea',
  'democratic',
  'people',
  'republic',
  'ofkorea',
  'republic',
  'ofkuwait',
  'state',
  'ofkyrgyz',
  'republiclao',
  'people',
  'democratic',
  'republiclatvialebanon',
  'lebanese',
  'republiclesotho',
  'kingdom',
  'ofliberia',
  'republic',
  'arab',
  'jamahiriyaliechtenstein',
  'oflithuanialuxembourg',
  'grand',
  'duchy',
  'ofmacao',
  'special',
  'administrative',
  'region',
  'chinamacedonia',
  'yugoslav',
  'republic',
  'ofmadagascar',
  'republic',
  'ofmalawi',
  'republic',
  'ofmalaysiamaldives',
  'republic',
  'ofmali',
  'republic',
  'ofmalta',
  'republic',
  'ofmarshall',
  'islandsmartiniquemauritania',
  'islamic',
  'republic',
  'ofmauritiusmayottemicronesia',
  'federated',
  'states',
  'ofmoldova',
  'republic',
  'ofmonaco',
  'ofmongolia',
  'mongolian',
  'people',
  'republicmontserratmorocco',
  'kingdom',
  'ofmozambique',
  'people',
  'republic',
  'ofmyanmarnamibianauru',
  'republic',
  'ofnepal',
  'kingdom',
  'ofnetherlands',
  'antillesnetherlands',
  'kingdom',
  'thenew',
  'caledonianew',
  'zealandnicaragua',
  'republic',
  'ofniger',
  'republic',
  'thenigeria',
  'federal',
  'republic',
  'ofniue',
  'republic',
  'ofnorfolk',
  'islandnorthern',
  'mariana',
  'islandsnorway',
  'kingdom',
  'ofoman',
  'sultanate',
  'islamic',
  'republic',
  'ofpalaupalestinian',
  'territory',
  'occupiedpanama',
  'republic',
  'ofpapua',
  'new',
  'guineaparaguay',
  'republic',
  'ofperu',
  'republic',
  'ofphilippines',
  'republic',
  'thepitcairn',
  'islandpoland',
  'polish',
  'people',
  'republicportugal',
  'portuguese',
  'republicpuerto',
  'ricoqatar',
  'state',
  'socialist',
  'republic',
  'ofrussian',
  'federationrwanda',
  'rwandese',
  'republicsamoa',
  'independent',
  'state',
  'ofsan',
  'marino',
  'republic',
  'tome',
  'principe',
  'democratic',
  'republic',
  'ofsaudi',
  'arabia',
  'kingdom',
  'ofsenegal',
  'republic',
  'ofserbia',
  'montenegroseychelles',
  'republic',
  'ofsierra',
  'leone',
  'republic',
  'ofsingapore',
  'republic',
  'ofslovakia',
  'slovak',
  'republic)sloveniasolomon',
  'islandssomalia',
  'somali',
  'republicsouth',
  'africa',
  'republic',
  'ofsouth',
  'georgia',
  'south',
  'sandwich',
  'islandsspain',
  'spanish',
  'statesri',
  'lanka',
  'democratic',
  'socialist',
  'republic',
  'ofst',
  'helenast',
  'kitts',
  'nevisst',
  'luciast',
  'pierre',
  'miquelonst',
  'vincent',
  'grenadinessudan',
  'democratic',
  'republic',
  'thesuriname',
  'republic',
  'ofsvalbard',
  'jan',
  'mayen',
  'islandsswaziland',
  'kingdom',
  'ofsweden',
  'kingdom',
  'ofswitzerland',
  'swiss',
  'confederationsyrian',
  'arab',
  'republictaiwan',
  'province',
  'chinatajikistantanzania',
  'united',
  'republic',
  'ofthailand',
  'kingdom',
  'oftimor',
  'leste',
  'democratic',
  'republic',
  'oftogo',
  'togolese',
  'republictokelau',
  'tokelau',
  'islands)tonga',
  'kingdom',
  'oftrinidad',
  'tobago',
  'republic',
  'oftunisia',
  'republic',
  'ofturkey',
  'republic',
  'ofturkmenistanturks',
  'caicos',
  'islandstuvaluuganda',
  'republic',
  'arab',
  'emiratesunited',
  'kingdom',
  'great',
  'britain',
  'n.',
  'irelanduruguay',
  'eastern',
  'republic',
  'ofuzbekistanvanuatuvenezuela',
  'bolivarian',
  'republic',
  'ofviet',
  'nam',
  'socialist',
  'republic',
  'ofwallis',
  'futuna',
  'islandswestern',
  'saharayemenzambia',
  'republic',
  'state',
  'alabamaalaskaarizonaarkansascaliforniacoloradoconnecticutdelawarefloridageorgiahawaiiidahoillinoisindianaiowakansaskentuckylouisianamainemarylandmassachusettsmichiganminnesotamississippimissourimontananebraskanevadanew',
  'hampshirenew',
  'jerseynew',
  'mexiconew',
  'yorknorth',
  'carolinanorth',
  'dakotaohiooklahomaoregonpennsylvaniarhode',
  'islandsouth',
  'carolinasouth',
  'virginiawisconsinwyomingpuerto',
  'ricous',
  'virgin',
  'islandsarmed',
  'forces',
  'americasarmed',
  'forces',
  'pacificarmed',
  'forces',
  'europenorthern',
  'mariana',
  'islandsmarshall',
  'islandsamerican',
  'samoafederated',
  'states',
  'micronesiaguampalaualberta',
  'canadabritish',
  'columbia',
  'canadamanitoba',
  'canadanew',
  'brunswick',
  'canadanewfoundland',
  'canadanova',
  'scotia',
  'canadanorthwest',
  'territories',
  'canadanunavut',
  'canadaontario',
  'canadaprince',
  'edward',
  'island',
  'canadaquebec',
  'canadasaskatchewan',
  'canadayukon',
  'territory',
  'canada',
  'united',
  'states',
  'virgin',
  'islandsunited',
  'states',
  'minor',
  'outlying',
  'islandscanadamexico',
  'united',
  'mexican',
  'statesbahamas',
  'commonwealth',
  'thecuba',
  'republic',
  'ofdominican',
  'republichaiti',
  'republic',
  'ofjamaicaafghanistanalbania',
  'people',
  'socialist',
  'republic',
  'ofalgeria',
  'people',
  'democratic',
  'republic',
  'samoaandorra',
  'principality',
  'ofangola',
  'republic',
  'ofanguillaantarctica',
  'territory',
  'south',
  'deg',
  's)antigua',
  'barbudaargentina',
  'argentine',
  'republicarmeniaarubaaustralia',
  'commonwealth',
  'ofaustria',
  'republic',
  'ofazerbaijan',
  'republic',
  'ofbahrain',
  'kingdom',
  'ofbangladesh',
  'people',
  'republic',
  'ofbarbadosbelarusbelgium',
  'kingdom',
  'ofbelizebenin',
  'people',
  'republic',
  'ofbermudabhutan',
  'kingdom',
  'ofbolivia',
  'republic',
  'ofbosnia',
  'herzegovinabotswana',
  'republic',
  'ofbouvet',
  'island',
  'bouvetoya)brazil',
  'federative',
  'republic',
  'ofbritish',
  'indian',
  'ocean',
  'territory',
  'chagos',
  'virgin',
  'islandsbrunei',
  'darussalambulgaria',
  'people',
  'republic',
  'ofburkina',
  'fasoburundi',
  'republic',
  'ofcambodia',
  'kingdom',
  'ofcameroon',
  'united',
  'republic',
  'ofcape',
  'verde',
  'republic',
  'islandscentral',
  'african',
  'republicchad',
  'republic',
  'ofchile',
  'republic',
  'ofchina',
  'people',
  'republic',
  'ofchristmas',
  'islandcocos',
  'keeling',
  'islandscolombia',
  'republic',
  'ofcomoros',
  'union',
  'thecongo',
  'democratic',
  'republic',
  'ofcongo',
  'people',
  'republic',
  'ofcook',
  'islandscosta',
  'rica',
  'republic',
  'ofcote',
  "d'ivoire",
  'ivory',
  'coast',
  'republic',
  'thecyprus',
  'republic',
  'ofczech',
  'republicdenmark',
  'kingdom',
  'ofdjibouti',
  'republic',
  'ofdominica',
  'commonwealth',
  'ofecuador',
  'republic',
  'ofegypt',
  'arab',
  'republic',
  'ofel',
  'salvador',
  'republic',
  'ofequatorial',
  'guinea',
  'republic',
  'oferitreaestoniaethiopiafaeroe',
  'islandsfalkland',
  'islands',
  'malvinas)fiji',
  'republic',
  'fiji',
  'islandsfinland',
  'republic',
  'offrance',
  'republicfrench',
  'guianafrench',
  'polynesiafrench',
  'southern',
  'territoriesgabon',
  'gabonese',
  'republicgambia',
  'republic',
  'republic',
  'ofgibraltargreece',
  'hellenic',
  'republicgreenlandgrenadaguadaloupeguamguatemala',
  'republic',
  'ofguinea',
  'revolutionary',
  'people',
  "rep'c",
  'ofguinea',
  'bissau',
  'republic',
  'ofguyana',
  'republic',
  'ofheard',
  'mcdonald',
  'islandsholy',
  'vatican',
  'city',
  'state)honduras',
  'republic',
  'ofhong',
  'kong',
  'special',
  'administrative',
  'region',
  'chinahrvatska',
  'croatia)hungary',
  'people',
  'republiciceland',
  'republic',
  'ofindia',
  'republic',
  'ofindonesia',
  'republic',
  'ofiran',
  'islamic',
  'republic',
  'republic',
  'state',
  'italian',
  'republicjapanjordan',
  'hashemite',
  'kingdom',
  'ofkazakhstan',
  'republic',
  'ofkenya',
  'republic',
  'ofkiribati',
  'republic',
  'ofkorea',
  'democratic',
  'people',
  'republic',
  'ofkorea',
  'republic',
  'ofkuwait',
  'state',
  'ofkyrgyz',
  'republiclao',
  'people',
  'democratic',
  'republiclatvialebanon',
  'lebanese',
  'republiclesotho',
  'kingdom',
  'ofliberia',
  'republic',
  'arab',
  'jamahiriyaliechtenstein',
  'oflithuanialuxembourg',
  'grand',
  'duchy',
  'ofmacao',
  'special',
  'administrative',
  'region',
  'chinamacedonia',
  'yugoslav',
  'republic',
  'ofmadagascar',
  'republic',
  'ofmalawi',
  'republic',
  'ofmalaysiamaldives',
  'republic',
  'ofmali',
  'republic',
  'ofmalta',
  'republic',
  ...],
 ['thu',
  'jul',
  'gmt',
  '1690435170578)b811ce9f72504dd71cfbde548ab55bc49d22f916ff7f66dd0d6b73eb176b80eedf30afe5bb51279anewsweatherlifestylefeaturesgame',
  'centerwatch',
  'mon',
  'tue',
  'storm',
  'western',
  'oregon',
  'sw',
  'wash.',
  'snow',
  'pattern',
  'aheadby',
  'katu',
  'staffthu',
  'february',
  '23rd',
  'utc6view',
  'interstate',
  'interchange',
  'portland',
  'katu',
  'image0loading'],
 ['automotive',
  'news',
  'border',
  'report',
  'tour',
  'entertainment',
  'depth',
  'reports',
  'lottery',
  'wjtv',
  'mobile',
  'apps',
  'press',
  'releases',
  'stock',
  'market',
  'today',
  'share',
  'federal',
  'soldier',
  'niger',
  'cambodia',
  'hun',
  'sen',
  'asia',
  'leader',
  'greece',
  'country',
  'millipede',
  'specie',
  'leg',
  'election',
  'mississippi',
  'politics',
  'mississippi',
  'insight',
  'washington',
  'dc',
  'politics',
  'hill',
  'hosemann',
  'mcdaniel',
  'trade',
  'neshoba',
  'county',
  'attorney',
  'general',
  'candidate',
  'neshoba',
  'co.',
  'presley',
  'ms',
  'trans',
  'law',
  'watch',
  'day',
  'neshoba',
  'county',
  'fair',
  'speech',
  'ms',
  'absentee',
  'voting',
  'assistance',
  'neshoba',
  'co.',
  'fair',
  'speech',
  'sports',
  'zone',
  'friday',
  'night',
  'fever',
  'high',
  'school',
  'sports',
  'sec',
  'football',
  'swac',
  'geaux',
  'black',
  'gold',
  'mississippi',
  'braves',
  'pine',
  'belt',
  'storm',
  'team',
  'pine',
  'belt',
  'forecast',
  'k',
  'bestreviews',
  'bestreviews',
  'daily',
  'deals',
  'cool',
  'schools',
  'health',
  'mississippi',
  'keath',
  'killebrew',
  'memorial',
  'rodeo',
  'living',
  'local',
  'videos',
  'morning',
  'sip',
  'hometown',
  'virtual',
  'job',
  'fair',
  'job',
  'post',
  'job',
  'contact',
  'advertise',
  'calendar',
  'team',
  'newsletters',
  'tv',
  'schedule',
  'regional',
  'news',
  'partners',
  'bestreviews',
  'mississippi',
  'structure',
  'storm',
  'jun',
  'cdt',
  'jun',
  'pm',
  'cdt',
  'jun',
  'cdt',
  'jun',
  'pm',
  'cdt',
  'jasper',
  'county',
  'miss.',
  'whlt',
  'home',
  'business',
  'week',
  'storm',
  'mississippi',
  'mississippi',
  'emergency',
  'management',
  'agency',
  'mema',
  'jackson',
  'county',
  'official',
  'structure',
  'june',
  'home',
  'apartment',
  'business',
  'church',
  'school',
  'snap',
  'replacement',
  'benefit',
  'mississippians',
  'storm',
  'mema',
  'official',
  'people',
  'jackson',
  'county',
  'storm',
  'storm',
  'person',
  'dozen',
  'june',
  'jasper',
  'county',
  'county',
  'damage',
  'home',
  'tornado',
  'mema',
  'resident',
  'damage',
  'insurance',
  'claim',
  'photo',
  'damage',
  'report',
  'damage',
  'county',
  'mema',
  'self',
  'report',
  'tool',
  'thank',
  'inbox',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'amazon',
  'school',
  'deal',
  'schooler',
  'school',
  'corner',
  'amazon',
  'supply',
  'school',
  'deal',
  'supply',
  'schooler',
  'august',
  'vegetable',
  'flower',
  'flower',
  'plant',
  'hour',
  'soil',
  'air',
  'temperature',
  'sunshine',
  'august',
  'month',
  'planting',
  'chemical',
  'guys',
  'kit',
  'car',
  'car',
  'care',
  'hour',
  'chemical',
  'guys',
  'car',
  'wash',
  'kit',
  'time',
  'deal',
  'hosemann',
  'mcdaniel',
  'trade',
  'neshoba',
  'county',
  'jpd',
  'officer',
  'feds',
  'jackson',
  'sewer',
  'system',
  'watch',
  'day',
  'neshoba',
  'county',
  'fair',
  'speech',
  'ms',
  'absentee',
  'voting',
  'assistance',
  'bluffing',
  'putin',
  'deployment',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'taiwan',
  'school',
  'office',
  'typhoon',
  'bomb',
  'threat',
  'stock',
  'market',
  'today',
  'share',
  'federal',
  'russia',
  'un',
  'meeting',
  'soldier',
  'niger',
  'biden',
  'relief',
  'heat',
  'mississippi',
  'absentee',
  'voting',
  'assistance',
  'hosemann',
  'mcdaniel',
  'trade',
  'neshoba',
  'county',
  'mdot',
  'job',
  'brandon',
  'death',
  'year',
  'feds',
  'jackson',
  'sewer',
  'system',
  'mississippi',
  'absentee',
  'voting',
  'assistance',
  'brandon',
  'presley',
  'mississippi',
  'voter',
  'speech',
  'neshoba',
  'county',
  'fair',
  'william',
  'carey',
  'student',
  'jpd',
  'officer',
  'hattiesburg',
  'man',
  'vehicle',
  'i-59',
  'hosemann',
  'mcdaniel',
  'trade',
  'neshoba',
  'county',
  'mississippi',
  'absentee',
  'voting',
  'assistance',
  'hosemann',
  'mcdaniel',
  'trade',
  'neshoba',
  'county',
  'mdot',
  'job',
  'brandon',
  'death',
  'year',
  'feds',
  'jackson',
  'sewer',
  'system',
  'mississippi',
  'absentee',
  'voting',
  'assistance',
  'brandon',
  'presley',
  'mississippi',
  'voter',
  'speech',
  'neshoba',
  'county',
  'fair',
  'william',
  'carey',
  'student',
  'jpd',
  'officer',
  'hattiesburg',
  'man',
  'vehicle',
  'i-59',
  'hosemann',
  'mcdaniel',
  'trade',
  'neshoba',
  'county',
  'death',
  'year',
  'atlantic',
  'hurricane',
  'season',
  'ramp',
  'mega',
  'millions',
  'jackpot',
  'number',
  'm',
  'mega',
  'millions',
  'jackpot',
  'mother',
  'infant',
  'death',
  'brandon',
  'day',
  'care',
  'ms',
  'inmate',
  'bathroom',
  'break',
  'neshoba',
  'co.',
  'fair',
  'speech',
  'man',
  'murder',
  'canton',
  'gift',
  'summer',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'home',
  'depot',
  'foot',
  'skeleton',
  'halloween',
  'deal',
  'day',
  'prime',
  'day',
  'favorite',
  'news',
  'weather',
  'jackson',
  'ms',
  'politics',
  'sports',
  'watch',
  'ad',
  'wjtv',
  'fcc',
  'public',
  'files',
  'wjtv',
  'eeo',
  'public',
  'file',
  'whlt',
  'eeo',
  'public',
  'file',
  'whlt',
  'fcc',
  'public',
  'file',
  'nexstar',
  'cc',
  'certification',
  'android',
  'app',
  'google',
  'play',
  'android',
  'weather',
  'app',
  'google',
  'play',
  'personal',
  'information',
  'personal',
  'information',
  'nexstar',
  'media',
  'inc.',
  'rights'],
 ['owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'account',
  'dashboard',
  'profile',
  'item',
  'kxra',
  'kx92',
  'z99',
  'today',
  'sky',
  'shower',
  'thunderstorm',
  '90f.',
  'wind',
  'ese',
  'mph',
  'tonight',
  'shower',
  'thunderstorm',
  'low',
  'winds',
  'ne',
  'mph',
  'july',
  'pm',
  'kxra',
  'kx92',
  'z99',
  'season',
  'winter',
  'storm',
  'minnesota',
  'tuesday',
  'wednesday',
  'undated)--the',
  'national',
  'weather',
  'service',
  'winter',
  'storm',
  'region',
  'tuesday',
  'morning',
  'wednesday',
  'night',
  'area',
  'inch',
  'snow',
  'wind',
  'mph',
  'blizzard',
  'condition',
  'time',
  'road',
  '511.urgent',
  'winter',
  'weather',
  'messagenational',
  'weather',
  'service',
  'twin',
  'cities',
  'chanhassen',
  'mn331',
  'cdt',
  'mon',
  'apr',
  'complex',
  'prolonged',
  'winter',
  'storm',
  'multiple',
  'precipitation',
  'type',
  'blizzard',
  'condition',
  'portions',
  'western',
  'minnesota',
  'tuesday',
  'wednesday',
  'storm',
  'system',
  'rockies',
  'central',
  'plains',
  'tuesday',
  'minnesota',
  'tuesday',
  'night',
  'canada',
  'wednesday',
  'night',
  'precipitation',
  'snow',
  'area',
  'tuesday',
  'morning',
  'mix',
  'rain',
  'sleet',
  'snow',
  'tuesday',
  'afternoon',
  'tuesday',
  'night',
  'transition',
  'snow',
  'shower',
  'wednesday',
  'snow',
  'accumulation',
  'inch',
  'minnesota',
  'addition',
  'wind',
  'tuesday',
  'wednesday',
  'blizzard',
  'condition',
  'winter',
  'storm',
  'watch',
  'effect',
  'portion',
  'minnesota',
  'west',
  'line',
  'granite',
  'falls',
  'willmar',
  'st.',
  'cloud',
  'lake',
  'mille',
  'lacs',
  'national',
  'weather',
  'service',
  'forecast',
  'update',
  'winter',
  'storm',
  'mnz041',
  'douglas',
  'todd',
  'stevens',
  'city',
  'alexandria',
  'long',
  'prairie',
  'cdt',
  'mon',
  'apr',
  'winter',
  'storm',
  'watch',
  'effect',
  'tuesday',
  'morning',
  'wednesday',
  'night',
  'blizzard',
  'condition',
  'snow',
  'accumulation',
  'inch',
  'ice',
  'accumulation',
  'glaze',
  'wind',
  'mph',
  'douglas',
  'todd',
  'stevens',
  'counties',
  'tuesday',
  'morning',
  'wednesday',
  'night',
  'impact',
  'travel',
  'area',
  'snow',
  'visibility',
  'condition',
  'tuesday',
  'wednesday',
  'evening',
  'commute',
  'wind',
  'snow',
  'damage',
  'tree',
  'power',
  'line',
  'precautionary',
  'preparedness',
  'actions',
  'blizzard',
  'condition',
  'forecast',
  'update',
  'situation',
  'news',
  'community',
  'success',
  'email',
  'link',
  'list',
  'signup',
  'error',
  'error',
  'request',
  'funeral',
  'announcements',
  'list',
  'funeral',
  'annoucement',
  'kxra',
  'fm',
  'news',
  'news',
  'sport',
  'event',
  'voice',
  'alexandria',
  'sport',
  'update',
  'sport',
  'headline',
  'voice',
  'alexandria',
  'event',
  'email',
  'event',
  'area',
  'voice',
  'alexandria',
  'news',
  'news',
  'cancellation',
  'delay',
  'email',
  'cancellation',
  'delay',
  'area',
  'articlespresident',
  'biden',
  'disaster',
  'declaration',
  'minnesotathis',
  'best',
  'place',
  'minnesotathis',
  'best',
  'place',
  'south',
  'dakotathis',
  'best',
  'place',
  'north',
  'dakotamissing',
  'teen',
  'west',
  'minnesota',
  'authority',
  'helpman',
  'crash',
  'minnesotathunderstorms',
  'area',
  'welcome',
  'rainone',
  'person',
  'crash',
  'otter',
  'tail',
  'countyhealth',
  'alert',
  'minneapolis',
  'disorder',
  'death',
  'rates',
  'doctor',
  'explainsofficer',
  'jake',
  'wallin',
  'funeral',
  'saturday',
  'pequot',
  'lakes',
  'kxra',
  'online',
  'public',
  'file',
  'kxra',
  'fm',
  'online',
  'public',
  'file',
  'kxrz',
  'fm',
  'online',
  'public',
  'file',
  'persons',
  'disability',
  'assistance',
  'public',
  'file',
  'brett',
  'paradis',
  'broadway',
  'alexandria',
  'mn',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'term',
  'use',
  '',
  '',
  'privacy',
  'policy',
  'powered',
  'blox',
  'content',
  'management',
  'system',
  'blox',
  'digital'],
 ['home',
  'mail',
  'news',
  'finance',
  'sports',
  'entertainment',
  'life',
  'search',
  'shopping',
  'yahoo',
  'plus',
  'yahoo',
  'life',
  'newsletter',
  'yahoo',
  'lifestyle',
  'yahoo',
  'lifestyle',
  'search',
  'query',
  'sign',
  'mail',
  'sign',
  'mail',
  'life',
  'health',
  'facts',
  'life',
  'mental',
  'health',
  'resources',
  'unwind',
  'parent',
  'kid',
  'mini',
  'ways',
  'ttc',
  'style',
  'beauty',
  'good',
  'news',
  'horoscopes',
  'shopping',
  'buying',
  'guides',
  'delaware',
  'online',
  'news',
  'journalas',
  'tropical',
  'storm',
  'bret',
  'hurricane',
  'delaware',
  'rain',
  'griffin',
  'delaware',
  'news',
  'journaljune',
  'min',
  'storm',
  'bret',
  'weather',
  'delaware',
  'storm',
  'tropical',
  'storm',
  'bret',
  'monday',
  'storm',
  'system',
  'record',
  'water',
  'west',
  'africa',
  'national',
  'hurricane',
  'center',
  'tropical',
  'storm',
  'bret',
  'hurricane',
  'couple',
  'day',
  'season',
  'storm',
  'cause',
  'concern',
  'delaware',
  'national',
  'weather',
  'service',
  'forecast',
  'graphic',
  'display',
  'cyclone',
  'disturbance',
  'cyclone',
  'formation',
  'potential',
  'tuesday',
  'june',
  'storm',
  'bret',
  'wave',
  'possibility',
  'depression',
  'east',
  'coast',
  'patrick',
  'o’hara',
  'meteorologist',
  'national',
  'weather',
  'service',
  'mount',
  'holly',
  'new',
  'jersey',
  'o’hara',
  'tropical',
  'storm',
  'bret',
  'end',
  'hurricane',
  'weekend',
  'rain',
  'delaware',
  'bout',
  'rainfall',
  'thunderstorm',
  'weather',
  'system',
  'flooding',
  'current',
  'area',
  'wednesday',
  'flooding',
  'delaware',
  'tide',
  'wind',
  'rain',
  'remnant',
  'hurricane',
  'ian',
  'region',
  'chance',
  'rain',
  'wednesday',
  'afternoon',
  'weekend',
  'o’hara',
  'delaware',
  'expect?the',
  'national',
  'weather',
  'service',
  'flooding',
  'delaware',
  'beach',
  'probability',
  'weather',
  'new',
  'castle',
  'kent',
  'county',
  'week',
  'tropical',
  'atlantic',
  'tropical',
  'storm',
  'bret',
  'a.m.',
  'june',
  'force',
  'wind',
  'sea',
  'water',
  'delaware',
  'wednesday',
  'tip',
  'story',
  'idea',
  'contact',
  "krys'tal",
  'griffin',
  'kgriffin@delawareonline.com',
  'tropical',
  'storm',
  'bret',
  'detail',
  'june',
  'hurricane',
  'forecaster',
  'eye',
  'stormavoid',
  'grill',
  'fire',
  'tip',
  'grilling',
  "don't",
  'way',
  'summer',
  'hazardsthis',
  'article',
  'delaware',
  'news',
  'journal',
  'tropical',
  'storm',
  'bret',
  'delaware',
  'impact',
  'car',
  'death',
  'life·7',
  'min',
  'olive',
  'oil',
  'brain',
  'health',
  'studyyahoo',
  'life·5',
  'min',
  'readbarbie',
  'death',
  'anxiety',
  'yahoo',
  'life·7',
  'min',
  'people',
  'joy',
  'frustration',
  'pronoun',
  'yahoo',
  'life·6',
  'min',
  'james',
  'lebron',
  'james',
  'year',
  'son',
  'arrest',
  'condition',
  'yahoo',
  'life·6',
  'min',
  'storiesyahoo',
  'life',
  'shoppingthe',
  'deal',
  'amazon',
  'saturday',
  'memory',
  'foam',
  'pillow',
  'pack',
  '%',
  'massage',
  'gun',
  'saving',
  '%',
  'price.4d',
  'agoyahoo',
  'life',
  'time',
  'blouse',
  'figure',
  'shopper',
  'summer',
  'life',
  'beach',
  'cover',
  'jean',
  '%',
  'off)the',
  'workhorse',
  'swimsuit',
  'dinner.4d',
  'life',
  'shopping20',
  'cult',
  'fave',
  'beauty',
  'product',
  'head',
  'toe',
  'gorgeousness',
  '5shopper',
  'cream',
  'hair',
  'fix',
  'beautifiers.4d',
  'lawyer',
  'haben',
  'girma',
  'accessibility',
  'yearhaben',
  'girma',
  'person',
  'harvard',
  'law',
  'school',
  'people',
  'community',
  'action',
  'accessibility',
  'month',
  'girma',
  'author',
  'speaker',
  'right',
  'lawyer',
  'disability',
  'justice',
  'people',
  'people',
  'dignity',
  'respect',
  'lot',
  'policy',
  'design',
  'people',
  'maker',
  'disability',
  'pride',
  'month',
  'history',
  'achievement',
  'experience',
  'people',
  'life',
  "shoppingi'm",
  'beauty',
  'writer',
  'product',
  'nordstrom',
  'anniversary',
  'salescore',
  '%',
  'wrinkle',
  'serum',
  'neck',
  'contouring',
  'cream',
  'brand',
  'clinique',
  'la',
  'mer',
  'shiseido.4d',
  'agoyahoo',
  'life',
  'bra',
  'warner',
  'style',
  'smooth',
  '%',
  'off)it',
  'figure',
  'lifekids',
  'aggression',
  'parent',
  'parent',
  'child',
  'aggression?2d',
  'life',
  'shoppingnordstrom',
  'anniversary',
  'sale',
  'shop',
  'le',
  'creuset',
  'coach',
  'outsave',
  '%',
  'brand',
  'store',
  'discount',
  'event.2d',
  'life',
  'shoppinggovee',
  'permanent',
  'outdoor',
  'lights',
  'review',
  'neighbor',
  'jealousa',
  'product',
  'year',
  'round',
  'outdoor',
  'lighting.2d',
  'agomore',
  'stories',
  'twitterfacebookinstagrampinterestyoutubeyahoo!healthparentingstyle',
  'beautygood',
  'newshoroscopesshoppingterms',
  'privacy',
  'policyprivacy',
  'adssite',
  'map',
  'yahoo',
  'right'],
 ['83ºjoin',
  'insidersign',
  'insearchnewswatch',
  'livelocal',
  'newsfloridageorgianationalcoronavirusfluvaxjaxvote',
  '2024your',
  'voice',
  'matterspoliticsi',
  'teamtrust',
  'indexcommunitysnapjaxhealthmoneyeducationconsumerentertainmentweird',
  'newstrafficsnapjaxskycamsalertshurricanesplan',
  'preparegeorgiast',
  '.',
  'augustinesurf',
  'tidesenvironmentforecasting',
  'changenews4jax+watch',
  'livenews4jax',
  'insiderhow',
  'news4jax+download',
  'news4jax',
  'appsthe',
  'morning',
  'showriver',
  'city',
  'livepodcaststhis',
  'week',
  'jacksonvillesolutionariessomething',
  'goodtv',
  'listingssportssports',
  'videosjaguarsjaguar',
  'statsnews4jags',
  'podcastgators',
  'breakdowngators',
  'statshigh',
  'school',
  'sportsfootball',
  'fridaygoing',
  'ringside',
  'podcastv4rsity',
  'podcastall',
  'star',
  'athletefeaturesnews4jax',
  'insiderpositively',
  'jaxriver',
  'city',
  'livedeals4jaxnews4jax+look',
  'local4',
  'infotravelcommunity',
  'calendarjacksonville',
  'image',
  'awardsfood',
  'recipeslive',
  'healthpetsusay',
  'votingriver',
  'city',
  'livewatch',
  'river',
  'city',
  'liveeats',
  'treatsbeatswellnesslocal',
  'spotlightpetsshoppingjax',
  'bestfoodactivitiesshoppingplacesnewsletterssign',
  'newsletterswjxtcontact',
  'uscareers',
  'wjxt',
  'wcwjsnapjaxmeet',
  'teamadvertise',
  'uscw17cw',
  'program',
  'guidebouncenewsweathernews4jax+sportsfeaturesriver',
  'city',
  'livejax',
  'bestnewsletterswjxtcw17newsweathernews4jax+sportsfeaturesriver',
  'city',
  'livejax',
  'bestnewsletterswjxtcw17livewatch',
  "o'clock",
  'newsthe',
  'day',
  'story',
  'news',
  'weather',
  'sport',
  'news4jax',
  'team',
  "o'clock",
  'newshidegeorgiarebecca',
  'barry',
  'meteorologiststeve',
  'patrick',
  'digital',
  'managing',
  'editorpublished',
  'february',
  'pmupdated',
  'february',
  'pmtags',
  'georgia',
  'stormssign',
  'newsletterslatest',
  'minute',
  'agost',
  'johns',
  'county',
  'man',
  'degree',
  'murder',
  'charge',
  'downtown',
  'jacksonville',
  'shooting1',
  'hour',
  'agoembattled',
  'st.',
  'augustine',
  'doctor',
  'charge',
  'pill',
  'mill',
  'case1',
  'hour',
  'agopleasant',
  'night',
  'moon1',
  'hour',
  'agolake',
  'asbury',
  'road',
  'project',
  'resident',
  'july',
  'jaxmy',
  'petunia',
  'ios',
  'appgeorgianational',
  'weather',
  'service',
  'tornado',
  'waycrosstrees',
  'power',
  'line',
  'storm',
  'georgiarebecca',
  'barry',
  'meteorologiststeve',
  'patrick',
  'digital',
  'managing',
  'editorpublished',
  'february',
  'pmupdated',
  'february',
  'pmtags',
  'georgia',
  'stormsef-0',
  'tornado',
  'csx',
  'crossroad',
  'waycross',
  'wjxt)the',
  'national',
  'weather',
  'service',
  'southeast',
  'georgia',
  'thursday',
  'night',
  'tornado',
  'scale',
  'waycross',
  'tornado',
  'mph',
  'wind',
  'p.m.',
  'csx',
  'transportation',
  'crossroad',
  'ground',
  'foot',
  'length',
  'football',
  'field',
  'width',
  'path',
  'tornado',
  'yard',
  'tree',
  'powerline',
  'waycross',
  'ware',
  'county',
  'report',
  'structure',
  'tree',
  'blackshear',
  'highway',
  'pierce',
  'county',
  'georgia',
  'tree',
  'interstate',
  'dunwoody',
  'north',
  'atlanta',
  'car',
  'injury',
  'authority',
  'tree',
  'state',
  'gordon',
  'county',
  'home',
  'roof',
  'outbuilding',
  'student',
  'place',
  'tornado',
  'warning',
  'effect',
  'atlanta',
  'suburb',
  'university',
  'georgia',
  'athens',
  'child',
  'lawrenceville',
  'area',
  'school',
  'hallway',
  'weather',
  'home',
  'business',
  'power',
  'south',
  'rain',
  'friday',
  'region',
  'rain',
  'flood',
  'storm',
  'people',
  'dozen',
  'state',
  'national',
  'weather',
  'service',
  'friday',
  'system',
  'eastern',
  'seaboard',
  'wind',
  'region',
  'mph',
  'nation',
  'capital',
  'people',
  'place',
  'southeast',
  'school',
  'district',
  'class',
  'report',
  'damage',
  'power',
  'outage',
  'storm',
  'jacksonville',
  'areacopyright',
  'wjxt',
  'news4jax',
  'right',
  'moment',
  'community',
  'guidelines',
  'tv',
  'listingscontact',
  'usemail',
  'newslettersrss',
  'feedscontests',
  'rulesclosed',
  'captioning',
  'audio',
  'descriptioncareers',
  'wjxt',
  'wcwjterm',
  'usewjxt',
  'public',
  'filewcwj',
  'applicationsprivacy',
  'policydo',
  'infofollow',
  'usfacebooktwitterinstagramrssget',
  'result',
  'omnefor',
  'assistance',
  'wjxt',
  'wcwj',
  'fcc',
  'inspection',
  'file',
  'news4jax.com',
  'graham',
  'digital',
  'graham',
  'media',
  'group',
  'division',
  'graham',
  'holdings'],
 ['ad',
  'issue',
  'video',
  'player',
  'content',
  'ad',
  'video',
  'content',
  'ad',
  'audio',
  'ad',
  'ad',
  'page',
  'content',
  'ad',
  'ad',
  'ad',
  'effort',
  'contribution',
  'feedback',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'tornado',
  'havoc',
  'louisiana',
  'southeast',
  'amir',
  'vera',
  'joe',
  'sutton',
  'jason',
  'hanna',
  'cnn',
  'est',
  'thu',
  'december',
  'devastation',
  'tornado',
  'hit',
  'devastation',
  'tornado',
  'hit',
  'concertgoers',
  'hail',
  'colorado',
  'body',
  'temperature',
  'flooding',
  'china',
  'couple',
  'car',
  'house',
  'cliff',
  'river',
  'foundation',
  'video',
  'tornado',
  'home',
  'debris',
  'video',
  'moment',
  'soldier',
  'heat',
  'video',
  'tornado',
  'texas',
  'barren',
  'land',
  'impact',
  'spain',
  'record',
  'heat',
  'windshield',
  'helicopter',
  'hail',
  'shelf',
  'cloud',
  'sky',
  'downtown',
  'chicago',
  'man',
  'street',
  'flooding',
  'man',
  'tornado',
  'van',
  'footage',
  'california',
  'weather',
  'crisis',
  'lake',
  'life',
  'unbelievable',
  'cnn',
  'reporter',
  'snowfall',
  'california',
  'graphic',
  'change',
  'temperature',
  'people',
  'dozen',
  'louisiana',
  'hour',
  'weather',
  'south',
  'path',
  'destruction',
  'tornado',
  'new',
  'orleans',
  'p.m.',
  'ct',
  'wednesday',
  'national',
  'weather',
  'service',
  'tornado',
  'debris',
  'signature',
  'radar',
  'power',
  'flash',
  'tower',
  'camera',
  'storm',
  'portion',
  'city',
  'damage',
  'extent',
  'time',
  'tornado',
  'report',
  'new',
  'orleans',
  'metro',
  'hour',
  'weather',
  'service',
  'report',
  'detail',
  'path',
  'tornado',
  'area',
  'gretna',
  'arabi',
  'louisiana',
  'wdsu',
  'tower',
  'camera',
  'tornado',
  'ground',
  'lower',
  'ninth',
  'ward',
  'arabi',
  'wednesday',
  'weather',
  'hurricane',
  'ida',
  'gretna',
  'mayor',
  'belinda',
  'constant',
  'cnn',
  'affiliate',
  'wdsu',
  'hurricane',
  'area',
  'year',
  'year',
  'woman',
  'tornado',
  'home',
  'killona',
  'mile',
  'new',
  'orleans',
  'tweet',
  'louisiana',
  'department',
  'health',
  'identity',
  'woman',
  'official',
  'st.',
  'charles',
  'parish',
  'wednesday',
  'people',
  'parish',
  'injury',
  'sheriff',
  'greg',
  'champagne',
  'news',
  'conference',
  'wednesday',
  'champagne',
  'tornado',
  'piece',
  'debris',
  'levee',
  'firing',
  'range',
  'mile',
  'time',
  'week',
  'tornado',
  'st.',
  'charles',
  'parish',
  'bit',
  'devastation',
  'mile',
  'boy',
  'mother',
  'tornado',
  'home',
  'tuesday',
  'louisiana',
  'community',
  'keithville',
  'caddo',
  'parish',
  'sheriff',
  'office',
  'boy',
  'body',
  'tuesday',
  'mile',
  'home',
  'sheriff',
  'steve',
  'prator',
  'cnn',
  'affiliate',
  'ksla',
  'official',
  'debris',
  'field',
  'tornado',
  'victim',
  'december',
  'dawson',
  'springs',
  'kentucky',
  'climate',
  'crisis',
  'tornado',
  'mother',
  'wednesday',
  'street',
  'house',
  'people',
  'community',
  'sheriff',
  'office',
  'people',
  'union',
  'parish',
  'town',
  'farmerville',
  'louisiana',
  'arkansas',
  'border',
  'farmerville',
  'police',
  'detective',
  'cade',
  'nolan',
  'rest',
  'state',
  'debris',
  'home',
  'car',
  'community',
  'resident',
  'cnn',
  'bathtub',
  'fear',
  'storm',
  'storm',
  'system',
  'power',
  'customer',
  'louisiana',
  'mississippi',
  'poweroutage.us',
  '.',
  'louisiana',
  'gov.',
  'john',
  'bel',
  'edwards',
  'state',
  'emergency',
  'wednesday',
  'response',
  'storm',
  'emergency',
  'proclamation',
  'storm',
  'weather',
  'warning',
  'official',
  'governor',
  'louisiana',
  'lt',
  'gov.',
  'billy',
  'nungesser',
  'cnn',
  'anderson',
  'cooper',
  'state',
  'hurricane',
  'season',
  'storm',
  'state',
  'weather',
  'havoc',
  'louisiana',
  'southeast',
  'system',
  'snow',
  'place',
  'blizzard',
  'condition',
  'wednesday',
  'threat',
  'storm',
  'tuesday',
  'tornado',
  'home',
  'business',
  'oklahoma',
  'dallas',
  'fort',
  'worth',
  'area',
  'mississippi',
  'louisiana',
  'total',
  'tornado',
  'wednesday',
  'louisiana',
  'mississippi',
  'storm',
  'prediction',
  'center',
  'addition',
  'tornado',
  'report',
  'tuesday',
  'oklahoma',
  'texas',
  'louisiana',
  'mississippi',
  'tuesday',
  'a.m.',
  'ct',
  'wednesday',
  'a.m.',
  'ct',
  'wednesday',
  'louisiana',
  'new',
  'iberia',
  'weather',
  'risk',
  'rainfall',
  'flash',
  'flooding',
  'wednesday',
  'louisiana',
  'mississippi',
  'west',
  'alabama',
  'storm',
  'prediction',
  'center',
  'wednesday',
  'level',
  'risk',
  'level',
  'storm',
  'people',
  'eastern',
  'louisiana',
  'new',
  'orleans',
  'mississippi',
  'gulfport',
  'alabama',
  'mobile',
  'prediction',
  'center',
  'level',
  'storm',
  'risk',
  'december',
  'level',
  'december',
  'decade',
  'cnn',
  'weather',
  'analysis',
  'louisiana',
  'center',
  'damage',
  'louisiana',
  'gov.',
  'john',
  'bel',
  'edwards',
  'wednesday',
  'state',
  'office',
  'weather',
  'state',
  'storm',
  'closure',
  'louisiana',
  'state',
  'university',
  'southern',
  'university',
  'baton',
  'rouge',
  'wednesday',
  'tornado',
  'region',
  'wednesday',
  'new',
  'orleans',
  'area',
  'weather',
  'closure',
  'causeway',
  'bridge',
  'bridge',
  'mile',
  'lake',
  'pontchartrain',
  'causeway',
  'website',
  'bridge',
  'longest',
  'bridge',
  'world',
  'water',
  'causeway',
  'website',
  'car',
  'i-15',
  'storm',
  'lehi',
  'utah',
  'december',
  'storm',
  'blizzard',
  'condition',
  'weather',
  'south',
  'northeast',
  'week',
  'photo',
  'george',
  'frey',
  'afp',
  'photo',
  'george',
  'frey',
  'afp',
  'getty',
  'images',
  'snow',
  'travel',
  'condition',
  'million',
  'storm',
  'tornado',
  'east',
  'mile',
  'new',
  'orleans',
  'official',
  'jefferson',
  'parish',
  'sheriff',
  'office',
  'damage',
  'search',
  'rescue',
  'operation',
  'damage',
  'parish',
  'sheriff',
  'office',
  'fire',
  'department',
  'government',
  'damage',
  'assessment',
  'home',
  'business',
  'damage',
  'facility',
  'damage',
  'facility',
  'sheriff',
  'office',
  'facebook',
  'page',
  'concern',
  'area',
  'afternoon',
  'tornado',
  'need',
  'jefferson',
  'parish',
  'sheriff',
  'office',
  'wednesday',
  'december',
  'mile',
  'west',
  'twister',
  'wednesday',
  'morning',
  'home',
  'city',
  'new',
  'iberia',
  'rescue',
  'effort',
  'number',
  'people',
  'city',
  'police',
  'new',
  'iberia',
  'police',
  'department',
  'video',
  'facebook',
  'tornado',
  'city',
  'department',
  'home',
  'people',
  'southport',
  'subdivision',
  'tornado',
  'new',
  'iberia',
  'resisent',
  'lizzie',
  'taylor',
  'cnn',
  'home',
  'minute',
  'tornado',
  'place',
  'unit',
  'taylor',
  'landlord',
  'taylor',
  'family',
  'apartment',
  'year',
  'people',
  'damage',
  'tornado',
  'iberia',
  'medical',
  'center',
  'wednesday',
  'december',
  'new',
  'iberia',
  'louisiana',
  'leslie',
  'westbrook',
  'times',
  'picayune',
  'new',
  'orleans',
  'advocate',
  'ap',
  'restriction',
  'place',
  'southport',
  'subdivision',
  'city',
  'police',
  'wednesday',
  'citizen',
  'southport',
  'subdivision',
  'neighborhood',
  'department',
  'proof',
  'residency',
  'access',
  'curfew',
  'place',
  'area',
  'p.m.',
  'a.m.',
  'time',
  'time',
  'traffic',
  'resident',
  'work',
  'emergency',
  'police',
  'iberia',
  'medical',
  'center',
  'damage',
  'police',
  'capt',
  'leland',
  'laseter',
  'facebook',
  'cnn',
  'comment',
  'center',
  'shelter',
  'new',
  'iberia',
  'senior',
  'high',
  'school',
  'gym',
  'st.',
  'charles',
  'parish',
  'sheriff',
  'office',
  'wednesday',
  'report',
  'tornado',
  'killona',
  'damage',
  'home',
  'state',
  'emergency',
  'parish',
  'st.',
  'charles',
  'parish',
  'mile',
  'new',
  'orleans',
  'emergency',
  'operations',
  'center',
  'report',
  'damage',
  'killona',
  'area',
  'power',
  'line',
  'road',
  'facebook',
  'post',
  'st.',
  'charles',
  'parish',
  'resident',
  'area',
  'power',
  'line',
  'farmerville',
  'resident',
  'storm',
  'train',
  'people',
  'union',
  'parish',
  'town',
  'farmerville',
  'louisiana',
  'tornado',
  'tuesday',
  'night',
  'farmerville',
  'police',
  'detective',
  'cade',
  'nolan',
  'apartment',
  'complex',
  'home',
  'park',
  'farmerville',
  'area',
  'tree',
  'debris',
  'road',
  'field',
  'cnn',
  'crew',
  'wednesday',
  'resident',
  'cnn',
  'correspondent',
  'storm',
  'train',
  'home',
  'truck',
  'wednesday',
  'tornado',
  'farmerville',
  'louisiana',
  'people',
  'tornado',
  'tuesday',
  'night',
  'beth',
  'tabor',
  'storm',
  'weather',
  'farmerville',
  'cnn',
  'wednesday',
  'afternoon',
  'freight',
  'train',
  'tabor',
  'cnn',
  'derek',
  'van',
  'dam',
  'noise',
  'ordeal',
  'bathroom',
  'roommate',
  'baby',
  'second',
  'tabor',
  'lot',
  'creak',
  'noise',
  'tabor',
  'tabor',
  'home',
  'storm',
  'hallway',
  'sky',
  'bedroom',
  'window',
  'night',
  'act',
  'god',
  'people',
  'debris',
  'home',
  'park',
  'farmerville',
  'area',
  'union',
  'parish',
  'louisiana',
  'wednesday',
  'patsy',
  'andrews',
  'child',
  'tornado',
  'farmerville',
  'tuesday',
  'night',
  'cnn',
  'affiliate',
  'knoe',
  'tv',
  'prayer',
  'faith',
  'line',
  'rain',
  'wind',
  'train',
  'door',
  'wind',
  'son',
  'door',
  'wind',
  'door',
  'andrews',
  'light',
  'glass',
  'daughter',
  'floor',
  'way',
  'stuff',
  'window',
  'glass',
  'andrews',
  'damage',
  'debris',
  'apartment',
  'complex',
  'farmerville',
  'louisiana',
  'december',
  'place',
  'hall',
  'way',
  'glass',
  'water',
  'roof',
  'daughter',
  'bathroom',
  'door',
  'family',
  'bathtub',
  'tub',
  'jesus',
  'andrews',
  'family',
  'storm',
  'aftermath',
  'awe',
  'room',
  'house',
  'water',
  'material',
  'item',
  'neighbor',
  'car',
  'car',
  'wood',
  'street',
  'tank',
  'ground',
  'directvs',
  'ground',
  'storm',
  'storm',
  'damage',
  'farmville',
  'louisiana',
  'december',
  'tiyia',
  'stringfellow',
  'boyfriend',
  'child',
  'farmerville',
  'apartment',
  'tuesday',
  'tornado',
  'cnn',
  'kitchen',
  'closet',
  'boyfriend',
  'window',
  'tornado',
  'house',
  'roof',
  'cave',
  'house',
  'stringfellow',
  'tornado',
  'home',
  'business',
  'south',
  'tuesday',
  'storm',
  'region',
  'oklahoma',
  'dallas',
  'fort',
  'worth',
  'area',
  'mississippi',
  'louisiana',
  'tuesday',
  'wayne',
  'oklahoma',
  'ef2',
  'tornado',
  'home',
  'outbuilding',
  'barn',
  'tuesday',
  'official',
  'home',
  'roof',
  'tree',
  'twig',
  'video',
  'cnn',
  'affiliate',
  'koco',
  'texas',
  'people',
  'tuesday',
  'morning',
  'storm',
  'dallas',
  'fort',
  'worth',
  'area',
  'city',
  'grapevine',
  'tornado',
  'report',
  'grapevine',
  'police',
  'mall',
  'business',
  'storm',
  'damage',
  'decatur',
  'texas',
  'tuesday',
  'people',
  'tuesday',
  'texas',
  'wise',
  'county',
  'northwest',
  'fort',
  'worth',
  'county',
  'official',
  'wind',
  'vehicle',
  'vehicle',
  'debris',
  'official',
  'ef2',
  'tornado',
  'county',
  'community',
  'paradise',
  'decatur',
  'home',
  'business',
  'official',
  'weather',
  'home',
  'ruin',
  'tuesday',
  'texas',
  'city',
  'blue',
  'ridge',
  'mile',
  'downtown',
  'dallas',
  'video',
  'cnn',
  'affiliate',
  'wfaa',
  'cnn',
  'steve',
  'almasy',
  'derek',
  'van',
  'dam',
  'kevin',
  'conlon',
  'rob',
  'shackelford',
  'nouran',
  'salahieh',
  'michelle',
  'watson',
  'amanda',
  'jackson',
  'paradise',
  'afshar',
  'matt',
  'phillips',
  'jeremy',
  'grisham',
  'dave',
  'alsup',
  'report',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cnn',
  'account',
  'log',
  'cnn',
  ...],
 ['ad',
  'issue',
  'video',
  'player',
  'content',
  'ad',
  'video',
  'content',
  'ad',
  'audio',
  'ad',
  'ad',
  'page',
  'content',
  'ad',
  'ad',
  'ad',
  'effort',
  'contribution',
  'feedback',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'tropical',
  'storm',
  'calvin',
  'rainfall',
  'surf',
  'island',
  'edt',
  'tue',
  'july',
  'satellite',
  'image',
  'tropical',
  'storm',
  'calvin',
  'hawaii',
  'monday',
  'hawaii',
  'big',
  'island',
  'storm',
  'tropical',
  'storm',
  'calvin',
  'island',
  'surf',
  'rain',
  'wind',
  'area',
  'national',
  'hurricane',
  'center',
  'calvin',
  'storm',
  'state',
  'monday',
  'night',
  'storm',
  'mile',
  'hilo',
  'wind',
  'mph',
  'rainfall',
  'threat',
  'flood',
  'watch',
  'island',
  'maui',
  'molokai',
  'lanai',
  'kahoolawe',
  'big',
  'island',
  'tuesday',
  'evening',
  'wednesday',
  'afternoon',
  'rainfall',
  'flooding',
  'condition',
  'landslide',
  'terrain',
  'east',
  'southeast',
  'slope',
  'national',
  'weather',
  'service',
  'honolulu',
  'rain',
  'thunderstorm',
  'big',
  'island',
  'tuesday',
  'evening',
  'night',
  'moisture',
  'calvin',
  'island',
  'chain',
  'tuesday',
  'night',
  'wednesday',
  'flash',
  'flooding',
  'threat',
  'big',
  'island',
  'nwshonolulu',
  '@nwshonolulu',
  'july',
  'storm',
  'swell',
  'surf',
  'east',
  'shoreline',
  'tuesday',
  'wednesday',
  'weather',
  'service',
  'tweet',
  'agency',
  'surf',
  'life',
  'area',
  'inch',
  'rainfall',
  'thursday',
  'area',
  'big',
  'island',
  'inch',
  'state',
  'hurricane',
  'center',
  'cnn',
  'robert',
  'shackelford',
  'report',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cable',
  'news',
  'network',
  'warner',
  'bros.',
  'discovery',
  'company',
  'rights',
  'cnn',
  'sans',
  'cable',
  'news',
  'network'],
 ['weather',
  'datum',
  'durango',
  'herald',
  'weatherkit.org',
  '%',
  'chance',
  'precipitation',
  '%',
  'chance',
  'precipitation',
  '%',
  'chance',
  'precipitation',
  '%',
  'chance',
  'precipitation',
  'cloudy',
  '%',
  'chance',
  'precipitation',
  'cloudy',
  '%',
  'chance',
  'precipitation',
  'new',
  'mexico',
  'sports',
  'outdoors',
  'business',
  'real',
  'estate',
  'arts',
  'entertainment',
  'columns',
  'videos',
  'galleries',
  'subscribe',
  'obituaries',
  'calendar',
  '4cornersjobs',
  'corners',
  'flavor',
  'local',
  'representatives',
  'real',
  'estate',
  'classifieds',
  'eeditions',
  'public',
  'notices',
  'wave',
  'storm',
  'southwest',
  'colorado',
  'megan',
  'k.',
  'olsen',
  'herald',
  'staff',
  'writer',
  'saturday',
  'jan',
  'saturday',
  'jan.',
  'pm',
  'pressure',
  'system',
  'california',
  'oregon',
  'snow',
  'region',
  'city',
  'crew',
  'snow',
  'thursday',
  'arroyo',
  'drive',
  'west',
  'durango',
  'street',
  'problem',
  'street',
  'ice',
  'water',
  'drainage',
  'snow',
  'preparation',
  'storm',
  'city',
  'dump',
  'truck',
  'load',
  'snow',
  'lane',
  'mile',
  'road',
  'city',
  'durango',
  'jerry',
  'mcbride',
  'durango',
  'herald',
  'city',
  'crew',
  'snow',
  'thursday',
  'arroyo',
  'drive',
  'west',
  'durango',
  'street',
  'problem',
  'street',
  'ice',
  'water',
  'drainage',
  'snow',
  'preparation',
  'storm',
  'city',
  'dump',
  'truck',
  'load',
  'snow',
  'lane',
  'mile',
  'road',
  'city',
  'durango',
  'jerry',
  'mcbride',
  'durango',
  'herald',
  'parade',
  'pressure',
  'system',
  'way',
  'southwest',
  'colorado',
  'blast',
  'moisture',
  'saturday',
  'evening',
  'sunday',
  'night',
  'system',
  'west',
  'coast',
  'national',
  'weather',
  'service',
  'meteorologist',
  'kris',
  'sanders',
  'oregon',
  'california',
  'mountain',
  'wave',
  'precipitation',
  'snow',
  'u.s.',
  'highway',
  'corridor',
  'uptick',
  'valley',
  'snowfall',
  'sunday',
  'sunday',
  'night',
  'sanders',
  'valley',
  'area',
  'southwest',
  'colorado',
  'day',
  'sunday',
  'road',
  'condition',
  'morning',
  'thing',
  'day',
  'sunday',
  'night',
  'mountain',
  'area',
  'foot',
  'inch',
  'snow',
  'peak',
  'inch',
  'area',
  'foot',
  'inch',
  'durango',
  'pagosa',
  'ignacio',
  'sanders',
  'cortez',
  'inch',
  'storm',
  'way',
  'parade',
  'system',
  'break',
  'monday',
  'monday',
  'night',
  'pressure',
  'system',
  'precipitation',
  'mountain',
  'valley',
  'area',
  'parade',
  'pressure',
  'system',
  'snowfall',
  'southwest',
  'colorado',
  'saturday',
  'evening',
  'jerry',
  'mcbride',
  'durango',
  'herald',
  'parade',
  'pressure',
  'system',
  'snowfall',
  'southwest',
  'colorado',
  'saturday',
  'evening',
  'jerry',
  'mcbride',
  'durango',
  'herald',
  'sanders',
  'pressure',
  'system',
  'atmospheric',
  'river',
  'california',
  'flooding',
  'state',
  'system',
  'river',
  'sanders',
  'river',
  'intensity',
  'east',
  'ar',
  'remnant',
  'ar',
  '4s',
  'california',
  'glacier',
  'club',
  'metro',
  'district',
  'agreement',
  'la',
  'plata',
  'county',
  'debt',
  'jul',
  'manna',
  'resource',
  'center',
  'hand',
  'hand',
  'jul',
  'infamous',
  'corners',
  'manhunt',
  'screen',
  'jul',
  'glacier',
  'club',
  'metro',
  'district',
  'agreement',
  'la',
  'plata',
  'county',
  'debtmanna',
  'resource',
  'center',
  'hand',
  'hand',
  'corners',
  'manhunt',
  'screen',
  'event',
  'corners',
  'expos',
  'browse',
  'local',
  'jobs',
  'careers',
  'report',
  'paper',
  'delivery',
  'issue',
  'delivery',
  'advertise',
  'staff',
  'contact',
  'sign',
  'email',
  'newsletter',
  'news',
  'inbox',
  'print',
  'subscription',
  'package',
  'herald'],
 ['nebraskacontact',
  'uswatch',
  'videowatch',
  'radarwatch',
  '24/7',
  'weatherweather',
  'shield',
  'request',
  'formweather',
  'camerasdownload',
  'appsportsnreporthigh',
  'schoolsports',
  'videoscoreboardstats',
  'predictionshow',
  'watchelectionelection',
  'resultsnational',
  'politics1011',
  'carespure',
  'nebraskapure',
  'nebraska',
  'videocontestscan',
  'care',
  'vancontact',
  'usmeet',
  'teamsubmit',
  'news',
  'tipcareersadvertise',
  'us10/11',
  '24/7',
  'weatherlocal',
  'everydayhealthy',
  'everydayseniors',
  'everydayprogramming',
  'schedulesubmit',
  'photo',
  'videoscircle',
  'country',
  'music',
  'lifestylegray',
  'dc',
  'newscastspowernationpress',
  'releases11',
  'weather',
  'alert',
  'weather',
  'alert',
  'alerts',
  'barstrong',
  'storm',
  'system',
  'nebraska(kolnkgin)by',
  'weather',
  'teampublished',
  'mar.',
  'pm',
  'cdtshare',
  'facebookemail',
  'linkshare',
  'twittershare',
  'pinterestshare',
  'shower',
  'today',
  'period',
  'drizzle',
  'storm',
  'system',
  'region',
  'tuesday',
  'night',
  'thursday',
  'shower',
  'thunderstorm',
  'tuesday',
  'night',
  'wednesday',
  'central',
  'eastern',
  'nebraska',
  'rain',
  'time',
  'state',
  'precipitation',
  'snow',
  'blizzard',
  'warning',
  'effect',
  'nebraska',
  'panhandle',
  'wednesday',
  'thursday',
  'winter',
  'storm',
  'watch',
  'effect',
  'western',
  'nebraska',
  'wednesday',
  'thursday',
  'rain',
  'snow',
  'central',
  'nebraska',
  'wednesday',
  'night',
  'eastern',
  'nebraska',
  'rain',
  'snow',
  'thursday',
  'flood',
  'watch',
  'effect',
  'eastern',
  'central',
  'nebraska',
  'northern',
  'kansas',
  'tuesday',
  'night',
  'wednesday',
  'night',
  'watch',
  'thursday',
  'night',
  'eastern',
  'nebraska',
  'rainfall',
  'total',
  'tuesday',
  'night',
  'thursday',
  'wednesday',
  'night',
  'thursday',
  'wind',
  'mph',
  'tuesday',
  'afternoon',
  '%',
  'chance',
  'shower',
  'day',
  'high',
  '40',
  '50',
  'wind',
  'mph',
  'gust',
  'mph',
  'tuesday',
  'night',
  'shower',
  'thunderstorm',
  'low',
  '30',
  '40',
  'south',
  'southeast',
  'wind',
  'mph',
  'wednesday',
  'shower',
  'thunderstorm',
  'rain',
  'time',
  'high',
  '50',
  '60',
  'wind',
  'mph',
  'gust',
  'mph',
  'thursday',
  'shower',
  'morning',
  'snow',
  'windy',
  'high',
  '30',
  'cancellation',
  'notice',
  'behalf',
  'business',
  'school',
  'community',
  'organization',
  'closing',
  'code',
  'word',
  'page',
  'information',
  'closing',
  'information',
  'listing',
  'organization',
  'linksdownload',
  'weather',
  'app',
  'apple',
  'app',
  'storedownload',
  'weather',
  'app',
  'google',
  'play',
  'storecurrent',
  'weather',
  'alerts1011',
  'weather',
  'pagesubmit',
  'weather',
  'photo',
  'read',
  'red',
  'way',
  'flight',
  'minneapolis',
  'atlanta',
  'austin',
  'budweiser',
  'clydesdale',
  'appearance',
  'nebraska',
  'week',
  'lps',
  'student',
  'cellphone',
  'policy',
  'sinéad',
  'o’connor',
  'singer',
  'parent',
  'lincoln',
  'man',
  'student',
  'newsstrong',
  'storm',
  'sunday',
  'evening',
  'flooding',
  'tree',
  'damage',
  'lancaster',
  'countyrecord',
  'june',
  'heat',
  'way',
  'tree',
  'debris',
  'lincolnsevere',
  'storm',
  'newscastslive',
  'eventssports1011',
  'carescontact',
  'uskoln840',
  'north',
  '40thlincoln',
  'ne',
  'inspection',
  'filepublicfile@1011now.com',
  'applicationsprivacy',
  'policyterms',
  'serviceeeo',
  'statementadvertisingdigital',
  'advertisingclosed',
  'captioning',
  'audio',
  'descriptionat',
  'gray',
  'journalist',
  'news',
  'content',
  'community',
  'approach',
  'intelligence',
  'gray',
  'media',
  'group',
  'inc.',
  'station',
  'gray',
  'television',
  'inc.'],
 ['hunter',
  'biden',
  'plea',
  'deal',
  'ufo',
  'takeaway',
  'whistleblower',
  'congress',
  'uap',
  'sinéad',
  "o'connor",
  'grammy',
  'singer',
  'netherlands',
  'u.s.',
  'draw',
  'rematch',
  'world',
  'cup',
  'federal',
  'reserve',
  'interest',
  'rate',
  'level',
  'year',
  'niger',
  'president',
  'guard',
  'coup',
  'ohio',
  'officer',
  'k-9',
  'man',
  'hand',
  'story',
  'tic',
  'tac',
  'ufo',
  'florence',
  'flooding',
  'crisis',
  'north',
  'carolina',
  'update',
  'september',
  'cbs',
  'ap',
  'red',
  'cross',
  'hurricane',
  'florence',
  'recovery',
  'florence',
  'factsat',
  'people',
  'storm',
  'incident',
  'north',
  'carolina',
  'south',
  'carolina',
  'people',
  'power',
  'north',
  'carolina',
  'a.m.',
  'tuesday',
  'florence',
  'cyclone',
  'mile',
  'west',
  'northwest',
  'new',
  'york',
  'city',
  'wind',
  'mph',
  'national',
  'hurricane',
  'center',
  'cape',
  'fear',
  'river',
  'crest',
  'foot',
  'tuesday',
  'inch',
  'rain',
  'elizabethtown',
  'north',
  'carolina',
  'cbs',
  'raleigh',
  'affiliate',
  'wncn',
  'tv',
  'report',
  'town',
  'inch',
  'thursday',
  'authority',
  'health',
  'patient',
  'van',
  'flood',
  'water',
  'south',
  'carolina',
  'horry',
  'county',
  'sheriff',
  'department',
  'spokeswoman',
  'brooke',
  'holden',
  'sheriff',
  'office',
  'van',
  'patient',
  'deputy',
  'conway',
  'darlington',
  'tuesday',
  'night',
  'flood',
  'water',
  'victim',
  'prison',
  'detainee',
  'official',
  'patient',
  'hospital',
  'official',
  'van',
  'little',
  'pee',
  'dee',
  'river',
  'body',
  'water',
  'official',
  'south',
  'carolina',
  'water',
  'state',
  'upriver',
  'north',
  'carolina',
  'rain',
  'florence',
  'marion',
  'county',
  'coroner',
  'jerry',
  'richardson',
  'ap',
  'tuesday',
  'woman',
  'incident',
  'holden',
  'deputy',
  'health',
  'patient',
  'door',
  'water',
  'rescue',
  'team',
  'deputy',
  'van',
  'tonight',
  'incident',
  'tragedy',
  'question',
  'horry',
  'county',
  'sheriff',
  'phillip',
  'thompson',
  'statement',
  'state',
  'law',
  'enforcement',
  'division',
  'investigation',
  'event',
  '"death',
  'toll',
  'cbs',
  'news',
  'death',
  'storm',
  'monday',
  'evening',
  'north',
  'carolina',
  'south',
  'carolina',
  'virginia',
  'lesha',
  'murphy',
  'johnson',
  'month',
  'son',
  'tree',
  'house',
  'wilmington',
  'north',
  'carolina',
  'child',
  'kaiden',
  'lee',
  'welch',
  'official',
  'water',
  'richardson',
  'creek',
  'union',
  'county',
  'north',
  'carolina',
  'kade',
  'gills',
  'month',
  'official',
  'tree',
  'home',
  'dallas',
  'north',
  'carolina',
  'trump',
  'north',
  'carolina',
  'wednesday',
  'president',
  'trump',
  'look',
  'impact',
  'hurricane',
  'florence',
  'white',
  'house',
  'press',
  'secretary',
  'sarah',
  'sanders',
  'trump',
  'plan',
  'wednesday',
  'north',
  'carolina',
  'brunt',
  'storm',
  'day',
  'hurricane',
  'region',
  'flooding',
  'wilmington',
  'north',
  'carolina',
  'resident',
  'tuesday',
  'food',
  'water',
  'tarp',
  'official',
  'route',
  'city',
  'florence',
  'death',
  'state',
  'remnant',
  'category',
  'hurricane',
  'mass',
  'chicken',
  'north',
  'carolina',
  'chicken',
  'storm',
  'poultry',
  'producer',
  'sanderson',
  'farms',
  'statement',
  'company',
  'broiler',
  'house',
  'need',
  'repair',
  'sanderson',
  'farms',
  'farm',
  'lumberton',
  'north',
  'carolina',
  'floodwater',
  'feed',
  'truck',
  'joe',
  'sanderson',
  'jr.',
  'company',
  'chairman',
  'ceo',
  'employee',
  'contractor',
  'storm.\u200bwest',
  'virginia',
  'brunt',
  'storm',
  'resident',
  'west',
  'virginia',
  'reprieve',
  'prediction',
  'devastation',
  'fruition',
  'remnant',
  'hurricane',
  'florence',
  'storm',
  'landfall',
  'week',
  'forecaster',
  'life',
  'flooding',
  'rainfall',
  'mountain',
  'north',
  'carolina',
  'virginia',
  'west',
  'virginia',
  'storm',
  'inch',
  'rain',
  'west',
  'virginia',
  'tuesday',
  'state',
  'june',
  'flood',
  'people',
  'greenbrier',
  'county',
  'community',
  'rainelle',
  'florence',
  'fleet',
  'truck',
  'ground',
  'anticipation',
  'storm.\u200boperation',
  'bbq',
  'relief',
  'meal',
  'n.c.',
  'operation',
  'bbq',
  'relief',
  'missouri',
  'organization',
  'north',
  'carolina',
  'staple',
  'area',
  'hurricane',
  'florence',
  'company',
  'group',
  'barbecue',
  'enthusiast',
  'wilmington',
  'fayetteville',
  'recovery',
  'effort',
  'meal',
  'resident',
  'responder',
  'organization',
  'wilmington',
  'fayetteville',
  'deployment',
  'location',
  'meal',
  'day',
  'organization',
  'tornado',
  'joplin',
  'missouri',
  'organization',
  'disaster',
  'south',
  'carolina',
  'flooding',
  'hurricane',
  'harvey',
  'michael',
  'jordan',
  'hurricane',
  'relief',
  'nba',
  'legend',
  'michael',
  'jordan',
  'school',
  'basketball',
  'wilmington',
  'north',
  'carolina',
  'resident',
  'north',
  'south',
  'carolina',
  'year',
  'owner',
  'nba',
  'charlotte',
  'hornets',
  'american',
  'red',
  'cross',
  'foundation',
  'carolinas',
  'hurricane',
  'florence',
  'response',
  'fund',
  'news',
  'release',
  'tuesday',
  'addition',
  'member',
  'hornets',
  'organization',
  'disaster',
  'food',
  'box',
  'friday',
  'second',
  'harvest',
  'food',
  'bank',
  'metrolina',
  'charlotte',
  'north',
  'carolina',
  'disaster',
  'food',
  'box',
  'meal',
  'wilmington',
  'n.c.',
  'fayetteville',
  'n.c.',
  'myrtle',
  'beach',
  's.c.',
  'hurricane',
  'goal',
  'food',
  'box',
  'fanatics',
  'nba',
  'merchandising',
  'partner',
  'carolina',
  'strong',
  't',
  'shirt',
  '%',
  'proceed',
  'foundation',
  'fund',
  'target',
  'hurricane',
  'relief',
  'effort',
  'company',
  'money',
  'organization',
  'team',
  'rubicon',
  'disaster',
  'cleanup',
  'recovery',
  'cbs',
  'greenville',
  'affiliate',
  'wnct',
  'n.c.',
  'official',
  'north',
  'carolina',
  'official',
  'sun',
  'state',
  'flooding',
  'aftermath',
  'florence',
  'area',
  'gov.',
  'roy',
  'cooper',
  'river',
  'flood',
  'stage',
  'tuesday',
  'forecast',
  'wednesday',
  'thursday',
  'north',
  'carolinians',
  'nightmare',
  'resident',
  'floodwater',
  'apartment',
  'september',
  'spring',
  'lake',
  'north',
  'carolina',
  '\u200b10,000',
  'people',
  'n.c.',
  'shelter',
  'tobacco',
  'crop',
  'people',
  'shelter',
  'north',
  'carolina',
  'responder',
  'people',
  'gov.',
  'roy',
  'cooper',
  'news',
  'conference',
  'tuesday',
  'floodwater',
  'farmer',
  'crop',
  'harvest',
  'cotton',
  'peanut',
  'quarter',
  'half',
  'tobacco',
  'crop',
  'cooper',
  'people',
  'power',
  'wastewater',
  'n.c.',
  'river',
  'tributary',
  'heavy',
  'rainfall',
  'remnant',
  'hurricane',
  'florence',
  'thousand',
  'gallon',
  'wastewater',
  'tributary',
  'north',
  'carolina',
  'cape',
  'fear',
  'river',
  'basin',
  'weekend',
  'city',
  'greensboro',
  'statement',
  'tuesday',
  'gallon',
  'wastewater',
  'sewer',
  'main',
  'hour',
  'sunday',
  'official',
  'infiltration',
  'rainfall',
  'florence',
  'wastewater',
  'north',
  'buffalo',
  'tributary',
  'cape',
  'fear',
  'river',
  'basin',
  'official',
  'area',
  'supply',
  'handout',
  'wilmington',
  'north',
  'carolina',
  'city',
  'wilmington',
  'floodwater',
  'hurricane',
  'florence',
  'official',
  'food',
  'water',
  'tarps',
  'resident',
  'people',
  'neighborhood',
  'worker',
  'supply',
  'resident',
  'city',
  'people',
  'tuesday',
  'morning',
  'county',
  'official',
  'road',
  'wilmington',
  'official',
  'item',
  'city',
  'truck',
  'helicopter',
  'people',
  'home',
  'structure',
  'rain',
  'sun',
  'north',
  'carolina',
  'gov.',
  'roy',
  'cooper',
  'water',
  'day',
  'resident',
  'area',
  'road',
  'flooding',
  'community',
  'crew',
  'rescue',
  'new',
  'hanover',
  'county',
  'wilmington',
  'percent',
  'home',
  'business',
  'power',
  'authority',
  'sun',
  'flood',
  'water',
  'wilmington',
  'september',
  'fema',
  'assistance',
  'north',
  'carolina',
  'county',
  'disaster',
  'aid',
  'homeowner',
  'renter',
  'business',
  'hurricane',
  'florence',
  'damage',
  'federal',
  'emergency',
  'management',
  'agency',
  'monday',
  'county',
  'assistance',
  'resident',
  'business',
  'damage',
  'insurance',
  'claim',
  'government',
  'assistance',
  'aid',
  'grant',
  'interest',
  'loan',
  'county',
  'monday',
  'bladen',
  'columbus',
  'cumberland',
  'duplin',
  'harnett',
  'lenoir',
  'jones',
  'robeson',
  'sampson',
  'wayne',
  'county',
  'county',
  'government',
  'state',
  'government',
  'debris',
  'removal',
  'emergency',
  'action',
  '"cajun',
  'navy',
  'volunteer',
  'north',
  'carolina',
  'nursing',
  'home',
  'resident',
  'group',
  'volunteer',
  'flooding',
  'north',
  'carolina',
  'aftermath',
  'florence',
  'cajun',
  'navy',
  'relief',
  'rescue',
  'group',
  'volunteer',
  'country',
  'group',
  'louisiana',
  'cbs',
  'news',
  'team',
  'lumberton',
  'people',
  'highland',
  'acres',
  'nursing',
  'rehabilitation',
  'center',
  'resident',
  'life',
  'chris',
  'russell',
  'volunteer',
  'hour',
  'resident',
  'area',
  'hospital',
  'tonight',
  'people',
  'dignity',
  'hand',
  'allen',
  'lenard',
  'volunteer',
  'blessing',
  'people',
  'matter',
  'fact',
  'blessing',
  'tonight',
  'city',
  'history',
  'flooding',
  'year',
  'hurricane',
  'matthew',
  'inch',
  'rain',
  'lumberton',
  'rescue',
  'sight',
  'storm',
  'country',
  'year',
  'cbs',
  'news',
  'volunteer',
  'houston',
  'aftermath',
  'hurricane',
  'harvey',
  'cajun',
  'navy',
  'volunteer',
  'people',
  'floodwater',
  'wake',
  'hurricane',
  'katrina',
  'makeshift',
  'flotilla',
  'people',
  'home',
  'rooftop',
  'florence',
  'landfall',
  'hurricane',
  'death',
  'home',
  'business',
  'power',
  'north',
  'south',
  'carolina',
  'storm',
  'rain',
  'flash',
  'flooding',
  'concern',
  'carolinas',
  'manure',
  'pit',
  'hog',
  'farm',
  'pollution',
  'north',
  'carolina',
  'regulator',
  'air',
  'manure',
  'pit',
  'hog',
  'farm',
  'pollution',
  'department',
  'environmental',
  'quality',
  'secretary',
  'michael',
  'regan',
  'monday',
  'dam',
  'hog',
  'lagoon',
  'duplin',
  'county',
  'report',
  'lagoon',
  'level',
  'jones',
  'pender',
  'county',
  'regan',
  'state',
  'investigator',
  'site',
  'condition',
  'pit',
  'hog',
  'farm',
  'fece',
  'urine',
  'animal',
  'field',
  'associated',
  'press',
  'photo',
  'hog',
  'farm',
  'trenton',
  'sunday',
  'waste',
  'pit',
  'floodwater',
  'n.c.',
  'pork',
  'council',
  'industry',
  'trade',
  'group',
  'report',
  'spill',
  'price',
  'complaint',
  'north',
  'carolina',
  'heel',
  'florence',
  'north',
  'carolina',
  'law',
  'enforcement',
  'official',
  'complaint',
  'price',
  'gouging',
  'wake',
  'hurricane',
  'florence',
  'attorney',
  'general',
  'josh',
  'stein',
  'complaint',
  'price',
  'gouging',
  'essential',
  'gas',
  'water',
  'office',
  'monday',
  'state',
  'investigation',
  'gas',
  'station',
  'percent',
  'gas',
  'station',
  'state',
  'gasoline',
  'monday',
  'morning',
  'gasbuddy',
  'percent',
  'power',
  'south',
  'carolina',
  'percent',
  'station',
  'gas',
  'station',
  'line',
  'car',
  'report',
  'medium',
  'patrick',
  'dehaan',
  'head',
  'petroleum',
  'analysis',
  'gasbuddy',
  'app',
  'report',
  'gouging',
  'date',
  'photo',
  'receipt',
  'sign',
  'price',
  'preparation',
  'hurricane',
  'florence',
  'gas',
  'price',
  'cent',
  'gallon',
  'south',
  'carolina',
  'cent',
  'north',
  'carolina',
  'cent',
  'virginia',
  'aaa',
  'price',
  'south',
  'carolina',
  'virginia',
  'today',
  'state',
  'gas',
  'situation',
  'time',
  'news',
  'fuel',
  'supply',
  'gasbuddy',
  'analyst',
  'note',
  'north',
  'carolina',
  'governor',
  'flooding',
  'florence',
  'north',
  'carolina',
  'governor',
  'flooding',
  'florence',
  'fayetteville',
  'n.c.',
  'city',
  'cape',
  'fear',
  'river',
  'worry',
  'cbs',
  'news',
  'correspondent',
  ...],
 ['website',
  'united',
  'states',
  'government',
  'website',
  '.mil',
  'website',
  'u.s.',
  'department',
  'defense',
  'organization',
  'united',
  'states',
  'secure',
  'website',
  'https',
  'lock',
  'lock',
  'https://',
  '.mil',
  'website',
  'share',
  'information',
  'website',
  'content',
  'press',
  'enter',
  'yg824',
  '-',
  'humvees',
  'wisconsin',
  'army',
  'national',
  'guard',
  'oak',
  'creek',
  'armory',
  'feb.',
  'response',
  'assistance',
  'winter',
  'storm',
  'wisconsin',
  'guard',
  'member',
  'storm',
  'soldier',
  'winter',
  'storm',
  'duty',
  'iowa',
  'minnesota',
  'wisconsin',
  'madison',
  'wis.',
  'gov.',
  'scott',
  'walker',
  'wisconsin',
  'national',
  'guard',
  'duty',
  'winter',
  'storm',
  'inch',
  'snow',
  'rain',
  'wind',
  'mph',
  'walker',
  'emergency',
  'declaration',
  'p.m.',
  'wednesday',
  'maj',
  '.',
  'gen.',
  'don',
  'dunbar',
  'wisconsin',
  'adjutant',
  'general',
  'national',
  'guard',
  'thursday',
  'state',
  'iowa',
  'minnesota',
  'personnel',
  'number',
  'troop',
  'onslaught',
  'snow',
  'national',
  'guard',
  'bureau',
  'figure',
  'national',
  'weather',
  'service',
  'snow',
  'iowa',
  'southeast',
  'minnesota',
  'north',
  'wisconsin',
  'blizzard',
  'condition',
  'snow',
  'inch',
  'wisconsin',
  'national',
  'guard',
  'winter',
  'force',
  'package',
  'guard',
  'member',
  'equipment',
  'person',
  'team',
  'force',
  'package',
  'force',
  'package',
  'area',
  'state',
  'authority',
  'manpower',
  'mobility',
  'emergency',
  'response',
  'duty',
  'aid',
  'motorist',
  'welfare',
  'check',
  'area',
  'hour',
  'coverage',
  'hour',
  'shift',
  'kind',
  'support',
  'core',
  'responsibility',
  'dunbar',
  'contingency',
  'oklahoma',
  'guardsmen',
  'finish',
  'cyber',
  'shield',
  'guard',
  'news',
  'hour',
  'washington',
  'guard',
  'aviation',
  'crews',
  'wildfire',
  'guard',
  'news',
  'hour',
  'south',
  'dakota',
  '153rd',
  'engineer',
  'battalion',
  'trains',
  'fort',
  'mccoy',
  'guard',
  'news',
  'hour',
  'florida',
  'guard',
  'guyana',
  'partnership',
  'tradewinds23',
  'state',
  'partnership',
  'program',
  'hour',
  'alaska',
  'air',
  'guard',
  'teens',
  'motorcyclist',
  'home',
  'site',
  'map',
  'privacy',
  'security',
  'policy',
  'link',
  'disclaimer',
  'web',
  'policy',
  'dod',
  'information',
  'quality',
  'dod',
  'open',
  'government',
  'foia',
  'fear',
  'act',
  'accessibility',
  'section',
  'contact',
  'army',
  'guard',
  'careersair',
  'guard',
  'careers',
  'usa.gov',
  'defense',
  'media',
  'activity',
  'web.mil'],
 ['day',
  'woman',
  'birth',
  'hospital',
  'heart',
  'attack',
  'seizure',
  'kidney',
  'failure',
  'blood',
  'transfusion',
  'problem',
  'death',
  'human',
  'trafficking',
  'sports',
  'entertainment',
  'life',
  'money',
  'tech',
  'travel',
  'opinion',
  'obituariesonly',
  'usa',
  'today',
  'newsletters',
  'subscribers',
  'archives',
  'crossword',
  'enewspaper',
  'magazines',
  'investigations',
  'weather',
  'forecast',
  'video',
  'humankind',
  'curiousbest',
  'booklist',
  'pets',
  'food',
  'reviewed',
  'coupons',
  'blueprint',
  'best',
  'auto',
  'insurance',
  'best',
  'pet',
  'insurance',
  'best',
  'travel',
  'insurance',
  'best',
  'credit',
  'cards',
  'best',
  'cd',
  'rate',
  'best',
  'personal',
  'loans',
  'nationhurricane',
  'weather)add',
  'topicflorida',
  'home',
  'atlantic',
  'ocean',
  'nicole',
  'punchjohn',
  'bacon',
  'greenlee',
  'doyle',
  'rice',
  'thao',
  'nguyenusa',
  'todaystuart',
  'fla.',
  'tropical',
  'depression',
  'nicole',
  'georgia',
  'friday',
  'morning',
  'day',
  'havoc',
  'florida',
  'hurricane',
  'storm',
  'thousand',
  'home',
  'business',
  'power',
  'november',
  'hurricane',
  'inch',
  'rain',
  'blue',
  'ridge',
  'mountains',
  'friday',
  'national',
  'hurricane',
  'center',
  'flash',
  'flooding',
  'rain',
  'ohio',
  'valley',
  'mid',
  '-',
  'atlantic',
  'new',
  'england',
  'saturday',
  'storm',
  'thursday',
  'people',
  'electrocution',
  'power',
  'line',
  'orlando',
  'area',
  'orange',
  'county',
  'sheriff',
  'office',
  'power',
  'line',
  'sheriff',
  'office',
  'tweet',
  'utility',
  'worker',
  'power',
  'county',
  'thursday',
  'power',
  'indian',
  'river',
  'county',
  'p.m.',
  'florida',
  'power',
  'light',
  'customer',
  'power',
  'martin',
  'county',
  'p.m.',
  'p.m.',
  'thursday',
  'nicole',
  'depression',
  'rain',
  'portion',
  'u.s',
  'hurricane',
  'center',
  '"this',
  'life',
  'situation',
  'jack',
  'beven',
  'hurricane',
  'specialist',
  'hurricane',
  'center',
  'advisory',
  'people',
  'region',
  'action',
  'life',
  'property',
  'water',
  'potential',
  'condition',
  'watch',
  'florida',
  'georgia',
  'st.',
  'augustine',
  'bridge',
  'lions',
  'intracoastal',
  'waterway',
  'siege',
  'nicole',
  'tornado',
  'warning',
  'thursday',
  'morning',
  'city',
  'pace',
  'bridge',
  'lions',
  'city',
  'twitter',
  'post',
  'road',
  'area',
  'home',
  'atlantic',
  'oceanflorida',
  'home',
  'atlantic',
  'ocean',
  'thursday',
  'krista',
  'dowling',
  'goodrich',
  'home',
  'wilbur',
  'sea',
  'daytona',
  'beach',
  'shores',
  'backyard',
  'ocean',
  'storm',
  'row',
  'rise',
  'condominium',
  'hurricane',
  'nicole',
  'week',
  'hurricane',
  'ian',
  'seawall',
  'beach',
  'official',
  'volusia',
  'county',
  'mile',
  'orlando',
  'thursday',
  'building',
  'inspector',
  'hotel',
  'condo',
  'daytona',
  'beach',
  'shores',
  'new',
  'smyrna',
  'beach',
  'evacuation',
  'family',
  'home',
  'wilbur',
  'sea',
  'inspector',
  'county',
  'official',
  'damage',
  'coastline',
  'county',
  'manager',
  'george',
  'recktenwald',
  'news',
  'conference',
  'thursday',
  'storm',
  'sea',
  'turtle',
  'egg',
  'treasure',
  'coast',
  'week',
  'hurricane',
  'ian',
  'damage',
  'nest',
  'sea',
  'turtle',
  'egg',
  'debris',
  'boardwalk',
  'beach',
  'access',
  'thursday',
  'santa',
  'lucea',
  'beach',
  'martin',
  'county',
  'resident',
  'sighting',
  'treasure',
  'coast',
  'beach',
  'turtle',
  'nest',
  'storm',
  'surge',
  'wave',
  'hurricane',
  'ian',
  'september',
  'sea',
  'turtle',
  'egg',
  'beach',
  'fort',
  'pierce',
  'treasure',
  'coast',
  'city',
  'community',
  'sigh',
  'relief',
  'nicole',
  'center',
  'fellsmere',
  'town',
  'people',
  'mile',
  'vero',
  'beach',
  'police',
  'facebook',
  'street',
  'tree',
  'flooding',
  'city',
  'time',
  'post',
  'power',
  'line',
  'police',
  'janet',
  'ken',
  'comey',
  'satellite',
  'beach',
  'people',
  'pelican',
  'beach',
  'park',
  'thursday',
  'morning',
  'wave',
  'tide',
  'storm',
  'couple',
  'new',
  'hampshire',
  'satellite',
  'beach',
  'year',
  '"when',
  'thing',
  'house',
  'generator',
  'janet',
  'comey',
  '"what',
  'subtropical',
  'storm',
  'system',
  'nicole',
  'path?nicole',
  'storm',
  'landfall',
  'vero',
  'beach',
  'mile',
  'west',
  'palm',
  'beach',
  'a.m.',
  'thursday',
  'hurricane',
  'center',
  'wind',
  'mph',
  'storm',
  'day',
  'depression',
  'p.m.',
  'wind',
  'mph',
  'forecaster',
  'turn',
  'north',
  'thursday',
  'track',
  'nicole',
  'hurricane',
  'specialist',
  'robbie',
  'berg',
  'storm',
  'hazard',
  'north',
  'center',
  'forecast',
  'cone',
  'center',
  'nicole',
  'gulf',
  'mexico',
  'thursday',
  'storm',
  'florida',
  'panhandle',
  'georgia',
  'carolinas',
  'friday',
  'national',
  'hurricane',
  'center',
  'rain',
  'region',
  'flash',
  'stream',
  'flooding',
  'nicole',
  'georgia',
  'thursday',
  'united',
  'states',
  'appalachians',
  'friday',
  'hurricane',
  'center',
  'warning',
  'watch',
  'florida',
  'gulf',
  'coastline',
  'hurricane',
  'ian',
  'category',
  'storm',
  'sept.',
  'ian',
  'home',
  'crop',
  'grove',
  'state',
  'damage',
  'airport',
  'theme',
  'park',
  'swath',
  'evacuation',
  'president',
  'donald',
  'trump',
  'mar',
  'lago',
  'club',
  '“it',
  'state',
  'florida',
  'day',
  'florida',
  'gov.',
  'ron',
  'desantis',
  'saffir',
  'simpson',
  'hurricane',
  'wind',
  'speed',
  'scale',
  'hurricane',
  'category',
  'scale',
  'mph',
  'wind',
  'gust',
  'kennedy',
  'space',
  'centerobservations',
  'sensor',
  'kennedy',
  'space',
  'center',
  'pad',
  'artemis',
  'rocket',
  'wind',
  'gust',
  'mph',
  'hurricane',
  'nicole',
  'sensor',
  'reading',
  'sensor',
  'reading',
  'lightning',
  'suppression',
  'tower',
  'nasa',
  'rocket',
  'foot',
  'reading',
  'ground',
  'nasa',
  'space',
  'launch',
  'system',
  'rocket',
  'artemis',
  'mission',
  'moon',
  'mph',
  'wind',
  'foot',
  'level',
  'agency',
  'official',
  'weather',
  'expert',
  'range',
  'agency',
  'space',
  'force',
  'storm',
  'accuracy',
  'datum',
  'emre',
  'kelly',
  'florida',
  'comes',
  'nasa',
  'storm',
  'wind',
  'nasa',
  'artemis',
  'nicole',
  'november',
  'hurricanenicole',
  'november',
  'hurricane',
  'florida',
  'recordkeeping',
  'yankee',
  'hurricane',
  'hurricane',
  'kate',
  'desantis',
  'nicole',
  'storm',
  'hurricane',
  'ian',
  "was'desantis",
  'thursday',
  'hurricane',
  'nicole',
  'punch',
  'ian',
  'year',
  'florida',
  'official',
  'mess',
  'nicole',
  'storm',
  'hurricane',
  'ian',
  'desantis',
  'beach',
  'erosion',
  'problem',
  'area',
  'storm',
  'surge',
  'structure',
  'coast',
  'nicole',
  'landfall',
  'vero',
  'beach',
  'volusia',
  'county',
  'nicole',
  'flash',
  'flooding',
  'area',
  '%',
  'state',
  'power',
  'desantis',
  'impact',
  'governor',
  'desantis',
  'utility',
  'worker',
  'standby',
  'storm',
  'electricity',
  'state',
  'national',
  'guardsmen',
  'recovery',
  'crew',
  'florida',
  'department',
  'transportation',
  'roadway',
  'bridge',
  'resource',
  'post',
  '-',
  'storm',
  'need',
  'desantis',
  'zac',
  'anderson',
  'usa',
  'today',
  'network',
  'florida',
  'nicole',
  'storm',
  'nicole',
  'landfall',
  'a.m.',
  'wednesday',
  'great',
  'abaco',
  'island',
  'bahamas',
  'storm',
  'wind',
  'mph',
  'official',
  'bahamas',
  'people',
  'dozen',
  'shelter',
  'flooding',
  'tree',
  'power',
  'line',
  'water',
  'outage',
  'archipelago',
  'region',
  'nicole',
  'category',
  'hurricane',
  'wednesday',
  'florida',
  'wind',
  'mph',
  'hurricane',
  'landfall',
  'year',
  'east',
  'coast',
  'florida',
  'resident',
  'florida',
  'st.',
  'lucie',
  'county',
  'sheriff',
  'office',
  'tweet',
  'storm',
  'surge',
  'nicole',
  'sea',
  'wall',
  'indian',
  'river',
  'drive',
  'atlantic',
  'ocean',
  'martin',
  'county',
  'sheriff',
  'office',
  'seawater',
  'road',
  'hutchinson',
  'island',
  'resident',
  'florida',
  'county',
  'flagler',
  'palm',
  'beach',
  'martin',
  'volusia',
  'barrier',
  'island',
  'area',
  'home',
  'volusia',
  'home',
  'daytona',
  'beach',
  'curfew',
  'bridge',
  'evacuee',
  'wind',
  'mph',
  'people',
  'evacuation',
  'center',
  'palm',
  'beach',
  'county',
  'wednesday',
  'community',
  'florida',
  'east',
  'coast',
  'desantis',
  'shelter',
  'state',
  'coast',
  'florida',
  'national',
  'guard',
  'guardsman',
  'addition',
  'search',
  'rescue',
  'team',
  'standby',
  'florida',
  'county',
  'miccosukee',
  'tribe',
  'seminole',
  'tribe',
  'state',
  'emergency',
  'president',
  'joe',
  'biden',
  'emergency',
  'declaration',
  'seminole',
  'tribe',
  'help',
  'nation',
  'seminoles',
  'reservation',
  'state',
  'nicole',
  'burial',
  'groundsheriff',
  'official',
  'burial',
  'ground',
  'wave',
  'hurricane',
  'nicole',
  'beach',
  'stuart',
  'florida',
  'dakota',
  'brady',
  'stuart',
  'friend',
  'chastain',
  'beach',
  'human',
  'remain',
  'investigator',
  'skull',
  'time',
  'hurricane',
  'human',
  'beach',
  'hurricane',
  'sandy',
  'beach',
  'erosion',
  'bone',
  'hurricane',
  'frances',
  'jeanne',
  'tcpalm',
  'archive',
  'official',
  'remain',
  'ceremony',
  'mauricio',
  'la',
  'plante',
  'tcpalm',
  'treasure',
  'coast',
  'newspapersi',
  'climate',
  'change',
  'fueling',
  'hurricanes',
  'atlantic?:here',
  'science',
  'state',
  'effect',
  'nicole?nicole',
  'florida',
  'portion',
  'region',
  'u.s.',
  'nicole',
  'center',
  'florida',
  'georgia',
  'thursday',
  'night',
  'carolinas',
  'friday',
  'forecaster',
  'tornado',
  'wednesday',
  'night',
  'thursday',
  'florida',
  'southeast',
  'georgia',
  'south',
  'carolina',
  'rainfall',
  'concern',
  'nicole',
  'storm',
  'surge',
  'foot',
  'area',
  'florida',
  'georgia',
  'coast',
  'deadly',
  'mistake',
  'people',
  'hurricane',
  'forecast',
  'graphic',
  'nicole',
  'trackerwill',
  'greenlee',
  'stuart',
  'floridacontributing',
  'john',
  'mccarthy',
  'florida',
  'today',
  'associated',
  'pressfeatured',
  'weekly',
  'adabout',
  'newsroom',
  'staff',
  'ethical',
  'principles',
  'correction',
  'press',
  'accessibility',
  'sitemap',
  'subscription',
  'terms',
  'conditions',
  'terms',
  'service',
  'california',
  'privacy',
  'rights',
  'privacy',
  'policy',
  'privacy',
  'policydo',
  'sell',
  'share',
  'target',
  'infocookie',
  'settingscontact',
  'account',
  'feedback',
  'home',
  'delivery',
  'enewspaper',
  'usa',
  'today',
  'shop',
  'usa',
  'today',
  'print',
  'editions',
  'licensing',
  'reprints',
  'advertise',
  'careers',
  'internships',
  'businessnews',
  'tips',
  'letter',
  'editor',
  'newsletters',
  'mobile',
  'app',
  'facebook',
  'twitter',
  'instagram',
  'linkedin',
  'pinterest',
  'youtube',
  'reddit',
  'flipboard',
  'jobs',
  'sports',
  'betting',
  'sports',
  'weekly',
  'studio',
  'gannett',
  'classifieds',
  'coupons',
  'blueprint',
  'auto',
  'insurance',
  'pet',
  'insurance',
  'travel',
  'insurance',
  'credit',
  'cards',
  'banking',
  'personal',
  'loans',
  'usa',
  'today',
  'division',
  'gannett',
  'satellite',
  'information',
  'network',
  'llc'],
 ['local',
  'news',
  'vallow',
  'daybell',
  'coverage',
  'coronavirus',
  'coverage',
  'crime',
  'tracker',
  'idaho',
  'forward',
  'prevent',
  'child',
  'abuse',
  'scam',
  'alerts',
  'world',
  'utah',
  'wyoming',
  'alerts',
  'alert',
  'vipir',
  'radar',
  'local',
  'forecast',
  'day',
  'forecasts',
  'road',
  'report',
  'ski',
  'report',
  'sky',
  'cams',
  'athlete',
  'week',
  'high',
  'school',
  'athletics',
  'east',
  'idaho',
  'game',
  'night',
  'boise',
  'state',
  'athletics',
  'idaho',
  'state',
  'athletics',
  'byu',
  'athletics',
  'livestream',
  'local',
  'news',
  'livestream',
  'news',
  'livestream',
  'event',
  'videos',
  'entertainment',
  'events',
  'gas',
  'price',
  'yellowstone',
  'teton',
  'territory',
  'travel',
  'tourism',
  'conversation',
  'inl',
  'hire',
  'idaho',
  'obituaries',
  'question',
  'day',
  'banking',
  'business',
  'house',
  'home',
  'money',
  'safe',
  'home',
  'meet',
  'team',
  'contact',
  'advertise',
  'captioning',
  'download',
  'apps',
  'fcc',
  'public',
  'file',
  'kifi',
  'fcc',
  'public',
  'file',
  'kidk',
  'fcc',
  'public',
  'file',
  'k34nc',
  'd',
  'eeo',
  'form',
  'cw',
  'east',
  'idaho',
  'telemundo',
  'east',
  'idaho',
  'jobs',
  'internships',
  'scholarships',
  'translator',
  'information',
  'tv',
  'listing',
  'slight',
  'chance',
  'shower',
  'thursday',
  'red',
  'flag',
  'warning',
  'view',
  'vallow',
  'daybell',
  'coverage',
  'cause',
  'investigation',
  'oxygen',
  'hose',
  'fire',
  'crash',
  'rexburg',
  'greater',
  'idaho',
  'falls',
  'transit',
  'hour',
  'service',
  'central',
  'idaho',
  'fire',
  'restrictions',
  'area',
  'state',
  'fire',
  'restriction',
  'iffd',
  'fire',
  'training',
  'milligan',
  'road',
  'idaho',
  'falls',
  'homeowner',
  'road',
  'flood',
  'damage',
  'share',
  'facebookshare',
  'twitter',
  'share',
  'linkedin',
  'idaho',
  'falls',
  'idaho',
  'kifi',
  'week',
  'flash',
  'flood',
  'idaho',
  'falls',
  'homeowner',
  'remain',
  'storm',
  'wave',
  'water',
  'street',
  'day',
  'homeowner',
  'melody',
  'byers',
  'floodwater',
  'home',
  'melody',
  'basement',
  'time',
  'storm',
  'water',
  'flood',
  'basement',
  'entrance',
  'weight',
  'door',
  'avail',
  'melody',
  'basement',
  'foot',
  'water',
  'living',
  'room',
  'retreat',
  'stud',
  'door',
  'debris',
  'leave',
  'squirrel',
  'melody',
  'furnace',
  'water',
  'heater',
  'damage',
  'ceiling',
  'home',
  'andrew',
  'emily',
  'pope',
  'storm',
  'home',
  'basement',
  'investment',
  'home',
  'loss',
  'emily',
  'damage',
  'ballpark',
  'dollar',
  'andrew',
  'resident',
  'area',
  'history',
  'flood',
  'lawrence',
  'walton',
  'neighborhood',
  'year',
  'street',
  'sewer',
  'system',
  'city',
  'issue',
  'decade',
  'walton',
  'city',
  'emergency',
  'pump',
  'situation',
  'majority',
  'homeowner',
  'area',
  'flood',
  'insurance',
  'damage',
  'insurance',
  'agent',
  'lucy',
  'carrillo',
  'homeowner',
  'idaho',
  'flood',
  'insurance',
  'home',
  'flood',
  'plain',
  'flood',
  'insurance',
  'people',
  'bank',
  'flood',
  'insurance',
  'flood',
  'insurance',
  'carriollo',
  'way',
  'insurance',
  'law',
  'carrillo',
  'homeowner',
  'area',
  'boat',
  'lack',
  'day',
  'flood',
  'homeowner',
  'business',
  'quote',
  'restoration',
  'danielle',
  'stimpson',
  'business',
  'owner',
  'mountain',
  'west',
  'rentals',
  'mark',
  'andrews',
  'misfortune',
  'couple',
  'day',
  'door',
  'stimpson',
  'business',
  'ton',
  'money',
  'lot',
  'people',
  'home',
  'member',
  'community',
  'homeowner',
  'service',
  'labor',
  'cost',
  'insurance',
  'homeowner',
  'melody',
  'idea',
  'claim',
  'city',
  'idaho',
  'falls',
  'response',
  'melody',
  'pocket',
  'seth',
  'reporter',
  'local',
  'news',
  'eyewitness',
  'news',
  'ammon',
  'bundy',
  'idaho',
  'hospital',
  'ceo',
  'staff',
  'member',
  'leader',
  'kim',
  'jong',
  'un',
  'defense',
  'minister',
  'cooperation',
  'journalist',
  'year',
  'prison',
  'opposition',
  'alaska',
  'board',
  'action',
  'proposal',
  'transgender',
  'girl',
  'girl',
  'school',
  'sport',
  'team',
  'conversation',
  'kifi',
  'local',
  'news',
  'forum',
  'conversation',
  'comment',
  'community',
  'guidelines',
  'story',
  'idea',
  'eeo',
  'report',
  'term',
  'use',
  '',
  '',
  'privacy',
  'policy',
  'community',
  'guidelines',
  'fcc',
  'applications',
  '',
  '',
  'personal',
  'information',
  'email',
  'newsletters',
  'daily',
  'news',
  'update',
  'breaking',
  'news',
  'alert',
  'daily',
  'weather',
  'forecast',
  'severe',
  'weather',
  'alert',
  'contests',
  'promotions',
  'apps',
  'android',
  'npg',
  'idaho',
  'inc.',
  'idaho',
  'falls',
  'id',
  'usa'],
 ['neighborhood',
  'expansion',
  'broadband',
  'choice',
  'state',
  'parks',
  'hour',
  'wny',
  'weekend',
  'stem',
  'star',
  'student',
  'month',
  'state',
  'parks',
  'hour',
  'wny',
  'weekend',
  'severe',
  'weather',
  'storm',
  'age',
  'gov.',
  'hochul',
  'state',
  'emergency',
  'state',
  'emergency',
  'affect',
  'a.m.',
  'friday',
  'example',
  'video',
  'title',
  'video',
  'pm',
  'est',
  'december',
  'pm',
  'est',
  'december',
  'falls',
  'n.y.',
  'storm',
  'age',
  'new',
  'york',
  'governor',
  'kathy',
  'hochul',
  'state',
  'emergency',
  'storm',
  'way',
  'western',
  'new',
  'york',
  'weekend',
  'state',
  'emergency',
  'effect',
  'a.m.',
  'friday',
  'weather',
  'god',
  'forecast',
  'hochul',
  'kitchen',
  'sink',
  'event',
  'mother',
  'nature',
  'wind',
  'ice',
  'snow',
  'rain',
  'governor',
  'holiday',
  'weekend',
  'destination',
  'storm',
  'team',
  'coverage',
  'radaractive',
  'weather',
  'alertslive',
  'traffic',
  'conditionslive',
  'weather',
  'camerasclosings',
  'delaysdownload',
  'wgrz',
  'app',
  'new',
  'york',
  'hand',
  'deck',
  '24/7',
  'operation',
  'center',
  'authority',
  'hochul',
  'governor',
  'utility',
  'worker',
  'snowplow',
  'governor',
  'truck',
  'ban',
  'exit',
  'pennsylvania',
  'state',
  'line',
  'a.m.',
  'friday',
  'closure',
  'travel',
  'state',
  'route',
  'big',
  'tree',
  'interstate',
  'closure',
  'weather',
  'storm',
  'age',
  'duration',
  'hochul',
  'erie',
  'county',
  'state',
  'emergency',
  'a.m.',
  'friday',
  'buffalo',
  'mayor',
  'state',
  'emergency',
  'a.m.',
  'friday',
  'tips',
  'winter',
  'eeo',
  'public',
  'file',
  'report',
  'fcc',
  'online',
  'public',
  'inspection',
  'file',
  'closed',
  'caption',
  'procedure',
  'personal',
  'information',
  'wgrz',
  'tv',
  'rights',
  'wgrz',
  'notification',
  'news',
  'weather',
  'notification',
  'browser',
  'setting'],
 ['health',
  'sex',
  'relationships',
  'viral',
  'trends',
  'human',
  'interest',
  'parenting',
  'fashion',
  'beauty',
  'food',
  'drink',
  'travel',
  'multiple',
  'tornado',
  'havoc',
  'missouri',
  'thank',
  'submission',
  'tornado',
  'damage',
  'north',
  'carolina',
  'pfizer',
  'plant',
  'term',
  'shortage',
  'drug',
  'expert',
  'pfizer',
  'north',
  'carolina',
  'pharmaceutical',
  'plant',
  'tornado',
  'injury',
  'photo',
  'cloud',
  'downtown',
  'chicago',
  'tornado',
  'tornado',
  'chicago',
  'o’hare',
  'airport',
  'weather',
  'warning',
  'flight',
  'people',
  'tornado',
  'missouri',
  'wednesday',
  'morning',
  'south',
  'twister',
  'missouri',
  'state',
  'highway',
  'patrol',
  'fatality',
  'injury',
  'tornado',
  'dawn',
  'bollinger',
  'county',
  'mile',
  'st.',
  'louis',
  'damage',
  'highway',
  'patrol',
  'sgt',
  'clark',
  'parrott',
  'parrott',
  'search',
  'rescue',
  'operation',
  'county',
  'crew',
  'chainsaw',
  'tree',
  'brush',
  'home',
  'justin',
  'gibbs',
  'national',
  'weather',
  'service',
  'meteorologist',
  'kentucky',
  'storm',
  'missouri',
  'tornado',
  'twister',
  'dusk',
  'dawn',
  'nightmare',
  'warning',
  'standpoint',
  'gibbs',
  'associated',
  'press',
  'tornado',
  'timing',
  'morning',
  'damage',
  'tornado',
  'missouri',
  'facebook',
  'joshua',
  'wells',
  'missouri',
  'state',
  'highway',
  'patrol',
  'twister',
  'death',
  'injury',
  'facebook',
  'joshua',
  'wells',
  'missouri',
  'tornado',
  'twister',
  'south',
  'midwest',
  'photo',
  'elmurod',
  'usubaliev',
  'anadolu',
  'agency',
  'getty',
  'images',
  'gibbs',
  'tornado',
  'ground',
  'minute',
  'twister',
  'minute',
  'missouri',
  'official',
  'bollinger',
  'county',
  'resident',
  'area',
  'responder',
  'search',
  'rescue',
  'operation',
  'missouri',
  'gov.',
  'mike',
  'parson',
  'area',
  'resource',
  'community',
  'damage',
  'tornado',
  'missouri',
  'april',
  'state',
  'highway',
  'patrol',
  'ap',
  'storm',
  'day',
  'dozen',
  'tornado',
  'south',
  'midwest',
  'people',
  'dozen',
  'home',
  'arkansas',
  'iowa',
  'illinois',
  'parson',
  'state',
  'national',
  'guard',
  'friday',
  'storm',
  'response',
  'order',
  'effect',
  'wednesday',
  'weather',
  'system',
  'state',
  'storm',
  'wednesday',
  'twister',
  'hail',
  'missouri',
  'gov.',
  'mike',
  'parson',
  'state',
  'national',
  'guard',
  'response',
  'storm',
  'facebook',
  'joshua',
  'wells',
  'tornado',
  'people',
  'facebook',
  'joshua',
  'wells',
  'national',
  'weather',
  'service',
  'tornado',
  'thunderstorm',
  'wind',
  'advisory',
  'americans',
  'agency',
  'storm',
  'system',
  'missouri',
  'upper',
  'great',
  'lakes',
  'region',
  'ukrainians',
  'fighter',
  'drone',
  'order',
  'dild',
  'story',
  'time',
  'sinéad',
  "o'connor",
  'tweet',
  'story',
  'time',
  'onlooker',
  'hunter',
  'biden',
  'sweetheart',
  'plea',
  'deal',
  'court',
  'story',
  'time',
  'world',
  'place',
  'reservation',
  'year',
  'waitlist',
  'expert',
  'weight',
  'overview',
  'found',
  'program',
  'safety',
  'pack',
  'fire',
  'extinguisher',
  '%',
  'sheet',
  'sleeper',
  'review',
  'expert',
  'sleep',
  'foundation',
  '%',
  'wayfair',
  'outdoor',
  'seating',
  'sale',
  'set',
  'sectional',
  'today',
  'beach',
  'wagon',
  'cart',
  'rollin',
  'beach',
  'beyoncé',
  'mom',
  'tina',
  'knowles',
  'file',
  'divorce',
  'richard',
  'lawson',
  'difference',
  'kevin',
  'spacey',
  'drinking',
  'acquittal',
  'london',
  'hotspot',
  'rhoc',
  'recap',
  'shannon',
  'beador',
  'tamra',
  'revelation',
  'relationship',
  'noise',
  'activity',
  'mid',
  '-',
  'prison',
  'r.i.p.',
  'sinéad',
  'o’connor',
  'irish',
  'singer',
  'compare',
  'subject',
  'dead',
  'heather',
  'terry',
  'dubrow',
  'm',
  'beverly',
  'hills',
  'estate',
  'year',
  'sinéad',
  "o'connor",
  'tweet',
  'news',
  'metro',
  'sports',
  'sports',
  'betting',
  'business',
  'opinion',
  'entertainment',
  'fashion',
  'beauty',
  'shopping',
  'lifestyle',
  'real',
  'estate',
  'media',
  'tech',
  'health',
  'travel',
  'astrology',
  'video',
  'photos',
  'stories',
  'alexa',
  'cover',
  'horoscopes',
  'sport',
  'odd',
  'podcast',
  'columnists',
  'classifieds',
  'email',
  'newsletters',
  'rss',
  'ny',
  'post',
  'official',
  'store',
  'home',
  'delivery',
  'new',
  'york',
  'post',
  'customer',
  'service',
  'apps',
  'community',
  'guidelines',
  'contact',
  'tips',
  'newsroom',
  'letters',
  'editor',
  'licensing',
  'reprints',
  'careers',
  'vulnerability',
  'disclosure',
  'program',
  'nyp',
  'holdings',
  'inc.',
  'rights',
  'reserved',
  'terms',
  'use',
  'membership',
  'terms',
  'privacy',
  'notice',
  'sitemap',
  'information'],
 ['organization',
  'quality',
  'life',
  'army',
  'z',
  'secretary',
  'secretary',
  'chief',
  'staff',
  'vice',
  'chief',
  'staff',
  'sergeant',
  'major',
  'army',
  'search',
  'news',
  'photo',
  'video',
  'army.mil',
  'weather',
  'oklahoma',
  'storm',
  'tornado',
  'threat',
  'cindy',
  'mcintyremay',
  'zac',
  'scott',
  'kswo-7',
  'meteorologist',
  'lawton',
  'okla.',
  'potential',
  'weather',
  'day',
  'storm',
  'tornado',
  'hail',
  'flood',
  'scott',
  'skywarn',
  'weather',
  'team',
  'viewer',
  'informe',
  'photo',
  'credit',
  'u.s.',
  'army',
  'fort',
  'sill',
  'okla.',
  'editor',
  'note',
  'series',
  'tornado',
  'weather',
  'preparedness',
  'thunderstorm',
  'world',
  'america',
  'nickname',
  'tornado',
  'alley',
  'convergence',
  'type',
  'condition',
  'air',
  'west',
  'air',
  'south',
  'meeting',
  'point',
  'system',
  'line',
  'weather',
  'term',
  'country',
  'line',
  'feature',
  'kansas',
  'oklahoma',
  'texas',
  'zac',
  'scott',
  'meteorologist',
  'lawton',
  'kswo',
  'tv',
  'channel',
  'convergence',
  'air',
  'atmosphere',
  'precipitation',
  'zone',
  'instability',
  'thunderstorm',
  'supercell',
  'wind',
  'shear',
  'tornado',
  'wind',
  'shear',
  'turning',
  'strengthening',
  'wind',
  'air',
  'austin',
  'bowling',
  'channel',
  'meteorologist',
  'atmosphere',
  'cake',
  'level',
  'wind',
  'southeast',
  'mile',
  'hour',
  'cake',
  'foot',
  'wind',
  'west',
  'mph',
  'rotation',
  'radar',
  'tornado',
  'sighting',
  'ground',
  'truth',
  'channel',
  'meteorologist',
  'storm',
  'chaser',
  'training',
  'storm',
  'bowling',
  'vortex',
  'tornado',
  'el',
  'reno',
  'okla.',
  'chaser',
  'scientist',
  'probe',
  'tornado',
  'direction',
  'guard',
  'ef-3',
  'tornado',
  'path',
  'destruction',
  'mile',
  'tornado',
  'tornado',
  'speed',
  'direction',
  'popularity',
  'storm',
  'traffic',
  'jam',
  'escape',
  'advice',
  'weather',
  'forecast',
  'day',
  'advance',
  'condition',
  'weather',
  'approach',
  'work',
  'home',
  'weather',
  'bowling',
  'scott',
  'bowling',
  'talk',
  'area',
  'school',
  'unit',
  'fort',
  'sill',
  'weather',
  'preparedness',
  'meteorologist',
  'forecast',
  'computer',
  'model',
  'prediction',
  'national',
  'weather',
  'service',
  'storm',
  'prediction',
  'center',
  'evaluation',
  'condition',
  'half',
  'hour',
  'today',
  'layer',
  'atmosphere',
  'time',
  'scott',
  'layer',
  'atmosphere',
  'moisture',
  'surface',
  'turning',
  'wind',
  'level',
  'support',
  'energy',
  'air',
  'surface',
  'air',
  'knowledge',
  'texoma',
  'condition',
  'account',
  'forecast',
  'rain',
  'instance',
  'ground',
  'moisture',
  'moisture',
  'thunderhead',
  'severity',
  'weather',
  'team',
  'kswo',
  'tv',
  'weather',
  'threat',
  'indication',
  'source',
  'information',
  'station',
  'medium',
  'post',
  'condition',
  'alert',
  'national',
  'weather',
  'service',
  'scott',
  'radar',
  'ham',
  'radio',
  'report',
  'storm',
  'spotter',
  'ham',
  'radio',
  'matthew',
  'dipirro',
  'katie',
  'western',
  'field',
  'bowling',
  'camera',
  'weather',
  'visual',
  'information',
  'time',
  'weather',
  'information',
  'channel',
  'skywarn',
  'noaa',
  'weather',
  'underground',
  'intellicast',
  'source',
  'radar',
  'direction',
  'travel',
  'component',
  'storm',
  'color',
  'blue',
  'drizzle',
  'rain',
  'red',
  'rain',
  'thunderstorm',
  'pink',
  'lavender',
  'hail',
  'debris',
  'ball',
  'tornado',
  'portion',
  'supercell',
  'watch',
  'warning',
  'national',
  'weather',
  'service',
  'storm',
  'prediction',
  'center',
  'channel',
  'information',
  'cell',
  'phone',
  'carrier',
  'tone',
  'subscriber',
  'phone',
  'radio',
  'tone',
  'weather',
  'bowling',
  'people',
  'weather',
  'watch',
  'warning',
  'area',
  'tornado',
  'lawton',
  'community',
  'newcomer',
  'knowledge',
  'weather',
  'report',
  'county',
  'town',
  'highway',
  'county',
  'area',
  'bowling',
  'lot',
  'county',
  'town',
  'weather',
  'report',
  'video',
  'field',
  'people',
  'storm',
  'power',
  'need',
  'shelter',
  'end',
  'responsibility',
  'plan',
  'family',
  'march',
  'global',
  'defender',
  'january',
  'guardsmen',
  'post',
  'inauguration',
  'law',
  'enforcement',
  'support',
  'army',
  'cadet',
  'command',
  'change',
  'summer',
  'training',
  'program',
  'response',
  'covid-19',
  'october',
  'army',
  'stand',
  'national',
  'depression',
  'awareness',
  'month',
  'home',
  'contact',
  'privacy',
  'terms',
  'use',
  'accessibility',
  'foia',
  'fear',
  'act'],
 ['abc',
  'newsvideoliveshowselectionsinterest',
  'successfully',
  "addedwe'll",
  'news',
  'desktop',
  'notification',
  'story',
  'interest',
  'offonlog',
  'instream',
  'tornado',
  'washington',
  'state',
  'usa',
  'tornado',
  'port',
  'orchard',
  'washington',
  'tuesday',
  'bymax',
  'golembodecember',
  'am2:32a',
  'tornado',
  'port',
  'orchard',
  'wash.',
  'tuesday',
  'dec.',
  'injury',
  'plenty',
  'damage',
  'home',
  'komoa',
  'storm',
  'northwest',
  'tornado',
  'seattle',
  'wind',
  'mph',
  'oregon',
  'foot',
  'snow',
  'cascades',
  'storm',
  'wednesday',
  'morning',
  'rockies',
  'lot',
  'wind',
  'snow',
  'attention',
  'storm',
  'storm',
  'rain',
  'weather',
  'florida',
  'maine',
  'flood',
  'watch',
  'florida',
  'georgia',
  'mid',
  'atlantic',
  'wednesday',
  'abc',
  'newsflood',
  'watch',
  'state',
  'florida',
  'new',
  'jersey',
  'storm',
  'gulf',
  'coast',
  'tennessee',
  'river',
  'valley',
  'rain',
  'gulf',
  'coast',
  'carolinas',
  'storm',
  'south',
  'west',
  'rain',
  'u.s.',
  'thursday',
  'abc',
  'newsthursday',
  'friday',
  'storm',
  'storm',
  'storm',
  'florida',
  'carolinas',
  'storm',
  'wind',
  'hail',
  'tornado',
  'river',
  'flooding',
  'flash',
  'flooding',
  'east',
  'coast',
  'rain',
  'i-95',
  'corridor',
  'washington',
  'd.c.',
  'boston',
  'maine',
  'rain',
  'east',
  'coast',
  'friday',
  'abc',
  'newssome',
  'area',
  'east',
  'coast',
  'inch',
  'rain',
  'rain',
  'inch',
  'place',
  'east',
  'coast',
  'abc',
  'newsrelated',
  'topicsweathertop',
  'storieshouse',
  'ufo',
  'hearing',
  'ex',
  'knowledge',
  'craftjul',
  'amruin',
  'vatican',
  'emperor',
  'nero',
  'theaterjul',
  'pmsinead',
  "o'connor",
  'u',
  'singer',
  '56jul',
  'pmwhistleblower',
  'congress',
  'decade',
  'program',
  'ufosjul',
  'pmmcconnell',
  'press',
  'conference',
  'return',
  'pmabc',
  'news',
  'live24/7',
  'coverage',
  'news',
  'eventsabc',
  'news',
  'networkprivacy',
  'policyyour',
  'state',
  'privacy',
  'rightschildren',
  'online',
  'privacy',
  'policyinterest',
  'adsabout',
  'nielsen',
  'measurementterms',
  'usedo',
  'sell',
  'informationcontact',
  'uscopyright',
  'abc',
  'news',
  'internet',
  'ventures',
  'right'],
 ['today',
  'paper',
  'newsletters',
  'learns',
  'guide',
  'asa',
  'hutchinson',
  'today',
  'photos',
  'public',
  'notices',
  'obits',
  'distribution',
  'locations',
  'crime',
  'digital',
  'faq',
  'razorback',
  'sports',
  'puzzles',
  'arkansas',
  'tornado',
  'cleanup',
  'round',
  'storm',
  'governor',
  'josh',
  'snyder',
  'april',
  'gov.',
  'sarah',
  'huckabee',
  'sanders',
  'news',
  'conference',
  'little',
  'rock',
  'immanuel',
  'baptist',
  'church',
  'city',
  'center',
  'n.',
  'shackleford',
  'road',
  'wednesday',
  'april',
  'arkansas',
  'democrat',
  'gazette',
  'josh',
  'snyder',
  'weather',
  'arkansas',
  'tuesday',
  'wednesday',
  'cleanup',
  'recovery',
  'effort',
  'state',
  'gov.',
  'sarah',
  'huckabee',
  'sanders',
  'governor',
  'u.s.',
  'sen.',
  'john',
  'boozman',
  'little',
  'rock',
  'mayor',
  'frank',
  'scott',
  'jr.',
  'official',
  'federal',
  'emergency',
  'management',
  'agency',
  'administrator',
  'news',
  'conference',
  'immanuel',
  'baptist',
  'church',
  'city',
  'center',
  'n.',
  'shackleford',
  'road',
  'fact',
  'weather',
  'challenge',
  'energy',
  'effort',
  'people',
  'debris',
  'assistance',
  'way',
  'sanders',
  'arkansasonline.com/45govupdate]the',
  'state',
  'response',
  'wednesday',
  'afternoon',
  'sanders',
  'request',
  'government',
  'state',
  'recovery',
  'expense',
  'day',
  'friday',
  'storm',
  'sanders',
  '”boozman',
  'delegation',
  'wednesday',
  'conference',
  'response',
  'fema',
  'administrator',
  'tony',
  'robinson',
  'effort',
  'support',
  'arkansas',
  'boozman',
  '”fema',
  'conference',
  'robinson',
  'resident',
  'friday',
  'storm',
  'insurance',
  'provider',
  'assistance',
  'disasterassistance.gov',
  'city',
  'center',
  'disaster',
  'recovery',
  'center',
  'state',
  'north',
  'little',
  'rock',
  'pike',
  'ave',
  '.',
  'wynne',
  'u.s.',
  'center',
  'people',
  'fema',
  'representative',
  'help',
  'area',
  'insurance',
  'identification',
  'small',
  'business',
  'administration',
  'loan',
  'administrator',
  'people',
  'driver',
  'license',
  'insurance',
  'policy',
  'information',
  'state',
  'disaster',
  'recovery',
  'center',
  'representative',
  'state',
  'agency',
  'people',
  'document',
  'storm',
  'sanders',
  'robinson',
  'fema',
  'partnership',
  'small',
  'business',
  'administration',
  'people',
  'aid',
  'fema',
  'small',
  'business',
  'administration',
  'wednesday',
  'stormsthe',
  'governor',
  'tuesday',
  'hope',
  'effort',
  'debris',
  'friday',
  'storm',
  'impact',
  'wednesday',
  'weather',
  'official',
  'state',
  'arkansans',
  'weather',
  'weather',
  'state',
  'a.m.',
  'a.m.',
  'sanders',
  'optimism',
  'wednesday',
  'crew',
  'ability',
  'cleanup',
  'rain',
  'wind',
  'state',
  'crew',
  'friday',
  'fact',
  'weather',
  'condition',
  'tornado',
  'warning',
  'watch',
  'wednesday',
  'afternoon',
  'district',
  'central',
  'arkansas',
  'class',
  'instruction',
  'day',
  'minor',
  'damage',
  'wind',
  'national',
  'weather',
  'service',
  'wednesday',
  'afternoon',
  'poinsett',
  'county',
  'tree',
  'fire',
  'station',
  'mississippi',
  'county',
  'tractor',
  'trailer',
  'interstate',
  'tree',
  'weather',
  'service',
  'entergy',
  'customer',
  'power',
  'p.m.',
  'wednesday',
  'utility',
  'outage',
  'map',
  'figure',
  'drop',
  'customer',
  'utility',
  'evening',
  'number',
  'customer',
  'pulaski',
  'county',
  'ouachita',
  'county',
  'cross',
  'county',
  'week',
  'tornado',
  'outage',
  'cooperative',
  'customer',
  'power',
  'p.m.',
  'wednesday',
  'utility',
  'lafayette',
  'county',
  'number',
  'customer',
  'power',
  'emergency',
  'service',
  'official',
  'benton',
  'washington',
  'county',
  'wednesday',
  'morning',
  'report',
  'storm',
  'damage',
  'robert',
  'mcgowen',
  'benton',
  'county',
  'safety',
  'administrator',
  'county',
  'damage',
  'report',
  'kind',
  '”“we',
  'bullet',
  'mcgowen',
  'p.m.',
  'watch',
  'sanders',
  'round',
  'storm',
  'effect',
  'cleanup',
  'effort',
  'arkansassevere',
  'weather',
  'arkansas',
  'tuesday',
  'wednesday',
  'cleanup',
  'recovery',
  'effort',
  'state',
  'gov.',
  'sarah',
  'huckabee',
  'sanders',
  'governor',
  'u.s.',
  'sen.',
  'john',
  'boozman',
  'little',
  'rock',
  'mayor',
  'frank',
  'scott',
  'jr.',
  'federal',
  'emergency',
  'management',
  'agency',
  'administrator',
  'official',
  'news',
  'conference',
  'little',
  'rock',
  'immanuel',
  'baptist',
  'church',
  'city',
  'center',
  'n.',
  'shackleford',
  'fact',
  'weather',
  'challenge',
  'energy',
  'effort',
  'people',
  'debris',
  'assistance',
  'way',
  'sanders',
  'conference',
  'fema',
  'region',
  'administrator',
  'tony',
  'robinson',
  'resident',
  'friday',
  'storm',
  'insurance',
  'provider',
  'assistance',
  'disasterassistance.gov',
  'information',
  'article',
  'cynthia',
  'howell',
  'arkansas',
  'democrat',
  'gazette',
  'tracy',
  'neal',
  'tom',
  'sissom',
  'northwest',
  'arkansas',
  'democrat',
  'gazette',
  'local',
  'news',
  'state',
  'news',
  'national',
  'news',
  'world',
  'news',
  'local',
  'opinion',
  'opinion',
  'editorial',
  'newsletters',
  'weekly',
  'vista',
  'westside',
  'eagle',
  'observer',
  'free',
  'weekly',
  'mcdonald',
  'county',
  'press',
  'la',
  'prensa',
  'libre',
  'ar',
  'herald',
  'leader',
  'pea',
  'ridge',
  'times',
  'washington',
  'county',
  'enterprise',
  'leader',
  'river',
  'valley',
  'democrat',
  'gazette',
  'contact',
  'term',
  'use',
  'advertise',
  'copyright',
  'northwest',
  'arkansas',
  'newspapers',
  'llc',
  'nwa',
  'media',
  'right',
  'document',
  'permission',
  'northwest',
  'arkansas',
  'newspapers',
  'llc',
  'term',
  'use',
  'material',
  'associated',
  'press',
  'copyright',
  'associated',
  'press',
  'associated',
  'press',
  'text',
  'photo',
  'audio',
  'video',
  'material',
  'broadcast',
  'broadcast',
  'publication',
  'medium',
  'ap',
  'material',
  'portion',
  'computer',
  'use',
  'ap',
  'delay',
  'inaccuracy',
  'error',
  'omission',
  'transmission',
  'delivery',
  'damage',
  'foregoing',
  'right'],
 ['lawyer',
  'lawyer',
  'research',
  'law',
  'law',
  'schools',
  'laws',
  'regs',
  'newsletters',
  'marketing',
  'solutions',
  'justia',
  'law',
  'codes',
  'statute',
  'wyoming',
  'statute',
  'title',
  'trade',
  'commerce',
  'chapter',
  'consumer',
  'protection',
  'article',
  'storm',
  'damage',
  'repair',
  'contracts',
  'section',
  'disclosure',
  'requirements',
  'exterior',
  'storm',
  'damage',
  'repair',
  'contracts',
  'version',
  'section',
  'universal',
  'citation',
  'wy',
  'stat',
  '§',
  'disclosure',
  'requirement',
  'storm',
  'damage',
  'repair',
  'contract',
  'contract',
  'storm',
  'damage',
  'repair',
  'copy',
  'repair',
  'proposal',
  'disclosure',
  'w.s.',
  '703(a',
  'disclaimer',
  'code',
  'version',
  'wyoming',
  'information',
  'warranty',
  'guarantee',
  'accuracy',
  'completeness',
  'adequacy',
  'information',
  'site',
  'information',
  'state',
  'site',
  'source',
  'site',
  'recaptcha',
  'google',
  'privacy',
  'policy',
  'terms',
  'service',
  'free',
  'daily',
  'summaries',
  'inbox',
  'justia',
  'opinion',
  'summary',
  'newsletters',
  'newsletter',
  'sign',
  'summary',
  'lawyer',
  'directory',
  'profile',
  'summary',
  'opinion',
  'inbox',
  'bankruptcy',
  'lawyers',
  'business',
  'lawyers',
  'criminal',
  'lawyers',
  'employment',
  'lawyers',
  'estate',
  'planning',
  'lawyers',
  'family',
  'lawyers',
  'personal',
  'injury',
  'lawyers',
  'business',
  'formation',
  'business',
  'operations',
  'employment',
  'intellectual',
  'property',
  'international',
  'trade',
  'real',
  'estate',
  'tax',
  'law',
  'constitution',
  'code',
  'regulations',
  'supreme',
  'court',
  'circuit',
  'courts',
  'district',
  'courts',
  'dockets',
  'filing',
  'state',
  'constitutions',
  'state',
  'codes',
  'state',
  'case',
  'law',
  'california',
  'florida',
  'new',
  'york',
  'texas',
  'justia',
  'membership',
  'justia',
  'lawyer',
  'directory',
  'justia',
  'premium',
  'placements',
  'justia',
  'elevate',
  'seo',
  'website',
  'justia',
  'ppc',
  'gbp',
  'justia',
  'onward',
  'blog',
  'testimonial',
  'justia',
  'legal',
  'portal',
  'company',
  'terms',
  'service',
  'privacy',
  'policy',
  'marketing',
  'solutions'],
 ['fox',
  'news',
  'media',
  'fox',
  'news',
  'mediafox',
  'businessfox',
  'nationfox',
  'news',
  'audiofox',
  'fox',
  'news',
  'expand',
  'collapse',
  'search',
  'login',
  'tv',
  'menu',
  'u.s.',
  'crimemilitaryeducationterrorimmigrationeconomypersonal',
  'freedomsfox',
  'news',
  'investigatesworld',
  'u.n.conflictsterrorismdisastersglobal',
  'politic',
  'executivesenatehousejudiciaryforeign',
  'policypollselectionsentertainment',
  'celebrity',
  'newsmoviestv',
  'newsmusic',
  'newsstyle',
  'newsentertainment',
  'videobusiness',
  'personal',
  'financeeconomymarketswatchlistlifestylereal',
  'estatetechlifestyle',
  'food',
  'drinkcars',
  'truckstravel',
  'outdoorshouse',
  'homefitness',
  'beingstyle',
  'beautyfamilyfaithscience',
  'archaeologyair',
  'spaceplanet',
  'earthwild',
  'naturenatural',
  'sciencedinosaurstech',
  'gamesmilitary',
  'techhealth',
  'coronavirushealthy',
  'livingmedical',
  'researchmental',
  'healthcancerheart',
  'healthchildren',
  'healthtv',
  'showspersonalitieswatch',
  'livefull',
  'episodesshow',
  'clipsnews',
  'clipsabout',
  'contact',
  'worldadvertise',
  'usmedia',
  'relationscorporate',
  'informationcompliance',
  'fox',
  'businessfox',
  'weatherfox',
  'nationwomen',
  'world',
  'cup',
  'news',
  'shopfox',
  'news',
  'gofox',
  'news',
  'radiooutkicknewsletterspodcastsapps',
  'products',
  'fox',
  'news',
  'new',
  'terms',
  'use',
  'new',
  'privacy',
  'policy',
  'privacy',
  'choices',
  'captioning',
  'policy',
  'material',
  'fox',
  'news',
  'network',
  'llc',
  'right',
  'quote',
  'time',
  'minute',
  'market',
  'datum',
  'factset',
  'factset',
  'digital',
  'solutions',
  'statement',
  'mutual',
  'fund',
  'etf',
  'datum',
  'refinitiv',
  'lipper',
  'facebook',
  'twitter',
  'instagram',
  'rss',
  'email',
  'weather',
  'july',
  'edt',
  'storm',
  'thousand',
  'power',
  'wisconsin',
  'michigan',
  'travis',
  'fedschun',
  'fox',
  'news',
  'facebook',
  'twitter',
  'flipboard',
  'comments',
  'print',
  'email',
  'video',
  'storm',
  'thousand',
  'power',
  'michigan',
  'summer',
  'storm',
  'damage',
  'michigan',
  'thousand',
  'power',
  'series',
  'thunderstorm',
  'weekend',
  'midwest',
  'reprieve',
  'heat',
  'wave',
  'half',
  'country',
  'thousand',
  'michigan',
  'wisconsin',
  'power',
  'resident',
  'damage',
  'thunderstorm',
  'hurricane',
  'force',
  'wind',
  'gust',
  'round',
  'friday',
  'night',
  'saturday',
  'south',
  'dakota',
  'minnesota',
  'cluster',
  'storm',
  'wisconsin',
  'michigan',
  'lisa',
  'gast',
  'fox11',
  'storm',
  'cloud',
  'wind',
  'drop',
  'temperature',
  'flint',
  'mich.',
  'saturday',
  'july',
  'kathryn',
  'ziesig',
  'flint',
  'journal',
  'ap)gast',
  'work',
  'home',
  'mountain',
  'round',
  'storm',
  'year',
  'community',
  'mile',
  'green',
  'bay',
  'storm',
  'friday',
  'night',
  'family',
  'heat',
  'wave',
  'feels',
  'temps',
  'reach',
  'triple',
  'digit',
  'weekend',
  'nws',
  'warnsas',
  'sunday',
  'morning',
  'power',
  'outage',
  'wisconsin',
  'michigan',
  'result',
  'weather',
  'majority',
  'outage',
  'michigan',
  'dte',
  'energy',
  'customer',
  'power',
  'a.m.',
  'sunday',
  'wave',
  'weather',
  'michigan',
  'friday',
  'saturday',
  'scope',
  'power',
  'outage',
  'southeast',
  'michigan',
  'sunday',
  'morning',
  'dte',
  'energy)"i',
  'power',
  'time',
  'today',
  'heat',
  'level',
  'spokesperson',
  'heather',
  'rivard',
  'fox2',
  'storm',
  'wind',
  'drop',
  'temperature',
  'flint',
  'mich.',
  'saturday',
  'july',
  'kathryn',
  'ziesig',
  'mlive.com',
  'flint',
  'journal',
  'ap)rivard',
  'crew',
  'hour',
  'shift',
  'clock',
  'crew',
  'saturday',
  'afternoon',
  'indiana',
  'official',
  'power',
  'line',
  'storm',
  'heat',
  'wave',
  'energy',
  'demand',
  'blackout',
  'utilities',
  'brace',
  'summer',
  'heat',
  'wave',
  'forecast',
  'u.s.',
  'insight',
  'energy',
  'analyst',
  'phil',
  'flynn',
  'wire',
  'line',
  'dte',
  'rivard',
  'fox2',
  'service',
  'customer',
  'end',
  'day',
  'tuesday',
  'dte',
  'heat',
  'weather',
  'metro',
  'detroit',
  'michigan',
  'area',
  'flooding',
  'mph',
  'wind',
  'egg',
  'hail',
  'alex',
  'hutchens',
  'pine',
  'tree',
  'piece',
  'yard',
  'storm',
  'line',
  'wind',
  'mile',
  'hour',
  'mankato',
  'area',
  'saturday',
  'july',
  'minn.',
  'jackson',
  'forderer',
  'free',
  'press',
  'ap)temperatures',
  'week',
  'illinois',
  'massachusetts',
  'police',
  'department',
  'criminal',
  'inside',
  'heat',
  'wavein',
  'wisconsin',
  'utility',
  'company',
  'power',
  'day',
  'fox',
  'valley',
  'area',
  'infrastructure',
  'tree',
  'morning',
  'storm',
  'vehicle',
  'apartment',
  'building',
  'mankato',
  'minn.',
  'saturday',
  'july',
  'jackson',
  'forderer',
  'free',
  'press',
  'ap)matt',
  'cullen',
  'spokesman',
  'wps',
  'energy',
  'fox11',
  'priority',
  'power',
  'line',
  'energy',
  'twitter',
  'power',
  'customer',
  'saturday',
  'afternoon',
  'damage',
  'fox',
  'news',
  'app',
  'line',
  'thunderstorm',
  'south',
  'dakota',
  'minnesota',
  'derecho',
  'line',
  'windstorm',
  'group',
  'thunderstorm',
  'accuweather',
  'derecho',
  'thunderstorm',
  'midwest',
  'saturday',
  'heat',
  'humidity',
  'nation',
  'accuweather',
  'senior',
  'meteorologist',
  'kristina',
  'pydynowski',
  'story',
  'news',
  'thing',
  'morning',
  'inbox',
  'weekday',
  'newsletter',
  'u.s.',
  'crimemilitaryeducationterrorimmigrationeconomypersonal',
  'freedomsfox',
  'news',
  'investigatesworld',
  'u.n.conflictsterrorismdisastersglobal',
  'politic',
  'executivesenatehousejudiciaryforeign',
  'policypollselectionsentertainment',
  'celebrity',
  'newsmoviestv',
  'newsmusic',
  'newsstyle',
  'newsentertainment',
  'videobusiness',
  'personal',
  'financeeconomymarketswatchlistlifestylereal',
  'estatetechlifestyle',
  'food',
  'drinkcars',
  'truckstravel',
  'outdoorshouse',
  'homefitness',
  'beingstyle',
  'beautyfamilyfaithscience',
  'archaeologyair',
  'spaceplanet',
  'earthwild',
  'naturenatural',
  'sciencedinosaurstech',
  'gamesmilitary',
  'techhealth',
  'coronavirushealthy',
  'livingmedical',
  'researchmental',
  'healthcancerheart',
  'healthchildren',
  'healthtv',
  'showspersonalitieswatch',
  'livefull',
  'episodesshow',
  'clipsnews',
  'clipsabout',
  'contact',
  'worldadvertise',
  'usmedia',
  'relationscorporate',
  'informationcompliance',
  'fox',
  'businessfox',
  'weatherfox',
  'nationwomen',
  'world',
  'cup',
  'news',
  'shopfox',
  'news',
  'gofox',
  'news',
  'radiooutkicknewsletterspodcastsapps',
  'products',
  'facebook',
  'twitter',
  'instagram',
  'youtube',
  'flipboard',
  'linkedin',
  'slack',
  'rss',
  'newsletters',
  'spotify',
  'iheartradio',
  'fox',
  'news',
  'new',
  'terms',
  'use',
  'new',
  'privacy',
  'policy',
  'privacy',
  'choices',
  'captioning',
  'policy',
  'accessibility',
  'statement',
  'material',
  'fox',
  'news',
  'network',
  'llc',
  'right',
  'quote',
  'time',
  'minute',
  'market',
  'datum',
  'factset',
  'factset',
  'digital',
  'solutions',
  'statement',
  'mutual',
  'fund',
  'etf',
  'datum',
  'refinitiv',
  'lipper'],
 ['main',
  'contentskip',
  'wall',
  'street',
  'journalenglish',
  'editionenglish中文',
  'chinese)日本語',
  'japanese)print',
  'headlinesmore',
  'products',
  'wsjbuy',
  'wsjwsj',
  'americamiddle',
  'eastsectionseconomymoreworld',
  'videou.s.sectionseconomylawpoliticsmoreu.s.',
  'videowhat',
  'news',
  'podcastpoliticsmorepolitics',
  'probankruptcycentral',
  'bankingprivate',
  'equityventure',
  'capitalmoreeconomic',
  'forecasting',
  'surveyeconomy',
  'videosectionscapital',
  'reportsthe',
  'future',
  'everythingobituariestech',
  'defenseautos',
  'transportationcommercial',
  'real',
  'estateconsumer',
  'productsenergyentrepreneurshipfinancial',
  'servicesfood',
  'serviceshealth',
  'carehospitalitylawmanufacturingmedia',
  'marketingnatural',
  'resourcesretailc',
  'suitecfo',
  'journalcio',
  'journalcmo',
  'todaylogistics',
  'reportrisk',
  'compliancethe',
  'workplace',
  'reportcolumnsheard',
  'streetwsj',
  'probankruptcycentral',
  'businessventure',
  'capitalmorebusiness',
  'videobusiness',
  'podcastspace',
  'sciencetechsectionscio',
  'journalthe',
  'future',
  'everythingpersonal',
  'techcolumnschristopher',
  'mimsjoanna',
  'sternjulie',
  'jargonnicole',
  'videotech',
  'podcastmarketssectionsbondscommercial',
  'real',
  'estatecommodities',
  'futuresstockspersonal',
  'financewsj',
  'moneystreetwiseintelligent',
  'investorcolumnsheard',
  'streetgreg',
  'ipjason',
  'zweiglaura',
  'saundersjames',
  'mackintoshmarket',
  'datamarket',
  'data',
  'homeu.s.',
  'ratesmutual',
  'funds',
  'journalmarkets',
  'videoyour',
  'money',
  'briefing',
  'podcastsecrets',
  'wealthy',
  'women',
  'podcastsearch',
  'quotes',
  'bakersadanand',
  'dhumeallysia',
  'finleyjames',
  'freemanwilliam',
  'a.',
  'galstondaniel',
  'henningerholman',
  'w.',
  'jenkinsandy',
  'kesslerwilliam',
  'mcgurnwalter',
  'russell',
  'meadpeggy',
  'noonanmary',
  'anastasia',
  "o'gradyjason",
  'rileyjoseph',
  'sternbergkimberley',
  'a.',
  'strasselmoreeditorialscommentaryfuture',
  'viewhouses',
  'worshipcross',
  'countryletters',
  'editorthe',
  'weekend',
  'interviewpotomac',
  'podcastforeign',
  'edition',
  'podcastfree',
  'expression',
  'podcastopinion',
  'videonotable',
  'quotablebooks',
  'artsreviewsfilmtelevisiontheatermasterpiece',
  'seriesmusicdanceoperaexhibitioncultural',
  'commentaryartarchitecturesectionsartsbooksmorewsj',
  'puzzleswhat',
  'watcharts',
  'calendarreal',
  'real',
  'estatemorereal',
  'estate',
  'videolife',
  'worksectionscarscareersfood',
  'drinkhome',
  'designideaspersonal',
  'financerecipestravelwellnesscolumnsyour',
  'healthwork',
  'lifecarry',
  'onbondsturning',
  'pointson',
  'clockmorewsj',
  'puzzlesspace',
  'sciencestylesectionslifestylefashionfilmtelevisionmusicart',
  'monday',
  'morningoff',
  'brandon',
  'trendsportssectionsbaseballbasketballfootballgolfhockeyolympicssoccertenniscolumnsjason',
  'gaysearchhomeworldregionsafricaasiacanadachinaeuropelatin',
  'americamiddle',
  'eastsectionseconomymoreworld',
  'videou.s.sectionseconomylawpoliticsmoreu.s.',
  'videowhat',
  'news',
  'podcastpoliticsmorepolitics',
  'probankruptcycentral',
  'bankingprivate',
  'equityventure',
  'capitalmoreeconomic',
  'forecasting',
  'surveyeconomy',
  'videosectionscapital',
  'reportsthe',
  'future',
  'everythingobituariestech',
  'defenseautos',
  'transportationcommercial',
  'real',
  'estateconsumer',
  'productsenergyentrepreneurshipfinancial',
  'servicesfood',
  'serviceshealth',
  'carehospitalitylawmanufacturingmedia',
  'marketingnatural',
  'resourcesretailc',
  'suitecfo',
  'journalcio',
  'journalcmo',
  'todaylogistics',
  'reportrisk',
  'compliancethe',
  'workplace',
  'reportcolumnsheard',
  'streetwsj',
  'probankruptcycentral',
  'businessventure',
  'capitalmorebusiness',
  'videobusiness',
  'podcastspace',
  'sciencetechsectionscio',
  'journalthe',
  'future',
  'everythingpersonal',
  'techcolumnschristopher',
  'mimsjoanna',
  'sternjulie',
  'jargonnicole',
  'videotech',
  'podcastmarketssectionsbondscommercial',
  'real',
  'estatecommodities',
  'futuresstockspersonal',
  'financewsj',
  'moneystreetwiseintelligent',
  'investorcolumnsheard',
  'streetgreg',
  'ipjason',
  'zweiglaura',
  'saundersjames',
  'mackintoshmarket',
  'datamarket',
  'data',
  'homeu.s.',
  'ratesmutual',
  'funds',
  'journalmarkets',
  'videoyour',
  'money',
  'briefing',
  'podcastsecrets',
  'wealthy',
  'women',
  'podcastsearch',
  'quotes',
  'bakersadanand',
  'dhumeallysia',
  'finleyjames',
  'freemanwilliam',
  'a.',
  'galstondaniel',
  'henningerholman',
  'w.',
  'jenkinsandy',
  'kesslerwilliam',
  'mcgurnwalter',
  'russell',
  'meadpeggy',
  'noonanmary',
  'anastasia',
  "o'gradyjason",
  'rileyjoseph',
  'sternbergkimberley',
  'a.',
  'strasselmoreeditorialscommentaryfuture',
  'viewhouses',
  'worshipcross',
  'countryletters',
  'editorthe',
  'weekend',
  'interviewpotomac',
  'podcastforeign',
  'edition',
  'podcastfree',
  'expression',
  'podcastopinion',
  'videonotable',
  'quotablebooks',
  'artsreviewsfilmtelevisiontheatermasterpiece',
  'seriesmusicdanceoperaexhibitioncultural',
  'commentaryartarchitecturesectionsartsbooksmorewsj',
  'puzzleswhat',
  'watcharts',
  'calendarreal',
  'real',
  'estatemorereal',
  'estate',
  'videolife',
  'worksectionscarscareersfood',
  'drinkhome',
  'designideaspersonal',
  'financerecipestravelwellnesscolumnsyour',
  'healthwork',
  'lifecarry',
  'onbondsturning',
  'pointson',
  'clockmorewsj',
  'puzzlesspace',
  'sciencestylesectionslifestylefashionfilmtelevisionmusicart',
  'monday',
  'morningoff',
  'brandon',
  'trendsportssectionsbaseballbasketballfootballgolfhockeyolympicssoccertenniscolumnsjason',
  'gaysearchsearch',
  'foundwe',
  'page',
  'url',
  'browser',
  'page',
  'site',
  'search',
  'articles',
  'u.s.hunter',
  'biden',
  'tax',
  'charges',
  'u.s.',
  'economyfed',
  'set',
  'rate',
  'year',
  'u.s.',
  'economyfederal',
  'reserve',
  'interest',
  'rate',
  'year',
  'highpopular',
  'videosvideo',
  'center',
  'na',
  'natpkgcongress',
  'ufo',
  'expert',
  'uaps',
  'pose',
  'potential',
  'national',
  'security',
  'threat',
  'na',
  'sothunter',
  'biden',
  'tax',
  'charge',
  'delaware',
  'federal',
  'courtlatest',
  'podcastspodcast',
  'centeropinion',
  'potomac',
  'watchamerica',
  'broken',
  'immigration',
  'law',
  'court',
  'againthe',
  'wall',
  'street',
  'journal',
  'google',
  'news',
  'updatefed',
  'rate',
  'year',
  'highwhat',
  'newsfed',
  'rate',
  'year',
  'highthe',
  'wall',
  'street',
  'journalenglish',
  'editionenglish中文',
  'chinese)日本語',
  'wsj',
  'membershipbuy',
  'exclusivessubscription',
  'optionswhy',
  'subscribe?corporate',
  'subscriptionswsj',
  'higher',
  'education',
  'programwsj',
  'high',
  'school',
  'programpublic',
  'library',
  'programwsj',
  'livecommercial',
  'partnershipscustomer',
  'servicecustomer',
  'centercontact',
  'uscancel',
  'subscriptiontools',
  'featuresnewsletters',
  'alertsguidestopicsmy',
  'newsrss',
  'feedsvideo',
  'real',
  'estate',
  'adsplace',
  'classified',
  'adsell',
  'businesssell',
  'homerecruitment',
  'career',
  'adscouponsdigital',
  'self',
  'servicemoreabout',
  'uscontent',
  'partnershipscorrectionsjobs',
  'archiveregister',
  'freereprints',
  'licensingbuy',
  'issueswsj',
  'shopfacebooktwitterinstagramyoutubepodcastssnapchatgoogle',
  'playapp',
  'storedow',
  'jones',
  "productsbarron'sbigchartsdow",
  'jones',
  'newswiresfactivafinancial',
  'newsmansion',
  'globalmarketwatchrisk',
  'compliancebuy',
  'wsjwsj',
  'prowsj',
  'wineupdated',
  'privacy',
  'noticeupdated',
  'cookie',
  'noticecopyright',
  'policydata',
  'policysubscriber',
  'agreement',
  'terms',
  'useyour',
  'ad',
  'choicesaccessibilitycopyright',
  'dow',
  'jones',
  'company',
  'inc.',
  'rights'],
 ['ad',
  'issue',
  'video',
  'player',
  'content',
  'ad',
  'video',
  'content',
  'ad',
  'audio',
  'ad',
  'ad',
  'page',
  'content',
  'ad',
  'ad',
  'ad',
  'effort',
  'contribution',
  'feedback',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'dozen',
  'storm',
  'mississippi',
  'official',
  'nouran',
  'salahieh',
  'rob',
  'shackelford',
  'cnn',
  'pm',
  'edt',
  'mon',
  'june',
  'daylight',
  'monday',
  'tornado',
  'damage',
  'louin',
  'mississippi',
  'person',
  'dozen',
  'storm',
  'mississippi',
  'sunday',
  'night',
  'southeast',
  'threat',
  'weather',
  'tornado',
  'monday',
  'storm',
  'system',
  'tornado',
  'sunday',
  'mississippi',
  'injury',
  'damage',
  'bay',
  'springs',
  'louin',
  'jasper',
  'county',
  'report',
  'national',
  'weather',
  'service',
  'difference',
  'tornado',
  'watch',
  'thunderstorm',
  'tornadothese',
  'type',
  'tornado',
  'measuredhere',
  'tornado',
  'country',
  'south',
  'central',
  'regional',
  'medical',
  'center',
  'laurel',
  'storm',
  'victim',
  'louin',
  'area',
  'spokesperson',
  'becky',
  'collins',
  'cnn',
  'monday',
  'patient',
  'hospital',
  'jasper',
  'county',
  'community',
  'center',
  'shelter',
  'destruction',
  'tornado',
  'activity',
  'sheriff',
  'department',
  'facebook',
  'post',
  'mississippi',
  'emergency',
  'management',
  'agency',
  'damage',
  'storm',
  'agency',
  'thousand',
  'state',
  'power',
  'home',
  'business',
  'texas',
  'oklahoma',
  'tennessee',
  'dark',
  'record',
  'heat',
  'round',
  'storm',
  'week',
  'storm',
  'cloud',
  'sunday',
  'beaver',
  'oklahoma',
  'weather',
  'threat',
  'monday',
  'level',
  'risk',
  'weather',
  'gulf',
  'coast',
  'southeast',
  'new',
  'orleans',
  'baton',
  'rouge',
  'louisiana',
  'jacksonville',
  'florida',
  'mobile',
  'alabama',
  'savannah',
  'georgia',
  'threat',
  'wind',
  'gust',
  'hail',
  'tornado',
  'level',
  'risk',
  'stretch',
  'texas',
  'florida',
  'north',
  'north',
  'carolina',
  'city',
  'atlanta',
  'charlotte',
  'north',
  'carolina',
  'austin',
  'texas',
  'tampa',
  'orlando',
  'miami',
  'florida',
  'threat',
  'hail',
  'wind',
  'gust',
  'threat',
  'monday',
  'storm',
  'report',
  'southeast',
  'sunday',
  'storm',
  'prediction',
  'center',
  'tornado',
  'report',
  'mississippi',
  'hail',
  'inch',
  'sunday',
  'kerr',
  'county',
  'texas',
  'mile',
  'san',
  'antonio',
  'day',
  'weather',
  'region',
  'tornado',
  'thursday',
  'texas',
  'panhandle',
  'community',
  'perryton',
  'people',
  'year',
  'boy',
  'tornado',
  'florida',
  'twister',
  'mississippi',
  'monday',
  'morning',
  'tornado',
  'florida',
  'santa',
  'rosa',
  'beach',
  'weather',
  'service',
  'service',
  'tornado',
  'warning',
  'noon',
  'walton',
  'county',
  'flying',
  'debris',
  'shelter',
  'service',
  'home',
  'damage',
  'roof',
  'window',
  'vehicle',
  'tree',
  'damage',
  'belonging',
  'tornado',
  'home',
  'june',
  'louin',
  'mississippi',
  'tornado',
  'city',
  'moss',
  'point',
  'mississippi',
  'mile',
  'biloxi',
  'monday',
  'afternoon',
  'jackson',
  'county',
  'sheriff',
  'john',
  'ledbetter',
  'cnn',
  'home',
  'business',
  'emergency',
  'crew',
  'sheriff',
  'mayor',
  'billy',
  'knight',
  'sr',
  '.',
  'cnn',
  'people',
  'fire',
  'crew',
  'merchants',
  'marine',
  'bank',
  'main',
  'street',
  'baptist',
  'church',
  'building',
  'school',
  'administration',
  'building',
  'gym',
  'stadium',
  'concession',
  'stand',
  'knight',
  'injury',
  'official',
  'assessment',
  'ruin',
  'monday',
  'storm',
  'louin',
  'mississippi',
  'rain',
  'road',
  'alabama',
  'monday',
  'possibility',
  'rainfall',
  'country',
  'threat',
  'thunderstorm',
  'southeast',
  'southern',
  'appalachians',
  'road',
  'mobile',
  'county',
  'alabama',
  'monday',
  'inch',
  'rain',
  'area',
  'national',
  'weather',
  'service',
  'county',
  'official',
  'tweet',
  'road',
  'flooding',
  'water',
  'road',
  'motorist',
  'road',
  'roadway',
  'tweet',
  'rain',
  'cnn',
  'weather',
  'thousand',
  'power',
  'heat',
  'people',
  'heat',
  'alert',
  'heat',
  'wave',
  'texas',
  'louisiana',
  'new',
  'mexico',
  'mississippi',
  'national',
  'weather',
  'service',
  'heat',
  'air',
  'conditioning',
  'customer',
  'power',
  'south',
  'monday',
  'evening',
  'weather',
  'day',
  'oklahoma',
  'texas',
  'louisiana',
  'poweroutage.us',
  '.',
  'national',
  'weather',
  'service',
  'resident',
  'day',
  'plenty',
  'water',
  'child',
  'pet',
  'vehicle',
  'construction',
  'worker',
  'water',
  'heat',
  'heatwave',
  'seville',
  'june',
  'spain',
  'today',
  'grip',
  'heatwave',
  'level',
  'france',
  'meteorologist',
  'temperature',
  'warming',
  'heat',
  'heat',
  'wave',
  'record',
  'texas',
  'week',
  'heat',
  'monday',
  'wednesday',
  'combination',
  'temperature',
  'humidity',
  'heat',
  'index',
  'degree',
  'city',
  'houston',
  'san',
  'antonio',
  'brownsville',
  'dallas',
  'heat',
  'record',
  'sunday',
  'del',
  'rio',
  'texas',
  'temperature',
  'degree',
  'sunday',
  'record',
  'degree',
  'camp',
  'mabry',
  'austin',
  'texas',
  'record',
  'degree',
  'dozen',
  'year',
  'mcallen',
  'texas',
  'record',
  'degree',
  'city',
  'south',
  'week',
  'storm',
  'weather',
  'center',
  'houston',
  'center',
  'p.m.',
  'p.m.',
  'monday',
  'city',
  'temperature',
  'caddo',
  'parish',
  'louisiana',
  'center',
  'power',
  'outage',
  'storm',
  'cleanup',
  'new',
  'orleans',
  'emergency',
  'preparedness',
  'campaign',
  'hydration',
  'station',
  'center',
  'water',
  'sunscreen',
  'sunday',
  'monday',
  'a.m.',
  'p.m.',
  'time',
  'cnn',
  'jamiel',
  'lynch',
  'mitchell',
  'mccluskey',
  'devon',
  'sayers',
  'taylor',
  'ward',
  'zoe',
  'sottile',
  'report',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cable',
  'news',
  'network',
  'warner',
  'bros.',
  'discovery',
  'company',
  'rights',
  'cnn',
  'sans',
  'cable',
  'news',
  'network'],
 ['hunter',
  'biden',
  'plea',
  'deal',
  'ufo',
  'takeaway',
  'whistleblower',
  'congress',
  'uap',
  'sinéad',
  "o'connor",
  'grammy',
  'singer',
  'netherlands',
  'u.s.',
  'draw',
  'rematch',
  'world',
  'cup',
  'federal',
  'reserve',
  'interest',
  'rate',
  'level',
  'year',
  'niger',
  'president',
  'guard',
  'coup',
  'ohio',
  'officer',
  'k-9',
  'man',
  'hand',
  'story',
  'tic',
  'tac',
  'ufo',
  'vermont',
  'flooding',
  'railroad',
  'track',
  'mid',
  '-',
  'air',
  'gorge',
  'july',
  'cbs',
  'news',
  'vermont',
  'town',
  'floodwater',
  'vermont',
  'town',
  'water',
  'record',
  'flood',
  'flooding',
  'vermont',
  'day',
  'storm',
  'sunday',
  'town',
  'knee',
  'water',
  'case',
  'railroad',
  'track',
  'mid',
  '-',
  'air',
  'footage',
  'railroad',
  'track',
  'sky',
  'connection',
  'ground',
  'gorge',
  'tree',
  'middle',
  'railroad',
  'track',
  'ludlow',
  'vt',
  '@weatherchannel',
  '@accuweather',
  '@wcvb',
  '@nwsburlington',
  '@abc',
  '@foxweather',
  'pic.twitter.com/ss0ceduw5u',
  'henry',
  'swenson',
  '@henryswenson',
  'july',
  'railroad',
  'ludlow',
  'vermont',
  'half',
  'inch',
  'rain',
  'july',
  'total',
  'national',
  'weather',
  'service',
  'town',
  'damage',
  'storm',
  'week',
  'municipal',
  'manager',
  'brendan',
  'mcnamara',
  'people',
  'burden',
  'piece',
  'brunt',
  'storm',
  'spokesperson',
  'vermont',
  'rail',
  'system',
  'cbs',
  'news',
  'video',
  'washout',
  'green',
  'mountain',
  'railroad',
  'railroad',
  'freight',
  'line',
  'rutland',
  'bellows',
  'falls',
  'operation',
  'line',
  'vermont',
  'track',
  'inspection',
  'repair',
  'rail',
  'freight',
  'service',
  'customer',
  'community',
  'vermont',
  'spokesperson',
  'rail',
  'system',
  'damage',
  'ludlow',
  'boil',
  'water',
  'notice',
  'official',
  'resident',
  'water',
  'people',
  'today',
  'house',
  'loss',
  'life',
  'mcnamara',
  'ludlow',
  'people',
  'care',
  'storm',
  'floodwater',
  'area',
  'vehicle',
  'home',
  'rain',
  'national',
  'weather',
  'service',
  'burlington',
  'floodwater',
  'round',
  'shower',
  'thunderstorm',
  'thursday',
  'friday',
  'storm',
  'inch',
  'rain',
  'service',
  'threat',
  'flooding',
  'floodwater',
  'today',
  'condition',
  'round',
  'shower',
  'thunderstorm',
  'thursday',
  'friday',
  'rainfall',
  'excess',
  'threat',
  'flooding',
  'pic.twitter.com/qnbmzn706',
  'nws',
  'burlington',
  '@nwsburlington',
  'july',
  'flooding',
  'water',
  'rescue',
  'chester',
  'county',
  'storm',
  'fema',
  'crew',
  'flooding',
  'damage',
  'austin',
  'week',
  'storm',
  'vermont',
  'phish',
  'flood',
  'recovery',
  'effort',
  'official',
  'damage',
  'flooding',
  'month',
  'west',
  'resident',
  'help',
  'alert',
  'weather',
  'temperature',
  'air',
  'quality',
  'alert',
  'li',
  'cohen',
  'media',
  'producer',
  'content',
  'writer',
  'cbs',
  'news',
  'july',
  'cbs',
  'interactive',
  'inc.',
  'rights',
  'thank',
  'cbs',
  'news',
  'account',
  'feature',
  'email',
  'address',
  'email',
  'address',
  'flooding',
  'water',
  'rescue',
  'chester',
  'county',
  'storm',
  'fema',
  'crew',
  'flooding',
  'damage',
  'austin',
  'week',
  'storm',
  'vermont',
  'phish',
  'flood',
  'recovery',
  'effort',
  'official',
  'damage',
  'flooding',
  'month',
  'west',
  'resident',
  'help',
  'copyright',
  'cbs',
  'interactive',
  'inc.',
  'right',
  'privacy',
  'policy',
  'california',
  'notice',
  'personal',
  'information',
  'terms',
  'use',
  'advertise',
  'captioning',
  'cbs',
  'news',
  'paramount+',
  'cbs',
  'news',
  'store',
  'site',
  'map',
  'contact',
  'browser',
  'notification',
  'news',
  'event',
  'reporting'],
 ['news',
  'local',
  'news',
  'minnesota',
  'iowa',
  'world',
  'news',
  'business',
  'politics',
  'coronavirus',
  'health',
  'science',
  'surveyusa',
  'abc',
  'news',
  'live',
  'video',
  'live',
  'streaming',
  'event',
  'abc',
  'news',
  'roku',
  'youtube',
  'kaal',
  'tv',
  'schedule',
  'tv',
  'children',
  'programming',
  'report',
  'captioning',
  'weather',
  'weather',
  'alerts',
  'radar',
  'traffic',
  'cams',
  'tower',
  'cams',
  'map',
  'room',
  'watches',
  'warning',
  'ultimate',
  'severe',
  'weather',
  'guide',
  'severe',
  'weather',
  'awareness',
  'weather',
  'spotters',
  'abc',
  'weather',
  'lab',
  'school',
  'church',
  'business',
  'closings',
  'delays',
  'storm',
  'photos',
  'videos',
  'sports',
  'state',
  'sports',
  'sportszone',
  'game',
  'week',
  'prep',
  'week',
  'mshsl',
  'tournaments',
  'consumer',
  'confidence',
  'mental',
  'health',
  'matters',
  'assignment',
  'education',
  'pet',
  'week',
  'tech',
  'spark',
  'spotcrime',
  'ag',
  'report',
  'thursdays',
  'downtown',
  'need',
  'event',
  'calendar',
  'link',
  'morning',
  'trivia',
  'abc',
  'birthday',
  'club',
  'abc',
  'bbq',
  'abc',
  'deck',
  'carpet',
  'booth',
  'music',
  'appreciation',
  'giveaway',
  'pure',
  'rock',
  'sweepstakes',
  'abc',
  'outreach',
  'initiative',
  'abc',
  'news',
  'mobile',
  'apps',
  'news',
  'team',
  'sale',
  'team',
  'advertise',
  'newsletter',
  'news',
  'tip',
  'contact',
  'minnesota',
  'iowa',
  'weather',
  'abc',
  'news',
  'friday',
  'minnesota',
  'iowa',
  'storm',
  'system',
  'rain',
  'hail',
  'wind',
  'iowa',
  'tornado',
  'path',
  'damage',
  'wake',
  'weather',
  'impact',
  'minnesota',
  'state',
  'line',
  'iowa',
  'abc',
  'news',
  'dozen',
  'photo',
  'video',
  'hail',
  'size',
  'marble',
  'quarter',
  'hail',
  'butit',
  'iowa',
  'impact',
  'storm',
  'state',
  'charles',
  'city',
  'resident',
  'sky',
  'minute',
  'stuff',
  'tonight',
  'mike',
  'roethler',
  'iowa',
  'story',
  'tornado',
  'iowa',
  'city',
  'hedrick',
  'friday',
  'afternoon',
  'we’re',
  'property',
  'path',
  'tornado',
  'keota',
  'iowa',
  'storm',
  'thousand',
  'iowa',
  'power',
  'day',
  'threat',
  'snow',
  'impact',
  'alliant',
  'energy',
  'iowa',
  'customer',
  'dark',
  'storm',
  'minnesota',
  'snow',
  '*',
  'winter',
  'storm',
  'warning',
  '*',
  'effect',
  'area',
  'north',
  'highway',
  '*',
  'winter',
  'weather',
  'advisory',
  'effect',
  'tier',
  'county',
  'minnesota',
  'saturday',
  'mndot',
  'crew',
  'road',
  'travel',
  'impact',
  'weather',
  'information',
  'forecast',
  'click',
  'here.for',
  'road',
  'condition',
  'mndot',
  'here.to',
  'view',
  'road',
  'camera',
  'minnesota',
  'iowa',
  'd.o.t.',
  'here.to',
  'weather',
  'photo',
  'click',
  'stories',
  'charles',
  'city',
  'jordan',
  'sansom',
  'mason',
  'city',
  'rochester',
  'news',
  'video',
  'programming',
  'weather',
  'sports',
  'features',
  'community',
  'abc',
  'job',
  'shop',
  'work',
  'contact',
  'fcc',
  'applications',
  'contest',
  'rules',
  'file',
  'kaal',
  'notice',
  'term',
  'use',
  'children',
  'programming',
  'report',
  'fcc',
  'public',
  'inspection',
  'file',
  'hubbard',
  'television',
  'group',
  'privacy',
  'policy',
  'person',
  'disability',
  'help',
  'fcc',
  'public',
  'file',
  'website',
  'user',
  'european',
  'economic',
  'area',
  'kaal',
  'tv',
  'llc',
  'hubbard',
  'broadcasting',
  'company'],
 ['contentskip',
  'navigationskip',
  'key',
  'navigationprint',
  'subscription',
  'sign',
  'insearch',
  'jobssearchus',
  'editionus',
  'editionuk',
  'editionaustralia',
  'guardian',
  'guardiannewsopinionsportculturelifestyleshowmoreshow',
  'morenewsview',
  'newsus',
  'newsworld',
  'politicsbusinesstechsciencenewslettersfight',
  'democracyopinionview',
  'opinionthe',
  'guardian',
  'viewcolumnistslettersopinion',
  'videoscartoonssportview',
  'sportsoccernfltennismlbmlsnbanhlf1golfcultureview',
  'culturefilmbooksmusicart',
  'designtv',
  'radiostageclassicalgameslifestyleview',
  'lifestylefashionfoodrecipeslove',
  'sexhome',
  'gardenhealth',
  'fitnessfamilytravelmoneysearch',
  'input',
  'google',
  'search',
  'searchsupport',
  'usprint',
  'subscriptionsus',
  'editionuk',
  'editionaustralia',
  'editionsearch',
  'jobsdigital',
  'archiveguardian',
  'puzzles',
  'licensingthe',
  'guardian',
  'guardianguardian',
  'weeklycrosswordswordiplycorrectionsfacebooktwittersearch',
  'jobsdigital',
  'archiveguardian',
  'puzzles',
  'licensingusworldenvironmentsoccerus',
  'democracyhurricane',
  'ian',
  'article',
  'month',
  'oldhurricane',
  'ian',
  'update',
  'storm',
  'landfall',
  'south',
  'carolina',
  'article',
  'month',
  'storm',
  'landfall',
  'georgetown',
  'south',
  'carolina',
  'death',
  'toll',
  'florida',
  'story',
  'damage',
  'hurricane',
  'florida',
  'oct',
  'anguiano',
  'richard',
  'luscombe',
  'maya',
  'yang',
  'lauren',
  'aratani',
  'earlier)fri',
  'sep',
  'edtfirst',
  'fri',
  'sep',
  'events1',
  'oct',
  'sept',
  'summary30',
  'sept',
  'ian',
  'landfall',
  'south',
  'carolina30',
  'sept',
  'america',
  'heart',
  "breaking'30",
  'sept',
  'hurricane',
  'ian',
  'nation',
  "history'30",
  'sept',
  'wind',
  'flood',
  'charleston',
  'south',
  'carolina30',
  'sept',
  'world',
  'sept',
  'hurricane',
  'death',
  'toll',
  'south',
  'carolina',
  'landfall30',
  'sept',
  'county',
  'water',
  'water',
  'sept',
  'ian',
  'south',
  'carolina',
  'charleston',
  'arrival',
  'hurricane',
  'photograph',
  'scott',
  'olson',
  'getty',
  'imagescharleston',
  'arrival',
  'hurricane',
  'photograph',
  'scott',
  'olson',
  'getty',
  'imagesdani',
  'anguiano',
  'richard',
  'luscombe',
  'maya',
  'yang',
  'lauren',
  'aratani',
  'earlier)fri',
  'sep',
  'edtfirst',
  'fri',
  'sep',
  'edtshow',
  'event',
  'javascript',
  'sept',
  'edthurricane',
  'ian',
  'landfall',
  'south',
  'carolinathe',
  'hurricane',
  'center',
  'hurricane',
  'ian',
  'landfall',
  'south',
  'carolina',
  'update',
  'surface',
  'observation',
  'center',
  'hurricane',
  'ian',
  'landfall',
  'sep',
  'pm',
  'edt',
  'utc',
  'georgetown',
  'south',
  'carolina',
  'wind',
  'mph',
  'km',
  'h',
  'pressure',
  'mb',
  'inch',
  'pic.twitter.com/tnk43vbhug',
  'national',
  'hurricane',
  'center',
  '@nhc_atlantic',
  'september',
  'eye',
  'hurricane',
  'georgetown',
  'wind',
  '85mph',
  'rain',
  'wind',
  'storm',
  'south',
  'carolina',
  'condition',
  'north',
  'events1',
  'oct',
  'sept',
  'summary30',
  'sept',
  'ian',
  'landfall',
  'south',
  'carolina30',
  'sept',
  'america',
  'heart',
  "breaking'30",
  'sept',
  'hurricane',
  'ian',
  'nation',
  "history'30",
  'sept',
  'wind',
  'flood',
  'charleston',
  'south',
  'carolina30',
  'sept',
  'world',
  'sept',
  'hurricane',
  'death',
  'toll',
  'south',
  'carolina',
  'landfall30',
  'sept',
  'county',
  'water',
  'water',
  'sept',
  'ian',
  'south',
  'carolinashow',
  'event',
  'javascript',
  'feature1',
  'oct',
  'edtsummaryhere',
  'development',
  'day',
  'national',
  'hurricane',
  'center',
  'ian',
  'cyclone',
  'danger',
  'life',
  'storm',
  'surge',
  'flash',
  'flooding',
  'wind',
  'carolinas',
  'ian',
  'landfall',
  'today',
  'thousand',
  'people',
  'power',
  'north',
  'south',
  'carolina',
  'authority',
  'resident',
  'wind',
  'tree',
  'power',
  'line',
  'wood',
  'water',
  'road',
  'wind',
  'state',
  'south',
  'carolina',
  'governor',
  'ian',
  'pier',
  'south',
  'carolina',
  'coast',
  'myrtle',
  'beach',
  'brunt',
  'surge',
  'pawleys',
  'island',
  'pier',
  'flooding',
  'police',
  'storm',
  'south',
  'carolina',
  'city',
  'charleston',
  'fury',
  'landfall',
  'mile',
  'km',
  'forecast',
  'flooding',
  'florida',
  'hurricane',
  'ian',
  'death',
  'toll',
  'authority',
  'resident',
  'sarasota',
  'county',
  'oxygen',
  'supply',
  'storm',
  'official',
  'florida',
  'governor',
  'ron',
  'desantis',
  'home',
  'south',
  'west',
  'state',
  'search',
  'rescue',
  'crew',
  'resident',
  'safety',
  'customer',
  'florida',
  'electricity',
  'desantis',
  'area',
  'week',
  'power',
  'grid',
  'joe',
  'biden',
  'america',
  'heart',
  'scene',
  'florida',
  'disaster',
  'declaration',
  'county',
  'total',
  'fund',
  'recovery',
  'effort',
  'disaster',
  'relief',
  'hurricane',
  'biden',
  'nation',
  'history',
  'dani',
  'anguiano',
  'richard',
  'luscombeupdated',
  'edt1',
  'oct',
  'edtflorida',
  'sheriff',
  'carmine',
  'marceno',
  'footage',
  'devastation',
  'florida',
  'video',
  'thursday',
  'trail',
  'destruction',
  'lee',
  'county',
  'sanibel',
  'causeway',
  'coast',
  'guard',
  'rescue',
  'mission',
  'sanibel',
  'island',
  'today',
  'people',
  'cat',
  'safety',
  'helicopter',
  'morning',
  'sheriff',
  'carmine',
  'marceno',
  'tour',
  'lee',
  'county',
  'damage',
  'hurricane',
  'ian',
  'heart',
  'resident',
  'lee',
  'county',
  'sheriffs',
  'office',
  'resident',
  'pic.twitter.com/s4osb8ajrv',
  'carmine',
  'marceno',
  'florida',
  'law',
  'order',
  'sheriff',
  '@sheriffleefl',
  'september',
  'picture',
  'sanibel',
  'causeway',
  'aftermath',
  'hurricane',
  'ian',
  'sanibel',
  'florida',
  'photograph',
  'ricardo',
  'arduengo',
  'afp',
  'getty',
  'imagessanibel',
  'causeway',
  'aftermath',
  'hurricane',
  'ian',
  'photograph',
  'ricardo',
  'arduengo',
  'afp',
  'getty',
  'imagesdebris',
  'sanibel',
  'island',
  'aftermath',
  'hurricane',
  'ian',
  'photograph',
  'steve',
  'helber',
  'ap30',
  'sept',
  'edtthe',
  'carolinas',
  'life',
  'storm',
  'surge',
  'evening',
  'national',
  'hurricane',
  'center',
  'storm',
  'force',
  'wind',
  'authority',
  'power',
  'line',
  'tree',
  'man',
  'dog',
  'street',
  'ian',
  'charleston',
  'south',
  'carolina',
  'photograph',
  'jonathan',
  'drake',
  'reutersa',
  'worker',
  'tree',
  'meeting',
  'street',
  'hurricane',
  'ian',
  'charleston',
  'photograph',
  'scott',
  'olson',
  'getty',
  'imagesin',
  'photo',
  'myrtle',
  'beach',
  'fire',
  'department',
  'crew',
  'rescue',
  'people',
  'floor',
  'flooding',
  'hurricane',
  'ian',
  'photograph',
  'associated',
  'pressin',
  'florida',
  'river',
  'flooding',
  'week',
  'national',
  'hurricane',
  'center',
  'edt30',
  'sept',
  'edtian',
  'pier',
  'south',
  'carolina',
  'coast',
  'associated',
  'press',
  'myrtle',
  'beach',
  'brunt',
  'surge',
  'pawleys',
  'island',
  'pier',
  'flooding',
  'police',
  'end',
  'pawleys',
  'island',
  'pier',
  'pic.twitter.com/ajjswexwfn',
  'pawleys',
  'island',
  'pd',
  '@pawleysislandpd',
  'september',
  'water',
  'bit',
  'debris',
  'roadway',
  'causeway',
  'hazard',
  'pic.twitter.com/l2gb2v3mvd',
  'pawleys',
  'island',
  'pd',
  '@pawleysislandpd',
  'september',
  'storm',
  'tree',
  'state',
  'today',
  'scdot',
  'crew',
  'tree',
  'scdot',
  'crew',
  'laurens',
  'county',
  'charleston',
  'area',
  'tree',
  'roadway',
  'road',
  'ian',
  'pic.twitter.com/ml0ebx2kaa',
  'scdot',
  '@scdotpress',
  'september',
  'henry',
  'mcmaster',
  'state',
  'governor',
  'storm',
  'south',
  'carolina',
  'resident',
  'lot',
  'prayer',
  'storm',
  'guard',
  'mcmaster',
  'wood',
  'water',
  'road',
  'wind',
  'state',
  'edt30',
  'sept',
  'edtauthoritie',
  'north',
  'carolina',
  'resident',
  'ian',
  'wind',
  'rain',
  'area',
  '“ian',
  'door',
  'rain',
  'wind',
  'state',
  'state',
  'governor',
  'roy',
  'cooper',
  'message',
  'today',
  'report',
  'power',
  'outage',
  'state',
  'north',
  'carolina',
  'emergency',
  'management',
  'road',
  'word',
  'picture',
  '@newhanoverem',
  'roadway',
  'example',
  'today',
  'roadway',
  'turnarounddontdrown',
  'nc',
  'emergency',
  'management',
  '@ncemergency',
  'september',
  'edt30',
  'sept',
  'edtthe',
  'national',
  'hurricane',
  'center',
  'ian',
  'landfall',
  'south',
  'carolina',
  'cyclone',
  'storm',
  'authority',
  'threat',
  'storm',
  'surge',
  'flash',
  'flooding',
  'wind',
  'post',
  '-',
  'tropical',
  'cyclone',
  'ian',
  'advisory',
  'ian',
  'post',
  '-',
  'tropical',
  'storm',
  'surge',
  'flash',
  'flooding',
  'wind',
  'threat',
  'https://t.co/tw4kefw0gb',
  'national',
  'hurricane',
  'center',
  '@nhc_atlantic',
  'september',
  'hurricane',
  'ian',
  'landfall',
  'georgetown',
  'south',
  'carolina',
  'pm',
  'category',
  'hurricane',
  'wind',
  'mph',
  'storm',
  'south',
  'carolina',
  'city',
  'charleston',
  'fury',
  'landfall',
  'mile',
  'forecast',
  'city',
  'mayor',
  'flooding',
  'customer',
  'state',
  'electricity',
  'florida',
  'hurricane',
  'ian',
  'death',
  'toll',
  'authority',
  'resident',
  'sarasota',
  'county',
  'oxygen',
  'supply',
  'storm',
  'official',
  'florida',
  'governor',
  'ron',
  'desantis',
  'home',
  'south',
  'west',
  'state',
  'search',
  'rescue',
  'crew',
  'resident',
  'safety',
  'footage',
  'rescue',
  'm',
  'customer',
  'florida',
  'electricity',
  'desantis',
  'area',
  'week',
  'power',
  'grid',
  'joe',
  'biden',
  'america',
  'heart',
  'scene',
  'florida',
  'disaster',
  'declaration',
  'county',
  'total',
  'fund',
  'recovery',
  'effort',
  'disaster',
  'relief',
  'biden',
  'hurricane',
  'nation',
  'history'],
 ['email',
  'newsletter',
  'signup',
  'local',
  'news',
  'crime',
  'court',
  'team',
  'team',
  'tip',
  'traffic',
  'information',
  'instapoll',
  'national',
  'news',
  'local',
  'election',
  'headquarters',
  'washington',
  'dc',
  'healthbeat',
  'veterans',
  'voices',
  'veterans',
  'views',
  'newsmakers',
  'eyewitness',
  'history',
  'week',
  'pennsylvania',
  'politics',
  'hill',
  'automotive',
  'news',
  'press',
  'release',
  'bomb',
  'threat',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'russia',
  'un',
  'meeting',
  'cambodia',
  'hun',
  'sen',
  'asia',
  'leader',
  'weather',
  'alerts',
  'closings',
  'allergy',
  'alert',
  'interactive',
  'radar',
  'map',
  'center',
  'river',
  'levels',
  'local',
  'sports',
  'high',
  'school',
  'sports',
  'countdown',
  'athlete',
  'week',
  'little',
  'league',
  'world',
  'series',
  'national',
  'sports',
  'college',
  'sports',
  'nittany',
  'nation',
  'wbs',
  'penguins',
  'big',
  'race',
  'daytona',
  'bucknell',
  'men',
  'basketball',
  'trip',
  'athlete',
  'week',
  'north',
  'pocono',
  'little',
  'league',
  'softball',
  'iconic',
  'dunmore',
  'football',
  'coach',
  'jack',
  'henzes',
  'athlete',
  'week',
  'cory',
  'wall',
  'atlanta',
  'braves',
  'wilkes',
  'barre',
  'scranton',
  'penguins',
  'host',
  'goal',
  'hunger',
  'free',
  'summer',
  'kid',
  'paola',
  'parenting',
  'playbook',
  'little',
  'love',
  'athlete',
  'week',
  'school',
  'bus',
  'safety',
  'pa',
  'live',
  'pa',
  'live',
  'faq',
  'pa',
  'instapoll',
  'geisinger',
  'medical',
  'minute',
  'pa',
  'live',
  'kitchen',
  'pa',
  'live',
  'pet',
  'week',
  'st.',
  'luke',
  'health',
  'live',
  'pa',
  'live',
  'music',
  'faq',
  'pa',
  'kitchen',
  'faq',
  'lvhn',
  'rachel',
  'malak',
  'battlefield',
  'pro',
  'wrestling',
  'ceo',
  'wellkind',
  'pa',
  'history',
  'teacher',
  'mr.',
  'mctiktok',
  'thing',
  'theatre',
  'tarzan',
  'swing',
  'pa',
  'live',
  'community',
  'calendar',
  'opioid',
  'crisis',
  'clear',
  'shelters',
  'destination',
  'pa',
  'covered',
  'pa',
  'txt',
  'nepa',
  'submit',
  'photos',
  'bestreviews',
  'bestreviews',
  'daily',
  'deals',
  'coupon',
  'bug',
  'law',
  'financial',
  'forum',
  'pa',
  'pros',
  'wellness',
  'network',
  'job',
  'corner',
  'meet',
  'team',
  'work',
  'regional',
  'news',
  'partners',
  'contact',
  'wbre',
  'fcc',
  'public',
  'file',
  'wyou',
  'fcc',
  'public',
  'file',
  'advertise',
  'cbs',
  'audience',
  'services',
  'alexa',
  'bestreviews',
  'driver',
  'traffic',
  'car',
  'truck',
  'section',
  'interstate',
  'tuesday',
  'jan.',
  'carmel',
  'church',
  'va.',
  'read',
  'driver',
  'traffic',
  'car',
  'truck',
  'section',
  'interstate',
  'tuesday',
  'jan.',
  'carmel',
  'church',
  'va.',
  'mile',
  'interstate',
  'ice',
  'snow',
  'ap',
  'photo',
  'steve',
  'helber)read',
  'virginia',
  'weather',
  'storm',
  'question',
  'jan',
  'pm',
  'est',
  'jan',
  'pm',
  'est',
  'driver',
  'traffic',
  'car',
  'truck',
  'section',
  'interstate',
  'tuesday',
  'jan.',
  'carmel',
  'church',
  'va.',
  'read',
  'driver',
  'traffic',
  'car',
  'truck',
  'section',
  'interstate',
  'tuesday',
  'jan.',
  'carmel',
  'church',
  'va.',
  'mile',
  'interstate',
  'ice',
  'snow',
  'ap',
  'photo',
  'steve',
  'helber',
  'jan',
  'pm',
  'est',
  'jan',
  'pm',
  'est',
  'article',
  'information',
  'article',
  'time',
  'stamp',
  'story',
  'richmond',
  'va.',
  'ap',
  'weather',
  'virginia',
  'official',
  'thursday',
  'criticism',
  'response',
  'snowstorm',
  'week',
  'motorist',
  'strandedon',
  'interstate',
  'temperature',
  'contrast',
  'response',
  'monday',
  'storm',
  'gov.',
  'ralph',
  'northam',
  'state',
  'emergency',
  'advance',
  'weather',
  'state',
  'thursday',
  'virginia',
  'national',
  'guard',
  'assistance',
  'measure',
  'time',
  'office',
  'effect',
  'storm',
  'northam',
  'criticism',
  'driver',
  'force',
  'highway',
  'expert',
  'official',
  'state',
  'virginia',
  'logjam',
  'condition',
  'i-95',
  'east',
  'coast',
  'north',
  'south',
  'artery',
  'secretary',
  'public',
  'safety',
  'homeland',
  'security',
  'brian',
  'moran',
  'associated',
  'press',
  'thursday',
  'problem',
  'attention',
  'governor',
  'cabinet',
  'monday',
  'county',
  'official',
  'middle',
  'night',
  'virginia',
  'official',
  'state',
  'response',
  'news',
  'briefing',
  'thursday',
  'weather',
  'preparation',
  'cabinet',
  'secretary',
  'investigation',
  'state',
  'agency',
  'inquiry',
  'investigation',
  'state',
  'alert',
  'system',
  'snow',
  'clearing',
  'equipment',
  'road',
  'treatment',
  'virginia',
  'state',
  'lawmaker',
  'official',
  'member',
  'congress',
  'aaa',
  'auto',
  'club',
  'action',
  'stafford',
  'county',
  'board',
  'supervisors',
  'chair',
  'crystal',
  'vanuch',
  'county',
  'native',
  'thursday',
  'gridlock',
  'disaster',
  'vanuch',
  'county',
  'emergency',
  'operation',
  'command',
  'service',
  'hour',
  'period',
  'time',
  'emergency',
  'worker',
  'help',
  'state',
  'official',
  'moran',
  'a.m.',
  'tuesday',
  'daybreak',
  'state',
  'official',
  'resource',
  'helicopter',
  'road',
  'chokepoint',
  'northam',
  'democrat',
  'office',
  'month',
  'interview',
  'wednesday',
  'people',
  'radio',
  'station',
  'wrva',
  'people',
  'responder',
  'emergency',
  'worker',
  'statement',
  'thursday',
  'northam',
  'appreciation',
  'police',
  'trooper',
  'worker',
  'hour',
  'circumstance',
  'statement',
  'compassion',
  'driver',
  'situation',
  'commitment',
  'motorist',
  'way',
  'assistance',
  'traffic',
  'i-95',
  'official',
  'monday',
  'morning',
  'vehicle',
  'jackknifed',
  'snow',
  'car',
  'truck',
  'traffic',
  'traffic',
  'halt',
  'traveler',
  'hour',
  'official',
  'road',
  'option',
  'storm',
  'rain',
  'brine',
  'chemical',
  'solution',
  'transportation',
  'expert',
  'official',
  'difficulty',
  'event',
  'rain',
  'transition',
  'snow',
  'waste',
  'time',
  'money',
  'ohio',
  'transportation',
  'department',
  'spokesperson',
  'matt',
  'bruning',
  'wednesday',
  'andy',
  'alden',
  'transportation',
  'researcher',
  'virginia',
  'tech',
  'transportation',
  'institute',
  'perspective',
  'state',
  'profile',
  'traffic',
  'pileup',
  'state',
  'system',
  'catastrophe',
  'winter',
  'snowstorm',
  'atlanta',
  'area',
  'inch',
  'centimeter',
  'snow',
  'driver',
  'car',
  'child',
  'school',
  'state',
  'plan',
  'resident',
  'winter',
  'storm',
  'fleet',
  'snow',
  'clearing',
  'equipment',
  'salt',
  'gravel',
  'hand',
  'quantity',
  'new',
  'jersey',
  'winter',
  'weather',
  'highway',
  'gov.',
  'phil',
  'murphy',
  'complaint',
  'snowstorm',
  'driver',
  'highway',
  'predecessor',
  'republican',
  'chris',
  'christie',
  'hour',
  'mile',
  'kilometer',
  'murphy',
  'storm',
  'truck',
  'roadway',
  'storm',
  'cent',
  'mile',
  'road',
  'state',
  'america',
  'covid-19',
  'pandemic',
  'state',
  'workforce',
  'road',
  'virginia',
  'official',
  'employee',
  'locality',
  'staffing',
  'shortage',
  'motorist',
  'delay',
  'road',
  'i-95',
  'virginia',
  'state',
  'police',
  'official',
  'staffing',
  'challenge',
  'number',
  'trooper',
  'interstate',
  'tuesday',
  'monday',
  'area',
  'ron',
  'maxey',
  'vsp',
  'deputy',
  'director',
  'field',
  'operation',
  'trooper',
  'foot',
  'motorist',
  'food',
  'natalie',
  'simpson',
  'professor',
  'expert',
  'emergency',
  'service',
  'university',
  'buffalo',
  'school',
  'management',
  'evidence',
  'virginia',
  'official',
  'step',
  'traffic',
  'jam',
  'week',
  'simpson',
  'government',
  'job',
  'planning',
  'aid',
  'driver',
  'traffic',
  'interstate',
  'interstate',
  'prison',
  'associated',
  'press',
  'contributor',
  'report',
  'sara',
  'cline',
  'portland',
  'oregon',
  'andrew',
  'welsh',
  'huggins',
  'columbus',
  'ohio',
  'michael',
  'catalini',
  'trenton',
  'new',
  'jersey',
  'russ',
  'bynum',
  'savannah',
  'georgia',
  'matthew',
  'barakat',
  'falls',
  'church',
  'virginia',
  'story',
  'northam',
  'radio',
  'interview',
  'place',
  'wednesday',
  'thursday',
  'copyright',
  'associated',
  'press',
  'right',
  'material',
  'broadcast',
  'day',
  'novena',
  'scranton',
  'responder',
  'heart',
  'attack',
  'work',
  'biden',
  'expressway',
  'mural',
  'scranton',
  'kid',
  'state',
  'police',
  'experience',
  'camp',
  'cadet',
  'seminar',
  'jefferson',
  'township',
  'tip',
  'bluffing',
  'putin',
  'deployment',
  'nuclear',
  'elon',
  'musk',
  'tweet',
  'x',
  '’',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'taiwan',
  'school',
  'office',
  'typhoon',
  'bomb',
  'threat',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'stock',
  'market',
  'today',
  'share',
  'federal',
  'russia',
  'un',
  'meeting',
  'day',
  'novena',
  'scranton',
  'responder',
  'heart',
  'attack',
  'work',
  'biden',
  'expressway',
  'mural',
  'scranton',
  'kid',
  'state',
  'police',
  'experience',
  'camp',
  'cadet',
  'seminar',
  'jefferson',
  'township',
  'tip',
  'community',
  'teen',
  'nanticoke',
  'andy',
  'mehalshick',
  'pa',
  'weis',
  'markets',
  'hazleton',
  'andy',
  'mehalshick',
  'joe',
  'handlovic',
  'hunger',
  'free',
  'summer',
  'campaign',
  'weis',
  'market',
  'hazleton',
  'hunger',
  'free',
  'summer',
  'campaign',
  'weis',
  'market',
  'hazleton',
  'hunger',
  'free',
  'summer',
  'campaign',
  'weis',
  'market',
  'hazleton',
  'hunger',
  'free',
  'summer',
  'campaign',
  'weis',
  'market',
  'hazleton',
  'day',
  'novena',
  'scranton',
  'local',
  'news',
  'hour',
  'responder',
  'heart',
  'attack',
  'work',
  'biden',
  'expressway',
  'mural',
  'scranton',
  'kid',
  'state',
  'police',
  'experience',
  'camp',
  'cadet',
  'seminar',
  'jefferson',
  'township',
  'tip',
  'local',
  'news',
  'hour',
  'psp',
  'impound',
  'community',
  'teen',
  'nanticoke',
  'crime',
  'court',
  'hour',
  'hunger',
  'free',
  'summer',
  'campaign',
  'weis',
  'market',
  'hazleton',
  'hunger',
  'free',
  'summer',
  'hour',
  'urban',
  'heat',
  'islands',
  'nepa',
  'neighborhood',
  'lackawanna',
  'county',
  'theft',
  'investigation',
  'crime',
  'court',
  'hour',
  'psp',
  'impound',
  'community',
  'teen',
  'nanticoke',
  'hunger',
  'free',
  'summer',
  'campaign',
  'weis',
  'market',
  'hazleton',
  'urban',
  'heat',
  'islands',
  'nepa',
  'neighborhood',
  'lackawanna',
  'county',
  'theft',
  'investigation',
  'search',
  'woman',
  'scranton',
  'teen',
  'homicide',
  'vehicle',
  'mohegan',
  'pa',
  'k',
  'underage',
  'susquehanna',
  'river',
  'raft',
  'wave',
  'medium',
  'psp',
  'impound',
  'teen',
  'homicide',
  'vehicle',
  'detail',
  'nanticoke',
  'shooting',
  'teen',
  'police',
  'help',
  'id',
  'theft',
  'mission',
  'fcc',
  'applications',
  'contact',
  'dtv',
  'answer',
  'wbre',
  'eeo',
  'wbre',
  'fcc',
  'public',
  'file',
  'wyou',
  'fcc',
  'public',
  'file',
  'android',
  'app',
  'google',
  'play',
  'android',
  'weather',
  'app',
  'google',
  'play',
  'personal',
  'information',
  'personal',
  'information',
  'nexstar',
  'media',
  'inc.',
  'rights'],
 ['truman',
  'podcast',
  'red',
  'cross',
  'urges',
  'tennessee',
  'residents',
  'severe',
  'weather',
  'mar',
  'pm',
  'wgns',
  'news',
  'tennessee',
  'national',
  'weather',
  'service',
  'update',
  'potential',
  'thunderstorm',
  'friday',
  'night',
  'line',
  'shower',
  'thunderstorm',
  'tennessee',
  'northwest',
  'area',
  'impact',
  'west',
  'middle',
  'tennessee',
  'location',
  'west',
  'corridor',
  'potential',
  'tennessee',
  'region',
  'murfreesboro',
  'area',
  'meteorologist',
  '%',
  'chance',
  'rain',
  'day',
  'friday',
  'wind',
  'gust',
  'mile',
  'hour',
  'friday',
  'midnight',
  'sunday',
  'chance',
  'rain',
  '%',
  'rutherford',
  'county',
  'wind',
  'mile',
  'hour',
  'sunday',
  'rutherford',
  'county',
  'chance',
  'precipitation',
  '%',
  'wind',
  'gust',
  'mph',
  'prepare',
  'thunderstorms',
  'possibility',
  'weather',
  'risk',
  'tornado',
  'american',
  'red',
  'cross',
  'tennesseans',
  'path',
  'line',
  'storm',
  'weather',
  'wgns',
  'news',
  'noaa',
  'weather',
  'radio',
  'emergency',
  'update',
  'line',
  'wind',
  'west',
  'middle',
  'tennessee',
  'hail',
  'tornado',
  'downpour',
  'flash',
  'flood',
  'threat',
  'event',
  'weather',
  'pattern',
  'south',
  'red',
  'cross',
  'disaster',
  'worker',
  'standby',
  'neighbor',
  'need',
  'storm',
  'thunderstorm',
  'safety',
  'thunder',
  'danger',
  'lightning',
  'thunder',
  'national',
  'weather',
  'service',
  'minute',
  'thunderclap',
  'thunderstorm',
  'warning',
  'shelter',
  'building',
  'vehicle',
  'window',
  'home',
  'wind',
  'activity',
  'thunderstorm',
  'people',
  'lightning',
  'area',
  'rain',
  'equipment',
  'telephone',
  'battery',
  'tv',
  'radio',
  'shutter',
  'window',
  'door',
  'window',
  'bath',
  'shower',
  'plumbing',
  'roadway',
  'park',
  'vehicle',
  'emergency',
  'flasher',
  'rain',
  'metal',
  'surface',
  'electricity',
  'vehicle',
  'building',
  'ground',
  'water',
  'tree',
  'metal',
  'object',
  'fence',
  'bleacher',
  'picnic',
  'shelter',
  'dugout',
  'shed',
  'roadway',
  'water',
  'storm',
  'area',
  'risk',
  'effect',
  'thunderstorm',
  'noaa',
  'weather',
  'radio',
  'radio',
  'television',
  'station',
  'information',
  'instruction',
  'access',
  'road',
  'community',
  'people',
  'assistance',
  'infant',
  'child',
  'power',
  'line',
  'tornado',
  'safety',
  'place',
  'home',
  'household',
  'member',
  'pet',
  'tornado',
  'basement',
  'storm',
  'cellar',
  'room',
  'floor',
  'window',
  'rise',
  'building',
  'hallway',
  'center',
  'building',
  'time',
  'floor',
  'home',
  'place',
  'building',
  'home',
  'park',
  'shelter',
  'place',
  'home',
  'tornado',
  'tornado',
  'warning',
  'shelter',
  'window',
  'door',
  'wall',
  'overpass',
  'bridge',
  'location',
  'debris',
  'injury',
  'death',
  'arm',
  'head',
  'neck',
  'red',
  'cross',
  'emergency',
  'app',
  'red',
  'cross',
  'emergency',
  'app',
  'english',
  'spanish',
  'advice',
  'weather',
  'time',
  'alert',
  'weather',
  'hazard',
  'map',
  'red',
  'cross',
  'shelter',
  'text',
  'getemergency',
  'red',
  'cross',
  'emergency',
  'apple',
  'app',
  'store',
  'google',
  'play',
  'store',
  'information',
  'weather',
  'redcross.org/storms',
  'community',
  'volunteer',
  'opportunity',
  'american',
  'red',
  'cross',
  'disaster',
  'training',
  'volunteer',
  'training',
  'person',
  'course',
  'training',
  'opportunity',
  'red',
  'cross',
  'office',
  'american',
  'red',
  'cross',
  'american',
  'red',
  'cross',
  'shelter',
  'comfort',
  'victim',
  'disaster',
  '%',
  'nation',
  'blood',
  'skill',
  'life',
  'aid',
  'veteran',
  'member',
  'family',
  'red',
  'cross',
  'organization',
  'volunteer',
  'generosity',
  'public',
  'mission',
  'information',
  'redcross.org/tennessee',
  'cruzrojaamericana.org',
  'twitter',
  '@redcrosstn',
  'american',
  'red',
  'cross',
  'tennessee',
  'region',
  'county',
  'tennessee',
  'crittenden',
  'county',
  'arkansas',
  'desoto',
  'tunica',
  'county',
  'mississippi',
  'tennessee',
  'region',
  'network',
  'chapter',
  'red',
  'cross',
  'chapter',
  'east',
  'tennessee',
  'heart',
  'tennessee',
  'mid',
  '-',
  'mid',
  '-',
  'west',
  'tennessee',
  'nashville',
  'area',
  'southeast',
  'tennessee',
  'northeast',
  'tennessee',
  'tennessee',
  'river',
  'tractor',
  'trailer',
  'truck',
  'overturn',
  'murfreesboro',
  'food',
  'ntsb',
  'releases',
  'report',
  'plane',
  'crash',
  'killedseveral',
  'remnant',
  'fellowship',
  'church',
  'member',
  'underage',
  'sale',
  'vapes',
  'beer',
  'murfreesboro',
  'police',
  'burglary',
  'suspect',
  'report',
  'food',
  'insecurity',
  'middle',
  'tn',
  'child',
  'bill',
  'possession',
  'device',
  'programs',
  'key',
  'fob',
  'mtsu',
  'saddle',
  'fundraiser',
  'april',
  'tags',
  'eagleville',
  'weather',
  'friday',
  'lavergne',
  'weather',
  'murfreesboro',
  'weather',
  'red',
  'cross',
  'rutherford',
  'county',
  'weather',
  'weather',
  'smyrna',
  'weather',
  'storm',
  'tennessee',
  'porch',
  'pilot',
  'shelbyville',
  'tn',
  'update',
  'rockvale',
  'woman',
  'world',
  'women',
  'ranch',
  'bronc',
  'championship',
  'tennis',
  'skatepark',
  'movies',
  'star',
  'guest',
  'murfreesboro',
  'parks',
  'rec',
  'middle',
  'point',
  'landfill',
  'second',
  'open',
  'house',
  'crash',
  'sunday',
  'night',
  'motorcycle',
  'truck',
  'near',
  'fountains',
  'value',
  'homes',
  'rutherford',
  'county',
  'expense',
  'resident'],
 ['washington',
  'news',
  'mt.',
  'pleasant',
  'news',
  'fairfield',
  'news',
  'clarion',
  'plainsman',
  'news',
  'winfield',
  'beacon',
  'news',
  'new',
  'london',
  'journal',
  'news',
  'washington',
  'news',
  'fairfield',
  'news',
  'mt.',
  'pleasant',
  'news',
  'clarion',
  'plainsman',
  'news',
  'fairfield',
  'fire',
  'station',
  'bid',
  'park',
  'buildingsmpcsd',
  'purchase',
  'agreement',
  'iw',
  'considerationrelief',
  'spotlight',
  'washington',
  'year',
  'fun',
  'crooked',
  'creek',
  'days',
  'friday',
  'night',
  'storm',
  'wellman',
  'kalen',
  'mccain',
  'mar.',
  'pm',
  'apr.',
  'pm',
  'wellman',
  'washington',
  'county',
  'storm',
  'rush',
  'hour',
  'friday',
  'night',
  'worrying',
  'damage',
  'event',
  'kalona',
  'riverside',
  'share',
  'hail',
  'wind',
  'billboard',
  'post',
  'office',
  'flag',
  'garbage',
  'washington',
  'wellman',
  'story',
  'tornado',
  'outskirt',
  'town',
  'path',
  'elm',
  'avenue',
  'cyclone',
  'handful',
  'house',
  'grain',
  'silo',
  'p.m.',
  'sky',
  'procession',
  'car',
  'city',
  'debris',
  'band',
  'cattle',
  'shelter',
  'damage',
  'home',
  'kari',
  'honsey',
  'joe',
  'allen',
  'storm',
  'shed',
  'honsey',
  'hill',
  'basement',
  'spot',
  'train',
  'tree',
  'thing',
  'house',
  'neighbor',
  'home',
  'road',
  'storm',
  'car',
  'debris',
  'power',
  'line',
  'lp',
  'tank',
  'field',
  'road',
  'grain',
  'elevator',
  'bystander',
  'brand',
  'machinery',
  'truck',
  'silo',
  'angela',
  'whetstine',
  'neighbor',
  'glimpse',
  'storm',
  'family',
  'basement',
  'bathroom',
  'cell',
  'minute',
  'pressure',
  'ear',
  'destruction',
  'space',
  'emergency',
  'responder',
  'home',
  'water',
  'ceiling',
  'shock',
  'comment',
  'friday',
  'night',
  'storm',
  'home',
  'kari',
  'honsey',
  'joe',
  'allen',
  'west',
  'wellman',
  'honsey',
  'train',
  'kalen',
  'mccain',
  'union',
  'building',
  'cyclone',
  'wellman',
  'chunk',
  'debris',
  'field',
  'family',
  'angela',
  'whetstine',
  'basement',
  'emergency',
  'responder',
  'kalen',
  'mccain',
  'union',
  'bystander',
  'grain',
  'elevator',
  'wellman',
  'brand',
  'kalen',
  'mccain',
  'union',
  'storm',
  'debris',
  'house',
  'street',
  'cornfield',
  'kalen',
  'mccain',
  'union',
  'storm',
  'washington',
  'damage',
  'exception',
  'billboard',
  'kalen',
  'mccain',
  'union',
  'damage',
  'storm',
  'wellman',
  'cloud',
  'friday',
  'storm',
  'annamarie',
  'ward',
  'union',
  'story',
  'idea',
  'news',
  'tip',
  'story',
  'idea',
  'news',
  'tip',
  'button',
  'submit',
  'news',
  'tip',
  'ainsworth',
  'film',
  'return',
  'friday',
  'saturday',
  'ainsworth',
  'film',
  'return',
  'friday',
  'saturdaykalen',
  'mccain',
  'news',
  'jul.',
  'energy',
  'company',
  'washington',
  'county',
  'mccain',
  'news',
  'jul.',
  'temperature',
  'week',
  'weather',
  'news',
  'jul.',
  'am1d',
  'board',
  'supervisors',
  'recommendation',
  'rezoneannamarie',
  'ward',
  'mt.',
  'pleasant',
  'news',
  'jul.',
  'pm9h',
  'salem',
  'woman',
  'arrestedannamarie',
  'ward',
  'mt.',
  'pleasant',
  'news',
  'jul.',
  'washington',
  'high',
  'school',
  'class',
  'news',
  'jul.',
  'am11h',
  'picture',
  'year',
  'sports',
  'jul.',
  'pm8h',
  'gerry',
  'sproule',
  'community',
  'jul.',
  'am11h',
  'washington',
  'county',
  'festival',
  'talents',
  'winner',
  'news',
  'jul.',
  'am11h',
  'comet',
  'softball',
  'scc',
  'krutsinger',
  'sports',
  'jul.',
  'pm9h',
  'highland',
  'stransky',
  '1a',
  'districthunter',
  'moeller',
  'sports',
  'jul.',
  'area',
  'softball',
  'player',
  '3a',
  'krutsinger',
  'sports',
  'jul.',
  'southeast',
  'iowa',
  'union',
  'employee',
  'source',
  'state',
  'news',
  'coverage',
  'washington',
  'mt.',
  'pleasant',
  'fairfield',
  'iowa',
  'southeast',
  'iowa',
  'union',
  'rights',
  'web',
  'accessibility',
  'privacy',
  'link',
  'site',
  'policies',
  'refund',
  'policy',
  'advertise',
  'local',
  'business',
  'directory',
  'careers',
  'digital',
  'edition',
  'public',
  'notices',
  'southeast',
  'iowa',
  'union',
  'rights',
  'web',
  'accessibility',
  'privacy'],
 ['library',
  'card',
  'use',
  'borrow',
  'materials',
  'hours',
  'locations',
  'interlibrary',
  'loan',
  'ill',
  'mission',
  'policies',
  'state',
  'librarian',
  'state',
  'library',
  'board',
  'state',
  'library',
  'board',
  'minutes',
  'reports',
  'departments',
  'reference',
  'services',
  'government',
  'information',
  'history',
  'genealogy',
  'law',
  'legislation',
  'dld',
  'libguides',
  'dld',
  'news',
  'library',
  'handicapped',
  'library',
  'lbph',
  'map',
  'directions',
  'question',
  'faqs',
  'lbph',
  'connecticut',
  'books',
  'ctc',
  'braille',
  'audio',
  'reading',
  'downloand',
  'bard',
  'connecticut',
  'volunteer',
  'services',
  'blind',
  'handicapped',
  'inc.',
  'cvsbh',
  'related',
  'programs',
  'services',
  'lbph',
  'news',
  'connecticut',
  'state',
  'historical',
  'records',
  'advisory',
  'board',
  'public',
  'records',
  'state',
  'connecticut',
  'state',
  'archives',
  'news',
  'csl',
  'digital',
  'archive',
  'ctda',
  'content',
  'dm',
  'moreresearch',
  'aerial',
  'photos',
  'connecticut',
  'newspapers',
  'connecticut',
  'vital',
  'records',
  'database',
  'legislative',
  'histories',
  'state',
  'agency',
  'profiles',
  'topic',
  'news',
  'news',
  'items',
  'thursday',
  'programs',
  'thursday',
  'video',
  'presentation',
  'event',
  'connecticut',
  'state',
  'librarylibguides',
  'homegovernment',
  'informationweatherblizzard',
  'homeextreme',
  'weatherweather',
  'disastersblizzard',
  'blizzard',
  '1888archivesnewspaper',
  'article',
  'october',
  'storm',
  'hurricanes',
  'floods',
  'winter',
  'weatheremergency',
  'preparedness',
  'blizzard',
  'description',
  'ctda',
  'collection',
  'blizzard',
  'great',
  'white',
  'hurricane',
  'day',
  'march',
  'blizzard',
  'northeast',
  'inch',
  'snow',
  'precipitation',
  'wind',
  'mph',
  'snow',
  'foot',
  'horse',
  'car',
  'stagecoach',
  'train',
  'halt',
  'delivery',
  'food',
  'fuel',
  'communication',
  'telegraph',
  'line',
  'region',
  'city',
  'new',
  'york',
  'boston',
  'hartford',
  'event',
  'blizzard',
  'people',
  'dollar',
  'property',
  'damage',
  'cleanup',
  'effort',
  'plow',
  'horse',
  'oxen',
  'shovel',
  'rainstorm',
  'u.s.',
  'mid',
  'area',
  'rain',
  'snow',
  'washington',
  'd.c.',
  'severance',
  'telegraph',
  'wire',
  'city',
  'northeast',
  'report',
  'northeast',
  'citizen',
  'train',
  'outage',
  'traffic',
  'accident',
  'inch',
  'snow',
  'saratoga',
  'albany',
  'new',
  'york',
  'new',
  'york',
  'stock',
  'exchange',
  'day',
  'snow',
  'midday',
  'train',
  'new',
  'york',
  'new',
  'york',
  'stock',
  'exchange',
  'business',
  'report',
  'blizzard',
  'fatality',
  'temperature',
  'source',
  'source',
  'blizzard',
  'page',
  'blizzard',
  'collection',
  'photograph',
  'hartford',
  'surrounding',
  'blizzard',
  'photograph',
  'albumen',
  'print',
  'photographer',
  'e.p.',
  'kellogg',
  'r.c.',
  'buell',
  'william',
  'b.',
  'lloyd',
  'william',
  'h.',
  'lockwood',
  'lockwood',
  'photograph',
  'book',
  'great',
  'snow',
  'storm',
  'connecticut',
  'state',
  'library',
  'blizzard',
  'great',
  'white',
  'hurricane',
  'day',
  'march',
  'blizzard',
  'northeast',
  'inch',
  'snow',
  'precipitation',
  'wind',
  'mph',
  'snow',
  'foot',
  'horse',
  'car',
  'stagecoach',
  'train',
  'halt',
  'delivery',
  'food',
  'fuel',
  'communication',
  'telegraph',
  'line',
  'region',
  'city',
  'new',
  'york',
  'boston',
  'hartford',
  'event',
  'blizzard',
  'people',
  'dollar',
  'property',
  'damage',
  'cleanup',
  'effort',
  'plow',
  'horse',
  'oxen',
  'shovel',
  'collection',
  'photograph',
  'hartford',
  'surrounding',
  'blizzard',
  'photograph',
  'albumen',
  'print',
  'photographer',
  'e.p.',
  'kellogg',
  'r.c.',
  'buell',
  'william',
  'b.',
  'lloyd',
  'william',
  'h.',
  'lockwood',
  'lockwood',
  'photograph',
  'book',
  'great',
  'snow',
  'storm',
  'connecticut',
  'state',
  'library',
  'address',
  'building',
  'business',
  'sanborn',
  'insurance',
  'maps',
  'hartford',
  'geer',
  'hartford',
  'city',
  'directory',
  'address',
  'address',
  'today',
  'street',
  'number',
  'hartford',
  'example',
  'wadsworth',
  'antheneum',
  'main',
  'street',
  'number',
  'main',
  'street',
  'blizzard',
  'collection',
  'photograph',
  'hartford',
  'surrounding',
  'blizzard',
  'photograph',
  'albumen',
  'print',
  'photographer',
  'e.p.',
  'kellogg',
  'r.c.',
  'buell',
  'william',
  'b.',
  'lloyd',
  'william',
  'h.',
  'lockwood',
  'lockwood',
  'photograph',
  'book',
  'great',
  'snow',
  'storm',
  'connecticut',
  'state',
  'library',
  'newspaper',
  'article',
  'time',
  'event',
  'article',
  'great',
  'blizzard',
  'topic',
  'chronicling',
  'america',
  'loc)library',
  'congress',
  'loc',
  'research',
  'guide',
  'chronicling',
  'america',
  'historic',
  'american',
  'newspapers',
  'ct',
  'state',
  'library',
  'newspaper',
  'collection',
  'article',
  'blizzard',
  'library',
  'congress',
  'loc',
  'research',
  'guide',
  'day',
  'march',
  'foot',
  'snow',
  'delaware',
  'montreal',
  'guide',
  'information',
  'topic',
  'great',
  'blizzard',
  'chronicling',
  'america',
  'collection',
  'newspaper',
  'ct',
  'state',
  'library',
  'newspaper',
  'collection',
  'article',
  'blizzard',
  'great',
  'blizzard',
  'topic',
  'chronicling',
  'america',
  'library',
  'congress',
  'research',
  'guides',
  'march',
  'weather',
  'disastersnext',
  'october',
  'storm',
  'jun',
  'pm',
  'subject',
  'connecticut',
  'governmental',
  'information',
  'reference',
  'weather',
  'tags',
  'blizzard',
  'disaster',
  'flood',
  'hurricane',
  'storm'],
 ['thu',
  'jul',
  'gmt',
  '1690435058108)b811ce9f72504dd71cfbde548ab55bc49d22f916ff7f66dd0d6b73eb176b80eedf30afe5bb51279anewsweatherfeatureson',
  'sidegame',
  'centerwatch',
  'd',
  'thu',
  '94how',
  'sierra',
  'storm',
  'nevada',
  'drought',
  'ben',
  'margiotttue',
  'december',
  '21st',
  'pm',
  'utcfresh',
  'snow',
  'sky',
  'vision',
  'drone',
  'caughlin',
  'ranch',
  'dec.'],
 ['hunter',
  'biden',
  'plea',
  'deal',
  'ufo',
  'takeaway',
  'whistleblower',
  'congress',
  'uap',
  'sinéad',
  "o'connor",
  'grammy',
  'singer',
  'netherlands',
  'u.s.',
  'draw',
  'rematch',
  'world',
  'cup',
  'federal',
  'reserve',
  'interest',
  'rate',
  'level',
  'year',
  'niger',
  'president',
  'guard',
  'coup',
  'ohio',
  'officer',
  'k-9',
  'man',
  'hand',
  'story',
  'tic',
  'tac',
  'ufo',
  'hurricane',
  'ian',
  'head',
  'south',
  'carolina',
  'florida',
  'app',
  'brian',
  'dakss',
  'sarah',
  'lynch',
  'baldwin',
  'sophie',
  'reardon',
  'september',
  'cbs',
  'news',
  'families',
  'flood',
  'families',
  'flood',
  'follow',
  'friday',
  'development',
  'coverage',
  'ian',
  'hurricane',
  'strength',
  'south',
  'carolina',
  'hurricane',
  'warning',
  'coast',
  'destruction',
  'florida',
  'national',
  'hurricane',
  'center',
  'ian',
  'life',
  'storm',
  'surge',
  'south',
  'carolina',
  'flooding',
  'rain',
  'carolinas',
  'virginia',
  'ian',
  'florida',
  'river',
  'flooding',
  'florida',
  'week',
  'center',
  'cbs',
  'news',
  'storm',
  'death',
  'florida',
  'friday',
  'morning',
  'ian',
  'hurricane',
  'florida',
  'history',
  'president',
  'biden',
  'thursday',
  'number',
  'report',
  'loss',
  'life',
  'president',
  'briefing',
  'fema',
  'official',
  'ian',
  'core',
  'mile',
  'south',
  'southeast',
  'charleston',
  'south',
  'carolina',
  'a.m.',
  'friday',
  'north',
  'northeast',
  'mph',
  'wind',
  'mph',
  'hurricane',
  'center',
  'ian',
  'landfall',
  'charleston',
  'south',
  'carolina',
  'mid',
  '-',
  'afternoon',
  'friday',
  'cbs',
  'news',
  'meteorologist',
  'david',
  'parkinson',
  'friday',
  'saturday',
  'hurricane',
  'center',
  'carolinas',
  'wednesday',
  'ian',
  'landfall',
  'florida',
  'category',
  'hurricane',
  'state',
  'hurricane',
  'u.s.people',
  'home',
  'video',
  'image',
  'flooding',
  'home',
  'business',
  'power',
  'friday',
  'morning',
  'hurricane',
  'ian',
  'damage',
  'flooding',
  'florida',
  'september',
  'woman',
  'chest',
  'floodwater',
  'stranger',
  'mom',
  'christine',
  'bomlitz',
  'hurricane',
  'ian',
  'ferocity',
  'wednesday',
  'florida',
  'hour',
  'word',
  'year',
  'mother',
  'thursday',
  'morning',
  'storm',
  'word',
  'country',
  'las',
  'vegas',
  'bomlitz',
  'plea',
  'help',
  'medium',
  'mother',
  'bomlitz',
  'way',
  'mom',
  'shirley',
  'affolter',
  'cell',
  'phone',
  'storm',
  'landline',
  'night',
  'storm',
  'evacuation',
  'vehicle',
  'route',
  'thursday',
  'afternoon',
  'samaritan',
  'rescue',
  'cheynne',
  'prevatt',
  'damage',
  'home',
  'storm',
  'florida',
  'resident',
  'chest',
  'floodwater',
  'affolter',
  'englewood',
  'florida',
  'mother',
  'neighbor',
  'rest',
  'community',
  'walker',
  'prevatt',
  'door',
  'relief',
  'woman',
  'prevatt',
  'mother',
  'daughter',
  'phone',
  'bomlitz',
  'worry',
  'september',
  'death',
  'floor',
  'balcony',
  'year',
  'boy',
  'family',
  'jacksonville',
  'hurricane',
  'ian',
  'story',
  'condominium',
  'balcony',
  'panama',
  'city',
  'beach',
  'florida',
  'town',
  'official',
  'sterling',
  'reef',
  'thursday',
  'afternoon',
  'rescue',
  'crew',
  'official',
  'play',
  'september',
  'fort',
  'myers',
  'devastation',
  'fort',
  'myers',
  'area',
  'ian',
  'hurricane',
  'home',
  'slab',
  'wreckage',
  'business',
  'beach',
  'debris',
  'dock',
  'angle',
  'boat',
  'fire',
  'lot',
  'house',
  'william',
  'goodison',
  'wreckage',
  'home',
  'park',
  'fort',
  'myers',
  'beach',
  'year',
  'goodison',
  'storm',
  'son',
  'house',
  'hurricane',
  'park',
  'home',
  'repair',
  'goodison',
  'home',
  'waist',
  'water',
  'goodison',
  'son',
  'trash',
  'air',
  'conditioner',
  'tool',
  'baseball',
  'bat',
  'road',
  'fort',
  'myers',
  'tree',
  'boat',
  'trailer',
  'debris',
  'car',
  'road',
  'storm',
  'surge',
  'engine',
  'lee',
  'county',
  'sheriff',
  'carmine',
  'marceno',
  'office',
  'thousand',
  'fort',
  'myers',
  'area',
  'road',
  'bridge',
  'emergency',
  'crew',
  'tree',
  'people',
  'area',
  'help',
  'outage',
  'chunk',
  'sanibel',
  'causeway',
  'sea',
  'access',
  'barrier',
  'island',
  'people',
  'september',
  'biden',
  'state',
  'emergency',
  'south',
  'carolina',
  'hurricane',
  'ian',
  'forecast',
  'landfall',
  'south',
  'carolina',
  'president',
  'biden',
  'emergency',
  'declaration',
  'state',
  'thursday',
  'night',
  'fema',
  'state',
  'agency',
  'local',
  'damage',
  'white',
  'house',
  'fema',
  'discretion',
  'equipment',
  'resource',
  'impact',
  'emergency',
  'september',
  'protest',
  'havana',
  'blackout',
  'cubans',
  'street',
  'thursday',
  'night',
  'havana',
  'restoration',
  'electricity',
  'day',
  'blackout',
  'island',
  'passage',
  'hurricane',
  'ian',
  'associated',
  'press',
  'journalist',
  'total',
  'people',
  'spot',
  'cerro',
  'neighborhood',
  'light',
  'pot',
  'pan',
  'outpouring',
  'anger',
  'electricity',
  'problem',
  'cuba',
  'ian',
  'island',
  'power',
  'grid',
  'tuesday',
  'night',
  'people',
  'dark',
  'storm',
  'people',
  'damage',
  'addition',
  'power',
  'problem',
  'havana',
  'thursday',
  'internet',
  'service',
  'cellphone',
  'protest',
  'primellef',
  'street',
  'police',
  'demonstrator',
  'corner',
  'block',
  'calzada',
  'del',
  'cerro',
  'protester',
  'work',
  'team',
  'pole',
  'transformer',
  'group',
  'protester',
  'street',
  'night',
  'gathering',
  'july',
  'cuba',
  'protest',
  'decade',
  'thousand',
  'people',
  'power',
  'failure',
  'shortage',
  'good',
  'pandemic',
  'u.s.',
  'sanction',
  'city',
  'island',
  'anger',
  'government',
  'criticism',
  'administration',
  'president',
  'miguel',
  'diaz',
  'canel',
  'government',
  'percentage',
  'population',
  'electricity',
  'authority',
  '%',
  'havana',
  'people',
  'power',
  'thursday',
  'pm',
  'september',
  'florida',
  'business',
  'tourist',
  'attraction',
  'rebuilding',
  'challenge',
  'walt',
  'disney',
  'world',
  'tourist',
  'attraction',
  'florida',
  'damage',
  'hurricane',
  'ian',
  'business',
  'state',
  'coast',
  'rebuilding',
  'process',
  'fort',
  'myers',
  'video',
  'medium',
  'times',
  'square',
  'area',
  'shop',
  'restaurant',
  'storm',
  'sanibel',
  'barrier',
  'island',
  'resort',
  'fort',
  'myers',
  'causeway',
  'carol',
  'dover',
  'president',
  'florida',
  'restaurant',
  'lodging',
  'association',
  'middle',
  'interview',
  'television',
  'westin',
  'cape',
  'coral',
  'resort',
  'marina',
  'fort',
  'myers',
  'cnn',
  'rubble',
  'lot',
  'month',
  'year',
  '"ian',
  'florida',
  'category',
  'hurricane',
  'storm',
  'thousand',
  'flooding',
  'million',
  'power',
  'storm',
  'wind',
  'rain',
  'theme',
  'park',
  'tourism',
  'magnet',
  'florida',
  'harm',
  'orlando',
  'area',
  'walt',
  'disney',
  'world',
  'attraction',
  'storm',
  'florida',
  'leisure',
  'hospitality',
  'sector',
  'job',
  '%',
  'increase',
  'year',
  'figure',
  'florida',
  'department',
  'economic',
  'opportunity',
  'job',
  'lodging',
  'food',
  'service',
  'florida',
  'unemployment',
  'rate',
  '%',
  'august',
  'percentage',
  'point',
  'average',
  '%',
  'year',
  'member',
  'florida',
  'national',
  'guard',
  'resident',
  'neighborhood',
  'aftermath',
  'hurricane',
  'ian',
  'sept.',
  'orlando',
  'florida',
  'pm',
  'september',
  'orlando',
  'international',
  'airport',
  'friday',
  'orlando',
  'international',
  'airport',
  'friday',
  'day',
  'hurricane',
  'ian',
  'official',
  'airport',
  'thursday',
  'evening',
  'flight',
  'noon',
  'time',
  'friday',
  'road',
  'airport',
  'traveler',
  'airport',
  'decision',
  'investigation',
  'property',
  'damage',
  'consideration',
  'safety',
  'security',
  'airport',
  'employee',
  'airport',
  'statement',
  'airport',
  'wednesday',
  'morning',
  'tampa',
  'jacksonville',
  'airport',
  'friday',
  'pm',
  'september',
  'hurricane',
  'ian',
  'landfall',
  'charleston',
  'category',
  'storm',
  'hurricane',
  'ian',
  'landfall',
  'p.m.',
  'friday',
  'charleston',
  'south',
  'carolina',
  'cbs',
  'news',
  'meteorologist',
  'david',
  'parkinson',
  'red',
  'blue',
  'thursday',
  'evening',
  'storm',
  'thursday',
  'south',
  'carolina',
  'category',
  'storm',
  'landfall',
  'ian',
  'system',
  'lot',
  'moisture',
  'rainfall',
  'portion',
  'state',
  'north',
  'carolina',
  'storm',
  'surge',
  'foot',
  'hurricane',
  'ian',
  'south',
  'carolina',
  'florida',
  'pm',
  'september',
  'desantis',
  'authority',
  'power',
  'water',
  'county',
  'thursday',
  'night',
  'press',
  'conference',
  'gov.',
  'ron',
  'desantis',
  'state',
  'agency',
  'resident',
  'hurricane',
  'ian',
  'condition',
  'florida',
  'lee',
  'county',
  'issue',
  'resident',
  'access',
  'water',
  'desantis',
  'official',
  'assistance',
  'fema',
  'fix',
  'water',
  'treatment',
  'facility',
  'official',
  'thousand',
  'gallon',
  'water',
  'health',
  'care',
  'facility',
  'county',
  'power',
  'outage',
  'concern',
  'florida',
  'line',
  'infrastructure',
  'ground',
  'governor',
  'official',
  'astonishment',
  'desantis',
  'road',
  'situation',
  '"official',
  'supply',
  'cot',
  'blanket',
  'tarps',
  'water',
  'people',
  'need',
  'desantis',
  'florida',
  'lady',
  'florida',
  'disaster',
  'fund',
  'authority',
  'resource',
  'people',
  'shoutout',
  'tampa',
  'bay',
  'buccaneers',
  'quarterback',
  'tom',
  'brady',
  'link',
  'fund',
  'medium',
  'account',
  'thursday',
  'night',
  'press',
  'conference',
  'state',
  'division',
  'emergency',
  'management',
  'director',
  'kevin',
  'guthrie',
  'resident',
  'authority',
  'clock',
  'resident',
  'guthrie',
  'resident',
  'damage',
  'drone',
  'area',
  'authority',
  'desantis',
  'school',
  'district',
  'friday',
  'monday',
  'pm',
  'september',
  'people',
  'living',
  'facility',
  'orange',
  'county',
  'fire',
  'rescue',
  'thursday',
  'evening',
  'people',
  'living',
  'facility',
  'orlando',
  'department',
  'photo',
  'rescuer',
  'equipment',
  'inch',
  'water',
  'evacuation',
  'place',
  '@orangecofl',
  'hurricaneian',
  'unit',
  'people',
  'bridge',
  'life',
  'care',
  'center',
  'facility',
  'pic.twitter.com/hqe4gyn39y',
  'ocfire',
  'rescue',
  '@ocfirerescue',
  'september',
  'https://t.co/x9dyiykul9',
  'pic.twitter.com/nbu5xvacnt',
  'ocfire',
  'rescue',
  '@ocfirerescue',
  'september',
  'facility',
  'pm',
  'september',
  'cubans',
  'hurricane',
  'ian',
  'power',
  'outage',
  'ivette',
  'garrido',
  'chicken',
  'freezer',
  'dog',
  'power',
  'blackout',
  'hurricane',
  'ian',
  'day',
  'freezer',
  'time',
  'thing',
  'garrido',
  'mother',
  'year',
  'daughter',
  'town',
  'cojimar',
  'outskirt',
  'havana',
  'thousand',
  'cubans',
  'situation',
  'pm',
  'september',
  'crew',
  'resident',
  'residents',
  'florida',
  'wind',
  'flooding',
  'people',
  'home',
  'case',
  'people',
  'safety',
  'rescuer',
  'woman',
  'relief',
  'flood',
  'water',
  'ground',
  'shelter',
  'osceola',
  'county',
  'sheriff',
  'marcos',
  'r.',
  'lopez',
  'rescue',
  'crew',
  'resident',
  'orlando',
  'nursing',
  'home',
  'water',
  'woman',
  'year',
  'mother',
  'window',
  'safety',
  'swim',
  'woman',
  'people',
  'sailboat',
  'rescue',
  'place',
  'region',
  'crew',
  'rescue',
  'resident',
  'hurricane',
  'ian',
  'pm',
  'september',
  'florida',
  'resident',
  'floodwater',
  'moment',
  'kim',
  'silva',
  'family',
  'hurricane',
  'hurricane',
  'ian',
  'north',
  'port',
  'home',
  'michelle',
  'robinson',
  'waist',
  'water',
  'bulldog',
  'daisy',
  'kayak',
  'dog',
  'bar',
  'kitchen',
  'island',
  'robinson',
  'countertop',
  'pm',
  'september',
  'tom',
  'brady',
  'tampa',
  'bay',
  'buccaneers',
  'owner',
  'hurricane',
  'relief',
  'fund',
  'owner',
  'tampa',
  'bay',
  'buccaneers',
  'glazer',
  'family',
  'thursday',
  'evening',
  ...],
 ['owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'account',
  'dashboard',
  'profile',
  'item',
  'today',
  'sky',
  'shower',
  'thunderstorm',
  'winds',
  'ssw',
  'mph',
  'tonight',
  'sky',
  'shower',
  'thunderstorm',
  'winds',
  'ssw',
  'mph',
  'july',
  'pm',
  'log',
  'account',
  'log',
  'account',
  'sign',
  'today',
  'account',
  'dashboard',
  'profile',
  'item',
  'wv',
  'mountain',
  'brace',
  'snowstorm',
  'quality',
  'local',
  'journalism',
  'mountain',
  'state',
  'trusted',
  'news',
  'source',
  'information',
  'journalist',
  'day',
  'arrival',
  'spring',
  'national',
  'weather',
  'service',
  'winter',
  'storm',
  'warning',
  'monday',
  'mountain',
  'west',
  'virginia',
  'county',
  'duration',
  'snow',
  'event',
  'accumulation',
  'foot',
  'wednesday',
  'brunt',
  'storm',
  'p.m.',
  'monday',
  'midday',
  'tuesday',
  'slope',
  'northwest',
  'pocahontas',
  'county',
  'southeast',
  'randolph',
  'county',
  'western',
  'pendleton',
  'county',
  'west',
  'wind',
  'mile',
  'hour',
  'snow',
  'accumulation',
  'inch',
  'elevation',
  'foot',
  'noon',
  'tuesday',
  'accumulation',
  'tuesday',
  'night',
  'wednesday',
  'elevation',
  'foot',
  'winter',
  'storm',
  'warning',
  'area',
  'snow',
  'accumulation',
  'inch',
  'midday',
  'tuesday',
  'winter',
  'weather',
  'advisory',
  'western',
  'grant',
  'county',
  'snow',
  'accumulation',
  'inch',
  'elevation',
  'foot',
  'inch',
  'elevation',
  'foot',
  'midday',
  'tuesday',
  'jefferson',
  'road',
  'project',
  'south',
  'charleston',
  'commuter',
  'nightmare',
  'wv',
  'state',
  'police',
  'girl',
  'chief',
  'logan',
  'lodge',
  'pool',
  'gov.',
  'justice',
  'gallbladder',
  'surgery',
  'dnr',
  'partnering',
  'buckskin',
  'council',
  'camping',
  'scout',
  'unit',
  'west',
  'slope',
  'winter',
  'storm',
  'area',
  'accumulation',
  'foot',
  'day',
  'end',
  'wednesday',
  'weather',
  'service',
  'rain',
  'shower',
  'wind',
  'weather',
  'scene',
  'remainder',
  'state',
  'wednesday',
  'night',
  'sky',
  'temperature',
  '60',
  '70',
  'charleston',
  'huntington',
  'area',
  'thursday',
  'friday',
  'week',
  'snowfall',
  'west',
  'virginia',
  'season',
  'snowstorm',
  'state',
  'year',
  'accumulation',
  'inch',
  'beckley',
  'kayford',
  'southeastern',
  'kanawha',
  'county',
  'pickens',
  'randolph',
  'county',
  'inch',
  'snow',
  'snowstorm',
  'inch',
  'snow',
  'ground',
  'sutton',
  'braxton',
  'county',
  'buckhannon',
  'upshur',
  'county',
  'green',
  'sulphur',
  'springs',
  'summers',
  'county',
  'bayard',
  'grant',
  'county',
  'weather',
  'service',
  'charleston',
  'forecast',
  'office',
  'click',
  'charleston',
  'gazette',
  'mail',
  'newsletter',
  'west',
  'virginia',
  'update',
  'rick',
  'steelhammer',
  'feature',
  'reporter',
  'rsteelhammer@hdmediallc.com',
  '@rsteelhammer',
  'twitter',
  'articlesas',
  'temperature',
  'interest',
  'pool',
  'break',
  'resident',
  'aep',
  'utility',
  'rate',
  'hike',
  'request',
  'psc',
  'tree',
  'west',
  'rite',
  'aid',
  'stevenson',
  'best',
  'virginia',
  'round',
  'dubois',
  'dreamgazette',
  'mail',
  'editorial',
  'mccuskey',
  '1st',
  'wv',
  'governor',
  'racethe',
  'food',
  'guy',
  'lounge',
  'kita',
  'modern',
  'japaneseamerican',
  'legion',
  'baseball',
  'state',
  'tournament',
  'south',
  'charleston',
  'bridgeportnucor',
  'construction',
  'west',
  'virginia',
  'sheet',
  'steel',
  'mill',
  'herd',
  'cruise',
  'zoo',
  'crew',
  'resident',
  'loss',
  'newspaper',
  'coal',
  'country',
  'social',
  'marketplace',
  'smithers',
  'wvsu',
  'official',
  'new',
  'river',
  'gorge',
  'wayfinding',
  'team',
  'benches',
  'st.',
  'albans',
  'marion',
  'county',
  'author',
  'book',
  'detail',
  'century',
  'bigfoot',
  'sighting',
  'wv',
  'diane',
  'tarantini',
  'student',
  'body',
  'safety',
  'children',
  'program',
  'summer',
  'kanawha',
  'county',
  'public',
  'library',
  'se',
  'acerca',
  'el',
  'otoño',
  'desde',
  'ahora',
  'los',
  'síntomas',
  'alergia',
  'carter',
  'families',
  'prep',
  'holidays',
  'tips',
  'tricks',
  'brunchwithbabs',
  'wvgazettemail.com',
  'virginia',
  'st.',
  'east',
  'charleston',
  'wv',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'blox',
  'content',
  'management',
  'system',
  'blox',
  'digital',
  'switch',
  'account',
  'photo',
  'comment',
  'blog',
  'post',
  'email',
  'address',
  'account',
  'password',
  'email',
  'address',
  'a.m.',
  'updatewest',
  'virginia',
  'a.m.',
  'update',
  'preview',
  'wv',
  'politicstuesday',
  'newsletter',
  'wv',
  'politics',
  'outdoorsthe',
  'travel',
  'recreation',
  'west',
  'virginia',
  'gothe',
  'entertainment',
  'huddlethe',
  'prep',
  'sport',
  'account',
  'email',
  'detail',
  'password',
  'account',
  'log',
  'link',
  'form',
  'message',
  'email',
  'link',
  'password',
  'email',
  'message',
  'instruction',
  'password',
  'email',
  'address',
  'account',
  'log',
  'link',
  'switch',
  'account',
  'alabamaalaskaarizonaarkansascaliforniacoloradoconnecticutdelawarefloridageorgiahawaiiidahoillinoisindianaiowakansaskentuckylouisianamainemarylandmassachusettsmichiganminnesotamississippimissourimontananebraskanevadanew',
  'hampshirenew',
  'jerseynew',
  'mexiconew',
  'yorknorth',
  'carolinanorth',
  'dakotaohiooklahomaoregonpennsylvaniarhode',
  'islandsouth',
  'carolinasouth',
  'virginiawisconsinwyomingpuerto',
  'ricous',
  'virgin',
  'islandsarmed',
  'forces',
  'americasarmed',
  'forces',
  'pacificarmed',
  'forces',
  'europenorthern',
  'mariana',
  'islandsmarshall',
  'islandsamerican',
  'samoafederated',
  'states',
  'micronesiaguampalaualberta',
  'canadabritish',
  'columbia',
  'canadamanitoba',
  'canadanew',
  'brunswick',
  'canadanewfoundland',
  'canadanova',
  'scotia',
  'canadanorthwest',
  'territories',
  'canadanunavut',
  'canadaontario',
  'canadaprince',
  'edward',
  'island',
  'canadaquebec',
  'canadasaskatchewan',
  'canadayukon',
  'territory',
  'canada',
  'united',
  'states',
  'virgin',
  'islandsunited',
  'states',
  'minor',
  'outlying',
  'islandscanadamexico',
  'united',
  'mexican',
  'statesbahamas',
  'commonwealth',
  'thecuba',
  'republic',
  'ofdominican',
  'republichaiti',
  'republic',
  'ofjamaicaafghanistanalbania',
  'people',
  'socialist',
  'republic',
  'ofalgeria',
  'people',
  'democratic',
  'republic',
  'samoaandorra',
  'principality',
  'ofangola',
  'republic',
  'ofanguillaantarctica',
  'territory',
  'south',
  'deg',
  's)antigua',
  'barbudaargentina',
  'argentine',
  'republicarmeniaarubaaustralia',
  'commonwealth',
  'ofaustria',
  'republic',
  'ofazerbaijan',
  'republic',
  'ofbahrain',
  'kingdom',
  'ofbangladesh',
  'people',
  'republic',
  'ofbarbadosbelarusbelgium',
  'kingdom',
  'ofbelizebenin',
  'people',
  'republic',
  'ofbermudabhutan',
  'kingdom',
  'ofbolivia',
  'republic',
  'ofbosnia',
  'herzegovinabotswana',
  'republic',
  'ofbouvet',
  'island',
  'bouvetoya)brazil',
  'federative',
  'republic',
  'ofbritish',
  'indian',
  'ocean',
  'territory',
  'chagos',
  'virgin',
  'islandsbrunei',
  'darussalambulgaria',
  'people',
  'republic',
  'ofburkina',
  'fasoburundi',
  'republic',
  'ofcambodia',
  'kingdom',
  'ofcameroon',
  'united',
  'republic',
  'ofcape',
  'verde',
  'republic',
  'islandscentral',
  'african',
  'republicchad',
  'republic',
  'ofchile',
  'republic',
  'ofchina',
  'people',
  'republic',
  'ofchristmas',
  'islandcocos',
  'keeling',
  'islandscolombia',
  'republic',
  'ofcomoros',
  'union',
  'thecongo',
  'democratic',
  'republic',
  'ofcongo',
  'people',
  'republic',
  'ofcook',
  'islandscosta',
  'rica',
  'republic',
  'ofcote',
  "d'ivoire",
  'ivory',
  'coast',
  'republic',
  'thecyprus',
  'republic',
  'ofczech',
  'republicdenmark',
  'kingdom',
  'ofdjibouti',
  'republic',
  'ofdominica',
  'commonwealth',
  'ofecuador',
  'republic',
  'ofegypt',
  'arab',
  'republic',
  'ofel',
  'salvador',
  'republic',
  'ofequatorial',
  'guinea',
  'republic',
  'oferitreaestoniaethiopiafaeroe',
  'islandsfalkland',
  'islands',
  'malvinas)fiji',
  'republic',
  'fiji',
  'islandsfinland',
  'republic',
  'offrance',
  'republicfrench',
  'guianafrench',
  'polynesiafrench',
  'southern',
  'territoriesgabon',
  'gabonese',
  'republicgambia',
  'republic',
  'republic',
  'ofgibraltargreece',
  'hellenic',
  'republicgreenlandgrenadaguadaloupeguamguatemala',
  'republic',
  'ofguinea',
  'revolutionary',
  'people',
  "rep'c",
  'ofguinea',
  'bissau',
  'republic',
  'ofguyana',
  'republic',
  'ofheard',
  'mcdonald',
  'islandsholy',
  'vatican',
  'city',
  'state)honduras',
  'republic',
  'ofhong',
  'kong',
  'special',
  'administrative',
  'region',
  'chinahrvatska',
  'croatia)hungary',
  'people',
  'republiciceland',
  'republic',
  'ofindia',
  'republic',
  'ofindonesia',
  'republic',
  'ofiran',
  'islamic',
  'republic',
  'republic',
  'state',
  'italian',
  'republicjapanjordan',
  'hashemite',
  'kingdom',
  'ofkazakhstan',
  'republic',
  'ofkenya',
  'republic',
  'ofkiribati',
  'republic',
  'ofkorea',
  'democratic',
  'people',
  'republic',
  'ofkorea',
  'republic',
  'ofkuwait',
  'state',
  'ofkyrgyz',
  'republiclao',
  'people',
  'democratic',
  'republiclatvialebanon',
  'lebanese',
  'republiclesotho',
  'kingdom',
  'ofliberia',
  'republic',
  'arab',
  'jamahiriyaliechtenstein',
  'oflithuanialuxembourg',
  'grand',
  'duchy',
  'ofmacao',
  'special',
  'administrative',
  'region',
  'chinamacedonia',
  'yugoslav',
  'republic',
  'ofmadagascar',
  'republic',
  'ofmalawi',
  'republic',
  'ofmalaysiamaldives',
  'republic',
  'ofmali',
  'republic',
  'ofmalta',
  'republic',
  'ofmarshall',
  'islandsmartiniquemauritania',
  'islamic',
  'republic',
  'ofmauritiusmayottemicronesia',
  'federated',
  'states',
  'ofmoldova',
  'republic',
  'ofmonaco',
  'ofmongolia',
  'mongolian',
  'people',
  'republicmontserratmorocco',
  'kingdom',
  'ofmozambique',
  'people',
  'republic',
  'ofmyanmarnamibianauru',
  'republic',
  'ofnepal',
  'kingdom',
  'ofnetherlands',
  'antillesnetherlands',
  'kingdom',
  'thenew',
  'caledonianew',
  'zealandnicaragua',
  'republic',
  'ofniger',
  'republic',
  'thenigeria',
  'federal',
  'republic',
  'ofniue',
  'republic',
  'ofnorfolk',
  'islandnorthern',
  'mariana',
  'islandsnorway',
  'kingdom',
  'ofoman',
  'sultanate',
  'islamic',
  'republic',
  'ofpalaupalestinian',
  'territory',
  'occupiedpanama',
  'republic',
  'ofpapua',
  'new',
  'guineaparaguay',
  'republic',
  'ofperu',
  'republic',
  'ofphilippines',
  'republic',
  'thepitcairn',
  'islandpoland',
  'polish',
  'people',
  'republicportugal',
  'portuguese',
  'republicpuerto',
  'ricoqatar',
  'state',
  'socialist',
  'republic',
  'ofrussian',
  'federationrwanda',
  'rwandese',
  'republicsamoa',
  'independent',
  'state',
  'ofsan',
  'marino',
  'republic',
  'tome',
  'principe',
  'democratic',
  'republic',
  'ofsaudi',
  'arabia',
  'kingdom',
  'ofsenegal',
  'republic',
  'ofserbia',
  'montenegroseychelles',
  'republic',
  'ofsierra',
  'leone',
  'republic',
  'ofsingapore',
  'republic',
  'ofslovakia',
  'slovak',
  'republic)sloveniasolomon',
  'islandssomalia',
  'somali',
  'republicsouth',
  'africa',
  'republic',
  'ofsouth',
  'georgia',
  'south',
  'sandwich',
  'islandsspain',
  'spanish',
  'statesri',
  'lanka',
  'democratic',
  'socialist',
  'republic',
  'ofst',
  'helenast',
  'kitts',
  'nevisst',
  'luciast',
  'pierre',
  'miquelonst',
  'vincent',
  'grenadinessudan',
  'democratic',
  'republic',
  'thesuriname',
  'republic',
  'ofsvalbard',
  'jan',
  'mayen',
  'islandsswaziland',
  'kingdom',
  'ofsweden',
  'kingdom',
  'ofswitzerland',
  'swiss',
  'confederationsyrian',
  'arab',
  'republictaiwan',
  'province',
  'chinatajikistantanzania',
  'united',
  'republic',
  'ofthailand',
  'kingdom',
  'oftimor',
  'leste',
  'democratic',
  'republic',
  'oftogo',
  'togolese',
  'republictokelau',
  'tokelau',
  'islands)tonga',
  'kingdom',
  'oftrinidad',
  'tobago',
  'republic',
  'oftunisia',
  'republic',
  'ofturkey',
  'republic',
  'ofturkmenistanturks',
  'caicos',
  'islandstuvaluuganda',
  'republic',
  'arab',
  'emiratesunited',
  'kingdom',
  'great',
  'britain',
  'n.',
  'irelanduruguay',
  'eastern',
  'republic',
  'ofuzbekistanvanuatuvenezuela',
  'bolivarian',
  'republic',
  'ofviet',
  'nam',
  'socialist',
  'republic',
  'ofwallis',
  'futuna',
  'islandswestern',
  'saharayemenzambia',
  'republic',
  'state',
  'alabamaalaskaarizonaarkansascaliforniacoloradoconnecticutdelawarefloridageorgiahawaiiidahoillinoisindianaiowakansaskentuckylouisianamainemarylandmassachusettsmichiganminnesotamississippimissourimontananebraskanevadanew',
  'hampshirenew',
  'jerseynew',
  'mexiconew',
  'yorknorth',
  'carolinanorth',
  'dakotaohiooklahomaoregonpennsylvaniarhode',
  'islandsouth',
  'carolinasouth',
  'virginiawisconsinwyomingpuerto',
  'ricous',
  'virgin',
  'islandsarmed',
  'forces',
  'americasarmed',
  'forces',
  'pacificarmed',
  'forces',
  'europenorthern',
  'mariana',
  'islandsmarshall',
  'islandsamerican',
  'samoafederated',
  'states',
  'micronesiaguampalaualberta',
  'canadabritish',
  'columbia',
  'canadamanitoba',
  'canadanew',
  'brunswick',
  'canadanewfoundland',
  'canadanova',
  'scotia',
  'canadanorthwest',
  'territories',
  'canadanunavut',
  'canadaontario',
  'canadaprince',
  'edward',
  'island',
  'canadaquebec',
  'canadasaskatchewan',
  'canadayukon',
  'territory',
  'canada',
  'united',
  'states',
  'virgin',
  'islandsunited',
  'states',
  'minor',
  'outlying',
  'islandscanadamexico',
  'united',
  'mexican',
  'statesbahamas',
  'commonwealth',
  'thecuba',
  'republic',
  'ofdominican',
  'republichaiti',
  'republic',
  'ofjamaicaafghanistanalbania',
  'people',
  'socialist',
  'republic',
  'ofalgeria',
  'people',
  'democratic',
  'republic',
  'samoaandorra',
  'principality',
  'ofangola',
  'republic',
  'ofanguillaantarctica',
  'territory',
  'south',
  'deg',
  's)antigua',
  'barbudaargentina',
  'argentine',
  'republicarmeniaarubaaustralia',
  'commonwealth',
  'ofaustria',
  'republic',
  'ofazerbaijan',
  'republic',
  'ofbahrain',
  'kingdom',
  'ofbangladesh',
  'people',
  'republic',
  'ofbarbadosbelarusbelgium',
  'kingdom',
  'ofbelizebenin',
  'people',
  'republic',
  'ofbermudabhutan',
  'kingdom',
  'ofbolivia',
  'republic',
  ...],
 ['project',
  'annenberg',
  'public',
  'policy',
  'center',
  'featured',
  'posts',
  'factcheck',
  'posts',
  'scicheck',
  'en',
  'español',
  'claim',
  'players',
  'guide',
  'mission',
  'process',
  'funding',
  'staff',
  'undergraduate',
  'fellows',
  'awards',
  'correction',
  'contact',
  'factcheck',
  'posts',
  'featured',
  'posts',
  'scicheck',
  'california',
  'storms',
  'climate',
  'change',
  'expert',
  'catalina',
  'jaramilloposted',
  'january',
  'february',
  'article',
  'english',
  'español',
  'english',
  'español',
  'storm',
  'california',
  'dec.',
  'jan.',
  'flooding',
  'damage',
  'state',
  'people',
  'series',
  'storm',
  'state',
  'midst',
  'california',
  'year',
  'period',
  'record',
  'climate',
  'couple',
  'year',
  'president',
  'joe',
  'biden',
  'california',
  'jan.',
  'destruction',
  'storm',
  'example',
  'place',
  'wildfire',
  'risk',
  'landslide',
  'weather',
  'climate',
  'change',
  'storm',
  'drought',
  'season',
  'community',
  'california',
  'basis',
  'storm',
  'type',
  'california',
  'climate',
  'change',
  'climate',
  'scientist',
  'climate',
  'change',
  'role',
  'event',
  'degree',
  'julie',
  'kalansky',
  'climate',
  'scientist',
  'scripps',
  'institution',
  'oceanography',
  'university',
  'california',
  'san',
  'diego',
  'interview',
  'area',
  'research',
  'daniel',
  'swain',
  'climate',
  'scientist',
  'university',
  'california',
  'los',
  'angeles',
  'weather',
  'event',
  'result',
  'process',
  'time',
  'space',
  'climate',
  'change',
  'cause',
  'storm',
  'storm',
  'intensity',
  'answer',
  'climate',
  'change',
  'intensity',
  'likelihood',
  'period',
  'precipitation',
  'california',
  'email',
  'question',
  'degree',
  'kind',
  'storm',
  'california',
  'california',
  'series',
  'river',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'air',
  'current',
  'rainstorm',
  'flooding',
  'river',
  'bomb',
  'cyclone',
  'storm',
  'weather',
  'system',
  'river',
  'corridor',
  'atmosphere',
  'transport',
  'water',
  'vapor',
  'tropic',
  'pole',
  'river',
  'sky',
  'noaa',
  'column',
  'vapor',
  'ocean',
  'mountain',
  'water',
  'vapor',
  'precipitation',
  'form',
  'snow',
  'rain',
  'contribution',
  'water',
  'supply',
  '%',
  '%',
  'u.s.',
  'west',
  'coast',
  'precipitation',
  'satellite',
  'image',
  'january',
  'p.m.',
  'river',
  'california',
  'image',
  'noaa-20',
  'satellite',
  'river',
  'moisture',
  'wind',
  'damage',
  'land',
  'storm',
  'river',
  'sequence',
  'potential',
  'megaflood',
  'research',
  'river',
  'f.',
  'martin',
  'ralph',
  'research',
  'meteorologist',
  'director',
  'center',
  'western',
  'weather',
  'water',
  'extreme',
  'scripps',
  'institution',
  'oceanography',
  'scientific',
  'american',
  'kind',
  'storm',
  'system',
  'coast',
  'globe',
  'time',
  'year',
  'yellowstone',
  'national',
  'park',
  'u.s.',
  'wyoming',
  'river',
  'mile',
  'mile',
  'mile',
  'ralph',
  'vapor',
  'time',
  'flow',
  'rate',
  'mississippi',
  'river',
  'gulf',
  'mexico',
  'river',
  'bomb',
  'cyclone',
  '%',
  'river',
  'cyclone',
  'research',
  'cyclone',
  'wind',
  'river',
  'river',
  'condition',
  'cyclone',
  'bomb',
  'cyclone',
  '-',
  'cyclone',
  'drop',
  'pressure',
  'day',
  'result',
  'air',
  'colliding',
  'climate',
  'change',
  'river',
  'climate',
  'modeling',
  'study',
  'climate',
  'river',
  'increase',
  'precipitation',
  'study',
  'climate',
  'change',
  'likelihood',
  'event',
  'flooding',
  'california',
  'effect',
  'climate',
  'change',
  'river',
  'approach',
  'uncertainty',
  'climate',
  'change',
  'impact',
  'intensification',
  'river',
  'effect',
  'swain',
  'climate',
  'scientist',
  'ucla',
  'fact',
  'atmosphere',
  'water',
  'vapor',
  'degree',
  'temperature',
  'increase',
  'rule',
  'thumb',
  '1c',
  'increase',
  'temperature',
  'increase',
  'water',
  'vapor',
  'capacity',
  'atmosphere',
  '%',
  'report',
  'intergovernmental',
  'panel',
  'climate',
  'change',
  'atmosphere',
  'ocean',
  'land',
  'influence',
  'group',
  'evaluation',
  'evidence',
  'quality',
  'agreement',
  'confidence',
  'climate',
  'moisture',
  'atmosphere',
  'season',
  'event',
  'confidence',
  'precipitation',
  'rate',
  '%',
  '°',
  'c',
  'warming',
  'warming',
  'water',
  'vapor',
  'climate',
  'change',
  'storm',
  'travis',
  'a.',
  'o’brien',
  'assistant',
  'professor',
  'earth',
  'science',
  'indiana',
  'university',
  'bloomington',
  'email',
  'climate',
  'model',
  'study',
  'river',
  'warming',
  'river',
  'water',
  'vapor',
  'transport',
  'climate',
  'precipitation',
  'o’brien',
  'atmospheric',
  'river',
  'water',
  'vapor',
  'transport',
  'kalansky',
  'scripps',
  'institution',
  'oceanography',
  'water',
  'wind',
  'vapor',
  'climate',
  'model',
  'world',
  'river',
  'storm',
  'california',
  'rainfall',
  'total',
  'river',
  'event',
  'increase',
  'water',
  'vapor',
  'swain',
  'contribution',
  '%',
  'change',
  'atmospheric',
  'river',
  'intensity',
  'precipitation',
  'increase',
  'remainder',
  'wind',
  'pressure',
  'pattern',
  'factor',
  'thing',
  'scientist',
  'river',
  'way',
  'climate',
  'climate',
  'model',
  'increase',
  'precipitation',
  'response',
  'ar',
  'change',
  'factor',
  'moisture',
  'review',
  'article',
  'response',
  'river',
  'climate',
  'change',
  'nature',
  'case',
  'study',
  'example',
  'river',
  'degree',
  'climate',
  'change',
  'study',
  'river',
  'storm',
  'northern',
  'california',
  'wave',
  'past',
  'climate',
  'scenario',
  'wave',
  'storm',
  'precipitation',
  'warming',
  'wave',
  'precipitation',
  'wave',
  '%',
  '%',
  'day',
  'warming',
  'study',
  '%',
  '%',
  'boost',
  'precipitation',
  'late-21st',
  'century',
  'warming',
  'river',
  'climate',
  'study',
  'o’brien',
  'increase',
  'frequency',
  'river',
  'decrease',
  'change',
  'north',
  'america',
  'issue',
  'o’brien',
  'paper',
  'researcher',
  'river',
  'california',
  'swain',
  'preponderance',
  'evidence',
  'river',
  'future',
  'evidence',
  'river',
  'california',
  'storm',
  'sequence',
  'precipitation',
  'climate',
  'bit',
  'evidence',
  'direction',
  'point',
  'climate',
  'change',
  'series',
  'storm',
  'climate',
  'expert',
  'evidence',
  'degree',
  'event',
  'climate',
  'change',
  'duane',
  'waliser',
  'scientist',
  'nasa',
  'jet',
  'propulsion',
  'laboratory',
  'email',
  'waliser',
  'river',
  'climate',
  'change',
  'effect',
  'study',
  'estimate',
  'effect',
  'climate',
  'change',
  'storm',
  'statement',
  'line',
  'speculation',
  'o’brien',
  'statement',
  'effect',
  'climate',
  'change',
  'storm',
  'detection',
  'attribution',
  'study',
  'detection',
  'attribution',
  'study',
  'influence',
  'climate',
  'variable',
  'example',
  'temperature',
  'variability',
  'report',
  'climate',
  'science',
  'o’brien',
  'event',
  'climate',
  'change',
  'o’brien',
  'detection',
  'attribution',
  'study',
  'storm',
  'month',
  'kalansky',
  'storm',
  'climate',
  'model',
  'california',
  'weather',
  'projection',
  'climate',
  'air',
  'moisture',
  'potential',
  'river',
  'rain',
  'snow',
  'case',
  'storm',
  'study',
  'winter',
  'river',
  'storm',
  'fact',
  'phone',
  'interview',
  'attribution',
  'study',
  'california',
  'climate',
  'variability',
  'word',
  'climate',
  'change',
  'opinion',
  'study',
  'estimate',
  'jan.',
  'midst',
  'storm',
  'michael',
  'wehner',
  'scientist',
  'computational',
  'research',
  'division',
  'lawrence',
  'berkeley',
  'national',
  'laboratory',
  'attribution',
  'statement',
  'climate',
  'change',
  'rain',
  'today',
  'west',
  'coast',
  '%',
  'study',
  'o’brien',
  'study',
  'wehner',
  'estimate',
  'detection',
  'attribution',
  'study',
  'storm',
  'climate',
  'statement',
  '%',
  'number',
  'number',
  'study',
  'storm',
  'total',
  'precipitation',
  'increase',
  '%',
  'degree',
  'c',
  'warming',
  'bit',
  'inference',
  'statement',
  'd&a',
  'study',
  'd&a',
  'study',
  'result',
  'statement',
  'swain',
  'climate',
  'scientist',
  'ucla',
  'estimate',
  'guess',
  '%',
  'range',
  '%',
  '%',
  'rainfall',
  'climate',
  'change',
  'martin',
  'hoerling',
  'research',
  'meteorologist',
  'noaa',
  'physical',
  'sciences',
  'laboratory',
  'email',
  'air',
  'water',
  'vapor',
  'consequence',
  'warming',
  'basis',
  'weather',
  'pattern',
  'today',
  'century',
  'rainstorm',
  '%',
  'precipitation',
  'today',
  'rain',
  'century',
  'example',
  'day',
  'period',
  'record',
  'downtown',
  'san',
  'francisco',
  'inch',
  'rain',
  'inch',
  'december',
  'winter',
  'storm',
  'inch',
  'wehner',
  'reminder',
  'rain',
  'event',
  'record',
  'reminder',
  'nature',
  'human',
  'modification',
  'rain',
  'correction',
  'feb.',
  'quotation',
  'detection',
  'attribution',
  'study',
  'river',
  'editor',
  'note',
  'factcheck.org',
  'advertising',
  'grant',
  'donation',
  'people',
  'donation',
  'credit',
  'card',
  'donation',
  'page',
  'check',
  'factcheck.org',
  'annenberg',
  'public',
  'policy',
  'center',
  's.',
  '36th',
  'st.',
  'philadelphia',
  'pa',
  'storydemocrats',
  'misleadingly',
  'gop',
  'support',
  'fairtax',
  'bill',
  'lawnext',
  'storyu.s.',
  'afghan',
  'war',
  'support',
  'ukraine',
  'claim',
  'scicheck',
  'q',
  'development',
  'wind',
  'energy',
  'farm',
  'u.s.',
  'whale',
  'whale',
  'rate',
  'atlantic',
  'coast',
  'ship',
  'strike',
  'entanglement',
  'fishing',
  'gear',
  'agency',
  'expert',
  'link',
  'wind',
  'activity',
  'risk',
  'question',
  'view',
  'ask',
  'scicheck',
  'question',
  'scicheck',
  'covid-19',
  'vaccination',
  'project',
  'preempting',
  'vaccination',
  'covid-19',
  'misinformation',
  'proyecto',
  'vacunación',
  'covid-19',
  'precaviendo',
  'y',
  'exponiendo',
  'la',
  'desinformación',
  'sobre',
  'el',
  'covid-19',
  'y',
  'sus',
  'vacunas',
  'spiral',
  'internet',
  'rumor',
  'air',
  'staff',
  'tv',
  'radio',
  'newsfeed',
  'defender',
  'medium',
  'literacy',
  'game',
  'misinformation',
  'flackcheck.org',
  'sister',
  'site',
  'literacy',
  'archive',
  'privacy',
  'copyright',
  'policy',
  'contact',
  'report',
  'accessibility',
  'issues',
  'help',
  'copyright',
  'factcheck.org',
  'project',
  'annenberg',
  'public',
  'policy',
  'center',
  'university',
  'pennsylvania'],
 ['business',
  'ri',
  'secretary',
  'state',
  'apply',
  'services',
  'department',
  'human',
  'services',
  'agencies',
  'z',
  'rhode',
  'island',
  'state',
  'agencies',
  'cities',
  'towns',
  'rhode',
  'island',
  'cities',
  'towns',
  'rules',
  'regulations',
  'department',
  'business',
  'regulation',
  'taxes',
  'incentives',
  'rhode',
  'island',
  'commerce',
  'corporation',
  'tips',
  'emergency',
  'preparedness',
  'emergency',
  'management',
  'agency',
  'parks',
  'beaches',
  'campgrounds',
  'division',
  'parks',
  'recreation',
  'government',
  'job',
  'search',
  'state',
  'rhode',
  'island',
  'training',
  'programs',
  'department',
  'labor',
  'training',
  'resources',
  'state',
  'employees',
  'division',
  'human',
  'resources',
  'file',
  'unemployment',
  'claim',
  'department',
  'labor',
  'training',
  'file',
  'tdi',
  'claim',
  'department',
  'labor',
  'training',
  'prepare',
  'disaster',
  'emergency',
  'household',
  'business',
  'community',
  'information',
  'hurricane',
  'sandy',
  'link',
  'link',
  'fema',
  'food',
  'safety',
  'health',
  'drinking',
  'water',
  'quality',
  'health',
  'edt',
  'governor',
  'mckee',
  'mayor',
  'xay',
  'commissioner',
  'infante',
  'green',
  'visit',
  'newport',
  'cyber',
  'camp',
  'importance',
  'year',
  'round',
  'learning',
  'edt',
  'governor',
  'mckee',
  'shares',
  'heat',
  'precautions',
  'detail',
  'local',
  'cooling',
  'centers',
  'edt',
  'mckee',
  'administration',
  'forms',
  'search',
  'committee',
  'new',
  'child',
  'advocate',
  'edt',
  'state',
  'rhode',
  'island',
  'eye',
  'tropical',
  'storm',
  'elsa',
  'edt',
  'state',
  'rhode',
  'island',
  'team',
  'american',
  'red',
  'cross',
  'prevent',
  'house',
  'fire',
  'est',
  'state',
  'rhode',
  'island',
  'significant',
  'storm',
  'damaging',
  'wind',
  'edt',
  'blue',
  'green',
  'algae',
  'bloom',
  'blackamore',
  'pond',
  'cranston',
  'georgiaville',
  'pond',
  'smithfield',
  'edt',
  'free',
  'skin',
  'check',
  'screening',
  'rhode',
  'island',
  'beaches',
  'edt',
  'boil',
  'water',
  'notice',
  'camp',
  'ker',
  'anna',
  'cabin',
  'ri',
  'emergency',
  'management',
  'agency',
  'ri',
  'department',
  'health',
  'hurricane',
  'preparedness',
  'federal',
  'emergency',
  'management',
  'agency',
  'noaa',
  'hurricane',
  'center',
  'american',
  'red',
  'cross',
  'environmental',
  'protection',
  'agency',
  'department',
  'health',
  'human',
  'services',
  'center',
  'disease',
  'control',
  'emergency',
  'shelters',
  'boaters',
  'evacuation',
  'decisions',
  'special',
  'coastal',
  'floods',
  'hurricanes',
  'animal',
  'safety',
  'plan',
  'governor',
  'office',
  'lt',
  'governor',
  'office',
  'secretary',
  'state',
  'general',
  'treasurer',
  'attorney',
  'general',
  'subscriber',
  'services',
  'alert',
  'policy'],
 ['woman',
  'fury',
  'rendition',
  'star',
  'spangled',
  'banner',
  'world',
  'cup',
  'holland',
  'player',
  'anthem',
  'arm',
  'moment',
  'naked',
  'woman',
  'fire',
  'driver',
  'police',
  'chase',
  'san',
  'francisco',
  'bay',
  'bridge',
  'beyonce',
  'mom',
  'tina',
  'knowles',
  'divorce',
  'husband',
  'richard',
  'lawson',
  'year',
  'marriage',
  'difference',
  'outdoors',
  'nbc',
  'report',
  'people',
  'space',
  'trauma',
  'people',
  'trump',
  'flag',
  'ohio',
  'cop',
  'fired',
  'footage',
  'k-9',
  'trucker',
  'hand',
  'police',
  'chase',
  'mud',
  'flap',
  'acting',
  'meghan',
  'markle',
  'actor',
  'strike',
  'warning',
  'sign',
  'alzheimer',
  'symptom',
  'study',
  'michael',
  'jackson',
  'abuse',
  'lawsuit',
  'wade',
  'robson',
  'james',
  'safechuck',
  'appeal',
  'court',
  'revealed',
  'california',
  'gov.',
  'gavin',
  'newsom',
  'hollywood',
  'strike',
  'industry',
  'billion',
  'state',
  'economy',
  'chaos',
  'ariana',
  'grande',
  'boyfriend',
  'ethan',
  'slater',
  'divorce',
  'wife',
  'actor',
  'family',
  'vampire',
  'appliance',
  'cash',
  'device',
  'energy',
  'bill',
  'somber',
  'michelle',
  'martha',
  'vineyard',
  'golf',
  'club',
  'game',
  'tennis',
  'outing',
  'chef',
  'paddle',
  'boarding',
  'obamas',
  'home',
  'joe',
  'rogan',
  'critic',
  'jason',
  'aldean',
  'song',
  'small',
  'town',
  'rap',
  'song',
  'revealed',
  'marines',
  'carbon',
  'monoxide',
  'poisoning',
  'car',
  'gas',
  'station',
  'camp',
  'lejeune',
  'search',
  'la',
  'attorney',
  'downtown',
  'area',
  'day',
  'family',
  'moment',
  'judge',
  'hunter',
  'sweetheart',
  'plea',
  'deal',
  'tax',
  'gun',
  'charge',
  'investigation',
  'judge',
  'hunter',
  'job',
  'president',
  'son',
  'drug',
  'alcohol',
  'employment',
  'condition',
  'release',
  'plea',
  'deal',
  'hunter',
  'biden',
  'extent',
  'drug',
  'alcohol',
  'use',
  'president',
  'addict',
  'son',
  'rehab',
  'stint',
  'year',
  'court',
  'appearance',
  'hunter',
  'plea',
  'deal',
  'joe',
  'president',
  'line',
  'son',
  'deal',
  'china',
  'ukraine',
  'republicans',
  'allegation',
  'hunter',
  'biden',
  'prosecutor',
  'crime',
  'deal',
  'china',
  'ukraine',
  'joe',
  'read',
  'email',
  'hunter',
  'biden',
  'lawyer',
  'trick',
  'information',
  'son',
  'sweetheart',
  'plea',
  'deal',
  'falls',
  'apart',
  'karine',
  'jean',
  'pierre',
  'rejects',
  'white',
  'house',
  'story',
  'joe',
  'knowledge',
  'hunter',
  'deal',
  'press',
  'secretary',
  'plea',
  'deal',
  'firearm',
  'possession',
  'speaker',
  'kevin',
  'mccarthy',
  'collapse',
  'hunter',
  'plea',
  'deal',
  'charge',
  'republicans',
  'sweetheart',
  'agreement',
  'prosecutor',
  'reunion',
  'ex',
  'elon',
  'musk',
  'grimes',
  'vacation',
  'portofino',
  'year',
  'child',
  'x',
  'billionaire',
  'dine',
  'son',
  'saxon',
  'terrifying',
  'moment',
  'tornado',
  'nebraska',
  'highway',
  'inch',
  'car',
  'dozen',
  'twister',
  'america',
  'heartlandnebraska',
  'colorado',
  'kansas',
  'oklahoma',
  'louisiana',
  'twister',
  'footage',
  'moment',
  'tornado',
  'nebraska',
  'highway',
  'noble',
  'oklahoma',
  'business',
  'home',
  'potter',
  'dailymail',
  'com',
  'alyssa',
  'guzman',
  'dailymail',
  'com',
  'edt',
  'edt',
  'footage',
  'moment',
  'tornado',
  'nebraska',
  'highway',
  'car',
  'twister',
  'dozen',
  'tornado',
  'state',
  'nebraska',
  'colorado',
  'kansas',
  'oklahoma',
  'montana',
  'louisiana',
  'video',
  'footage',
  'weather',
  'system',
  'building',
  'nebraska',
  'highway',
  'traffic',
  'twister',
  'inch',
  'highway',
  'car',
  'past',
  'weather',
  'great',
  'plains',
  'south',
  'weekend',
  'storm',
  'building',
  'path',
  'video',
  'supermarket',
  'roof',
  'noble',
  'oklahoma',
  'business',
  'home',
  'storm',
  'tornado',
  'damage',
  'cole',
  'oklahoma',
  'picture',
  'roof',
  'barn',
  'image',
  'roof',
  'grocery',
  'store',
  'noble',
  'oklahoma',
  'friday',
  'gas',
  'station',
  'noble',
  'oklahoma',
  'damage',
  'storm',
  'nebraska',
  'colorado',
  'kansas',
  'oklahoma',
  'louisiana',
  'weather',
  'twister',
  'thursday',
  'evening',
  'weather',
  'roll',
  'country',
  'national',
  'weather',
  'service',
  'tornado',
  'county',
  'nebraska',
  'kansas',
  'friday',
  'evening',
  'weather',
  'warning',
  'missouri',
  'texas',
  'wind',
  'mph',
  'damage',
  'state',
  'storm',
  'hail',
  'rainfall',
  'county',
  'damage',
  'area',
  'midwest',
  'national',
  'weather',
  'service',
  'extent',
  'destruction',
  'morning',
  'report',
  'death',
  'result',
  'tornado',
  'weskan',
  'kansas',
  'tornado',
  'school',
  'roof',
  'structure',
  'stadium',
  'bleacher',
  'scoreboard',
  'shelter',
  'gym',
  'waterfall',
  'roof',
  'water',
  'rain',
  'principal',
  'weskan',
  'schools',
  'jeff',
  'montero',
  "kwch.'and",
  'building',
  'glass',
  'office',
  'office',
  'classroom',
  'stuff',
  'sky',
  "'weskan",
  'schools',
  'day',
  'end',
  'year',
  'alum',
  'bleacher',
  'graduation',
  'ceremony',
  'bleacher',
  'school',
  'week',
  'half',
  'twister',
  'structure',
  'montero',
  'weskan',
  'kansas',
  'tornado',
  'school',
  'roof',
  'stadium',
  'bleacher',
  'scoreboard',
  'weskan',
  'schools',
  'day',
  'end',
  'year',
  'alum',
  'bleacher',
  'graduation',
  'ceremony',
  'bleacher',
  'school',
  'week',
  'half',
  'twister',
  'structure',
  'tree',
  'roadway',
  'kansas',
  'twister',
  'pictured)other',
  'tornado',
  'mcdonald',
  'grove',
  'county',
  'edson',
  'kansas',
  'accuweather',
  'colorado',
  'tornado',
  'arapahoe',
  'county',
  'denver',
  'tornado',
  'nebraska',
  'twister',
  'great',
  'plains',
  'downpour',
  'hail',
  'area',
  'average',
  'month',
  'rain',
  'day',
  'cherry',
  'creek',
  'reservoir',
  'state',
  'park',
  'colorado',
  'inch',
  'tuesday',
  'roadway',
  'hole',
  'crack',
  'asphalt',
  'share',
  'comment',
  'article',
  'moment',
  'tornado',
  'nebraska',
  'highway',
  'dozen',
  'twister',
  'heartland',
  'ariana',
  'grande',
  'boyfriend',
  'co',
  '-',
  'star',
  'ethan',
  'slater',
  'divorce',
  'wife',
  'jennifer',
  'garner',
  'arm',
  'leg',
  'matching',
  'legging',
  'santa',
  'monica',
  'sinead',
  "o'connor",
  'music',
  'legend',
  'year',
  'health',
  'battle',
  'month',
  'son',
  'sinead',
  "o'connor",
  'video',
  'star',
  'clip',
  'toll',
  'teen',
  'son',
  'suicide',
  'day',
  'summer',
  "lovin'",
  'princess',
  'beatrice',
  'edoardo',
  'mapelli',
  'mozzi',
  'display',
  'board',
  'boat',
  'holiday',
  'saint',
  'tropez',
  'taste',
  'victory',
  'celsius',
  'official',
  'energy',
  'drink',
  'inter',
  'miami',
  'fan',
  'soccer',
  'superstar',
  'lionel',
  'messi',
  'florida',
  'team',
  'ex',
  'elon',
  'musk',
  'grimes',
  'vacation',
  'portofino',
  'musician',
  'year',
  'son',
  'x',
  'resort',
  'russell',
  'crowe',
  'essay',
  'sinead',
  "o'connor",
  'meeting',
  'pub',
  'ireland',
  'height',
  'depression',
  'hero',
  'beyonce',
  'mom',
  'tina',
  'knowles',
  'divorce',
  'husband',
  'richard',
  'lawson',
  'year',
  'marriage',
  'difference',
  'charlie',
  'sheen',
  'outing',
  'son',
  'ex',
  '-',
  'wife',
  'brooke',
  'mueller',
  'pair',
  'head',
  'lunch',
  'father',
  'son',
  'malibu',
  'selena',
  'gomez',
  'birthday',
  'shout',
  'ex',
  '-',
  'bff',
  'francia',
  'raisa',
  'feud',
  'taylor',
  'swift',
  'kidney',
  'transplant',
  'bursting',
  'flavor',
  'tastebud',
  'japan',
  'firework',
  'festivals',
  'tokyotreat',
  'snack',
  'box',
  'treat',
  'tori',
  'kelly',
  'husband',
  'wood',
  'hospitalization',
  'blood',
  'clot',
  'leg',
  'lung',
  'britney',
  'spears',
  'removed',
  'content',
  'mother',
  'sister',
  'book',
  'teresa',
  'giudice',
  'pack',
  'pda',
  'husband',
  'luis',
  'ruelas',
  'bikini',
  'body',
  'devon',
  'windsor',
  'figure',
  'bikini',
  'month',
  'birth',
  'child',
  'jennifer',
  'garner',
  'twin',
  'mom',
  'sweatshirt',
  'pie',
  'instagram',
  'rosalía',
  'ex',
  '-',
  'rauw',
  'alejandro',
  'role',
  'decision',
  'engagement',
  'gina',
  'kirschenheiter',
  'sobriety',
  'real',
  'housewives',
  'orange',
  'county',
  'season',
  'thing',
  'cardi',
  'b',
  'husband',
  'offset',
  'song',
  'jealousy',
  'migos',
  'rapper',
  'murder',
  'building',
  'season',
  'trailer',
  'meryl',
  'streep',
  'paul',
  'rudd',
  'selena',
  'gomez',
  'martin',
  'short',
  'steve',
  'martin',
  'case',
  'cameron',
  'diaz',
  'happiness',
  'pal',
  'sighting',
  'comeback',
  'movie',
  'jamie',
  'foxx',
  'superstar',
  'valet',
  'parking',
  'lot',
  'la',
  'bronny',
  'james',
  'road',
  'recovery',
  'parent',
  'lebron',
  'savannah',
  'chance',
  'health',
  'end',
  'career',
  'sinead',
  "o'connor",
  'star',
  'prince',
  'song',
  'u',
  'hit',
  'vacuum',
  'amazon',
  'shopper',
  '120w',
  'stick',
  'vacuum',
  'cleaner',
  'model',
  'shark',
  'dyson',
  'paris',
  'hilton',
  'crocs',
  'boot',
  'video',
  'look',
  'internet',
  'jordyn',
  'woods',
  'curve',
  'swimsuit',
  'mykonos',
  'day',
  'reunion',
  'bff',
  'kylie',
  'jenner',
  'teen',
  'mom',
  'tyler',
  'baltierra',
  'onlyfans',
  'help',
  'wife',
  'catelynn',
  'sex',
  'porn',
  'taylor',
  'swift',
  'fan',
  'era',
  'spotify',
  'feature',
  'margot',
  'robbie',
  'laughter',
  'barbie',
  'co',
  '-',
  'star',
  'ryan',
  'gosling',
  'hercules',
  'ninety',
  'tv',
  'hayley',
  'atwell',
  'bathtub',
  'medium',
  'post',
  'month',
  'engagement',
  'songwriter',
  'ned',
  'wolfgang',
  'kelly',
  'eden',
  'confidential',
  'princess',
  'wales',
  'brother',
  'dog',
  'food',
  'company',
  'spaniel',
  'time',
  'jennifer',
  'aniston',
  'list',
  'hollywood',
  'lister',
  'sandra',
  'bullock',
  'birthday',
  'oscar',
  'winner',
  'justin',
  'bieber',
  'arm',
  'hoodie',
  'shoulder',
  'smoke',
  'break',
  'kid',
  'la',
  'white',
  'dream',
  'tooth',
  'pen',
  'year',
  'stain',
  'week',
  '%',
  'kelly',
  'ripa',
  'blonder',
  'highlight',
  'summer',
  'vacation',
  'husband',
  'mark',
  'consuelos',
  'post',
  'malone',
  'rumor',
  'drug',
  'interview',
  'bethenny',
  'frankel',
  'weird',
  'fan',
  'seafood',
  'order',
  'video',
  'medium',
  'nene',
  'leakes',
  'boyfriend',
  'nyonisela',
  'sioh',
  'break',
  'lady',
  'holla',
  'drew',
  'barrymore',
  'cat',
  'print',
  'pajama',
  'lap',
  'toronto',
  'set',
  'bingo',
  'jersey',
  'shore',
  'mike',
  'situation',
  'sorrentino',
  'cover',
  'memoir',
  'reality',
  'check',
  'drug',
  'addiction',
  'gwyneth',
  'paltrow',
  'bone',
  'broth',
  'diet',
  'pasta',
  'restaurant',
  'new',
  'york',
  'city',
  'gwyneth',
  'spaghetti',
  'sister',
  'wife',
  'star',
  'tony',
  'padron',
  'pound',
  'transformation',
  'wife',
  'mykelti',
  'weight',
  'loss',
  'journey',
  'olivia',
  'rodrigo',
  'cleavage',
  'bra',
  'tummy',
  'crop',
  'holiday',
  'game',
  'solution',
  'stain',
  'clothe',
  'leonardo',
  'dicaprio',
  'vegan',
  'trainer',
  'company',
  'boss',
  'love',
  'brand',
  'hailey',
  'bieber',
  'midriff',
  'crop',
  'short',
  'coffee',
  'juice',
  'los',
  'angeles',
  'toni',
  'collette',
  'tribute',
  'sinead',
  "o'connor",
  'music',
  'legend',
  'death',
  'woman',
  'jessie',
  'james',
  'decker',
  'secret',
  'shape',
  'kid',
  'career',
  'gym',
  'walk',
  'bubble',
  'bath',
  'wine',
  'royals',
  'princess',
  'mako',
  'nyc',
  'bus',
  'husband',
  'couple',
  'outing',
  'title',
  ...],
 ['eastrest',
  'worldmad',
  'worldphotosvideosweb',
  'storiesindia',
  'usus',
  'electionsgun',
  'violence',
  'newsus',
  'newstornadoes',
  'texas',
  'oklahoma',
  'storm',
  'forecasttrendingcharlie',
  'chaplin',
  'daughterarati',
  'prabhakartacit',
  'blasphemy',
  'lawglobal',
  'food',
  'crisislisa',
  'franchettitochina',
  'warplanesblack',
  'sea',
  'portcharlie',
  'chaplin',
  'daughterarati',
  'prabhakartacit',
  'blasphemy',
  'lawglobal',
  'food',
  'crisislisa',
  'franchettitochina',
  'warplanesblack',
  'sea',
  'portcharlie',
  'chaplin',
  'daughterarati',
  'prabhakartacit',
  'blasphemy',
  'lawglobal',
  'food',
  'crisislisa',
  'franchettitochina',
  'warplanesblack',
  'sea',
  'portthis',
  'story',
  'texas',
  'oklahoma',
  'storm',
  'forecastap',
  'istshareaa+text',
  'readingtornadoe',
  'texas',
  'oklahoma',
  'storm',
  'forecasthow',
  'global',
  'mba',
  'university',
  'western',
  'australia',
  'uwa',
  'tech',
  'career',
  'boost',
  'edge',
  'transition',
  'leadership',
  'position',
  'subvariant',
  'uswhite',
  'house',
  'correspondentsâ\x80\x99',
  'dinner',
  'superspreader',
  'eventseminole',
  'storm',
  'system',
  'tornado',
  'area',
  'texas',
  'oklahoma',
  'damage',
  'school',
  'marijuana',
  'farm',
  'structure',
  'report',
  'injury',
  'wednesday',
  'night',
  'tornado',
  'system',
  'flooding',
  'oklahoma',
  'arkansas',
  'weather',
  'place',
  'thursday',
  'damage',
  'oklahoma',
  'city',
  'seminole',
  'mile',
  'kilometer',
  'southeast',
  'oklahoma',
  'city',
  'gov.',
  'kevin',
  'stitt',
  'damage',
  'assessment',
  'area',
  "thursday.â\x80\x9c(we're",
  'resource',
  'supply',
  'city',
  'need',
  'generator',
  'stitt',
  'lord',
  'hurtâ\x80\x9d',
  'death',
  'customer',
  'power',
  'seminole',
  'thursday',
  'afternoon',
  'oklahoma',
  'gas',
  'electric',
  '%',
  'utility',
  'customer',
  'city',
  'academy',
  'seminole',
  'hit',
  'school',
  'facebook',
  'video',
  'footage',
  'oklahoma',
  'tv',
  'station',
  'koco',
  'tornado',
  'marijuana',
  'farm',
  'town',
  'maud',
  'road',
  'highway',
  'thursday',
  'morning',
  'oklahoma',
  'arkansas',
  'flash',
  'flooding',
  'bixby',
  'oklahoma',
  'tulsa',
  'official',
  'shelter',
  'church',
  'thunderstorm',
  'home',
  'street',
  'neighborhood',
  'east',
  'texas',
  'tornado',
  'thursday',
  'camper',
  'building',
  'rv',
  'park',
  'rusk',
  'county',
  'sheriff',
  'johnwayne',
  'valdez',
  'ktre',
  'tv',
  'valdez',
  'injury',
  'wednesday',
  'tornadoâ\x80\x9d',
  'community',
  'lockett',
  'mile',
  'kilometer',
  'northwest',
  'dallas',
  'national',
  'weather',
  'service',
  'office',
  'norman',
  'oklahoma',
  'injury',
  'death',
  'resident',
  'wilbarger',
  'county',
  'sheriff',
  'brian',
  'fritze',
  'kauz',
  'tv',
  'home',
  'barn',
  'damage',
  'storm',
  'wednesday',
  'thursday',
  'round',
  'weather',
  'united',
  'states',
  'week',
  'tornado',
  'building',
  'wichita',
  'suburb',
  'andover',
  'kansas',
  'university',
  'oklahoma',
  'meteorology',
  'student',
  'car',
  'crash',
  'storm',
  'storm',
  'state',
  'tornado',
  'hail',
  'wind',
  'threat',
  'weather',
  'friday',
  'south',
  'weekend',
  'plains',
  'midwest',
  'weather',
  'service',
  'follow',
  'social',
  'media',
  'story',
  'vegetable',
  'taste',
  'profile',
  'potato',
  'too!foodamericaâ\x80\x99s',
  'nightlife',
  'citiestravelmadhuri',
  'dixit',
  'salad',
  'recipe',
  'thing',
  'year',
  'yamuna',
  'flood',
  'water',
  'touch',
  'wall',
  'taj',
  'mahalindia10',
  'baby',
  'folkloreindia12',
  'railway',
  'station',
  'food',
  'indiafood10',
  'curries',
  'tomatoesfoodthis',
  'august',
  'place',
  'south',
  'indiatravel10',
  'exercise',
  'belly',
  'oil',
  'chickpeas',
  'namkeenfood',
  'next123electionsmadhya',
  'pradesh',
  'electionsrajasthan',
  'elections',
  'electionstelangana',
  'election',
  'electionsassembly',
  'election',
  'trendsindia',
  'west',
  'indiesearthquake',
  'jaipurice',
  'hockey',
  'ladakhmanipur',
  'violencevirat',
  'kohliindia',
  'west',
  'indies',
  'storiesin',
  'worldentire',
  'websitemanipur',
  'violence',
  'news',
  'live',
  'update',
  'woman',
  'congress',
  'aap',
  'mp',
  'discussion',
  'lok',
  'sabhalive',
  'landslide',
  'raigad',
  'rescue',
  'op',
  'waythree',
  'earthquake',
  'jaipur',
  'month',
  'fir',
  'day',
  'video',
  'surface',
  'manipur',
  'horrorsc',
  'ordinance',
  'plea',
  'judge',
  'bench',
  'design',
  'ux',
  'iit',
  'global',
  'mba',
  'programjaison',
  'john',
  'soy',
  'potential',
  'protein140',
  'crore',
  'indians',
  'incident',
  'pm',
  'modi16',
  'landslide',
  'burie',
  'hamlet',
  'maharashtramanipur',
  'ripple',
  'mizoram',
  'outfit',
  'meiteis',
  'govt',
  'safety',
  'tensionindia',
  'hand',
  'warship',
  'vietnam',
  'eye',
  "china'manipur",
  'govt',
  'tribal',
  "hills'5",
  'video',
  'woman',
  'bengal2nd',
  'test',
  'athanaze',
  'holder',
  'india',
  'hunt',
  'yamuna',
  'warning',
  'hathnikund',
  'volume',
  "up'we",
  'wild',
  "animals'hc",
  'exemption',
  'asiad',
  'trial',
  'phogat',
  'punianetflix',
  'user',
  'password',
  'video',
  'woman',
  'manipurâ\x80\x99s',
  'adterms',
  'use',
  'grievance',
  'redressal',
  'policy',
  'privacy',
  'policyadvertise',
  'usrssnewsletterfeedbackepapersitemaparchivesfollow',
  'onother',
  'times',
  'group',
  'news',
  'sitesthe',
  'economic',
  'timeshindi',
  'economic',
  'timesnavbharat',
  'timesmaharashtra',
  'timesvijaya',
  'karnatakatelugu',
  'samayamtamil',
  'samayammalayalam',
  'samayamei',
  'samayi',
  'gujarattimes',
  'nowtimes',
  'navbharattimespointsindiatimesbrand',
  'capitaleducation',
  'timestimes',
  'foodmiss',
  'kyrapopular',
  'newsbusiness',
  'newsindia',
  'newsworld',
  'newsbollywood',
  'newshealth',
  'fitness',
  'tipsindian',
  'tv',
  'showscelebrity',
  'photoshot',
  'webvitamin',
  'b',
  'foodblood',
  'sugarghee',
  'benefitslocal',
  'foodtomatoes',
  'benefitsketika',
  'sharmakareena',
  'kapoorbest',
  'places',
  'south',
  'indiabelly',
  'fatblood',
  'sugartop',
  'trendsindia',
  'west',
  'indiesearthquake',
  'jaipurice',
  'hockey',
  'ladakhmanipur',
  'violencevirat',
  'kohliindia',
  'west',
  'indies',
  'scoremumbai',
  'rain',
  'newsengland',
  'australiarahul',
  'gandhi',
  'defamation',
  'caseindia',
  'pakistan',
  'finalparliament',
  'monsoon',
  'session',
  'mosque',
  'casemamata',
  'banerjeeayodhya',
  'ram',
  'mandirmaharashtra',
  'landslideitr',
  'filingkerala',
  'plus',
  'exam',
  'resultindia',
  'west',
  'indies',
  'topicspotatoes',
  'benefitstrial',
  'period',
  'reviewmouni',
  'roykeerthy',
  'sureshbollywood',
  'filmsbawaal',
  'reviewmasoor',
  'dalrelationships',
  'tipstollywood',
  'divassakshi',
  'agarwalparenting',
  'tipssana',
  'sayyadameen',
  'madathilhealthy',
  'dinner',
  'recipearjun',
  'rampalbarbie',
  'movie',
  'reviewvivo',
  'y55slaptop',
  'routerstablet',
  'newsviral',
  'videosfeminaetimesgraziazoomtravel',
  'destinationsbombay',
  'timescricbuzz.comfilmfaretvlifestylelongwalks',
  'appnewspaper',
  'subscriptionfood',
  'newstimes',
  'primewhats',
  'hotservicescouponduniamagicbrickstechgigtimesjobsbollywood',
  'newstimes',
  'mobilegadgets',
  'â',
  'bennett',
  'coleman',
  'co.',
  'ltd.',
  'right',
  'reprint',
  'right',
  'times',
  'syndication',
  'service'],
 ['police',
  'suspect',
  'child',
  'bike',
  'st.',
  'louis',
  'sunday',
  'year',
  'man',
  'wednesday',
  'night',
  'st.',
  'louis',
  'forecast',
  'heat',
  'saturday',
  'severe',
  'weather',
  'weather',
  'building',
  'crawford',
  'county',
  'remnant',
  'city',
  'building',
  'street',
  'sign',
  'caution',
  'tape',
  'example',
  'video',
  'title',
  'video',
  'pm',
  'cdt',
  'april',
  'cdt',
  'april',
  'sullivan',
  'mo.',
  'saturday',
  'night',
  'powerline',
  'metal',
  'debris',
  'building',
  'sullivan',
  'missouri',
  'storm',
  'bi',
  '-',
  'state',
  'afternoon',
  'evening',
  'damage',
  'region',
  'finding',
  'national',
  'weather',
  'services',
  'tornado',
  'valley',
  'park',
  'missouri',
  'monroe',
  'county',
  'illinois',
  'tornado',
  'crawford',
  'county',
  'resident',
  'impact',
  'rain',
  'wind',
  'metal',
  'wood',
  'building',
  'church',
  'main',
  'street',
  'sullivan',
  'fire',
  'department',
  'road',
  'roof',
  'city',
  'street',
  'department',
  'building',
  'remnant',
  'structure',
  'street',
  'sign',
  'caution',
  'tape',
  'crew',
  'damage',
  'viewer',
  'photo',
  'tree',
  'house',
  'emergency',
  'manager',
  'water',
  'damage',
  'debris',
  'area',
  'crawford',
  'electric',
  'co',
  '-',
  'op',
  'city',
  'resident',
  'power',
  'roadway',
  'damage',
  'road',
  'prep',
  'world',
  'storm',
  'spotter',
  'thing',
  'jared',
  'boast',
  'crawford',
  'county',
  'commissioner',
  'district',
  'wind',
  'mile',
  'hour',
  'truck',
  'ford',
  'edge',
  'bank',
  'drive',
  'roof',
  'jim',
  'short',
  'city',
  'plan',
  'damage',
  'daylight',
  'sunday',
  'broadcast',
  'report',
  '+',
  'roku',
  'amazon',
  'fire',
  'tv',
  'city',
  'sc',
  'policy',
  'lightning',
  'storm',
  'st.',
  'louis',
  'area',
  'tornado',
  'st.',
  'louis',
  'forecast',
  'heat',
  'saturday',
  'eeo',
  'public',
  'file',
  'report',
  'fcc',
  'online',
  'public',
  'inspection',
  'file',
  'closed',
  'caption',
  'procedure',
  'personal',
  'information',
  'ksdk',
  'tv',
  'rights',
  'ksdk',
  'notification',
  'news',
  'weather',
  'notification',
  'browser',
  'setting'],
 ['colonial',
  'revolutionary',
  'century',
  'century',
  'civil',
  'war',
  '20th',
  'century',
  'civil',
  'rights',
  '21st',
  'century',
  'winner',
  'emmy',
  'awards',
  'southeast',
  'chapter',
  'national',
  'academy',
  'television',
  'arts',
  'sciences',
  'today',
  'georgia',
  'history',
  'collaboration',
  'georgia',
  'historical',
  'society',
  'georgia',
  'public',
  'broadcasting',
  'hurricane',
  'force',
  'katrina',
  'georgia',
  'coast',
  'day',
  'sea',
  'island',
  'storm',
  'people',
  'hurricane',
  'coast',
  'georgia',
  'sea',
  'islands',
  'way',
  'mile',
  'foot',
  'storm',
  'surge',
  'hurricane',
  'landfall',
  'savannah',
  'wind',
  'mph',
  'category',
  'storm',
  'pressure',
  'storm',
  'east',
  'coast',
  'impact',
  'property',
  'damage',
  'million',
  'savannah',
  'paper',
  'governor',
  'william',
  'northen',
  'clara',
  'barton',
  'red',
  'cross',
  'relief',
  'help',
  'october',
  'sea',
  'island',
  'storm',
  'history',
  'hour',
  'night',
  'august',
  'today',
  'georgia',
  'history',
  'vocabulary',
  'daily',
  'activity',
  'image',
  'credits',
  'century',
  'disaster',
  'newspaper',
  'people',
  'places',
  'environments',
  'storm',
  'weather',
  'watie',
  'general',
  'winfield',
  'scott',
  'georgia',
  'land',
  'lottery',
  'building',
  'sea',
  'island',
  'repair',
  'storm'],
 ['advertisementskip',
  'main',
  'contentaccessibility',
  'helpthe',
  'weather',
  'channeltype',
  'character',
  'auto',
  'complete',
  'location',
  'search',
  'query',
  'option',
  'arrow',
  'selection',
  'search',
  'city',
  'zip',
  'codesearchrecentsyou',
  'locationsglobeus',
  '°',
  'farrow',
  '°',
  'f',
  '°',
  'chybridimperial',
  'f',
  'mph',
  'mile',
  'inchesamericasarrow',
  'downantigua',
  'barbuda',
  'englishargentina',
  'españolbahamas',
  'englishbarbados',
  'englishbelize',
  'englishbolivia',
  'españolbrazil',
  'portuguêscanada',
  'englishcanada',
  'françaischile',
  'españolcolombia',
  'españolcosta',
  'rica',
  'españoldominica',
  'englishdominican',
  'republic',
  '',
  '',
  'españolecuador',
  'españolel',
  'salvador',
  '',
  '',
  'españolgrenada',
  'englishguatemala',
  'españolguyana',
  'englishhaiti',
  'françaishonduras',
  'españoljamaica',
  'englishmexico',
  'españolnicaragua',
  'españolpanama',
  'españolpanama',
  'englishparaguay',
  'españolperu',
  '',
  '',
  'españolst',
  'kitts',
  'nevis',
  'englishst',
  'lucia',
  '',
  '',
  'englishst',
  'vincent',
  'grenadines',
  'englishsuriname',
  'nederlandstrinidad',
  'tobago',
  'englishuruguay',
  'españolunited',
  'states',
  'englishunited',
  'states',
  'españolvenezuela',
  'españolafricaarrow',
  'downalgeria',
  'françaisangola',
  'portuguêsbenin',
  'françaisburkina',
  'faso',
  'françaisburundi',
  'françaiscameroon',
  '',
  '',
  'françaiscameroon',
  '',
  '',
  'englishcape',
  'verde',
  'portuguêscentral',
  'african',
  'republic',
  'françaischad',
  'françaischad',
  'العربيةcomoro',
  'françaiscomoros',
  '',
  '',
  'العربيةdemocratic',
  'republic',
  'congo',
  '',
  '',
  'françaisrepublic',
  'congo',
  'françaiscôte',
  "d'ivoire",
  'françaisdjibouti',
  'françaisdjibouti',
  'العربيةegypt',
  'العربيةequatorial',
  'guinea',
  'españoleritrea',
  'françaisgambia',
  'englishghana',
  'englishguinea',
  'françaisguinea',
  'bissau',
  'portuguêskenya',
  'englishlesotho',
  'englishliberia',
  'englishlibya',
  'العربيةmadagascar',
  'françaismali',
  'françaismauritania',
  'العربيةmauritius',
  '',
  '',
  'englishmauritius',
  'françaismorocco',
  '',
  '',
  'françaismozambique',
  'portuguêsnamibia',
  'englishniger',
  'françaisnigeria',
  'englishrwanda',
  'françaisrwanda',
  'englishsao',
  'tome',
  'principe',
  'portuguêssenegal',
  'françaissierra',
  'leone',
  'englishsomalia',
  'africa',
  'englishsouth',
  'sudan',
  'englishsudan',
  '',
  '',
  'englishtanzania',
  'françaistunisia',
  'العربيةuganda',
  'englishasia',
  'pacificarrow',
  'downaustralia',
  'englishbangladesh',
  'বাংলাbrunei',
  'bahasa',
  'melayuchina',
  'kong',
  'sar',
  '',
  '',
  'timor',
  'portuguêsfiji',
  'englishindia',
  'english',
  'englishindia',
  'hindi',
  'हिन्दीindonesia',
  'bahasa',
  'indonesiajapan',
  'englishsouth',
  'korea',
  '한국어kyrgyzstan',
  'русскийmalaysia',
  'bahasa',
  'melayumarshall',
  'islands',
  'englishmicronesia',
  'englishnew',
  'zealand',
  'englishpalau',
  'englishphilippines',
  'englishphilippines',
  'tagalogsamoa',
  'englishsingapore',
  'englishsingapore',
  '',
  '',
  '中文solomon',
  'islands',
  'englishtaiwan',
  '中文thailand',
  'ไทยtonga',
  'englishtuvalu',
  'englishvanuatu',
  'englishvanuatu',
  'françaisvietnam',
  'tiếng',
  'việteuropearrow',
  'downandorra',
  'catalàandorra',
  'françaisaustria',
  'deutschbelarus',
  'русскийbelgium',
  'dutchbelgium',
  'françaisbosnia',
  'herzegovina',
  'hrvatskicroatia',
  'hrvatskicyprus',
  'ελληνικάczech',
  'republic',
  'češtinadenmark',
  'danskestonia',
  'русскийestonia',
  'eestifinland',
  'suomifrance',
  'françaisgermany',
  'deutschgreece',
  'ελληνικάhungary',
  'magyarireland',
  'englishitaly',
  'italianoliechtenstein',
  'deutschluxembourg',
  'françaismalta',
  'englishmonaco',
  'françaisnetherlands',
  'nederlandsnorway',
  'norskpoland',
  'polskiportugal',
  'portuguêsromania',
  'românărussia',
  'русскийsan',
  'marino',
  'italianoslovakia',
  'slovenčinaspain',
  'españolspain',
  'catalàsweden',
  'svenskaswitzerland',
  'deutschturkey',
  'turkçeukraine',
  'українськаunited',
  'kingdom',
  'englishstate',
  'vatican',
  'city',
  'holy',
  'italianomiddle',
  'eastarrow',
  'downbahrain',
  'فارسىiraq',
  'العربيةisrael',
  'עִבְרִיתjordan',
  '',
  '',
  'العربيةlebanon',
  'العربيةpakistan',
  'اردوpakistan',
  'englishqatar',
  'arabia',
  'العربيةsyria',
  'arab',
  'emirates',
  'العربيةweathertoday',
  'forecasthourly',
  'forecastweekend',
  'forecastmonthly',
  'forecastnational',
  'forecastnational',
  'newsalmanacradarweather',
  'motionradar',
  'mapsclassic',
  'weather',
  'mapsregional',
  'satelliteseveresevere',
  'alertssafety',
  'preparednesshurricane',
  'centralaccountsign',
  'upgo',
  'premiumlog',
  'inget',
  'newsletterweb',
  'notificationsnewvideo',
  'photostop',
  'storiesvideophotosclimate',
  'newsexternal',
  'linkaward',
  'investigationsexternal',
  'linkhealth',
  'activitiesallergy',
  'trackercold',
  'fluair',
  'quality',
  'forecasttv',
  'weatheralexa',
  'skillexternal',
  'linkwatch',
  'liveexternal',
  'linkpersonalitiesexternal',
  'linkweather',
  'productsalexa',
  'skillexternal',
  'linkseasonal',
  'dealsprivacyreview',
  'privacy',
  'ad',
  'settingsdata',
  'rightsprivacy',
  'policyarrow',
  'leftarrow',
  'righttodayhourly10',
  'dayweekendmonthlyradarvideovideomore',
  'forecastsmorearrow',
  'forecastsyesterday',
  'weatherexternal',
  'linkallergy',
  'trackercold',
  'fluair',
  'quality',
  'forecastadvertisementnewsat',
  'dead',
  'alabama',
  'tornado',
  'storms',
  'carve',
  'path',
  'destruction',
  'south',
  'jan',
  'wesner',
  'childs',
  'ron',
  'brackett',
  'january',
  'glancea',
  'tornado',
  'selma',
  'alabama',
  'homes',
  'lagrange',
  'georgia',
  'power',
  'outage',
  'article',
  'news',
  'morning',
  'brief',
  'email',
  'newsletter',
  'update',
  'weather',
  'channel',
  'meteorologist',
  'people',
  'damage',
  'injury',
  'area',
  'weather',
  'tornado',
  'southeast',
  'thursday',
  'tornado',
  'path',
  'destruction',
  'selma',
  'alabama',
  'home',
  'business',
  'area',
  'semis',
  'power',
  'line',
  'outage',
  'alabama',
  'tennessee',
  'georgia',
  'watch',
  'dhere',
  'update',
  'day',
  'thursday.(7\u200b:36',
  'et',
  'dead',
  'tornado',
  'life',
  'people',
  'autauga',
  'county',
  'alabama',
  'fatality',
  'emergency',
  'management',
  'director',
  'ernie',
  'baggett',
  'weather.com',
  'phone',
  'minute',
  'home',
  'damage',
  'death',
  'home',
  'area',
  'community',
  'marbury',
  'old',
  'kingston',
  'effort',
  'p.m.',
  'et',
  'report',
  'death',
  'report',
  'death',
  'autauga',
  'county',
  'alabama',
  'dispatcher',
  'weather.com',
  'official',
  'field',
  'emergency',
  'county',
  'mile',
  'selma',
  'city',
  'prattville',
  'ernie',
  'baggett',
  'county',
  'emergency',
  'management',
  'director',
  'associated',
  'press',
  'home',
  'p.m.',
  'et',
  'griffin',
  'georgia',
  'resident',
  'team',
  'power',
  'street',
  'storm',
  'debris',
  'help',
  'update',
  'city',
  'evening',
  'home',
  'detail',
  'emergency',
  'et',
  'state',
  'emergency',
  'alabama',
  'countiesgov',
  'kay',
  'ivey',
  'state',
  'emergency',
  'autauga',
  'chambers',
  'coosa',
  'dallas',
  'elmore',
  'tallapoosa',
  'et',
  'georgia',
  'power',
  'outage',
  'power',
  'outage',
  'georgia',
  'poweroutage.u.s',
  'alabama',
  'tennessee',
  'et',
  'selma',
  'impact',
  "substantial'r\u200bicky",
  'adams',
  'field',
  'operations',
  'director',
  'alabama',
  'emergency',
  'agency',
  'weather',
  'channel',
  'update',
  'situation',
  'selma',
  '“the',
  'damage',
  'adams',
  'report',
  'injury',
  'report',
  'fatality',
  'point',
  'county',
  'ema',
  'staff',
  'resident',
  'area',
  'state',
  'sight',
  'seeing',
  'alert',
  'possibility',
  'weather',
  'vehicle',
  'home',
  'thursday',
  'jan.',
  'selma',
  'ala.',
  'tornado',
  'home',
  'tree',
  'alabama',
  'thursday',
  'storm',
  'system',
  'south',
  'ap',
  'photo',
  'butch',
  'dill)(\u200b5:35',
  'p.m.',
  'et',
  'damage',
  'business',
  'griffin',
  'georgiaa\u200bt',
  'car',
  'walmart',
  'griffin',
  'georgia',
  'report',
  'damage',
  'business',
  'p.m.',
  'et',
  'woman',
  'escapes',
  'tree',
  'limb',
  'sheriff',
  'office',
  'carroll',
  'county',
  'georgia',
  'woman',
  'office',
  'community',
  'fairfield',
  'plantation',
  'tree',
  'limb',
  'photo',
  'limb',
  'desk',
  'report',
  'damage',
  'tree',
  'power',
  'outage',
  'county',
  'storm',
  'sheriff',
  'facebook',
  'post',
  'injury',
  'time',
  'county',
  'southwest',
  'atlanta.(\u200b4:01',
  'et',
  'photo',
  'damage',
  'southc\u200bheck',
  'slideshow',
  'photo',
  'image',
  'leftarrow',
  'righta',
  'structure',
  'debris',
  'aftermath',
  'weather',
  'thursday',
  'jan.',
  'selma',
  'ala.',
  'tornado',
  'home',
  'tree',
  'alabama',
  'thursday',
  'storm',
  'system',
  'south',
  'ap',
  'photo',
  'butch',
  'dill)(3\u200b:53',
  'et',
  'tornado',
  'report',
  'georgiat\u200bhere',
  'report',
  'tornado',
  'georgia',
  'hartsfield',
  'jackson',
  'atlanta',
  'international',
  'airport',
  'ground',
  'stop',
  'place',
  'flights.(\u200b3:46',
  'p.m.',
  'et',
  'multi',
  '-',
  'vortex',
  'tornado',
  'elmore',
  'countya\u200b',
  'photo',
  'medium',
  'tornado',
  'vortex',
  't"his',
  'tornado',
  'mile',
  'montgomery',
  'alabama',
  'thursday',
  'afternoon',
  'weather.com',
  'com',
  'meteorologist',
  'jonathan',
  'erdman',
  '-',
  'vortex',
  'tornado',
  'suction',
  'vortex',
  'circulation',
  'damage',
  'tornado',
  'et',
  'thousand',
  'power',
  'power',
  'outage',
  'alabama',
  'tennessee',
  'georgia',
  'poweroutage.us',
  'breakdown',
  'tennessee',
  'alabama',
  'georgia',
  'outage',
  'people',
  'household',
  'building',
  'roof',
  'house',
  'tree',
  'branch',
  'landscape',
  'tornado',
  'selma',
  'alabama',
  'thursday',
  'jan.',
  '@tributarybattle',
  'twitter)(\u200b3:02',
  'et',
  'look',
  'selma',
  'damage',
  'city.(\u200b2:50',
  'et',
  'damage',
  'mobile',
  'countyp\u200bhoto',
  'damage',
  'movico',
  'mobile',
  'alabamal',
  'picture',
  'home',
  'et',
  'selma',
  'students',
  'safea\u200bll',
  'student',
  'selma',
  'school',
  'wfsa',
  'tv',
  'superintendent',
  'school',
  'weather',
  'lockdown',
  'hour',
  'p.m.',
  'et',
  'extensive',
  'power',
  'outage',
  'selma',
  'areaadvertisementm\u200bore',
  'half',
  'electricity',
  'account',
  'dallas',
  'county',
  'alabama',
  'power',
  'poweroutage.us',
  'selma',
  'county',
  'seat',
  'et',
  'roof',
  'selma',
  'country',
  'cluba\u200b',
  'photo',
  'medium',
  'damage',
  'p.m.',
  'et',
  'report',
  'person',
  'missingt\u200bhe',
  'mayor',
  'selma',
  'person',
  'building',
  'broad',
  'street',
  'wfsa',
  'tv',
  'power',
  'line',
  'emergency',
  'situation',
  'report.(\u200b1:39',
  'p.m.',
  'et',
  'tornado',
  'damage',
  'selma',
  'alabamat\u200bhe',
  'national',
  'weather',
  'service',
  'report',
  'damage',
  'selma',
  'alabama',
  'tornado',
  'p.m.',
  'et',
  'tornado',
  'mercer',
  'county',
  'kentuckyt\u200bhe',
  'national',
  'weather',
  'service',
  'ef1',
  'tornado',
  'wind',
  'mph',
  'morning',
  'west',
  'harrodsburg',
  'kentucky',
  'survey',
  'progress',
  '\u200b12:19',
  'p.m.',
  'et',
  'georgia',
  'school',
  'district',
  'dismissalss\u200bchool',
  'banks',
  'county',
  'student',
  'p.m',
  'today',
  'school',
  'gilmer',
  'county',
  'dismissal',
  'noon',
  'p.m.',
  'school.(\u200b12:06',
  'p.m.',
  'et',
  'birmingham',
  'opens',
  'storm',
  'sheltersfour',
  'storm',
  'shelter',
  'birmingham',
  'jimmie',
  'hudson',
  'park',
  'pratt',
  'city',
  'park',
  'smithfield',
  'estates',
  'park',
  'south',
  'hampton',
  'school',
  'city',
  'tornado',
  'weather',
  'refuge',
  'shelter',
  'room',
  'basement',
  'room',
  'level',
  'structure.(\u200b11:51',
  'a.m.',
  'et',
  'severe',
  'weather',
  'reports',
  'statest\u200bhe',
  'national',
  'weather',
  'service',
  'dozen',
  'report',
  'tornado',
  'hail',
  'wind',
  'alabama',
  'kentucky',
  'mississippi',
  'wind',
  'gust',
  'mph',
  'mooresville',
  'alabama',
  'southwest',
  'hunstville.-\u200bquarter',
  'size',
  'hail',
  'butler',
  'county',
  'kentucky',
  'northwest',
  'bowling',
  'green.-\u200ba',
  'home',
  'tornado',
  'sumter',
  'county',
  'alabama',
  'mississippi',
  'state',
  'line.(\u200b11:35',
  'a.m.',
  'et',
  'sheriff',
  'boathouse',
  'damagedphotos',
  'morgan',
  'county',
  'alabama',
  'sheriff',
  'office',
  'damage',
  'a\u200b',
  'boathouse',
  'agency',
  'boathouse',
  'highway',
  'report',
  'vehicle',
  'damage.(\u200b11:15',
  'a.m.',
  'et',
  'downed',
  'power',
  'lines',
  'overturned',
  'vehicles"\u200bwe',
  'lot',
  'power',
  'line',
  'residence',
  'power',
  'vehicle',
  'morgan',
  'county',
  'alabama',
  'emergency',
  'management',
  'specialist',
  'hillary',
  'granbois',
  'phone',
  'interview',
  'report',
  'injury',
  'debris',
  'injury',
  'morgan',
  'county',
  'town',
  'decatur',
  'photo',
  'damage',
  'morning.(\u200b11',
  'a.m.',
  'et',
  'county',
  'courthouse',
  'power',
  'outaget\u200bhe',
  'courthouse',
  'morgan',
  'county',
  'courthouse',
  'decatur',
  'alabama',
  'power',
  'outage',
  'outage',
  'state',
  'poweroutage.us.(\u200b10:49',
  'a.m.',
  'et',
  'semi',
  'semitrailer',
  'decatur',
  'alabama',
  'report',
  'storm',
  'damage',
  'injuries.(\u200b10:41',
  'a.m.',
  'et',
  'atlanta',
  'area',
  'schools',
  'earlys\u200bchool',
  'administrator',
  'cobb',
  'county',
  'georgia',
  'weather',
  'tweet',
  'condition',
  'change',
  'dismissal',
  'time',
  'a.m.',
  'et',
  'resident',
  'harrodsburg',
  'kentuckyo\u200bfficial',
  'people',
  ...],
 ['associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'storm',
  'death',
  'south',
  'dakota',
  'minnesota',
  'sioux',
  'falls',
  's.d.',
  'ap',
  'wind',
  'tornado',
  'damage',
  'midwest',
  'official',
  'round',
  'weather',
  'week',
  'people',
  'minnesota',
  'grain',
  'bin',
  'car',
  'thursday',
  'passenger',
  'blomkest',
  'kandiyohi',
  'county',
  'sheriff',
  'office',
  'person',
  'thursday',
  'sioux',
  'falls',
  'south',
  'dakota',
  'result',
  'weather',
  'mayor',
  'paul',
  'tenhaken',
  'detail',
  'south',
  'dakota',
  'minnehaha',
  'county',
  'sheriff',
  'mike',
  'milstead',
  'wendy',
  'lape',
  'wentworth',
  'husband',
  'vehicle',
  'p.m.',
  'thursday',
  'line',
  'wind',
  'wall',
  'dust',
  'dirt',
  'debris',
  'mile',
  'hour',
  'visibility',
  'debris',
  'chunk',
  'wood',
  'window',
  'car',
  'milstead',
  'briefing',
  'sioux',
  'falls',
  'friday',
  'sentencing',
  'arizona',
  'mother',
  'murder',
  'child',
  'abuse',
  'starvation',
  'son',
  'bluffing',
  'putin',
  'deployment',
  'weapon',
  'belarus',
  'saber',
  'england',
  'home',
  'crowd',
  'women',
  'world',
  'cup',
  'australia',
  'lape',
  'injury',
  'friday',
  'morning',
  'official',
  'week',
  'storm',
  'wind',
  'rain',
  'report',
  'tornado',
  'minnesota',
  'storm',
  'meteorologist',
  'mexico',
  'city',
  'wednesday',
  'car',
  'crash',
  'danger',
  'weather',
  'storm',
  'friday',
  'upper',
  'great',
  'lakes',
  'great',
  'plains',
  'wind',
  'hail',
  'south',
  'dakota',
  'gov.',
  'kristi',
  'noem',
  'emergency',
  'declaration',
  'state',
  'personnel',
  'resource',
  'community',
  'noem',
  'damage',
  'report',
  'county',
  '“we',
  'storm',
  'community',
  'state',
  'noem',
  'briefing',
  'department',
  'public',
  'safety',
  'office',
  'emergency',
  'management',
  'emergency',
  'operations',
  'center',
  'response',
  'government',
  'authority',
  'wind',
  'thursday',
  'mph',
  'kph',
  'south',
  'dakota',
  'national',
  'weather',
  'service',
  'meteorologist',
  'todd',
  'heitkamp',
  'sioux',
  'falls',
  'friday',
  'tornado',
  'castlewood',
  'damage',
  'wind',
  'thursday',
  'nursing',
  'home',
  'salem',
  'south',
  'dakota',
  'damage',
  'roof',
  'resident',
  'storm',
  'power',
  'thousand',
  'customer',
  'south',
  'dakota',
  'state',
  'university',
  'campus',
  'brookings',
  'thursday',
  'night',
  'noem',
  'castlewood',
  'tornado',
  'roof',
  'school',
  'wall',
  'castlewood',
  'high',
  'school',
  'sophomore',
  'erowyn',
  'funge',
  'street',
  'school',
  'storm',
  'minute',
  'argus',
  'leader',
  'table',
  'porch',
  'funge',
  'tree',
  'branch',
  'debris',
  'castlewood',
  'power',
  'line',
  'highway',
  'town',
  'minnesota',
  'stevens',
  'county',
  'wind',
  'mph',
  '113',
  'kph',
  'grain',
  'silo',
  'storage',
  'alberta',
  'minnesota',
  'state',
  'patrol',
  'interstate',
  'hour',
  'thursday',
  'night',
  'truck',
  'freeway',
  'associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights'],
 ['app',
  'searchsign',
  'inkansa',
  'citysee',
  'locationsclosekansas',
  'citysee',
  'storiessafetyfood',
  'drinksportssee',
  'moreadditional',
  'contentnational',
  'newslocal',
  'newsletternewsbreak',
  'corporateabout',
  'uscontributorspublishersadvertisersterm',
  'use',
  'privacy',
  'policydo',
  'sell',
  'share',
  'info',
  'help',
  'centersign',
  'kansas',
  'city',
  'mo',
  'update',
  'resource',
  'storm',
  'damage',
  'yard',
  'waste',
  'track',
  'power',
  'outage',
  'kansas',
  'cityby',
  'nick',
  'sloan,12',
  'day',
  'agoby',
  'nick',
  'day',
  'agogo',
  'publisher',
  'newsbreakcomments',
  '0add',
  'commentyou',
  'missouri',
  'stateindependence',
  'woman',
  'deal',
  'home',
  'buyer',
  'property',
  'assessmentindependence',
  'mo2',
  'day',
  'child',
  'togetherkansas',
  'city',
  'mo1',
  'day',
  'agomost',
  'popular5',
  'gaming',
  'machine',
  'authority',
  'cass',
  'county',
  'gas',
  'stationharrisonville',
  'mo1',
  'day',
  'agoget',
  'kansas',
  'city',
  'mo',
  'update',
  'emailsubscribe',
  'particle',
  'medium',
  'term',
  'use',
  'privacy',
  'policydo',
  'sell',
  'share',
  'info',
  'help',
  'centercomments',
  '0closecommunity',
  'policy'],
 ['storm',
  'team4',
  'forecast',
  'commander',
  '24/7',
  'nbc4',
  'newsletters',
  'news',
  'standards',
  'storm',
  'team4',
  'forecast',
  'stretch',
  'day',
  'forecast',
  'weather',
  'd.c.',
  'maryland',
  'virginia',
  'storm',
  'team4',
  'nbc',
  'washington',
  'staff',
  'june',
  'july',
  'pm',
  'd.c.',
  'weather',
  'emergency',
  'plan',
  'sunday',
  'information',
  'center',
  'story',
  'newsletter',
  '4front',
  'news',
  'inbox',
  'heat',
  'wednesday',
  'afternoon',
  'high',
  '90',
  'heat',
  'index',
  '°',
  'thursday',
  'chance',
  'storm',
  'friday',
  'rain',
  'chance',
  'afternoon',
  'high',
  'way',
  '°',
  'time',
  'august',
  'heat',
  'index',
  '°',
  'summer',
  'afternoon',
  'district',
  'weather',
  'emergency',
  'plan',
  'sunday',
  'd.c.',
  'transportation',
  'center',
  'resource',
  'd.c.',
  'montgomery',
  'county',
  'heat',
  'emergency',
  'alert',
  'a.m.',
  'thursday',
  'p.m.',
  'saturday',
  'resource',
  'county',
  'heat',
  'index',
  'temperature',
  'temperature',
  'thing',
  'moisture',
  'air',
  'difference',
  'moisture',
  'air',
  'summer',
  'heat',
  'index',
  'feels',
  'temperature',
  'body',
  'humidity',
  'heat',
  'body',
  'degree',
  'time',
  'sun',
  'fever',
  'body',
  'sweat',
  'heat',
  'evaporation',
  'process',
  'day',
  'sweat',
  'body',
  'body',
  'meteorologist',
  'heat',
  'index',
  'air',
  'temperature',
  'story',
  'heat',
  'index',
  'air',
  'temperature',
  'humidity',
  'heat',
  'index',
  'thermometer',
  'factor',
  'summer',
  'month',
  'heat',
  'safety',
  'meteorologist',
  'risk',
  'impact',
  'summer',
  'heat',
  'weekend',
  'outlook',
  'day',
  'forecast',
  'saturday',
  'scorcher',
  'rain',
  'chance',
  'heat',
  'humidity',
  'storm',
  'sunday',
  'temperature',
  'mid-80',
  'week',
  'quickcast',
  'wednesday',
  'sunnyhot',
  'humidheat',
  'index',
  'near',
  '°',
  'wind',
  'south',
  'mphchance',
  'rain',
  '°',
  '°',
  'wednesday',
  'night',
  'clearmild',
  'muggyareas',
  'fog',
  'possiblewind',
  'south',
  'mphchance',
  'rain',
  '°',
  '°',
  'air',
  'quality',
  'today',
  'map',
  'dc',
  'area',
  'dc',
  'heat',
  'emergency',
  'plan',
  'day',
  'thursday',
  'cloudy',
  'breezyhot',
  'humidheat',
  'index',
  'near',
  '°',
  'chance',
  'rain',
  'southwest',
  'mphhighs',
  '°',
  '°',
  'friday',
  'sunnydangerously',
  'hot',
  'humidheat',
  'index',
  '°',
  '°',
  'chance',
  'rain',
  'southwest',
  'mphhighs',
  '°',
  '°',
  'saturday',
  'clouds',
  'breezyhot',
  'humidpm',
  'storms',
  'likelywind',
  'northwest',
  'mphchance',
  'rain',
  '°',
  '°',
  'sunrise',
  'a.m.',
  'sunset',
  'p.m.',
  'high',
  '°',
  'low',
  '°',
  'storm',
  'team4',
  'forecast',
  'nbc',
  'washington',
  'app',
  'android',
  'weather',
  'alert',
  'phone',
  'article',
  'storm',
  'forecastweather',
  'hour',
  'dc',
  'shooting',
  'consulates',
  'mexico',
  'guatemala',
  'citizen',
  'dc',
  'crime',
  'woman',
  'collision',
  'prince',
  'george',
  'county',
  'woman',
  'car',
  'route',
  'prince',
  'george',
  'co.',
  'virginia',
  'man',
  'daughter',
  'house',
  'fire',
  'missouri',
  'nbc4',
  'washington',
  'news',
  'standards',
  'tips',
  'investigations',
  'newsletters',
  'wrc',
  'public',
  'inspection',
  'file',
  'wrc',
  'accessibility',
  'wrc',
  'employment',
  'information',
  'feedback',
  'fcc',
  'applications',
  'terms',
  'service',
  'privacy',
  'policy',
  'privacy',
  'choices',
  'advertise',
  'notice',
  'ad',
  'choice',
  'copyright',
  'nbcuniversal',
  'media',
  'llc',
  'right'],
 ['news',
  'datum',
  'analytic',
  'market',
  'aboutrefinitivreuter',
  'statesat',
  'tornado',
  'thunderstorm',
  'alabamareutersjanuary',
  'utcupdated',
  'agojan',
  'reuters',
  'people',
  'alabama',
  'thursday',
  'thunderstorm',
  'tornado',
  'region',
  'official',
  'autauga',
  'county',
  'sheriff',
  'spokeswoman',
  'reuters',
  'people',
  'storm',
  'detail',
  'alabamians',
  'storm',
  'state',
  'prayer',
  'community',
  'weather',
  'people',
  'alabama',
  'governor',
  'kay',
  'ivey',
  'friend',
  'justin',
  'amber',
  'wallace',
  'damage',
  'home',
  'tornado',
  'deatsville',
  'alabama',
  'u.s.',
  'january',
  'reuters',
  'evan',
  'garciaautauga',
  'county',
  'coroner',
  'buster',
  'barber',
  'people',
  'debris',
  'tornado',
  'barber',
  'formation',
  'ivey',
  'thursday',
  'state',
  'emergency',
  'alabama',
  'county',
  'storm',
  'autauga',
  'chambers',
  'coosa',
  'dallas',
  'elmore',
  'tallapoosa',
  'wind',
  'rain',
  'home',
  'thousand',
  'customer',
  'power',
  'georgia',
  'mississippi',
  'alabama',
  'flight',
  'hartsfield',
  'jackson',
  'atlanta',
  'international',
  'airport',
  'charlotte',
  'douglas',
  'international',
  'airport',
  'kanishka',
  'singh',
  'alexandra',
  'ulmer',
  'dan',
  'whitcomb',
  'sandra',
  'malerour',
  'standards',
  'thomson',
  'reuters',
  'trust',
  'principles',
  'read',
  'nextarticle',
  'statescategorytop',
  'senate',
  'republican',
  'mitch',
  'mcconnell',
  'press',
  'airline',
  'detail',
  'newark',
  'new',
  'jersey',
  'airport',
  'flight',
  'statescategorypolice',
  'officer',
  'dog',
  'man',
  'ohio',
  'traffic',
  'stopjuly',
  'statescategoryus',
  'base',
  'papua',
  'new',
  'guinea',
  'defense',
  'secretary',
  'says4:48',
  'utc',
  'agomore',
  'reutersworldblinken',
  'release',
  'niger',
  'presidentafricacategory',
  'july',
  'utcu.s.',
  'secretary',
  'state',
  'antony',
  'blinken',
  'thursday',
  'release',
  'niger',
  'president',
  'mohamed',
  'bazoum.article',
  'galleryunited',
  'statescategoryus',
  'house',
  'republicans',
  'hurdle',
  'spending',
  'share',
  'fed',
  'stick',
  'utc',
  'agoarticle',
  'salvador',
  'trial',
  'thousand',
  'crime',
  'aircraft',
  'drone',
  'syria',
  '-white',
  'housejuly',
  '2023site',
  'indexbrowseworldbusinessmarketssustainabilitylegalbreakingviewstechnologyinvestigations',
  'tabsportssciencelifestyleabout',
  'reutersabout',
  'reuters',
  'tabcareer',
  'tabreuters',
  'news',
  'agency',
  'attribution',
  'guidelines',
  'leadership',
  'fact',
  'check',
  'tabreuters',
  'diversity',
  'report',
  'informeddownload',
  'app',
  'tabnewsletter',
  'tabinformation',
  'trustreuter',
  'news',
  'medium',
  'division',
  'thomson',
  'reuters',
  'world',
  'multimedia',
  'news',
  'provider',
  'billion',
  'people',
  'day',
  'reuters',
  'business',
  'news',
  'professional',
  'desktop',
  'terminal',
  'world',
  'medium',
  'organization',
  'industry',
  'event',
  'consumer',
  'usthomson',
  'reuters',
  'productswestlaw',
  'tabbuild',
  'argument',
  'content',
  'attorney',
  'editor',
  'expertise',
  'industry',
  'technology',
  'onesource',
  'tabthe',
  'solution',
  'tax',
  'compliance',
  'need',
  'checkpoint',
  'tabthe',
  'industry',
  'leader',
  'information',
  'tax',
  'accounting',
  'finance',
  'professional',
  'refinitiv',
  'productsrefinitiv',
  'workspace',
  'tab',
  'access',
  'datum',
  'news',
  'content',
  'workflow',
  'experience',
  'desktop',
  'web',
  'refinitiv',
  'data',
  'catalogue',
  'tab',
  'browse',
  'portfolio',
  'time',
  'market',
  'datum',
  'insight',
  'source',
  'expert',
  'refinitiv',
  'world',
  'check',
  'tabscreen',
  'risk',
  'individual',
  'entity',
  'risk',
  'business',
  'relationship',
  'network',
  'advertise',
  'tabadvertising',
  'guidelines',
  'tabcoupon',
  'tabcookie',
  'tabterms',
  'use',
  'tabprivacy',
  'tabdigital',
  'accessibility',
  'tabcorrection',
  'feedback',
  'taball',
  'quote',
  'minimum',
  'minute',
  'list',
  'exchange',
  'delay',
  'reuters',
  'right'],
 ['permission',
  'article',
  'account',
  'dashboard',
  'profile',
  'item',
  'today',
  'sky',
  'low',
  '62f.',
  'wnw',
  'mph',
  'tonight',
  'sky',
  'low',
  '62f.',
  'wnw',
  'mph',
  'july',
  'pm',
  'weather',
  'authority',
  'alert',
  'storm',
  'temp',
  'montana',
  'oct',
  'oct',
  'weather',
  'authority',
  'alert',
  'snow',
  'cold',
  'set',
  'montana',
  'mid',
  '-',
  'week',
  'weekend',
  'storm',
  'inch',
  'snow',
  'way',
  'montana',
  'state',
  'friday',
  'saturday',
  'blizzard',
  'condition',
  'wind',
  'driving',
  'condition',
  'temperature',
  'western',
  'montana',
  'winter',
  'storm',
  'area',
  'friday',
  'afternoon',
  'mid',
  '-',
  'day',
  'saturday',
  'snow',
  'wind',
  'factor',
  'snow',
  'visibility',
  'mountain',
  'pass',
  'driving',
  'condition',
  'storm',
  'temperature',
  'saturday',
  'monday',
  'central',
  'montana',
  'snow',
  'friday',
  'afternoon',
  'saturday',
  'night',
  'driver',
  'snow',
  'road',
  'visibility',
  'snow',
  'travel',
  'plan',
  'friday',
  'saturday',
  'weather',
  'state',
  'weekend',
  'frostbite',
  'concern',
  'eastern',
  'montana',
  'snow',
  'region',
  'friday',
  'evening',
  'saturday',
  'morning',
  'snow',
  'total',
  'inch',
  'record',
  'cold',
  'factor',
  'wednesday',
  'monday',
  'temperature',
  '20',
  'teen',
  'temperature',
  'digit',
  'disability',
  'organization',
  'year',
  'americans',
  'disability',
  'act',
  'law',
  'billings',
  'mayor',
  'cole',
  'noose',
  'display',
  'downtown',
  'billings',
  'watch',
  'weather',
  'authority',
  'alert',
  'winter',
  'storm',
  'snow',
  'visibility',
  'temperature',
  'storm',
  'falls-',
  'inclement',
  'weather',
  'montana',
  'friday',
  'st',
  'bear',
  'spray',
  'temperature',
  'start',
  'deer',
  'elk',
  'season',
  'weekend',
  'temperature',
  'kulr8',
  'story',
  'inbox',
  'headlines',
  'email',
  'evening',
  'success',
  'email',
  'link',
  'list',
  'signup',
  'error',
  'error',
  'request',
  'email',
  'address',
  'articlesseveral',
  'deck',
  'collapse',
  'briarwood',
  'country',
  'club',
  'billingscrow',
  'agency',
  'woman',
  'scale',
  'drug',
  'investigation',
  'methbilling',
  'mayor',
  'cole',
  'noose',
  'display',
  'downtown',
  'billingsfire',
  'billings',
  'auto',
  'repair',
  'motorcycle',
  'collision',
  'billingsfreight',
  'train',
  'havre',
  'car',
  'derailedearthquake',
  'southwest',
  'boyd',
  'fridaytwo',
  'fire',
  'billings',
  'friday',
  'afternoonmontana',
  'highway',
  'patrol',
  'detail',
  'crash',
  'grand',
  'ave',
  'billingsrosebud',
  'county',
  'sheriff',
  'office',
  'help',
  'individual',
  'officer',
  'commentedsorry',
  'result',
  'article',
  'update',
  'covid-19',
  'outbreak',
  'inbox',
  'success',
  'email',
  'link',
  'list',
  'signup',
  'error',
  'error',
  'request',
  'nonstop',
  'local',
  'daily',
  'briefing',
  'news',
  'weather',
  'sport',
  'information',
  'region',
  'news',
  'source',
  'email',
  'address',
  'video',
  'section',
  'vitalant',
  'emergency',
  'blood',
  'shortage',
  'summer',
  'season',
  'montana',
  'chapter',
  'moms',
  'liberty',
  'advocate',
  'book',
  'billings',
  'public',
  'library',
  'billings',
  'ymca',
  'grant',
  'design',
  'mural',
  'relay',
  'life',
  'yellowstone',
  'support',
  'cancer',
  'patient',
  'community',
  'member',
  'relay',
  'life',
  'yellowstone',
  'billing',
  'year',
  'boy',
  'monkey',
  'yellowstone',
  'drag',
  'strip',
  'border',
  'wars',
  'race',
  'montana',
  'wyoming',
  'driver',
  'homefront',
  'landlord',
  'summit',
  'section',
  'housing',
  'kulr8.com',
  'overland',
  'ave',
  'billings',
  'mt',
  'phone',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'blox',
  'content',
  'management',
  'system',
  'blox',
  'digital',
  'minute',
  'news',
  'device'],
 ['eastrest',
  'worldmad',
  'worldphotosvideosweb',
  'storiesindia',
  'usus',
  'electionsgun',
  'violence',
  'newsus',
  'newstornadoes',
  'texas',
  'oklahoma',
  'storm',
  'forecasttrendingcharlie',
  'chaplin',
  'daughterarati',
  'prabhakartacit',
  'blasphemy',
  'lawglobal',
  'food',
  'crisislisa',
  'franchettitochina',
  'warplanesblack',
  'sea',
  'portcharlie',
  'chaplin',
  'daughterarati',
  'prabhakartacit',
  'blasphemy',
  'lawglobal',
  'food',
  'crisislisa',
  'franchettitochina',
  'warplanesblack',
  'sea',
  'portcharlie',
  'chaplin',
  'daughterarati',
  'prabhakartacit',
  'blasphemy',
  'lawglobal',
  'food',
  'crisislisa',
  'franchettitochina',
  'warplanesblack',
  'sea',
  'portthis',
  'story',
  'texas',
  'oklahoma',
  'storm',
  'forecastap',
  'istshareaa+text',
  'readingtornadoe',
  'texas',
  'oklahoma',
  'storm',
  'forecasthow',
  'global',
  'mba',
  'university',
  'western',
  'australia',
  'uwa',
  'tech',
  'career',
  'boost',
  'edge',
  'transition',
  'leadership',
  'position',
  'subvariant',
  'uswhite',
  'house',
  'correspondentsâ\x80\x99',
  'dinner',
  'superspreader',
  'eventseminole',
  'storm',
  'system',
  'tornado',
  'area',
  'texas',
  'oklahoma',
  'damage',
  'school',
  'marijuana',
  'farm',
  'structure',
  'report',
  'injury',
  'wednesday',
  'night',
  'tornado',
  'system',
  'flooding',
  'oklahoma',
  'arkansas',
  'weather',
  'place',
  'thursday',
  'damage',
  'oklahoma',
  'city',
  'seminole',
  'mile',
  'kilometer',
  'southeast',
  'oklahoma',
  'city',
  'gov.',
  'kevin',
  'stitt',
  'damage',
  'assessment',
  'area',
  "thursday.â\x80\x9c(we're",
  'resource',
  'supply',
  'city',
  'need',
  'generator',
  'stitt',
  'lord',
  'hurtâ\x80\x9d',
  'death',
  'customer',
  'power',
  'seminole',
  'thursday',
  'afternoon',
  'oklahoma',
  'gas',
  'electric',
  '%',
  'utility',
  'customer',
  'city',
  'academy',
  'seminole',
  'hit',
  'school',
  'facebook',
  'video',
  'footage',
  'oklahoma',
  'tv',
  'station',
  'koco',
  'tornado',
  'marijuana',
  'farm',
  'town',
  'maud',
  'road',
  'highway',
  'thursday',
  'morning',
  'oklahoma',
  'arkansas',
  'flash',
  'flooding',
  'bixby',
  'oklahoma',
  'tulsa',
  'official',
  'shelter',
  'church',
  'thunderstorm',
  'home',
  'street',
  'neighborhood',
  'east',
  'texas',
  'tornado',
  'thursday',
  'camper',
  'building',
  'rv',
  'park',
  'rusk',
  'county',
  'sheriff',
  'johnwayne',
  'valdez',
  'ktre',
  'tv',
  'valdez',
  'injury',
  'wednesday',
  'tornadoâ\x80\x9d',
  'community',
  'lockett',
  'mile',
  'kilometer',
  'northwest',
  'dallas',
  'national',
  'weather',
  'service',
  'office',
  'norman',
  'oklahoma',
  'injury',
  'death',
  'resident',
  'wilbarger',
  'county',
  'sheriff',
  'brian',
  'fritze',
  'kauz',
  'tv',
  'home',
  'barn',
  'damage',
  'storm',
  'wednesday',
  'thursday',
  'round',
  'weather',
  'united',
  'states',
  'week',
  'tornado',
  'building',
  'wichita',
  'suburb',
  'andover',
  'kansas',
  'university',
  'oklahoma',
  'meteorology',
  'student',
  'car',
  'crash',
  'storm',
  'storm',
  'state',
  'tornado',
  'hail',
  'wind',
  'threat',
  'weather',
  'friday',
  'south',
  'weekend',
  'plains',
  'midwest',
  'weather',
  'service',
  'follow',
  'social',
  'media',
  'story',
  'vegetable',
  'taste',
  'profile',
  'potato',
  'too!foodamericaâ\x80\x99s',
  'nightlife',
  'citiestravelmadhuri',
  'dixit',
  'salad',
  'recipe',
  'thing',
  'year',
  'yamuna',
  'flood',
  'water',
  'touch',
  'wall',
  'taj',
  'mahalindia10',
  'baby',
  'folkloreindia12',
  'railway',
  'station',
  'food',
  'indiafood10',
  'curries',
  'tomatoesfoodthis',
  'august',
  'place',
  'south',
  'indiatravel10',
  'exercise',
  'belly',
  'oil',
  'chickpeas',
  'namkeenfood',
  'next123electionsmadhya',
  'pradesh',
  'electionsrajasthan',
  'elections',
  'electionstelangana',
  'election',
  'electionsassembly',
  'election',
  'trendsindia',
  'west',
  'indiesearthquake',
  'jaipurice',
  'hockey',
  'ladakhmanipur',
  'violencevirat',
  'kohliindia',
  'west',
  'indies',
  'storiesin',
  'worldentire',
  'websitemanipur',
  'violence',
  'news',
  'live',
  'update',
  'woman',
  'congress',
  'aap',
  'mp',
  'discussion',
  'lok',
  'sabhalive',
  'landslide',
  'raigad',
  'rescue',
  'op',
  'waythree',
  'earthquake',
  'jaipur',
  'month',
  'fir',
  'day',
  'video',
  'surface',
  'manipur',
  'horrorsc',
  'ordinance',
  'plea',
  'judge',
  'bench',
  'design',
  'ux',
  'iit',
  'global',
  'mba',
  'programjaison',
  'john',
  'soy',
  'potential',
  'protein140',
  'crore',
  'indians',
  'incident',
  'pm',
  'modi16',
  'landslide',
  'burie',
  'hamlet',
  'maharashtramanipur',
  'ripple',
  'mizoram',
  'outfit',
  'meiteis',
  'govt',
  'safety',
  'tensionindia',
  'hand',
  'warship',
  'vietnam',
  'eye',
  "china'manipur",
  'govt',
  'tribal',
  "hills'5",
  'video',
  'woman',
  'bengal2nd',
  'test',
  'athanaze',
  'holder',
  'india',
  'hunt',
  'yamuna',
  'warning',
  'hathnikund',
  'volume',
  "up'we",
  'wild',
  "animals'hc",
  'exemption',
  'asiad',
  'trial',
  'phogat',
  'punianetflix',
  'user',
  'password',
  'video',
  'woman',
  'manipurâ\x80\x99s',
  'adterms',
  'use',
  'grievance',
  'redressal',
  'policy',
  'privacy',
  'policyadvertise',
  'usrssnewsletterfeedbackepapersitemaparchivesfollow',
  'onother',
  'times',
  'group',
  'news',
  'sitesthe',
  'economic',
  'timeshindi',
  'economic',
  'timesnavbharat',
  'timesmaharashtra',
  'timesvijaya',
  'karnatakatelugu',
  'samayamtamil',
  'samayammalayalam',
  'samayamei',
  'samayi',
  'gujarattimes',
  'nowtimes',
  'navbharattimespointsindiatimesbrand',
  'capitaleducation',
  'timestimes',
  'foodmiss',
  'kyrapopular',
  'newsbusiness',
  'newsindia',
  'newsworld',
  'newsbollywood',
  'newshealth',
  'fitness',
  'tipsindian',
  'tv',
  'showscelebrity',
  'photoshot',
  'webvitamin',
  'b',
  'foodblood',
  'sugarghee',
  'benefitslocal',
  'foodtomatoes',
  'benefitsketika',
  'sharmakareena',
  'kapoorbest',
  'places',
  'south',
  'indiabelly',
  'fatblood',
  'sugartop',
  'trendsindia',
  'west',
  'indiesearthquake',
  'jaipurice',
  'hockey',
  'ladakhmanipur',
  'violencevirat',
  'kohliindia',
  'west',
  'indies',
  'scoremumbai',
  'rain',
  'newsengland',
  'australiarahul',
  'gandhi',
  'defamation',
  'caseindia',
  'pakistan',
  'finalparliament',
  'monsoon',
  'session',
  'mosque',
  'casemamata',
  'banerjeeayodhya',
  'ram',
  'mandirmaharashtra',
  'landslideitr',
  'filingkerala',
  'plus',
  'exam',
  'resultindia',
  'west',
  'indies',
  'topicspotatoes',
  'benefitstrial',
  'period',
  'reviewmouni',
  'roykeerthy',
  'sureshbollywood',
  'filmsbawaal',
  'reviewmasoor',
  'dalrelationships',
  'tipstollywood',
  'divassakshi',
  'agarwalparenting',
  'tipssana',
  'sayyadameen',
  'madathilhealthy',
  'dinner',
  'recipearjun',
  'rampalbarbie',
  'movie',
  'reviewvivo',
  'y55slaptop',
  'routerstablet',
  'newsviral',
  'videosfeminaetimesgraziazoomtravel',
  'destinationsbombay',
  'timescricbuzz.comfilmfaretvlifestylelongwalks',
  'appnewspaper',
  'subscriptionfood',
  'newstimes',
  'primewhats',
  'hotservicescouponduniamagicbrickstechgigtimesjobsbollywood',
  'newstimes',
  'mobilegadgets',
  'â',
  'bennett',
  'coleman',
  'co.',
  'ltd.',
  'right',
  'reprint',
  'right',
  'times',
  'syndication',
  'service'],
 ['ie',
  'experience',
  'site',
  'browser',
  'skip',
  'news',
  'newsworldbusinesshealthvideoculture',
  'trendsnbc',
  'news',
  'tiplineshare',
  'save',
  'newsmanage',
  'profileemail',
  'preferencessign',
  'outsearchsearchprofile',
  'newssign',
  'sign',
  'increate',
  'profilesectionsu.s.',
  'newspoliticsworldlocalbusinesshealthinvestigationsculture',
  'trendssciencesportstech',
  'mediavideo',
  'featuresphotosweathernbc',
  'selectdecision',
  'blknbc',
  'newsmsnbcmeet',
  'pressdatelinefeaturednbc',
  'news',
  'nowbetternightly',
  'filmsstay',
  'tunedspecial',
  'featuresnewsletterspodcastslisten',
  'nowmore',
  'nbccnbcnbc.comnbcu',
  'learnpeacocknext',
  'steps',
  'vetsparent',
  'news',
  'site',
  'maphelpfollow',
  'nbc',
  'newssearchsearchfacebooktwitteremailsmsprintwhatsappredditpocketflipboardpinterestlinkedinweather1',
  'storm',
  'death',
  'st.',
  'charles',
  'parish',
  'number',
  'people',
  'weather',
  'state',
  'tuesday',
  'tornado',
  'louisiana',
  'weather',
  'east01:45get',
  'news',
  'nowprintdec',
  '.',
  'pm',
  'utc',
  'dec.',
  'minyvonne',
  'burke',
  'tim',
  'stelloh',
  'phil',
  'helselone',
  'person',
  'storm',
  'tornado',
  'louisiana',
  'authority',
  'wednesday',
  'damage',
  'area',
  'new',
  'orleans',
  'woman',
  'residence',
  'st.',
  'charles',
  'parish',
  'tornado',
  'damage',
  'area',
  'killona',
  'montz',
  'sheriff',
  'greg',
  'champagne',
  'home',
  'sheriff',
  'office',
  'firing',
  'range',
  'mile',
  'tornado',
  'champagne',
  'tornado',
  'ef-2',
  'wind',
  'speed',
  'mph',
  'national',
  'weather',
  'service',
  'thursday',
  'death',
  'st.',
  'charles',
  'parish',
  'number',
  'people',
  'weather',
  'state',
  'tuesday',
  'st.',
  'bernard',
  'parish',
  'official',
  'tornado',
  'damage',
  'ef-2',
  'arabi',
  'community',
  'new',
  'orleans',
  'lower',
  'ward',
  'sheriff',
  'office',
  'jefferson',
  'parish',
  'tornado',
  'damage',
  'home',
  'business',
  'tornado',
  'wind',
  'speed',
  'mph',
  'weather',
  'service',
  'image',
  'facebook',
  'page',
  'jefferson',
  'parish',
  'sheriff',
  'office',
  'training',
  'facility',
  'harvey',
  'west',
  'bank',
  'mississippi',
  'river',
  'sheriff',
  'office',
  'gretna',
  'city',
  'jefferson',
  'parish',
  'people',
  'injury',
  'hospital',
  'official',
  'death',
  'mayor',
  'belinda',
  'constant',
  'structure',
  'atmos',
  'energy',
  'employee',
  'check',
  'gas',
  'line',
  'wednesday',
  'tornado',
  'area',
  'killona',
  'st.',
  'james',
  'parish',
  'la.',
  'gerald',
  'herbert',
  'ap"building',
  'people',
  'place',
  'constant',
  'tornado',
  'gretna',
  'arabi',
  'arabi',
  'tornado',
  'area',
  'tornado',
  'march',
  'person',
  'structure',
  'death',
  'injury',
  'wednesday',
  'tornado',
  'st.',
  'bernard',
  'parish',
  'president',
  'guy',
  'mcinnis',
  'people',
  'damage',
  'rooftop',
  'mcinnis',
  'damage',
  'people',
  'distress',
  'mcinnis',
  'news',
  'conference',
  'street',
  'care',
  'problem',
  'customer',
  'power',
  'wednesday',
  'night',
  'state',
  'utility',
  'tracking',
  'website',
  'poweroutage.us',
  'tornado',
  'new',
  'iberia',
  'couple',
  'hour',
  'new',
  'orleans',
  'people',
  'home',
  'police',
  'national',
  'weather',
  'service',
  'lake',
  'charles',
  'chelsi',
  'bovie',
  'niece',
  'dog',
  'home',
  'tornado',
  'area',
  'killona',
  'la.',
  'wednesday',
  'gerald',
  'herbert',
  'apthe',
  'tornado',
  'southport',
  'subdivision',
  'area',
  'a.m.',
  'nws',
  'spokesperson',
  'storm',
  'survey',
  'strength',
  'police',
  'spokesperson',
  'video',
  'update',
  'p.m.',
  'building',
  'structure',
  'fatality',
  'injury',
  'individual',
  'hospital',
  'spokesperson',
  'p.m.',
  'weather',
  'service',
  'new',
  'orleans',
  'tornado',
  'threat',
  'threat',
  'weather',
  'tuesday',
  'storm',
  'boy',
  'mother',
  'state',
  'official',
  'wednesday',
  'nikolus',
  'little',
  'mother',
  'yoshiko',
  'smith',
  'caddo',
  'parish',
  'sheriff',
  'office',
  'tornado',
  'home',
  'keithville',
  'nikolus',
  'wood',
  'mother',
  'body',
  'hour',
  'pile',
  'debris',
  'sheriff',
  'office',
  'people',
  'condition',
  'shreveport',
  'injury',
  'farmerville',
  'louisiana',
  'texas',
  'tornado',
  'city',
  'grapevine',
  'weather',
  'service',
  'information',
  'tornado',
  'north',
  'texas',
  'minyvonne',
  'burkeminyvonne',
  'burke',
  'news',
  'reporter',
  'nbc',
  'news',
  'tim',
  'stellohtim',
  'stelloh',
  'news',
  'reporter',
  'nbc',
  'news',
  'digital',
  'phil',
  'helselphil',
  'helsel',
  'reporter',
  'nbc',
  'news',
  'aboutcontacthelpcareersad',
  'choicesprivacy',
  'policydo',
  'informationca',
  'noticenew',
  'terms',
  'service',
  'july',
  'news',
  'sitemapadvertiseselect',
  'shoppingselect',
  'personal',
  'finance',
  'nbc',
  'universalnbc',
  'news',
  'logomsnbc',
  'logotoday',
  'logo'],
 ['restaurant',
  'report',
  'card',
  'killing',
  'lorenzen',
  'investigations',
  'problem',
  'solvers',
  'manhunt',
  'monday',
  'tyre',
  'nichols',
  'gun',
  'safe',
  'memphis',
  'local',
  'election',
  'headquarters',
  'politics',
  'hill',
  'bestreviews',
  'bestreviews',
  'daily',
  'deals',
  'automotive',
  'news',
  'wreg',
  'mobile',
  'apps',
  'newsletters',
  'press',
  'memphis',
  'weather',
  'hourly',
  'day',
  'forecast',
  'weather',
  'news',
  'memphis',
  'weather',
  'radar',
  'school',
  'closing',
  'delay',
  'school',
  'closing',
  'information',
  'weather',
  'alerts',
  'weather',
  'stream',
  'newscasts',
  'breaking',
  'news',
  'stream',
  'wreg',
  'tv',
  'schedule',
  'videos',
  'news',
  'bright',
  'spot',
  'community',
  'changers',
  'grizzlies',
  'tigers',
  'basketball',
  'memphis',
  'tigers',
  'football',
  'university',
  'mississippi',
  'gas',
  'price',
  'tracker',
  'gas',
  'memphis',
  'mid',
  'south',
  'fair',
  'spokeskid',
  'school',
  'contest',
  'winner',
  'pass',
  'nominate',
  'educator',
  'week',
  'educator',
  'week',
  'knowledge',
  'bowl',
  'contact',
  'people',
  'job',
  'wreg',
  'community',
  'calendar',
  'eeo',
  'report',
  'wreg',
  'captioning',
  'help',
  'bestreviews',
  'regional',
  'news',
  'partners',
  'history',
  'wreg',
  'tv',
  'wynne',
  'school',
  'superintendent',
  'kenneth',
  'moore',
  'gov.',
  'sarah',
  'huckabee',
  'sanders',
  'wynne',
  'high',
  'school',
  'friday',
  'tornado',
  'sunday',
  'read',
  'wynne',
  'school',
  'superintendent',
  'kenneth',
  'moore',
  'gov.',
  'sarah',
  'huckabee',
  'sanders',
  'wynne',
  'high',
  'school',
  'friday',
  'tornado',
  'sunday',
  'april',
  'wynne',
  'ark.',
  'thomas',
  'metthe',
  'arkansas',
  'democrat',
  'gazette',
  'nws',
  'storm',
  'survey',
  'tornado',
  'line',
  'wind',
  'tn',
  'ar',
  'ms',
  'apr',
  'pm',
  'cdt',
  'apr',
  'pm',
  'cdt',
  'wynne',
  'school',
  'superintendent',
  'kenneth',
  'moore',
  'gov.',
  'sarah',
  'huckabee',
  'sanders',
  'wynne',
  'high',
  'school',
  'friday',
  'tornado',
  'sunday',
  'wynne',
  'school',
  'superintendent',
  'kenneth',
  'moore',
  'gov.',
  'sarah',
  'huckabee',
  'sanders',
  'wynne',
  'high',
  'school',
  'friday',
  'tornado',
  'sunday',
  'april',
  'wynne',
  'ark.',
  'thomas',
  'metthe',
  'arkansas',
  'democrat',
  'gazette',
  'ap',
  'read',
  'apr',
  'pm',
  'cdt',
  'apr',
  'pm',
  'cdt',
  'memphis',
  'tenn.',
  'tornado',
  'mid',
  '-',
  'south',
  'friday',
  'survey',
  'national',
  'weather',
  'service',
  'people',
  'region',
  'memphis',
  'damage',
  'line',
  'wind',
  'tornado',
  'category',
  'ef-3',
  'tornado',
  'wind',
  'speed',
  'mph',
  'twister',
  'wynne',
  'arkansas',
  'covington',
  'tennessee',
  'adamsville',
  'tennessee',
  'storm',
  'victim',
  'mcnairy',
  'county',
  'tornado',
  'wind',
  'speed',
  'mph',
  'eudora',
  'mississippi',
  'nws',
  'memphis',
  'monday',
  'people',
  'wynne',
  'covington',
  'adamsville',
  'mcnairy',
  'county',
  'people',
  'child',
  'shelby',
  'county',
  'line',
  'wind',
  'damage',
  'tree',
  'infrastructure',
  'east',
  'memphis',
  'mid',
  'tornado',
  'victim',
  'memphis',
  'city',
  'official',
  'structure',
  'apartment',
  'complex',
  'building',
  'report',
  'tree',
  'typo',
  'error(required',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'amazon',
  'school',
  'deal',
  'schooler',
  'school',
  'corner',
  'amazon',
  'supply',
  'school',
  'deal',
  'supply',
  'schooler',
  'august',
  'vegetable',
  'flower',
  'flower',
  'plant',
  'hour',
  'soil',
  'air',
  'temperature',
  'sunshine',
  'august',
  'month',
  'planting',
  'chemical',
  'guys',
  'kit',
  'car',
  'car',
  'care',
  'hour',
  'chemical',
  'guys',
  'car',
  'wash',
  'kit',
  'time',
  'deal',
  'thank',
  'inbox',
  'thank',
  'inbox',
  'woman',
  'sex',
  'crime',
  'child',
  'arrest',
  'truck',
  'driver',
  'memphis',
  'fight',
  'man',
  'gas',
  'station',
  'shootout',
  'germantown',
  'emergency',
  'order',
  'thursday',
  'driver',
  'car',
  'run',
  'crash',
  'bluffing',
  'putin',
  'deployment',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'taiwan',
  'school',
  'office',
  'typhoon',
  'bomb',
  'threat',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'bluffing',
  'putin',
  'deployment',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'taiwan',
  'school',
  'office',
  'typhoon',
  'bomb',
  'threat',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'stock',
  'market',
  'today',
  'share',
  'federal',
  'russia',
  'un',
  'meeting',
  'soldier',
  'niger',
  'mom',
  'help',
  'boyfriend',
  'accident',
  'pass',
  'day',
  'cordova',
  'daycare',
  'worker',
  'car',
  'issue',
  'month',
  'woman',
  'lung',
  'cancer',
  'help',
  'time',
  'pass',
  'month',
  'woman',
  'care',
  'friend',
  'blessing',
  'month',
  'man',
  'struggle',
  'time',
  'friend',
  'month',
  'daycare',
  'worker',
  'cancer',
  'blessing',
  'coworker',
  'pass',
  'month',
  'redbird',
  'iowa',
  'loss',
  'ncaa',
  'college',
  'basketball',
  'academy',
  'memphis',
  'cardinal',
  'diamondback',
  'series',
  'finale',
  'vrabel',
  'henry',
  'role',
  'titans',
  'hopkins',
  'lenard',
  'memphis',
  'tiger',
  'tigers',
  'basketball',
  'day',
  'prospect',
  'camp',
  'step',
  'tiger',
  'program',
  'tiger',
  'aac',
  'preseason',
  'poll',
  'tigers',
  'football',
  'day',
  'coach',
  'yo',
  'deal',
  'oxford',
  'derrick',
  'henry',
  'vrabrel',
  'hopkins',
  'titans',
  'germantown',
  'emergency',
  'order',
  'thursday',
  'tennessee',
  'highway',
  'patrol',
  'bonus',
  'collierville',
  'woman',
  'sex',
  'crime',
  'hero',
  'funeral',
  'memphis',
  'firefighter',
  'stock',
  'market',
  'today',
  'share',
  'federal',
  'russia',
  'un',
  'meeting',
  'soldier',
  'niger',
  'biden',
  'relief',
  'heat',
  'las',
  'vegas',
  'casino',
  'mogul',
  'steve',
  'wynn',
  'm',
  'transgender',
  'intersex',
  'people',
  'biden',
  'prime',
  'minister',
  'trump',
  'jan.',
  'rioter',
  'gift',
  'summer',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'home',
  'depot',
  'foot',
  'skeleton',
  'halloween',
  'deal',
  'day',
  'prime',
  'day',
  'favorite',
  'amazon',
  'essentials',
  'clothe',
  'wreg',
  'meteorologist',
  'debut',
  'today',
  'weather',
  'expert',
  'tim',
  'simpson',
  'year',
  'lorenzen',
  'podcast',
  'woman',
  'sex',
  'crime',
  'child',
  'arrest',
  'truck',
  'driver',
  'memphis',
  'fight',
  'man',
  'gas',
  'station',
  'shootout',
  'germantown',
  'emergency',
  'order',
  'thursday',
  'driver',
  'car',
  'run',
  'crash',
  'arrest',
  'truck',
  'driver',
  'memphis',
  'thp',
  'bonus',
  'shelby',
  'county',
  'man',
  'gas',
  'station',
  'shootout',
  'man',
  'fox',
  'meadows',
  'man',
  'germantown',
  'emergency',
  'order',
  'thursday',
  'woman',
  'abuse',
  'kidnapping',
  'news',
  'channel',
  'memphis',
  'tn',
  'news',
  'sports',
  'weather',
  'eeo',
  'report',
  'wreg',
  'wjkt',
  'online',
  'public',
  'file',
  'wreg',
  'online',
  'public',
  'file',
  'wjkt',
  'public',
  'file',
  'fcc',
  'applications',
  'android',
  'app',
  'google',
  'play',
  'android',
  'weather',
  'app',
  'google',
  'play',
  'personal',
  'information',
  'personal',
  'information',
  'nexstar',
  'media',
  'inc.',
  'rights'],
 ['articleset',
  'weatherback',
  'main',
  'weatherset',
  'location',
  'enter',
  'city',
  'state',
  'zip',
  'codesubmitsubscribemore',
  'local',
  'love',
  '%',
  'unlimited',
  'digital',
  'access',
  'weatherwinter',
  'storm',
  'bomb',
  'cyclone',
  'forecaster',
  'mar.',
  'mar.',
  'a.m.',
  'tristan',
  'smith',
  'impact',
  'winter',
  'storm',
  'new',
  'england',
  'inch',
  'snow',
  'massachusetts',
  'likelihood',
  'bomb',
  'cyclone',
  'winter',
  'nor’easter',
  'wind',
  'rain',
  'majority',
  'new',
  'england',
  'monday',
  'evening',
  'winter',
  'snowstorm',
  'tuesday',
  'wednesday',
  'morning',
  'rain',
  'snow',
  'massachusetts“the',
  'storm',
  'potential',
  'bomb',
  'cyclone',
  'national',
  'weather',
  'service',
  'boston',
  'morning',
  'coordination',
  'meteorologist',
  'glenn',
  'field',
  'weather',
  'forecaster',
  'sign',
  'nor’easeter',
  'winter',
  'storm',
  'sage',
  'bomb',
  'cyclone',
  'peak',
  'tuesday',
  'weather',
  'term',
  'bomb',
  'cyclone',
  'massachusetts?a',
  'bomb',
  'cyclone',
  'term',
  'weather',
  'storm',
  'pressure',
  'drop',
  'millibar',
  'hour',
  'pressure',
  'intensity',
  'wind',
  'storm',
  'forecaster',
  'weather',
  'channel',
  'forecaster',
  'storm',
  'chance',
  'bomb',
  'cyclone',
  'coast',
  'monday',
  'night',
  'mass.',
  'weather',
  'impact',
  'storm',
  'wind',
  'snow',
  'mondaywestern',
  'massachusetts',
  'winter',
  'storm',
  'inch',
  'area',
  'wind',
  'mph',
  'warning',
  'effect',
  'monday',
  'p.m.',
  'wednesday',
  'a.m.',
  'resident',
  'travel',
  'condition',
  'commute',
  'tuesday',
  'forecaster',
  'flashlight',
  'water',
  'food',
  'vehicle',
  'storm',
  'mass.',
  'map',
  'knowthe',
  'massachusetts',
  'coast',
  'wind',
  'a.m.',
  'tuesday',
  'a.m.',
  'wednesday',
  'wind',
  'mph',
  'mph',
  'forecaster',
  'travel',
  'profile',
  'vehicle',
  'tree',
  'power',
  'outage',
  'peak',
  'wind',
  'tuesday',
  'afternoon',
  'evening',
  'product',
  'account',
  'link',
  'site',
  'compensation',
  'site',
  'information',
  'medium',
  'partner',
  'accordance',
  'privacy',
  'policy',
  'footer',
  'navigationcontact',
  'uscontact',
  'masslivecontact',
  'republicansubscriptionsmasslive.comnewslettersbreaking',
  'news',
  'republicane',
  'edition',
  'loginsubscriptions',
  'mediaabout',
  'masslive',
  'mediaadvertise',
  'ussponsor',
  'contentfollow',
  'facebookred',
  'sox',
  'facebookpatriots',
  'facebookbruins',
  'sports',
  'twittersports',
  'twitterinstagramhs',
  'sports',
  'sectionsnewssportsentertainmentpoliticsopinionhigh',
  'school',
  'sportsbettinglivingreal',
  'masslive.comcareer',
  'masslivearchivescommunity',
  'rulesthe',
  'republican',
  'archivesthe',
  'republican',
  'special',
  'sectionsplace',
  'addisclaimeruse',
  'registration',
  'portion',
  'site',
  'acceptance',
  'user',
  'agreement',
  'privacy',
  'policy',
  'cookie',
  'statement',
  'privacy',
  'choices',
  'rights',
  'setting',
  'personal',
  'information',
  'advance',
  'local',
  'media',
  'llc',
  'right',
  'material',
  'site',
  'permission',
  'advance',
  'local',
  'community',
  'rule',
  'content',
  'site',
  'youtube',
  'privacy',
  'policy',
  'youtube',
  'term',
  'service',
  'ad',
  'choice'],
 ['hero',
  'year',
  'homeowner',
  'fed',
  'man',
  'roofing',
  'scam',
  'year',
  'homeowner',
  'fed',
  'man',
  'roofing',
  'scam',
  'weather',
  'hot',
  'humid',
  'tomorrow',
  'money',
  'ac',
  'heatwave',
  'national',
  'weather',
  'service',
  'ef0',
  'tornado',
  'st.',
  'croix',
  'falls',
  'ef1',
  'tornado',
  'rusk',
  'wisconsin',
  'example',
  'video',
  'title',
  'video',
  'cdt',
  'pm',
  'cdt',
  'st',
  'croix',
  'falls',
  'wis.',
  'round',
  'storm',
  'mark',
  'wisconsin',
  'monday',
  'tornado',
  'ef0',
  'ef1',
  'state',
  'tuesday',
  'national',
  'weather',
  'service',
  'nws',
  'ef1',
  'tornado',
  'rusk',
  'wisconsin',
  'p.m.',
  'monday',
  'nws',
  'official',
  'mph',
  'wind',
  'path',
  'destruction',
  'mile',
  'damage',
  'rusk',
  'wi',
  'damage',
  'ne',
  'whitetail',
  'golf',
  'course',
  'wind',
  'speed',
  'mph',
  'end',
  'ef1',
  'tornado',
  'radar',
  'path',
  'mile',
  'long.',
  'wiwx',
  'pic.twitter.com/a0fkysrtgt',
  'nws',
  'twin',
  'cities',
  '@nwstwincitie',
  'community',
  'st.',
  'croix',
  'falls',
  'ef0',
  'tornado',
  'path',
  'mile',
  'todd',
  'krause',
  'nws',
  'tornado',
  'tuesday',
  'mile',
  'hour',
  'official',
  'cell',
  'monday',
  'morning',
  'p.m.',
  'tree',
  'powerline',
  'building',
  'grain',
  'bin',
  'number',
  'farm',
  'debbie',
  'petzel',
  'kare',
  'sunrise',
  'reporter',
  'cece',
  'gaines',
  'year',
  'dairy',
  'barn',
  'wind',
  'gust',
  'morning',
  'storm',
  'grain',
  'bin',
  'slab',
  'yard',
  'storm',
  'hail',
  'wind',
  'cell',
  'face',
  'face',
  'damage',
  'scene',
  'people',
  'st.',
  'croix',
  'falls',
  'wi',
  'today',
  'storm',
  'yesterday',
  'grain',
  'bin',
  'debbie',
  'petzel',
  'farm',
  'scene',
  'town',
  'damage',
  'morning',
  'pic.twitter.com/7empzegxsh',
  'cece',
  'gaines',
  '@cecegainestv',
  'beyl',
  'farm',
  'damage',
  'monday',
  'weather',
  'barn',
  'outbuilding',
  'farm',
  'equipment',
  'cow',
  'calf',
  'sheet',
  'metal',
  'owner',
  'tom',
  'beyl',
  'damage',
  'operation',
  'lighting',
  'zap',
  'bang',
  'wind',
  'freight',
  'train',
  'thing',
  'besdie',
  'window',
  'beyl',
  'neighbor',
  'highway',
  'impact',
  'storm',
  'thankful',
  'farmer',
  'tom',
  'beyl',
  'cow',
  'sheet',
  'metal',
  'today',
  'weather',
  'western',
  'wisconsin',
  'farm',
  'outbuilding',
  '@nwstwincitie',
  '@mprnews',
  'pic.twitter.com/yhpj0e9l94',
  'dave',
  'peterlinz',
  '@dpet_kare11news',
  'kare',
  'photojournalist',
  'david',
  'peterlinz',
  'monday',
  'night',
  'storm',
  'cell',
  'damage',
  'community',
  'taylors',
  'falls',
  'power',
  'period',
  'time',
  'highway',
  'downtown',
  'taylors',
  'falls',
  'entirety',
  'town',
  'power',
  'signal',
  'jct',
  'hwys',
  'caution',
  'area',
  '',
  '',
  'kare11weather',
  'pic.twitter.com/pdounjijpx',
  'dave',
  'peterlinz',
  '@dpet_kare11news',
  'storm',
  'damage',
  'petzel',
  'farm',
  'st.',
  'croix',
  'falls',
  'kare',
  'gage',
  'cureton',
  'roof',
  'grain',
  'silo',
  'ground',
  'structure',
  'silo',
  'tornado',
  'debbie',
  'petzel',
  'farm',
  'north',
  'st.',
  'croix',
  'falls',
  'wisc',
  '.',
  'tuesday',
  'morning',
  'tornado',
  'area',
  'property',
  'kare',
  'gage',
  'cureton',
  'barn',
  'debbie',
  'petzel',
  'farm',
  'st.',
  'croix',
  'falls',
  'wisc',
  '.',
  'tuesday',
  'morning',
  'tornado',
  'area',
  'property',
  'kare',
  'gage',
  'cureton',
  'grain',
  'silo',
  'debbie',
  'petzel',
  'farm',
  'north',
  'st.',
  'croix',
  'falls',
  'wisc',
  '.',
  'tuesday',
  'morning',
  'tornado',
  'area',
  'property',
  'kare',
  'gage',
  'cureton',
  'grain',
  'silo',
  'foundation',
  'debbie',
  'petzel',
  'farm',
  'st.',
  'croix',
  'falls',
  'wisc',
  '.',
  'tuesday',
  'morning',
  'tornado',
  'area',
  'property',
  'kare',
  'gage',
  'cureton',
  'barn',
  'debbie',
  'petzel',
  'farm',
  'st.',
  'croix',
  'falls',
  'wisc',
  '.',
  'tuesday',
  'morning',
  'tornado',
  'area',
  'property',
  'kare',
  'gage',
  'cureton',
  'barn',
  'debbie',
  'petzel',
  'farm',
  'st.',
  'croix',
  'falls',
  'wisc',
  '.',
  'tuesday',
  'morning',
  'tornado',
  'area',
  'property',
  'roof',
  'grain',
  'silo',
  'ground',
  'structure',
  'silo',
  'tornado',
  'debbie',
  'petzel',
  'farm',
  'north',
  'st.',
  'croix',
  'falls',
  'wisc',
  '.',
  'tuesday',
  'morning',
  'tornado',
  'area',
  'property',
  'precipitation',
  'drought',
  'issue',
  'flare',
  'health',
  'storm',
  'school',
  'damage',
  'wake',
  'dive',
  'explainer',
  'weather',
  'science',
  'youtube',
  'playlist',
  'eeo',
  'public',
  'file',
  'report',
  'fcc',
  'online',
  'public',
  'inspection',
  'file',
  'closed',
  'caption',
  'procedure',
  'personal',
  'information',
  'kare',
  'tv',
  'rights',
  'kare',
  'notification',
  'news',
  'weather',
  'notification',
  'browser',
  'setting'],
 ['abc',
  'newsvideoliveshowselectionsinterest',
  'successfully',
  "addedwe'll",
  'news',
  'desktop',
  'notification',
  'story',
  'interest',
  'offonlog',
  'instream',
  'weather',
  'south',
  'kentuckytennessee',
  'kentucky',
  'carolinas',
  'georgia',
  'storm',
  'byemily',
  'shapiro',
  'max',
  'golembo',
  'melissa',
  'griffin',
  'daniel',
  'amarante',
  'nadine',
  'el',
  'bawabmarch',
  'pm1:34a',
  'tornado',
  'shreveport',
  'la.',
  'mar.',
  'abc',
  'newsfive',
  'people',
  'kentucky',
  'weather',
  'thunderstorm',
  'wind',
  'gust',
  'mile',
  'hour',
  'state',
  'gov.',
  'andy',
  'beshear',
  'damage',
  'tree',
  'power',
  'line',
  'state',
  'customer',
  'power',
  'kentucky',
  'beshear',
  'damage',
  'day',
  'power',
  'place',
  'press',
  'conference',
  'saturday',
  'flash',
  'flooding',
  'area',
  'arkansas',
  'rain',
  'abc',
  'newsthe',
  'governor',
  'wind',
  'wall',
  'franklin',
  'county',
  'weather',
  'threat',
  'thunderstorm',
  'tornado',
  'storm',
  'weekend',
  'wind',
  'snow',
  'alert',
  'americans',
  'state',
  'saturday',
  'wind',
  'snow',
  'flooding',
  'weather',
  'tennessee',
  'kentucky',
  'alabama',
  'georgia',
  'carolinas',
  'friday',
  'wind',
  'gust',
  'mph',
  'tornadocitie',
  'path',
  'storm',
  'knoxville',
  'chattanooga',
  'tennessee',
  'louisville',
  'kentucky',
  'atlanta',
  'wind',
  'mph',
  'tornado',
  'abc',
  'newssince',
  'thursday',
  'tornado',
  'kentucky',
  'texas',
  'louisiana',
  'arkansas',
  'tornado',
  'damage',
  'hopkins',
  'county',
  'texas',
  'mar.',
  'damage',
  'house',
  'tornado',
  'hopkins',
  'county',
  'texas',
  'mar.',
  'rain',
  'region',
  'area',
  'arkansas',
  'inch',
  'rain',
  'state',
  'oklahoma',
  'ohio',
  'alert',
  'flooding',
  'friday',
  'topicsweathertop',
  'storieshouse',
  'ufo',
  'hearing',
  'ex',
  'knowledge',
  'craftjul',
  'amruin',
  'vatican',
  'emperor',
  'nero',
  'theaterjul',
  'pmsinead',
  "o'connor",
  'u',
  'singer',
  '56jul',
  'pmwhistleblower',
  'congress',
  'decade',
  'program',
  'ufosjul',
  'pmmcconnell',
  'press',
  'conference',
  'return',
  'pmabc',
  'news',
  'live24/7',
  'coverage',
  'news',
  'eventsabc',
  'news',
  'networkprivacy',
  'policyyour',
  'state',
  'privacy',
  'rightschildren',
  'online',
  'privacy',
  'policyinterest',
  'adsabout',
  'nielsen',
  'measurementterms',
  'usedo',
  'sell',
  'informationcontact',
  'uscopyright',
  'abc',
  'news',
  'internet',
  'ventures',
  'right'],
 ['germantown',
  'resident',
  'water',
  'consultant',
  'answer',
  'contamination',
  'crisis',
  'germantown',
  'resident',
  'irrigation',
  'system',
  'resident',
  'lack',
  'information',
  'weather',
  'memphis',
  'area',
  'heat',
  'index',
  'local',
  'news',
  'entergy',
  'issue',
  'letter',
  'customer',
  'storm',
  'mississippi',
  'energy',
  'company',
  'outage',
  'service',
  'area',
  'hurricane',
  'katrina',
  'pm',
  'cdt',
  'june',
  'pm',
  'cdt',
  'june',
  'hernando',
  'miss',
  'power',
  'resident',
  'hernando',
  'mississippi',
  'storm',
  'area',
  'sunday',
  'energy',
  'supplier',
  'entergy',
  'weather',
  'event',
  'county',
  'place',
  'crew',
  'outage',
  'service',
  'area',
  'hurricane',
  'katrina',
  'customer',
  'power',
  'home',
  'business',
  'mile',
  'memphis',
  'ceo',
  'president',
  'entergy',
  'haley',
  'fisazrkerly',
  'letter',
  'customer',
  'week',
  'entergy',
  'mississippi',
  'customer',
  'series',
  'storm',
  'tornado',
  'wind',
  'outage',
  'service',
  'area',
  'hurricane',
  'katrina',
  'event',
  'score',
  'storm',
  'cell',
  'mph',
  'wind',
  'path',
  'service',
  'area',
  'weather',
  'day',
  'day',
  'area',
  'damage',
  'power',
  'grid',
  'half',
  'pole',
  'wire',
  'transformer',
  'week',
  'storm',
  'storm',
  'year',
  'history',
  'hurricane',
  'storm',
  'case',
  'scenario',
  'power',
  'restoration',
  'lift',
  'crew',
  'area',
  'work',
  'mid',
  '-',
  'restoration',
  'storm',
  'line',
  'storm',
  'damage',
  'credit',
  'ap',
  'prayer',
  'book',
  'parking',
  'barrier',
  'debris',
  'sunday',
  'night',
  'tornado',
  'louin',
  'miss.',
  'monday',
  'june',
  'ap',
  'photo',
  'rogelio',
  'v.',
  'solis',
  'week',
  'crew',
  'day',
  'storm',
  'cell',
  'damage',
  'matter',
  'crew',
  'state',
  'state',
  'damage',
  'workforce',
  'mississippi',
  'state',
  'work',
  'hero',
  'power',
  'quarter',
  'customer',
  'half',
  'customer',
  'base',
  'june',
  'pole',
  'mile',
  'power',
  'line',
  'matter',
  'day',
  'distance',
  'jackson',
  'grenada',
  'line',
  'neighborhood',
  'area',
  'county',
  'tennessee',
  'louisiana',
  'border',
  'customer',
  'look',
  'work',
  'people',
  'partner',
  'power',
  'customer',
  'power',
  'day',
  'customer',
  'power',
  'man',
  'woman',
  'company',
  'customer',
  'electricity',
  'customer',
  'credit',
  'ap',
  'weather',
  'central',
  'mississippi',
  'billboard',
  'ridgeland',
  'miss.',
  'friday',
  'june',
  'ap',
  'photo',
  'rogelio',
  'v.',
  'solis',
  'week',
  'entergy',
  'mississippi',
  'employee',
  'power',
  'parent',
  'child',
  'friend',
  'neighbor',
  'power',
  'middle',
  'june',
  'responsibility',
  'weather',
  'event',
  'level',
  'destruction',
  'facility',
  'weather',
  'condition',
  'entergy',
  'mississippi',
  'response',
  'time',
  'outage',
  'work',
  'customer',
  'customer',
  'communication',
  'look',
  'performance',
  'system',
  'information',
  'tool',
  'power',
  'customer',
  'decision',
  'family',
  'frustration',
  'discomfort',
  'outage',
  'restoration',
  'process',
  'story',
  'crew',
  'customer',
  'light',
  'air',
  'conditioning',
  'time',
  'behalf',
  'employee',
  'entergy',
  'mississippi',
  'thank',
  'customer',
  'patience',
  'weather',
  'event',
  'restoration',
  'customer',
  'severity',
  'storm',
  'state',
  'man',
  'woman',
  'entergy',
  'mississippi',
  'life',
  'mlgw',
  'power',
  'customer',
  'sunday',
  'storm',
  'sunday',
  'morning',
  'storm',
  'wind',
  'mid',
  '-',
  'example',
  'video',
  'title',
  'video',
  'eeo',
  'public',
  'file',
  'report',
  'fcc',
  'online',
  'public',
  'inspection',
  'file',
  'closed',
  'caption',
  'procedure',
  'personal',
  'information',
  'watn',
  'tv',
  'rights',
  'watn',
  'notification',
  'news',
  'weather',
  'notification',
  'browser',
  'setting'],
 ['contentcleveland',
  'ohsubscribenews',
  'feedneighbor',
  'postslocal',
  'heights',
  'newsshaker',
  'heights',
  'newslakewood',
  'newsbeachwood',
  'newsmiddleburg',
  'heights',
  'berea',
  'newsbrecksville',
  'newsmayfield',
  'hillcrest',
  'newswestlake',
  'newssolon',
  'newsstrongsville',
  'newslocal',
  'newscommunity',
  'cornercrime',
  'safetypolitics',
  'governmentschoolstraffic',
  'transitobituariespersonal',
  'financebest',
  'ofseasonal',
  'holidaysweatherarts',
  'entertainmentbusinesshealth',
  'wellnesshome',
  'gardensportstravelkids',
  'familypetsrestaurants',
  'barslocalstreamneighbor',
  'postslocal',
  'businesseseventsreal',
  'estatereal',
  'estate',
  'listingsreal',
  'estate',
  'newssee',
  'communitiescleveland',
  'heights',
  'ohshaker',
  'heights',
  'ohlakewood',
  'ohbeachwood',
  'ohmiddleburg',
  'heights',
  'berea',
  'ohbrecksville',
  'ohmayfield',
  'hillcrest',
  'ohsolon',
  'ohstrongsville',
  'ohstate',
  'editionohionational',
  'editiontop',
  'national',
  'newssee',
  'communities3weatherpotentially',
  'winter',
  'storm',
  'ohio',
  'forecastthe',
  'storm',
  'ohio',
  'middle',
  'end',
  'week',
  'national',
  'weather',
  'service',
  'chris',
  'mosby',
  'patch',
  'staffposted',
  'sun',
  'jan',
  'sun',
  'jan',
  'etreplie',
  'winter',
  'storm',
  'ohio',
  'week',
  'michael',
  'desantis',
  'patch)cleveland',
  'winter',
  'storm',
  'ohio',
  'week',
  'national',
  'weather',
  'service',
  'potential',
  'duration',
  'winter',
  'storm',
  'region',
  'middle',
  'week',
  'agency',
  'detail',
  'storm',
  'system',
  'ohio',
  'rainfall',
  'flooding',
  'concern',
  'condition',
  'snow',
  'national',
  'weather',
  'service',
  'clevelandwith',
  'time',
  'update',
  'patch',
  'subscribethe',
  'storm',
  'tuesday',
  'night',
  'friday',
  'morning',
  'agency',
  'day',
  'forecast',
  'national',
  'weather',
  'service',
  'precipitation',
  'wednesday',
  'thursday',
  'possibility',
  'shower',
  'tuesday',
  'night',
  'snowfall',
  'rainfall',
  'prediction',
  'day',
  'wednesday',
  'high',
  'degree',
  'low',
  'degree',
  'possibility',
  'rain',
  'snow',
  'clevelandwith',
  'time',
  'update',
  'patch',
  'subscribehere',
  'forecast',
  'week',
  'detail',
  'storm',
  'day',
  'monday',
  'high',
  'low',
  'degree',
  'tuesday',
  'day',
  'precipitation',
  'high',
  'low',
  'degree',
  'percent',
  'chance',
  'precipitation',
  'wednesday',
  'rain',
  'snow',
  'shower',
  'percent',
  'chance',
  'precipitation',
  'day',
  'percent',
  'chance',
  'precipitation',
  'rain',
  'day',
  'snow',
  'forecast',
  'thursday',
  'snow',
  'shower',
  'day',
  'percent',
  'chance',
  'precipitation',
  'high',
  'low',
  'friday',
  'forecast',
  'end',
  'week',
  'high',
  'low',
  'degree',
  'news',
  'inbox',
  'sign',
  'patch',
  'newsletter',
  'alert',
  'winter',
  'storm',
  'ohio',
  'forecastthe',
  'rule',
  'space',
  'discussion',
  'language',
  'claim',
  'reply',
  'topic',
  'patch',
  'community',
  'guidelines',
  'reply',
  'articlereplyreplie',
  'clevelandcommunity',
  'corner',
  '6dwalmart',
  'trailer',
  'tour',
  'clevelandseasonal',
  'holidays',
  'jun',
  '9cleveland',
  'dad',
  'supports',
  'kids',
  'special',
  'need',
  'events+',
  'eventfeatured',
  'classifieds+',
  'news',
  'nearbycleveland',
  'oh',
  'newscleveland',
  'area',
  'real',
  'estate',
  'roundupcleveland',
  'oh',
  'news5',
  'new',
  'houses',
  'sale',
  'cleveland',
  'areacleveland',
  'oh',
  'newscleveland',
  'area',
  'pets',
  'adoption',
  'cat',
  'rabbits',
  'morecleveland',
  'oh',
  'newshire',
  'cleveland',
  'area',
  'pro',
  'home',
  'today!cleveland',
  'oh',
  'newscleveland',
  'area',
  'pros',
  'dirty',
  'work',
  '\u200b—\u200b',
  'literallybest',
  'clevelandcleveland',
  'community',
  'cornershop',
  'cleveland',
  'area',
  'farmers',
  'markets',
  'pro',
  'info',
  'herecleveland',
  'community',
  'place',
  'cleveland',
  'area',
  'visitorscleveland',
  'restaurants',
  'bars4',
  'best',
  'ice',
  'cream',
  'spot',
  'cleveland',
  'area',
  'vegan',
  'cleveland',
  'arts',
  'entertainmentthe',
  'cleveland',
  'facebook',
  'groups',
  'asapcleveland',
  'community',
  'corner5',
  'best',
  'walking',
  'trail',
  'cleveland',
  'hiking',
  'yourcommunity',
  'patch',
  'appcorporate',
  'infoabout',
  'patchcareerspartnershipsadvertise',
  'patchsupportfaqscontact',
  'patchcommunity',
  'guidelinesposting',
  'instructionsterms',
  'useprivacy',
  'policy',
  'patch',
  'media',
  'rights'],
 ['response',
  'asbestos',
  'material',
  'fire',
  'kmart',
  'information',
  'oregon',
  'department',
  'environmental',
  'quality',
  'website',
  'debris',
  'answer',
  'question',
  'calendar',
  'events',
  'event',
  'meeting',
  'hearing',
  'city',
  'council',
  'session',
  'agenda',
  'archive',
  'construction',
  'projects',
  'building',
  'transportation',
  'maintenance',
  'sewer',
  'project',
  'park',
  'parks',
  'facility',
  'reservation',
  'news',
  'article',
  'blog',
  'press',
  'release',
  'notice',
  'newsletter',
  'project',
  'planning',
  'outreach',
  'education',
  'technology',
  'project',
  'service',
  'resources',
  'service',
  'resource',
  'directory',
  'job',
  'city',
  'opportunities',
  'resident',
  'property',
  'owner',
  'business',
  'community',
  'city',
  'storm',
  'emergency',
  'resource',
  'winter',
  'weather',
  'basic',
  'resident',
  'business',
  'portland',
  'bureau',
  'transportation',
  'pbot',
  'winter',
  'weather',
  'emergency',
  'event',
  'winter',
  'storm',
  'closures',
  'pbot',
  'winter',
  'weather',
  'road',
  'closure',
  'chain',
  'advisory',
  'road',
  'hazard',
  'pbot',
  'maintenance',
  'emergency',
  'dispatch',
  '24/7',
  'center',
  'map',
  'pbot',
  'snow',
  'ice',
  'route',
  'salt',
  'time',
  'traffic',
  'weather',
  'road',
  'closure',
  'information',
  'public',
  'alerts',
  'sign',
  'emergency',
  'notification',
  'text',
  'email',
  'phone',
  'agency',
  'pbot',
  'oregon',
  'department',
  'transportation',
  'odot',
  'trimet',
  'multnomah',
  'county',
  'odot',
  'tripcheckweather',
  'road',
  'condition',
  'area',
  'highway',
  'u.s.',
  'state',
  'route',
  'portland',
  'sw',
  'macadam',
  'avenue',
  'or-43)sw',
  'barbur',
  'boulevard',
  'or-99w)se',
  'powell',
  'boulevard',
  'us-26)n',
  'lombard',
  'street',
  'se',
  'sandy',
  'boulevard',
  'us-30b).multnomah',
  'county',
  'bridge',
  'closure',
  'county',
  'road',
  'closure',
  'home',
  'safe',
  'winter',
  'travel',
  'tips',
  'winter',
  'weather',
  'tip',
  'transit',
  'walking',
  'biking',
  'winter',
  'weather',
  'pbot',
  'notification',
  'pbot',
  'notification',
  'email',
  'text',
  'news',
  'release',
  'traffic',
  'advisory',
  'winter',
  'weather',
  'information',
  'pbot',
  'social',
  'media',
  'pbot',
  'facebook',
  'twitter',
  'news',
  'alert',
  'road',
  'closure',
  'advisory',
  'winter',
  'weather',
  'faq',
  'residents',
  'businessesresidents',
  'property',
  'owner',
  'business',
  'community',
  'city',
  'storm',
  'clearing',
  'sidewalk',
  'pathway',
  'snow',
  'ice',
  'transit',
  'winter',
  'weather',
  'senior',
  'people',
  'disability',
  'family',
  'employee',
  'plan',
  'neighbor',
  'assistance',
  'supply',
  'medication',
  'preparationhow',
  'safe',
  'winter',
  'travel',
  'tipsfor',
  'winter',
  'hit',
  'weather',
  'emergency',
  'information',
  'road',
  'closure',
  'chain',
  'advisory',
  'bookmark',
  'alert',
  'date',
  'winter',
  'weather',
  'weather',
  'warning',
  'emergency',
  'information',
  'section',
  'road',
  'closure',
  'chain',
  'advisory',
  'bookmark',
  'alert',
  'winter',
  'weather',
  'clearing',
  'sidewalks',
  'hazard',
  'sidewalk',
  'driveway',
  'city',
  'code',
  'property',
  'owner',
  'tenant',
  'business',
  'sidewalk',
  'path',
  'driveway',
  'storm',
  'snow',
  'ice',
  'sidewalk',
  'ice',
  'sidewalk',
  'driveway',
  'winter',
  'weather',
  'snow',
  'shovel',
  'path',
  'foot',
  'storm',
  'catch',
  'basin',
  'catch',
  'basin',
  'snow',
  'ice',
  'leave',
  'debris',
  'catch',
  'basin',
  'pbot',
  'maintenance',
  'emergency',
  'dispatch',
  '24/7',
  '1700.what',
  'public',
  'hazard',
  'property',
  'owner',
  'tenant',
  'business',
  'public',
  'danger',
  'snow',
  'ice',
  'debris',
  'property',
  'sign',
  'sandwich',
  'board',
  'hazard',
  'pipeswhat',
  'water',
  'pipe',
  'pipe',
  'water',
  'water',
  'heater',
  'water',
  'valve',
  'emergency',
  'dispatch',
  'assistance',
  'pipe',
  'plumbing',
  'line',
  'hair',
  'dryer',
  'heat',
  'lamp',
  'water',
  'pipe',
  'water',
  'meter',
  'box',
  'curb',
  'chance',
  'water',
  'meter',
  'tip',
  'portland',
  'water',
  'bureau',
  'vehicles',
  'drivingdo',
  'car',
  'way',
  'snowplow',
  'snow',
  'ice',
  'route',
  'car',
  'street',
  'snow',
  'berm',
  'car',
  'driveway',
  'berm',
  'snow',
  'ground',
  'street',
  'sidewalk',
  'pathway',
  'traction',
  'device',
  'event',
  'pbot',
  'traction',
  'device',
  'traction',
  'tire',
  'chain',
  'w',
  'burnside',
  'street',
  'west',
  'nw',
  '23rd',
  'avenue',
  'sw',
  'sam',
  'jackson',
  'park',
  'road',
  'requirement',
  'portland',
  'police',
  'bureau',
  'oregon',
  'health',
  'science',
  'university',
  'ohsu',
  'police',
  'message',
  'board',
  'chain',
  'area',
  'vehicle',
  'failure',
  'vehicle',
  'traction',
  'device',
  'class',
  'c',
  'traffic',
  'violation',
  'ors',
  'fine',
  'pbot',
  'use',
  'traction',
  'device',
  'snow',
  'ice',
  'route',
  'caution',
  'elevation',
  'caution',
  'area',
  'bridge',
  'overpass',
  'hill',
  'example',
  'west',
  'hill',
  'nw',
  'cornell',
  'road',
  'nw',
  'germantown',
  'road',
  'nw',
  'skyline',
  'boulevard',
  'sw',
  'bancroft',
  'street',
  'sw',
  'hamilton',
  'street',
  'example',
  'eastside',
  'se',
  'flavel',
  'road',
  'marine',
  'drive',
  'area',
  'mount',
  'scott',
  'mount',
  'tabor',
  'rocky',
  'butte',
  'winter',
  'weather',
  'road',
  'closures',
  'chain',
  'advisories',
  'page',
  'closure',
  'information',
  'tire',
  'tire',
  'oregon',
  'law',
  'use',
  'tire',
  'nov.',
  'april',
  'use',
  'tire',
  'date',
  'class',
  'c',
  'traffic',
  'violation',
  'ors',
  'fine',
  'pbot',
  'odot',
  'driver',
  'type',
  'traction',
  'tire',
  'damage',
  'tire',
  'road',
  'traction',
  'tire',
  'industry',
  'standard',
  'winter',
  'traction',
  'performance',
  'mountain',
  'snowflake',
  'symbol',
  'sidewall',
  'research',
  'tire',
  'traction',
  'tire',
  'pavement',
  'winter',
  'condition',
  'pbot',
  'winter',
  'weatherpbot',
  'weather',
  'emergency',
  'storm',
  'road',
  'condition',
  'city',
  'timing',
  'weather',
  'pattern',
  'geography',
  'moisture',
  'temperature',
  'way',
  'condition',
  'road',
  'condition',
  'preparationhow',
  'pbot',
  'mode',
  'winter',
  'weather',
  'nov.',
  'march',
  'fall',
  'test',
  'equipment',
  'change',
  'snow',
  'ice',
  'plan',
  'year',
  'crew',
  'winter',
  'equipment',
  'route',
  'change',
  'hazard',
  'right',
  'way',
  'weather',
  'scenario',
  'winter',
  'weather',
  'center',
  'map',
  'snow',
  'ice',
  'route',
  'salt',
  'pbot',
  'weather',
  'forecast',
  'pbot',
  'meteorologist',
  'weather',
  'forecast',
  'talk',
  'crew',
  'ground',
  'time',
  'condition',
  'portland',
  'snowfall',
  'inch',
  'year',
  'winter',
  'weather',
  'center',
  'map',
  'snow',
  'ice',
  'route',
  'time',
  'weather',
  'road',
  'closure',
  'information',
  'lead',
  'winter',
  'weather',
  'agency',
  'snow',
  'ice',
  'response',
  'portland',
  'threat',
  'snow',
  'ice',
  'pbot',
  'national',
  'incident',
  'management',
  'system',
  'nims',
  'incident',
  'command',
  'system',
  'ics',
  'model',
  'storm',
  'event',
  'city',
  'emergency',
  'coordination',
  'center',
  'ecc',
  'event',
  'coordination',
  'agency',
  'winter',
  'weather',
  'center',
  'snow',
  'ice',
  'route',
  'traffic',
  'camera',
  'time',
  'road',
  'closure',
  'weather',
  'information',
  'resource',
  'emergency',
  'information',
  'information',
  'winter',
  'weather',
  'warming',
  'shelter',
  'toll',
  'snow',
  'ice',
  'pbot',
  'snow',
  'ice',
  'route',
  'event',
  'winter',
  'weather',
  'pbot',
  'transit',
  'line',
  'emergency',
  'route',
  'winter',
  'weather',
  'snow',
  'ice',
  'route',
  'city',
  'police',
  'fire',
  'station',
  'hospital',
  'school',
  'bus',
  'route',
  'downtown',
  'core',
  'business',
  'district',
  'street',
  'grid',
  'pbot',
  'mission',
  'lane',
  'direction',
  'route',
  'vehicle',
  'wheel',
  'drive',
  'traction',
  'device',
  'severity',
  'snow',
  'ice',
  'hour',
  'shift',
  'crew',
  'route',
  'anti',
  '-',
  'icer',
  'snowfall',
  'crew',
  'hour',
  'shift',
  'route',
  'winter',
  'weather',
  'center',
  'map',
  'route',
  'street',
  'street',
  'pbot',
  'street',
  'snow',
  'ice',
  'route',
  'street',
  'grade',
  '%',
  'danger',
  'crew',
  'equipment',
  'lane',
  'mile',
  'city',
  'focus',
  'snow',
  'ice',
  'route',
  'lane',
  'mile',
  'emergency',
  'response',
  'transit',
  'operation',
  'mobility',
  'city',
  'home',
  'winter',
  'travel',
  'tipsfor',
  'information',
  'winter',
  'weather',
  'state',
  'road',
  'highway',
  'portland',
  'pbot',
  'snow',
  'ice',
  'route',
  'oregon',
  'department',
  'transportation',
  'odot',
  'highway',
  'u.s.',
  'state',
  'route',
  'portland',
  'odot',
  'tripcheck',
  'information',
  'route',
  'sw',
  'macadam',
  'avenue',
  'or-43)sw',
  'barbur',
  'boulevard',
  'or-99w)se',
  'powell',
  'boulevard',
  'us-26)n',
  'lombard',
  'street',
  'se',
  'sandy',
  'boulevard',
  'emergency',
  'vehicle',
  'street',
  'pbot',
  'pbot',
  'emergency',
  'service',
  'contact',
  'winter',
  'weather',
  'emergency',
  'vehicle',
  'assistance',
  'street',
  'snow',
  'ice',
  'route',
  'pbot',
  'equipment',
  'anti',
  'icing',
  'salt',
  'gravel',
  'pbot',
  'road',
  'winter',
  'weather',
  'pbot',
  'road',
  'deicing',
  'chemical',
  'road',
  'salt',
  'gravel',
  'snow',
  'road',
  'care',
  'air',
  'road',
  'surface',
  'temperature',
  'city',
  'factor',
  'combination',
  'approach',
  'route',
  'intensity',
  'storm',
  'accumulation',
  'city',
  'altitude',
  'temperature',
  'difference',
  'winter',
  'weather',
  'center',
  'snow',
  'ice',
  'route',
  'salt',
  'equipment',
  'time',
  'pbot',
  'deicing',
  'chemical',
  'chemical',
  'road',
  'bridge',
  'overpass',
  'area',
  'snow',
  'ice',
  'route',
  'application',
  'pbot',
  'magnesium',
  'chloride',
  'mgcl2',
  'salt',
  'brine',
  'temperature',
  'water',
  'pbot',
  'route',
  'storm',
  'condition',
  'temperature',
  'rain',
  'treatment',
  'winter',
  'storm',
  'crew',
  'jet',
  'liquid',
  'travel',
  'lane',
  'evening',
  'peak',
  'traffic',
  'period',
  'morning',
  'rush',
  'storm',
  'night',
  'temperature',
  'pbot',
  'application',
  'chemical',
  'deice',
  'bond',
  'snow',
  'ice',
  'pavement',
  'winter',
  'weather',
  'center',
  'map',
  'route',
  'equipment',
  'time',
  'pbot',
  'road',
  'salt',
  'road',
  'salton',
  'section',
  'snow',
  'ice',
  'route',
  'closure',
  'winter',
  'storm',
  'lane',
  'mile',
  'condition',
  'hill',
  'route',
  'hospital',
  'business',
  'district',
  'road',
  'neighboring',
  'county',
  'portland',
  'road',
  'salt',
  'additive',
  'vehicle',
  'wear',
  'tear',
  'partner',
  'bureau',
  'environmental',
  'services',
  'impact',
  'salination',
  'river',
  'stream',
  'winter',
  'weather',
  'center',
  'route',
  'map',
  'road',
  'salt',
  'equipment',
  'time',
  'pbot',
  'gravel',
  'pbot',
  'quarter',
  'gravel',
  'traction',
  'snow',
  'ice',
  'location',
  'deicing',
  'gravel',
  'impact',
  'environment',
  'time',
  'work',
  'storm',
  'information',
  'gravel',
  'paragraph',
  'storm',
  'parking',
  'towing',
  'road',
  'hazard',
  'snow',
  'pbot',
  'pbot',
  'snow',
  'accumulation',
  'half',
  'inch',
  'pbot',
  'snow',
  'berm',
  'center',
  'street',
  'way',
  'pbot',
  'road',
  'hazard',
  'coverage',
  'visibility',
  'road',
  'user',
  'pedestrian',
  'crew',
  'half',
  'inch',
  'pavement',
  'damage',
  'road',
  'equipment',
  'pavement',
  ...],
 ['contentwburwbur90.0',
  'wbur',
  'boston',
  'npr',
  'news',
  'stationlocal',
  'coverage',
  'loading',
  'heart',
  'donatewburwbur90.0',
  'wbur',
  'boston',
  'npr',
  'news',
  'stationlocal',
  'coverage',
  'loading',
  'heart',
  'donatelocal',
  'coverage',
  'livesearchsectionslocal',
  'coveragearts',
  'culturebusinesseducationenvironmenthealthinvestigationscognoscentiboston',
  'news',
  'quizradioon',
  'air',
  'schedulemorning',
  'editionon',
  'pointradio',
  'bostonhere',
  'nowall',
  'things',
  'consideredways',
  'radio',
  'programspodcaststhe',
  'commonendless',
  'threadcircle',
  'seenanything',
  'selenaall',
  'calendarwatch',
  'past',
  'eventsrentalsevent',
  'newslettersupportmake',
  'donationbecome',
  'membermember',
  'servicesdonate',
  'carjoin',
  'murrow',
  'societysubscribe',
  'weekday',
  'wbur',
  'morning',
  'routinethe',
  'email',
  'address',
  'invalidit',
  'boston',
  'news',
  'fun',
  'emailthank',
  'wbur',
  'today',
  'wbur',
  'today',
  'advertisementnew',
  'hampshire',
  'tourism',
  'business',
  'impact',
  'summer',
  'dario',
  'new',
  'hampshire',
  'radiofacebookemaila',
  'man',
  'water',
  'sky',
  'lake',
  'winnipesaukee',
  'sunday',
  'aug.',
  'alton',
  'n.h.',
  'jim',
  'cole',
  'ap)businesse',
  'tourism',
  'lakes',
  'white',
  'mountains',
  'region',
  'summer',
  'rain',
  'damper',
  'line',
  'weather',
  'steve',
  'wilkie',
  'operation',
  'manager',
  'new',
  'hampshire',
  'highway',
  'vehicle',
  'association',
  'atv',
  'trail',
  'state',
  'storm',
  'north',
  'south',
  'pandemic',
  'people',
  'summer',
  'weather',
  'usage',
  'registration',
  'kirk',
  'beattie',
  'city',
  'manager',
  'laconia',
  'heart',
  'lakes',
  'region',
  'decrease',
  'day',
  'tripper',
  '“good',
  'weather',
  'business',
  'tourist',
  'grant',
  'railroad',
  'attraction',
  'clark',
  'bears',
  'amusement',
  'park',
  'lincoln',
  'beattie',
  'sentiment',
  'attendance',
  'fall',
  'motel',
  'booking',
  'term',
  'tourist',
  'business',
  'owner',
  'forecast',
  'visitor',
  'grant',
  'lincoln',
  'brunt',
  'summer',
  'weather',
  'phone',
  'guest',
  'threat',
  'downpour',
  'tornado',
  'new',
  'hampshire',
  'story',
  'lot',
  'flooding',
  'impact',
  'community',
  '”torin',
  'stegemeyer',
  'owner',
  'wake',
  'winni',
  'water',
  'sports',
  'wolfeboro',
  'reservation',
  'sunday',
  'monday',
  'road',
  'closure',
  'decrease',
  'rental',
  'customer',
  'chance',
  'weather',
  'year',
  'customer',
  'experience',
  'stegemeyer',
  'crowd',
  'boating',
  'condition',
  'lake',
  'space',
  'openness',
  'winnipesaukee',
  'weekend',
  'deluge',
  'condition',
  'waterway',
  'state',
  'river',
  'charyl',
  'reardon',
  'president',
  'white',
  'mountain',
  'attractions',
  'association',
  'visitor',
  'river',
  'current',
  'water',
  'level',
  'rain',
  'river',
  'movement',
  'rock',
  'stuff',
  'underground',
  '”the',
  'rain',
  'retailer',
  'increase',
  'foot',
  'traffic',
  'julie',
  'locascio',
  'sale',
  'associate',
  'lahout',
  'ski',
  'shop',
  'lincoln',
  'sale',
  'number',
  'board',
  'people',
  'weather',
  'story',
  'production',
  'new',
  'england',
  'news',
  'collaborative',
  'new',
  'hampshire',
  'public',
  'radio',
  'new',
  'england',
  'news',
  'collaborativerelated',
  'sunday',
  'storm',
  'tornado',
  'mass.',
  'area',
  'sewage',
  'overflowsstorm',
  'flood',
  'tornado',
  'new',
  'englandadvertisementresumelisten',
  'liveloading',
  'closewburwbur90.0',
  'wbur',
  'boston',
  'npr',
  'news',
  'stationnprcontact',
  'us(617',
  'commonwealth',
  'ave',
  'boston',
  'ma',
  '02215more',
  'way',
  'touch',
  'wburwho',
  'areinside',
  'wburcareerswbur',
  'staffcommunity',
  'advisory',
  'boardboard',
  'transparencydiversity',
  'equity',
  'inclusionlicensing',
  'wbur',
  'contentethics',
  'guidesupport',
  'donationbecome',
  'membermember',
  'servicesdonate',
  'carjoin',
  'murrow',
  'societybecome',
  'sponsorvolunteerfollowfacebook',
  'facebook',
  'instagram',
  'youtube',
  'linkedinsubscribe',
  'weekday',
  'wbur',
  'morning',
  'routinethe',
  'email',
  'address',
  'invalidit',
  'boston',
  'news',
  'fun',
  'emailthank',
  'wbur',
  'today',
  'wbur',
  'today',
  'copyright',
  'wbur',
  'statementswbur',
  'eeo',
  'applicationspublic',
  'file',
  'assistancesyndicationthis',
  'site',
  'recaptcha',
  'google',
  'privacy',
  'policy',
  'terms',
  'service'],
 ['site',
  'theme',
  'toggle',
  'switch',
  'light',
  'mode',
  'site',
  'theme',
  'toggle',
  'switch',
  'light',
  'mode',
  'tv',
  'programs',
  'global',
  'nationalwest',
  'blockthe',
  'morning',
  'showvideo',
  'centremore',
  'page',
  'email',
  'heavy',
  'snow',
  'flight',
  'storm',
  'u.s.',
  'trouble',
  'midwest',
  'northeast',
  'official',
  'north',
  'dakota',
  'south',
  'dakota',
  'minnesota',
  'iowa',
  'people',
  'saturday',
  'canadian',
  'europe',
  'permit',
  'visa',
  'singer',
  'sinéad',
  'o’connor',
  'pest',
  'mouse',
  'video',
  'tim',
  'hortons',
  'ontario',
  'mummified',
  'body',
  'rockies',
  'family',
  'grid',
  'justin',
  'trudeau',
  'cabinet',
  'dwayne',
  'rock',
  'johnson',
  'figure',
  'donation',
  'actor',
  'westjet',
  'airline',
  'ticket',
  'europe',
  'trudeau',
  'cabinet',
  'shuffle',
  'preview',
  'bronny',
  'james',
  'son',
  'nba',
  'star',
  'lebron',
  'james',
  'arrest',
  'workout',
  'obamas',
  'chef',
  'martha',
  'vineyard',
  'pond',
  'trudeau',
  'energy',
  'cabinet',
  'paris',
  'olympics',
  'organizer',
  'heat',
  'athlete',
  'staff',
  'canadian',
  'europe',
  'permit',
  'visa',
  'singer',
  'sinéad',
  'o’connor',
  'pest',
  'mouse',
  'video',
  'tim',
  'hortons',
  'ontario',
  'mummified',
  'body',
  'rockies',
  'family',
  'grid',
  'justin',
  'trudeau',
  'cabinet',
  'dwayne',
  'rock',
  'johnson',
  'figure',
  'donation',
  'actor',
  'westjet',
  'airline',
  'ticket',
  'europe',
  'trudeau',
  'cabinet',
  'shuffle',
  'preview',
  'bronny',
  'james',
  'son',
  'nba',
  'star',
  'lebron',
  'james',
  'arrest',
  'workout',
  'obamas',
  'chef',
  'martha',
  'vineyard',
  'pond',
  'trudeau',
  'energy',
  'cabinet',
  'paris',
  'olympics',
  'organizer',
  'heat',
  'athlete',
  'staff',
  'aboutprinciples',
  'practicesbranded',
  'contentcontact',
  'homeadvertiser',
  'election',
  'registryglobal',
  'news',
  'licensing',
  'requests',
  'privacy',
  'policycopyrightterm',
  'standards',
  'termscorus',
  'entertainmentaccessibility'],
 ['main',
  'content',
  'sensor',
  'network',
  'maps',
  'radar',
  'severe',
  'weather',
  'news',
  'blogs',
  'mobile',
  'apps',
  'nearest',
  'station',
  'manage',
  'favorite',
  'citieslog',
  'joinsettingsaccount_box',
  'log',
  'person_add',
  'join',
  'setting',
  'settings',
  'sensor',
  'networkmaps',
  'radarsevere',
  'weathernews',
  'blogsmobile',
  'appshistorical',
  'weatherstarnews',
  'blogs',
  'category',
  'news',
  'stories',
  'infographics',
  'posters',
  'news',
  'stories',
  'category',
  'storiesinfographicsposterspublished',
  'weather',
  'company',
  'mission',
  'weather',
  'news',
  'environment',
  'importance',
  'science',
  'life',
  'story',
  'position',
  'parent',
  'company',
  'ibm.recent',
  'storiesweather',
  'articlesour',
  'appsabout',
  'uscontactcareerspws',
  'networkwundermapfeedback',
  'supportterms',
  'useprivacy',
  'policyaccessibility',
  'statementadchoicesdata',
  'vendorswe',
  'responsibility',
  'datum',
  'technology',
  'datum',
  'data',
  'vendor',
  'control',
  'datum',
  'datum',
  'rightspowered',
  'ibm',
  'cloud',
  'copyright',
  'twc',
  'product',
  'technology',
  'llc',
  'javascript',
  'application'],
 ['july',
  'issue',
  'storm',
  'henri',
  'landfall',
  'rhode',
  'island',
  'wind',
  'rain',
  'upper',
  'valley',
  'storm',
  'land',
  'danger',
  'national',
  'hurricane',
  'center',
  'dartmouth',
  'senior',
  'staff',
  '',
  '',
  'nhc',
  'p.m.',
  'update',
  'henri',
  'new',
  'hampshire',
  'monday',
  'storm',
  'henri',
  'category',
  'hurricane',
  'today',
  'inch',
  'rain',
  'wind',
  'upper',
  'valley',
  'monday',
  'projection',
  'national',
  'hurricane',
  'center',
  'flash',
  'flooding',
  'possibility',
  'ground',
  'saturation',
  'summer',
  'henri',
  'landfall',
  'rhode',
  'island',
  'pm',
  'nhc',
  'rhode',
  'island',
  'connecticut',
  'turn',
  'massachusetts',
  'new',
  'hampshire',
  'storm',
  'nhc',
  'director',
  'ken',
  'graham',
  'wmur',
  'sunday',
  'morning',
  'land',
  'condition',
  'rainfall',
  'new',
  'hampshire',
  'wind',
  'speed',
  'time',
  'storm',
  'new',
  'hampshire',
  'mile',
  'hour',
  'graham',
  'gust',
  'danger',
  'wind',
  'wmur',
  'sunday',
  'thing',
  'soil',
  'rain',
  'gust',
  'mile',
  'hour',
  'tree',
  'situation',
  'soil',
  'nhc',
  'mapping',
  'upper',
  'valley',
  '%',
  '%',
  'chance',
  'storm',
  'force',
  'wind',
  'upper',
  'valley',
  'inch',
  'rain',
  'point',
  'maximum',
  'rainfall',
  'governor',
  'new',
  'york',
  'connecticut',
  'state',
  'emergency',
  'county',
  'state',
  'president',
  'joe',
  'biden',
  'state',
  'emergency',
  'rhode',
  'island',
  'customer',
  'power',
  'connecticut',
  'rhode',
  'island',
  'massachusetts',
  'storm',
  'wind',
  'mile',
  'hour',
  'washington',
  'county',
  'rhode',
  'island',
  'customer',
  'power',
  'friday',
  'statement',
  'dartmouth',
  'vice',
  'president',
  'communication',
  'justin',
  'anderson',
  'dartmouth',
  'emergency',
  'management',
  'team',
  'weather',
  'condition',
  'campus',
  'operation',
  'dartmouth',
  'staff',
  'forecast',
  'touch',
  'community',
  'nhc',
  'storm',
  'trajectory',
  'forecast',
  'hour',
  'update',
  'p.m.',
  'stories',
  'bvac',
  'namesake',
  'leon',
  'black',
  'settlement',
  'u.s.',
  'virgin',
  'islands',
  'lawsuit',
  'rape',
  'surface',
  'record',
  'lead',
  'campaign',
  'year',
  'cyanobacteria',
  'bloom',
  'advisory',
  'effect',
  'mascoma',
  'lake',
  'wobbly',
  'friday',
  'student',
  'weekend',
  'q&a',
  'head',
  'coach',
  'man',
  'tennis',
  'justin',
  'desanto',
  'welcome',
  'woods',
  'stranger',
  'dartmouth',
  'difference',
  'q&a',
  'head',
  'rowing',
  'coach',
  'trevor',
  'michelson',
  'archives',
  'donate',
  'classifieds',
  'archival',
  'book',
  'alumni',
  'friends',
  'issue',
  'photo',
  'store',
  'copyright',
  'solutions',
  'state',
  'news'],
 ['sports',
  'high',
  'school',
  'sports',
  'college',
  'sports',
  'connecticut',
  'sun',
  'uconn',
  'men',
  'uconn',
  'women',
  'uconn',
  'football',
  'uconn',
  'huskies',
  'thing',
  'horoscopes',
  'ctnow',
  'food',
  'drink',
  'event',
  'calendar',
  'advertising',
  'ascend',
  'paid',
  'content',
  'brandpoint',
  'paid',
  'partner',
  'content',
  'crash',
  'closure',
  'ct',
  'snowstorm',
  'twitter',
  'opens',
  'window)click',
  'facebook',
  'opens',
  'window',
  'courant.com',
  'faq',
  'ct',
  'man',
  'baby',
  'daughter',
  'cause',
  'july',
  'pm',
  'crash',
  'closure',
  'ct',
  'snowstorm',
  'inch',
  'town',
  'twitter',
  'opens',
  'window)click',
  'facebook',
  'opens',
  'window',
  'christopher',
  'keating',
  'inch',
  'connecticut',
  'simsbury',
  'snow',
  'accumulation',
  'inch',
  'stephen',
  'underwood',
  '',
  '',
  'hartford',
  'courantpublished',
  'february',
  'a.m.',
  'updated',
  'february',
  'connecticut',
  'inch',
  'snow',
  'thank',
  'snowstorm',
  'winter',
  'season',
  'storm',
  'snow',
  'afternoon',
  'snow',
  'morning',
  'intensity',
  'weather',
  'service',
  'national',
  'weather',
  'service',
  'snow',
  'total',
  'state',
  'inch',
  'west',
  'hartford',
  'inch',
  'glastonbury',
  'middletown',
  'manchester',
  'bristol',
  'inch',
  'national',
  'weather',
  'service',
  'temperature',
  'snow',
  'road',
  'condition',
  'tuesday',
  'afternoon',
  'period',
  'snow',
  'tuesday',
  'afternoon',
  'accumulation',
  'lessor',
  'bulk',
  'storm',
  'tuesday',
  'morning',
  'a.m.',
  'closure',
  'impacts',
  'condition',
  'morning',
  'commute',
  'state',
  'state',
  'police',
  'monday',
  'night',
  'trooper',
  'crash',
  'injury',
  'bradley',
  'international',
  'airport',
  'snow',
  'removal',
  'operation',
  '%',
  'flight',
  'morning',
  'airport',
  'cancellation',
  'delay',
  'passenger',
  'airline',
  'status',
  'flight',
  'itinerary',
  'airport',
  'storm',
  'eversource',
  'crew',
  'customer',
  'possibility',
  'outage',
  'outage',
  'map',
  'eversource',
  'customer',
  'state',
  'power',
  'outage',
  'greenwich',
  'department',
  'transportation',
  'commissioner',
  'garrett',
  't.',
  'eucalitto',
  'motorist',
  'morning',
  'commute',
  'plow',
  'truck',
  'job',
  'resident',
  'travel',
  'time',
  'space',
  'vehicle',
  'plow',
  'plenty',
  'room',
  'roadway',
  'eucalitto',
  'eucalitto',
  'plow',
  'truck',
  'state',
  'roadway',
  '%',
  'shortage',
  'cdl',
  'plow',
  'driver',
  'year',
  'record',
  'winter',
  'winter',
  'record',
  'breaking',
  'national',
  'weather',
  'service',
  'month',
  'new',
  'england',
  'january',
  'record',
  'january',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'connecticut',
  'year',
  'record',
  'end',
  'february',
  'degree',
  'year',
  'degree',
  'record',
  'state',
  'lessor',
  'place',
  'degree',
  'lessor',
  'year',
  'state',
  'year',
  'inch',
  'snow',
  'hartford',
  'feb.',
  'year',
  'record',
  'temperature',
  'degree',
  'capital',
  'city',
  'time',
  'record',
  'end',
  'month',
  'state',
  'inch',
  'snow',
  'bridgeport',
  'area',
  'start',
  'winter',
  'temperature',
  'year',
  'precipitation',
  'total',
  'winter',
  'season',
  'precipitation',
  'pack',
  'lessor',
  'winter',
  'rain',
  'snow',
  'lessor',
  'snowfall',
  'total',
  'temperature',
  'new',
  'england',
  'snow',
  'winter',
  'north',
  'caribou',
  'maine',
  'inch',
  'lessor',
  'air',
  'new',
  'england',
  'snow',
  'storm',
  'state',
  'morning',
  'record',
  'better',
  'business',
  'bureau',
  'winter',
  'storm',
  'advice',
  'resource',
  'storm',
  'damage',
  'website',
  'stephen',
  'underwood',
  'stephen',
  'underwood',
  'reporter',
  'hartford',
  'courant',
  'tropic',
  'hurricane',
  'center',
  'system',
  'ct',
  'heat',
  'index',
  'hartford',
  'center',
  'depression',
  'weekend',
  'system',
  'africa',
  'ct',
  'lamont',
  'emergency',
  'usda',
  'help',
  'farm',
  'water',
  'm',
  'sale',
  'chicago',
  'tribune',
  'new',
  'york',
  'daily',
  'news',
  'sun',
  'sentinel',
  'fla.',
  'daily',
  'press',
  'va.',
  'daily',
  'meal',
  'baltimore',
  'sun',
  'orlando',
  'sentinel',
  'morning',
  'pa.',
  'virginian',
  'pilot',
  'studio',
  'contact',
  'classifieds',
  'careers',
  'privacy',
  'policy',
  'cookie',
  'policy',
  'terms',
  'service',
  'sitemap',
  'manage',
  'subscription',
  'ez',
  'pay',
  'vacation',
  'stop',
  'delivery',
  'issue',
  'subscriber',
  'term',
  'subscriber',
  'terms',
  'conditions',
  'cookie',
  'policy',
  'cookie',
  'preferences',
  'california',
  'notice',
  'collection',
  'notice',
  'financial',
  'incentive',
  'share',
  'information'],
 ['trouble',
  'page',
  'help',
  'feature',
  'politic',
  'sports',
  'square',
  'mile',
  'search',
  'account',
  'air',
  'schedule',
  'donate',
  'term',
  'use',
  'privacy',
  'policy',
  'corrections',
  'contest',
  'rules',
  'amazon',
  'alexa',
  'app',
  'air',
  'schedule',
  'storm',
  'outage',
  'ri',
  'ma',
  'temperature',
  'weekend',
  'fri',
  'dec',
  'gmt+0000',
  'coordinated',
  'universal',
  'time',
  'winter',
  'storm',
  'condition',
  'holiday',
  'travel',
  'midwest',
  'new',
  'england',
  'forecaster',
  'wind',
  'gust',
  'storm',
  'surge',
  'rain',
  'temperature',
  'weekend',
  'official',
  'winter',
  'storm',
  'rain',
  'wind',
  'flooding',
  'new',
  'england',
  'friday',
  'temperature',
  'weekend',
  'forecaster',
  'temperature',
  'friday',
  'night',
  'providence',
  'pm',
  'low',
  'temperature',
  'evening',
  'driving',
  'condition',
  'â\x80\x9d',
  'rhode',
  'island',
  'gov.',
  'dan',
  'mckee',
  'friday',
  'afternoon',
  'temperature',
  'weekend',
  'official',
  'new',
  'england',
  'warming',
  'center',
  'providence',
  'mayor',
  'jorge',
  'elorza',
  'city',
  'hour',
  'warming',
  'center',
  'crossroads',
  'broad',
  'st.',
  'providence',
  'rescue',
  'mission',
  'cranston',
  'st.',
  'rhode',
  'island',
  'emergency',
  'management',
  'agency',
  'list',
  'warming',
  'center',
  'state',
  'stormâ\x80\x99s',
  'wind',
  'power',
  'thousand',
  'rhode',
  'island',
  'massachusetts',
  'utility',
  'customer',
  'power',
  'rhode',
  'island',
  'p.m.',
  'friday',
  'customer',
  'power',
  'bristol',
  'county',
  'massachusetts',
  'national',
  'weather',
  'service',
  'tide',
  'surge',
  'foot',
  'friday',
  'morning',
  'providence',
  'nuisance',
  'fox',
  'point',
  'hurricane',
  'barrier',
  'anticipation',
  'storm',
  'warwick',
  'wind',
  'gust',
  'mph',
  'friday',
  'morning',
  'national',
  'weather',
  'serviceâ\x80\x99s',
  'boston',
  'office',
  'station',
  'new',
  'bedford',
  'gust',
  'mph',
  'block',
  'island',
  'ferry',
  'ferry',
  'friday',
  'sea',
  'condition',
  'million',
  'americans',
  'bone',
  'temperature',
  'blizzard',
  'condition',
  'power',
  'outage',
  'holiday',
  'gathering',
  'friday',
  'winter',
  'storm',
  'forecaster',
  'scope',
  '%',
  'population',
  'sort',
  'winter',
  'weather',
  'advisory',
  'warning',
  'people',
  '%',
  'u.s.',
  'population',
  'form',
  'winter',
  'weather',
  'advisory',
  'warning',
  'friday',
  'national',
  'weather',
  'service',
  'weather',
  'service',
  'map',
  'â\x80\x9cdepict',
  'extent',
  'winter',
  'weather',
  'warning',
  'advisory',
  'â\x80\x9d',
  'forecaster',
  'statement',
  'friday',
  'flight',
  'u.s.',
  'friday',
  'tracking',
  'site',
  'flightaware',
  'mayhem',
  'traveler',
  'holiday',
  'home',
  'business',
  'power',
  'friday',
  'morning',
  'storm',
  'border',
  'border',
  'canada',
  'westjet',
  'flight',
  'friday',
  'toronto',
  'pearson',
  'international',
  'airport',
  'a.m.',
  'mexico',
  'migrant',
  'u.s.',
  'border',
  'temperature',
  'u.s.',
  'supreme',
  'court',
  'decision',
  'era',
  'restriction',
  'snow',
  'day',
  'kid',
  'president',
  'joe',
  'biden',
  'thursday',
  'oval',
  'office',
  'briefing',
  'official',
  'stuff.â\x80\x9dforecasters',
  'bomb',
  'cyclone',
  'pressure',
  'storm',
  'great',
  'lakes',
  'blizzard',
  'condition',
  'wind',
  'snow',
  'flight',
  'ashley',
  'sherrod',
  'nashville',
  'tennessee',
  'flint',
  'michigan',
  'thursday',
  'afternoon',
  'sherrod',
  'risk',
  'saturday',
  'flight',
  'canceled.â\x80\x9cmy',
  'family',
  'christmas',
  'sherrod',
  'bag',
  'grinch',
  'pajama',
  'family',
  'party',
  'door',
  'â\x80\x9cchristmas',
  'lack',
  'word',
  'suck.â\x80\x9d',
  'park',
  'ave',
  'portsmouth',
  'r.i.',
  'friday',
  'dec.'],
 ['motorcyclist',
  'hillside',
  'hwy',
  'nevada',
  'county',
  'water',
  'california',
  'groundwater',
  'storage',
  'grass',
  'valley',
  'nevada',
  'city',
  'worry',
  'nevada',
  'city',
  'brace',
  'atmospheric',
  'river',
  'storm',
  'home',
  'day',
  'power',
  'nevada',
  'city',
  'resident',
  'rain',
  'snow',
  'soil',
  'example',
  'video',
  'title',
  'video',
  'pm',
  'pst',
  'march',
  'pm',
  'pst',
  'march',
  'nevada',
  'city',
  'calif.',
  'nevada',
  'city',
  'resident',
  'brunt',
  'northern',
  'california',
  'storm',
  'rain',
  'foot',
  'snow',
  'area',
  'people',
  'power',
  'storm',
  'city',
  'goodness',
  'day',
  'world',
  'susan',
  'bauman',
  'home',
  'day',
  'power',
  'daughter',
  'thursday',
  'flooding',
  'garbage',
  'bag',
  'snow',
  'garage',
  'snow',
  'end',
  'garage',
  'rain',
  'bauman',
  'finger',
  'north',
  'bloomfield',
  'road',
  'area',
  'crew',
  'power',
  'line',
  'people',
  'way',
  'world',
  'bauman',
  'help',
  'resident',
  'neighbor',
  'community',
  'access',
  'business',
  'owner',
  'reason',
  'rain',
  'thursday',
  'afternoon',
  'flooding',
  'hill',
  'drought',
  'soil',
  'water',
  'sky',
  'seals',
  'venue',
  'manager',
  'stone',
  'house',
  'business',
  'owner',
  'deer',
  'creek',
  'california',
  'snow',
  'storm',
  'watch',
  'sierra',
  'snow',
  'valley',
  'area',
  'wind',
  'rain',
  'nevada',
  'city',
  'storm',
  'aftermath',
  'emergency',
  'declaration',
  'el',
  'dorado',
  'co.',
  'loss',
  'roof',
  'nevada',
  'city',
  'school',
  'gym',
  'dozen',
  'nevada',
  'city',
  'resident',
  'power',
  'abc10',
  'stream',
  'newscast',
  'demand',
  'video',
  'app',
  'roku',
  'amazon',
  'fire',
  'tv',
  'apple',
  'tv',
  'abc10',
  'abc10',
  'app',
  'weather',
  'forecast',
  'track',
  'storm',
  'radar',
  'abc10',
  'app',
  'news',
  'alert',
  'news',
  'tip',
  'abc10',
  'weather',
  'force',
  'weather',
  'photo',
  'abc10',
  'app',
  'stream',
  'abc10',
  'newscast',
  'demand',
  'video',
  'app',
  'roku',
  'amazon',
  'fire',
  'tv',
  'apple',
  'tv',
  'eeo',
  'public',
  'file',
  'report',
  'fcc',
  'online',
  'public',
  'inspection',
  'file',
  'closed',
  'caption',
  'procedure',
  'personal',
  'information',
  'kxtv',
  'tv',
  'rights',
  'kxtv',
  'notification',
  'news',
  'weather',
  'notification',
  'browser',
  'setting'],
 ['storm',
  'baltimore',
  'area',
  'tuesday',
  'afternoon',
  'maryland',
  'weather',
  'severe',
  'storm',
  'baltimore',
  'area',
  'tuesday',
  'afternoon',
  'july',
  'chris',
  'montcalmo',
  'update',
  'thunderstorm',
  'watch',
  'flood',
  'watch',
  'baltimore',
  'area',
  'story',
  'baltimore',
  'md',
  'condition',
  'baltimore',
  'area',
  'storm',
  'tuesday',
  'afternoon',
  'national',
  'weather',
  'service',
  'thunderstorm',
  'wind',
  'hail',
  'instance',
  'flooding',
  'heat',
  'humidity',
  'area',
  'remainder',
  'week',
  'resident',
  'forecast',
  'day',
  'graphic',
  'carneychasefifth',
  'districtfullertonglen',
  'armgolden',
  'ringhillendalekingsvillelinovermiddle',
  'rivernational',
  'weather',
  'servicenottinghamoverleaparkvilleperry',
  'hallrosedalerossvillesixth',
  'districtstormswhite',
  'marsh',
  'previous',
  'articlegovernor',
  'moore',
  'grant',
  'access',
  'recreation',
  'spacenext',
  'articlemaryland',
  'partner',
  'usda',
  'barrier',
  'food',
  'agriculture',
  'supply',
  'chain',
  'heat',
  'watch',
  'friday',
  'baltimore',
  'heat',
  'index',
  'degree',
  'baltimore',
  'county',
  'meeting',
  'plan',
  'park',
  'perry',
  'hall',
  'farm',
  'education',
  'foundation',
  'bcps',
  'tools',
  'school',
  'campaign',
  'governor',
  'moore',
  'energy',
  'efficiency',
  'retrofit',
  'pilot',
  'program',
  'mega',
  'millions',
  'ticket',
  'maryland',
  'ticket',
  'towson',
  'subscribe',
  'advertise',
  'contact',
  'terms',
  'service',
  'privacy',
  'policy',
  'account',
  'login',
  'password',
  'reset',
  'profile',
  'register',
  'subscribe',
  'advertise',
  'contact',
  'terms',
  'service',
  'privacy',
  'policy',
  'copyright',
  'nottinghammd.com',
  'marsoly',
  'media',
  'llc',
  'company',
  'wordpress',
  'theme',
  'athemeart',
  'website',
  'cookie',
  'experience',
  'reject',
  'read',
  'moreprivacy',
  'cookies',
  'policy',
  'privacy',
  'overview',
  'website',
  'cookie',
  'experience',
  'website',
  'cookie',
  'cookie',
  'browser',
  'working',
  'functionality',
  'website',
  'party',
  'cookie',
  'website',
  'cookie',
  'browser',
  'consent',
  'option',
  'cookie',
  'cookie',
  'effect',
  'experience',
  'cookie',
  'website',
  'category',
  'cookie',
  'functionality',
  'security',
  'feature',
  'website',
  'cookie',
  'information'],
 ['contentskip',
  'content',
  'register',
  'article',
  'newsletter',
  'weather',
  'forecast',
  'weather',
  'alert',
  'inbox',
  'subscriber',
  'sign',
  'time',
  'owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'lee',
  'enterprises',
  'terms',
  'service',
  '',
  '',
  'privacy',
  'policy',
  'help',
  'center',
  'account',
  'dashboard',
  'profile',
  'item',
  'weather',
  'nebraska',
  'iowa',
  'wednesday',
  'storm',
  'spot',
  'weather',
  'nebraska',
  'iowa',
  'wednesday',
  'storm',
  'spot',
  'jul',
  'jul',
  'rain',
  'nebraska',
  'iowa',
  'afternoon',
  'evening',
  'hour',
  'today',
  'hail',
  'wind',
  'spot',
  'flooding',
  'tornado',
  'detail',
  'forecast',
  'video',
  'apple',
  'podcast',
  'google',
  'podcast',
  'rss',
  'feed',
  'omny',
  'studio',
  'states',
  'summer',
  'weather',
  'states',
  'summer',
  'weather',
  'summer',
  'weather',
  'sun',
  'daylight',
  'midday',
  'thunderstorm',
  'scale',
  'extreme',
  'climate',
  'change',
  'planet',
  'dog',
  'day',
  'summer',
  'weather',
  'condition',
  'climate',
  'change',
  'weather',
  'ocean',
  'current',
  'heat',
  'tornado',
  'drought',
  'flood',
  'heatwave',
  'duration',
  'frequency',
  'intensity',
  'datum',
  'environmental',
  'protection',
  'agency',
  'downpour',
  'region',
  'northeast',
  'midwest',
  'great',
  'plains',
  'downpour',
  '%',
  'average',
  'reason',
  'uptick',
  'air',
  'water',
  'vapor',
  'air',
  'moisture',
  'way',
  'storm',
  'system',
  'rain',
  'summer',
  'weather',
  'united',
  'states',
  'brunt',
  'change',
  'miami',
  'summer',
  'heat',
  'humidity',
  'city',
  'city',
  'storm',
  'hurricane',
  'meteorologist',
  'new',
  'orleans',
  'dallas',
  'mobile',
  'alabama',
  'corpus',
  'christi',
  'texas',
  'summer',
  'month',
  'stacker',
  'state',
  'addition',
  'district',
  'columbia',
  'property',
  'damage',
  'summer',
  'weather',
  'occurrence',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'storm',
  'event',
  'database',
  'weather',
  'event',
  'summer',
  'june',
  'july',
  'august',
  'state',
  'eye',
  'storm',
  'property',
  'damage',
  '70,204-',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'wind',
  'damage',
  'real',
  'window',
  'creative',
  'shutterstock',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'wildfire',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'storm',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flash',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'wind',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'wind',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'wind',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'hail',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flash',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flash',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flash',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flash',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flash',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flash',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flash',
  'flood',
  'damage',
  'rotorhead',
  'production',
  'shutterstock',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flash',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'wind',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'wind',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'storm',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'wildfire',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  '199,169.4-',
  'disaster',
  'type',
  'flash',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'tornados',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'wind',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'tornados',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flash',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flash',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'hail',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flash',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flash',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flash',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flash',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'wildfire',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flash',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flash',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flash',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'wildfire',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flash',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'wildfire',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flash',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flash',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'hail',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'tornados',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'wind',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'hail',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'hail',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flash',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flash',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'hurricane',
  'damage)data',
  'emma',
  'rubin',
  'story',
  'editing',
  'brian',
  'budzynski',
  'editing',
  'paris',
  'weather',
  'forecast',
  'weather',
  'alert',
  'inbox',
  'registration',
  'use',
  'site',
  'agreement',
  'user',
  'agreement',
  'privacy',
  'policy',
  'weather',
  'nebraska',
  'iowa',
  'wednesday',
  'storm',
  'spot',
  'holiner',
  'forecast',
  'watch',
  'mitch',
  'mcconnell',
  'freezes',
  'press',
  'conference',
  'republican',
  'colleagues',
  'ivy',
  'league',
  'colleges',
  'rich',
  'class',
  'student',
  'ivy',
  'league',
  'colleges',
  'rich',
  'class',
  'student',
  'swimming',
  'seine',
  'returns',
  'paris',
  'year',
  'swimming',
  'seine',
  'returns',
  'paris',
  'year',
  'fifa',
  'lotr',
  'fan',
  'new',
  'zealand',
  'hobbiton',
  'fifa',
  'lotr',
  'fan',
  'new',
  'zealand',
  'hobbiton',
  'copyright',
  'daily',
  'nonpareil',
  'w',
  'broadway',
  'suite',
  'council',
  'bluffs',
  'ia',
  'term',
  'use',
  '',
  '',
  'privacy',
  'policy',
  '',
  '',
  'info',
  '',
  '',
  'cookie',
  'preferences',
  'blox',
  'content',
  'management',
  'system',
  'minute',
  'news',
  'device'],
 ['journalism',
  'month',
  'home',
  'rjespañol',
  'video',
  'lake',
  'mead',
  'news',
  'nation',
  'world',
  'science',
  'technology',
  'special',
  'features',
  'state',
  'despair',
  'alpine',
  'motel',
  'fire',
  'storm',
  'area',
  'nevada',
  'north',
  'las',
  'vegas',
  'southwest',
  'summerlin',
  'centennial',
  'hills',
  'strip',
  'oct.',
  'columns',
  'poker',
  'national',
  'finals',
  'rodeo',
  'las',
  'vegas',
  'bowl',
  'super',
  'bowl',
  'nba',
  'summer',
  'league',
  'tv',
  'radio',
  'lights',
  'fc',
  'mma',
  'ufc',
  'boxing',
  'golf',
  'entrepreneurs',
  'real',
  'estate',
  'news',
  'business',
  'press',
  'sheldon',
  'adelson',
  'michael',
  'ramirez',
  'cartoon',
  'victor',
  'joecks',
  'richard',
  'a.',
  'epstein',
  'victor',
  'davis',
  'hanson',
  'auto',
  'news',
  'dealer',
  'news',
  'classifieds',
  'place',
  'ad',
  'content',
  'new',
  'homes',
  'real',
  'estate',
  'millions',
  'real',
  'estate',
  'news',
  'classifieds',
  'place',
  'classified',
  'ad',
  'service',
  'directory',
  'transportation',
  'merchandise',
  'legal',
  'information',
  'real',
  'estate',
  'classifieds',
  'garage',
  'sales',
  'pets',
  'rentals',
  'faq',
  'place',
  'classified',
  'ad',
  'contests',
  'promotions',
  'best',
  'las',
  'vegas',
  'contests',
  'tv',
  'guide',
  'partnered',
  'content',
  'record',
  'storm',
  'northern',
  'nevada',
  'california',
  'storm',
  'mountain',
  'northern',
  'california',
  'nevada',
  'highway',
  'monday',
  'snowfall',
  'december',
  'record',
  'donner',
  'pass',
  'sierra',
  'storm',
  'record',
  'snowfall',
  'sierra',
  'nevada',
  'stn',
  'december',
  'pm',
  'december',
  'pm',
  'snowfall',
  'place',
  'broad',
  'street',
  'nevada',
  'city',
  'calif.',
  'electricity',
  'snow',
  'elias',
  'funez',
  'union',
  'ap)a',
  'vehicle',
  'snow',
  'brunswick',
  'road',
  'sutton',
  'way',
  'monday',
  'morning',
  'dec.',
  'grass',
  'valley',
  'calif.',
  'elias',
  'funez',
  'union',
  'ap',
  'san',
  'francisco',
  'snow',
  'mountain',
  'northern',
  'california',
  'nevada',
  'highway',
  'blast',
  'temperature',
  'pacific',
  'northwest',
  'weather',
  'texas',
  'southeast',
  'donner',
  'pass',
  'sierra',
  'official',
  'university',
  'california',
  'berkeley',
  'central',
  'sierra',
  'snow',
  'laboratory',
  'monday',
  'snowfall',
  'december',
  'record',
  'inch',
  'record',
  'inch',
  'snow',
  'northstar',
  'california',
  'resort',
  'truckee',
  'mountain',
  'operation',
  'monday',
  'blizzard',
  'condition',
  'ski',
  'resort',
  'foot',
  'snow',
  'hour',
  'resort',
  'facebook',
  'post',
  'search',
  'rescue',
  'crew',
  'skier',
  'saturday',
  'morning',
  'lift',
  'ski',
  'resort',
  'kcra',
  'snowpack',
  'sierra',
  'level',
  'week',
  'weather',
  'state',
  'department',
  'water',
  'resources',
  'monday',
  'snowpack',
  '%',
  '%',
  'range',
  'snow',
  'pacific',
  'northwest',
  'pacific',
  'northwest',
  'emergency',
  'warming',
  'shelter',
  'washington',
  'oregon',
  'temperature',
  'teen',
  'forecaster',
  'blast',
  'day',
  'sunday',
  'snow',
  'shower',
  'pacific',
  'northwest',
  'gulf',
  'alaska',
  'inch',
  'seattle',
  'area',
  'foot',
  'port',
  'angeles',
  'puget',
  'sound',
  'olympic',
  'peninsula',
  'portland',
  'oregon',
  'snowfall',
  'temperature',
  'region',
  'record',
  'day',
  'national',
  'weather',
  'service',
  'seattle',
  'sunday',
  'degree',
  'mark',
  'bellingham',
  'degree',
  'degree',
  'record',
  'set',
  'state',
  'official',
  'oregon',
  'emergency',
  'multnomah',
  'county',
  'home',
  'portland',
  'weather',
  'shelter',
  'plan',
  'site',
  'oregon',
  'convention',
  'center',
  'seattle',
  'city',
  'leader',
  'weather',
  'shelter',
  'saturday',
  'wednesday',
  'storm',
  'nevada',
  'nevada',
  'air',
  'snow',
  'state',
  'monday',
  'travel',
  'business',
  'sierra',
  'nevada',
  'highway',
  'airport',
  'flight',
  'state',
  'office',
  'interstate',
  'visibility',
  'snow',
  'nevada',
  'state',
  'line',
  'placer',
  'county',
  'california',
  'avalanche',
  'state',
  'route',
  'tahoe',
  'city',
  'ski',
  'resort',
  'olympic',
  'valley',
  'authority',
  'motorist',
  'travel',
  'flight',
  'reno',
  'tahoe',
  'international',
  'airport',
  'harry',
  'reid',
  'international',
  'airport',
  'las',
  'vegas',
  'sky',
  'mountain',
  'snow',
  'monday',
  'forecast',
  'reno',
  'las',
  'vegas',
  'nevada',
  'gov.',
  'steve',
  'sisolak',
  'state',
  'worker',
  'safety',
  'correction',
  'personnel',
  'storm',
  'reminder',
  'state',
  'office',
  'northern',
  'nevada',
  'today',
  'weather',
  'warning',
  'transit',
  'police',
  'road',
  'governor',
  'sisolak',
  '@govsisolak',
  'december',
  'travel',
  'advisory',
  'nevada',
  'elko',
  'possibility',
  'snow',
  'nevada',
  'state',
  'police',
  'driver',
  'snow',
  'roof',
  'vehicle',
  'fine',
  'crash',
  'driver',
  'vehicle',
  'snow',
  'roof',
  'vehicle',
  'fine',
  'crash',
  'nevada',
  'state',
  'police',
  'highway',
  'patrol',
  'northern',
  'comm',
  '@nvstatepolice_n',
  'december',
  'weather',
  'storm',
  'california',
  'nevada',
  'day',
  'rain',
  'snow',
  'arizona',
  'inch',
  'rain',
  'day',
  'airport',
  'phoenix',
  'friday',
  'inch',
  'snow',
  'arizona',
  'snowbowl',
  'ski',
  'resort',
  'flagstaff',
  'inch',
  'snow',
  'hour',
  'monday',
  'morning',
  'storm',
  'desert',
  'state',
  'monday',
  'afternoon',
  'week',
  'temperature',
  'southern',
  'plains',
  'arkansas',
  'city',
  'record',
  'christmas',
  'day',
  'temperature',
  'forecaster',
  'storm',
  'midweek',
  'storm',
  'system',
  'deep',
  'south',
  'alabama',
  'mississippi',
  'risk',
  'weather',
  'storm',
  'prediction',
  'center',
  'norman',
  'oklahoma',
  'snow',
  'monday',
  'evening',
  'california',
  'sierra',
  'nevada',
  'area',
  'break',
  'snap',
  'thursday',
  'emily',
  'heller',
  'meteorologist',
  'national',
  'weather',
  'service',
  'temperature',
  'washington',
  'oregon',
  'thursday',
  'weekend',
  'forecaster',
  'las',
  'vegas',
  'weather',
  'local',
  'local',
  'nevada',
  'nation',
  'world',
  'newstagged',
  'video',
  'mc',
  'news',
  'story',
  'facebook',
  'ufo',
  'retrieval',
  'program',
  'whistleblower',
  'nomaan',
  'merchant',
  'associated',
  'press',
  'july',
  'pm',
  'house',
  'subcommittee',
  'testimony',
  'congress',
  'foray',
  'world',
  'flying',
  'object',
  'mega',
  'millions',
  'winner',
  'jackpot',
  'm',
  'associated',
  'press',
  'july',
  'pmjuly',
  'pm',
  'time',
  'mega',
  'millions',
  'player',
  'prize',
  'april',
  'woman',
  'grizzly',
  'bear',
  'yellowstone',
  'national',
  'park',
  'associated',
  'press',
  'july',
  'pm',
  'authority',
  'woman',
  'injury',
  'bear',
  'attack',
  'rescue',
  'effort',
  'death',
  'valley',
  'heat',
  'july',
  'pm',
  'park',
  'ranger',
  'heat',
  'visitor',
  'park',
  'official',
  'heat',
  'helicopter',
  'lift',
  'winner',
  'mega',
  'millions',
  'jackpot',
  'm',
  'july',
  'pm',
  'time',
  'mega',
  'millions',
  'player',
  'prize',
  'april',
  'drawing',
  'tuesday',
  'tony',
  'bennett',
  'singer',
  'artist',
  'charles',
  'j.',
  'gans',
  'associated',
  'press',
  'july',
  'album',
  'grammys',
  '60',
  'affection',
  'fan',
  'artist',
  'billionaire',
  'la',
  'store',
  'powerball',
  'ticket',
  'marcio',
  'sanchez',
  'associated',
  'press',
  'july',
  'pm',
  'neighborhood',
  'store',
  'downtown',
  'los',
  'angeles',
  'skid',
  'row',
  'ticket',
  'powerball',
  'jackpot',
  'california',
  'ticket',
  '1b',
  'powerball',
  'prize',
  'history',
  'july',
  'powerball',
  'jackpot',
  'u.s.',
  'lottery',
  'history',
  'irs',
  'whistleblower',
  'hunter',
  'biden',
  'case',
  'farnoush',
  'amiri',
  'associated',
  'press',
  'july',
  'pm',
  'irs',
  'agent',
  'hunter',
  'biden',
  'case',
  'house',
  'committee',
  'republicans',
  'allegation',
  'interference',
  'tax',
  'investigation',
  'mega',
  'millions',
  'jackpot',
  'm',
  'game',
  'history',
  'associated',
  'press',
  'july',
  'pm',
  'time',
  'mega',
  'millions',
  'player',
  'prize',
  'april',
  'drawing',
  'friday',
  'thunderstorm',
  'hail',
  'henderson',
  'july',
  'heat',
  'wave',
  'vegas',
  'tie',
  'record',
  'day',
  'day',
  'condition',
  'degree',
  'las',
  'vegas',
  'heat',
  'record',
  'las',
  'vegas',
  'monsoon',
  'season',
  'zap',
  'las',
  'vegas',
  'degree',
  'time',
  'year',
  'day',
  'las',
  'vegas',
  'info',
  'editionstraffic',
  'las',
  'vegas',
  'weather',
  'e',
  '-',
  'edition',
  'download',
  'apps',
  'contests',
  'promotions',
  'partnered',
  'content',
  'solutionsadvertise',
  'place',
  'ad',
  'faq',
  'scene',
  'store',
  'rights',
  'permissions',
  'subscriptionssubscription',
  'paper',
  'hold',
  'report',
  'delivery',
  'issue',
  'newsletter',
  'sign',
  'connectionscontact',
  'letter',
  'editor',
  'news',
  'tips',
  'press',
  'releases',
  'work',
  'las',
  'vegas',
  'review',
  'journal',
  'inc.',
  'internships',
  'affiliate',
  'las',
  'vegas',
  'business',
  'press',
  'las',
  'vegas',
  'review',
  'journal',
  'en',
  'español',
  'pahrump',
  'valley',
  'times',
  'boulder',
  'city',
  'review',
  'lv',
  'new',
  'homes',
  'guide',
  'vegas',
  'nation',
  'rj',
  'magazine',
  'copyright',
  'las',
  'vegas',
  'review',
  'journal',
  'inc.',
  'privacy',
  'policy',
  'term',
  'service',
  'wordpress.com',
  'vip',
  'cookies',
  'storing',
  'party',
  'party',
  'cookie',
  'device',
  'consent',
  'disclosure',
  'information',
  'party',
  'service',
  'provider',
  'advertising',
  'partner',
  'experience',
  'traffic',
  'content'],
 ['thu',
  'jul',
  'gmt',
  '1690435170578)b811ce9f72504dd71cfbde548ab55bc49d22f916ff7f66dd0d6b73eb176b80eedf30afe5bb51279anewsweatherlifestylefeaturesgame',
  'centerwatch',
  'mon',
  'tue',
  'storm',
  'western',
  'oregon',
  'sw',
  'wash.',
  'snow',
  'pattern',
  'aheadby',
  'katu',
  'staffthu',
  'february',
  '23rd',
  'utc6view',
  'interstate',
  'interchange',
  'portland',
  'katu',
  'image0loading'],
 ['ad',
  'issue',
  'video',
  'player',
  'content',
  'ad',
  'video',
  'content',
  'ad',
  'audio',
  'ad',
  'ad',
  'page',
  'content',
  'ad',
  'ad',
  'ad',
  'effort',
  'contribution',
  'feedback',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'dozen',
  'storm',
  'mississippi',
  'official',
  'nouran',
  'salahieh',
  'rob',
  'shackelford',
  'cnn',
  'pm',
  'edt',
  'mon',
  'june',
  'daylight',
  'monday',
  'tornado',
  'damage',
  'louin',
  'mississippi',
  'person',
  'dozen',
  'storm',
  'mississippi',
  'sunday',
  'night',
  'southeast',
  'threat',
  'weather',
  'tornado',
  'monday',
  'storm',
  'system',
  'tornado',
  'sunday',
  'mississippi',
  'injury',
  'damage',
  'bay',
  'springs',
  'louin',
  'jasper',
  'county',
  'report',
  'national',
  'weather',
  'service',
  'difference',
  'tornado',
  'watch',
  'thunderstorm',
  'tornadothese',
  'type',
  'tornado',
  'measuredhere',
  'tornado',
  'country',
  'south',
  'central',
  'regional',
  'medical',
  'center',
  'laurel',
  'storm',
  'victim',
  'louin',
  'area',
  'spokesperson',
  'becky',
  'collins',
  'cnn',
  'monday',
  'patient',
  'hospital',
  'jasper',
  'county',
  'community',
  'center',
  'shelter',
  'destruction',
  'tornado',
  'activity',
  'sheriff',
  'department',
  'facebook',
  'post',
  'mississippi',
  'emergency',
  'management',
  'agency',
  'damage',
  'storm',
  'agency',
  'thousand',
  'state',
  'power',
  'home',
  'business',
  'texas',
  'oklahoma',
  'tennessee',
  'dark',
  'record',
  'heat',
  'round',
  'storm',
  'week',
  'storm',
  'cloud',
  'sunday',
  'beaver',
  'oklahoma',
  'weather',
  'threat',
  'monday',
  'level',
  'risk',
  'weather',
  'gulf',
  'coast',
  'southeast',
  'new',
  'orleans',
  'baton',
  'rouge',
  'louisiana',
  'jacksonville',
  'florida',
  'mobile',
  'alabama',
  'savannah',
  'georgia',
  'threat',
  'wind',
  'gust',
  'hail',
  'tornado',
  'level',
  'risk',
  'stretch',
  'texas',
  'florida',
  'north',
  'north',
  'carolina',
  'city',
  'atlanta',
  'charlotte',
  'north',
  'carolina',
  'austin',
  'texas',
  'tampa',
  'orlando',
  'miami',
  'florida',
  'threat',
  'hail',
  'wind',
  'gust',
  'threat',
  'monday',
  'storm',
  'report',
  'southeast',
  'sunday',
  'storm',
  'prediction',
  'center',
  'tornado',
  'report',
  'mississippi',
  'hail',
  'inch',
  'sunday',
  'kerr',
  'county',
  'texas',
  'mile',
  'san',
  'antonio',
  'day',
  'weather',
  'region',
  'tornado',
  'thursday',
  'texas',
  'panhandle',
  'community',
  'perryton',
  'people',
  'year',
  'boy',
  'tornado',
  'florida',
  'twister',
  'mississippi',
  'monday',
  'morning',
  'tornado',
  'florida',
  'santa',
  'rosa',
  'beach',
  'weather',
  'service',
  'service',
  'tornado',
  'warning',
  'noon',
  'walton',
  'county',
  'flying',
  'debris',
  'shelter',
  'service',
  'home',
  'damage',
  'roof',
  'window',
  'vehicle',
  'tree',
  'damage',
  'belonging',
  'tornado',
  'home',
  'june',
  'louin',
  'mississippi',
  'tornado',
  'city',
  'moss',
  'point',
  'mississippi',
  'mile',
  'biloxi',
  'monday',
  'afternoon',
  'jackson',
  'county',
  'sheriff',
  'john',
  'ledbetter',
  'cnn',
  'home',
  'business',
  'emergency',
  'crew',
  'sheriff',
  'mayor',
  'billy',
  'knight',
  'sr',
  '.',
  'cnn',
  'people',
  'fire',
  'crew',
  'merchants',
  'marine',
  'bank',
  'main',
  'street',
  'baptist',
  'church',
  'building',
  'school',
  'administration',
  'building',
  'gym',
  'stadium',
  'concession',
  'stand',
  'knight',
  'injury',
  'official',
  'assessment',
  'ruin',
  'monday',
  'storm',
  'louin',
  'mississippi',
  'rain',
  'road',
  'alabama',
  'monday',
  'possibility',
  'rainfall',
  'country',
  'threat',
  'thunderstorm',
  'southeast',
  'southern',
  'appalachians',
  'road',
  'mobile',
  'county',
  'alabama',
  'monday',
  'inch',
  'rain',
  'area',
  'national',
  'weather',
  'service',
  'county',
  'official',
  'tweet',
  'road',
  'flooding',
  'water',
  'road',
  'motorist',
  'road',
  'roadway',
  'tweet',
  'rain',
  'cnn',
  'weather',
  'thousand',
  'power',
  'heat',
  'people',
  'heat',
  'alert',
  'heat',
  'wave',
  'texas',
  'louisiana',
  'new',
  'mexico',
  'mississippi',
  'national',
  'weather',
  'service',
  'heat',
  'air',
  'conditioning',
  'customer',
  'power',
  'south',
  'monday',
  'evening',
  'weather',
  'day',
  'oklahoma',
  'texas',
  'louisiana',
  'poweroutage.us',
  '.',
  'national',
  'weather',
  'service',
  'resident',
  'day',
  'plenty',
  'water',
  'child',
  'pet',
  'vehicle',
  'construction',
  'worker',
  'water',
  'heat',
  'heatwave',
  'seville',
  'june',
  'spain',
  'today',
  'grip',
  'heatwave',
  'level',
  'france',
  'meteorologist',
  'temperature',
  'warming',
  'heat',
  'heat',
  'wave',
  'record',
  'texas',
  'week',
  'heat',
  'monday',
  'wednesday',
  'combination',
  'temperature',
  'humidity',
  'heat',
  'index',
  'degree',
  'city',
  'houston',
  'san',
  'antonio',
  'brownsville',
  'dallas',
  'heat',
  'record',
  'sunday',
  'del',
  'rio',
  'texas',
  'temperature',
  'degree',
  'sunday',
  'record',
  'degree',
  'camp',
  'mabry',
  'austin',
  'texas',
  'record',
  'degree',
  'dozen',
  'year',
  'mcallen',
  'texas',
  'record',
  'degree',
  'city',
  'south',
  'week',
  'storm',
  'weather',
  'center',
  'houston',
  'center',
  'p.m.',
  'p.m.',
  'monday',
  'city',
  'temperature',
  'caddo',
  'parish',
  'louisiana',
  'center',
  'power',
  'outage',
  'storm',
  'cleanup',
  'new',
  'orleans',
  'emergency',
  'preparedness',
  'campaign',
  'hydration',
  'station',
  'center',
  'water',
  'sunscreen',
  'sunday',
  'monday',
  'a.m.',
  'p.m.',
  'time',
  'cnn',
  'jamiel',
  'lynch',
  'mitchell',
  'mccluskey',
  'devon',
  'sayers',
  'taylor',
  'ward',
  'zoe',
  'sottile',
  'report',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cable',
  'news',
  'network',
  'warner',
  'bros.',
  'discovery',
  'company',
  'rights',
  'cnn',
  'sans',
  'cable',
  'news',
  'network'],
 ['abc',
  'newsvideoliveshowselectionsinterest',
  'successfully',
  "addedwe'll",
  'news',
  'desktop',
  'notification',
  'story',
  'interest',
  'offonlog',
  'instream',
  'onfatality',
  'vermont',
  'weather',
  'weather',
  'country',
  'bymax',
  'golembo',
  'melissa',
  'griffin',
  'morgan',
  'winsor',
  'ivan',
  'pereirajuly',
  'pm1:48storm',
  'cloud',
  'chicago',
  'illinois',
  'july',
  'national',
  'weather',
  'service',
  'tornado',
  'warning',
  'area',
  'charles',
  'rex',
  'arbogast',
  'apat',
  'person',
  'floodwater',
  'vermont',
  'week',
  'state',
  'authority',
  'thursday',
  'stephen',
  'davoll',
  'barre',
  'city',
  'vermont',
  'wednesday',
  'result',
  'accident',
  'home',
  'vermont',
  'department',
  'health',
  'fatality',
  'week',
  'storm',
  'flooding',
  'green',
  'mountain',
  'state',
  'friday',
  'president',
  'joe',
  'biden',
  'disaster',
  'declaration',
  'state',
  'action',
  'funding',
  'county',
  'chittenden',
  'lamoille',
  'rutland',
  'washington',
  'windham',
  'windsor',
  'white',
  'house',
  'disaster',
  'declaration',
  'funding',
  'government',
  'addison',
  'bennington',
  'caledonia',
  'chittenden',
  'essex',
  'franklin',
  'grand',
  'isle',
  'lamoille',
  'orange',
  'orleans',
  'rutland',
  'washington',
  'windham',
  'windsor',
  'county',
  'white',
  'house',
  'announcement',
  'weather',
  'united',
  'states',
  'storm',
  'heat',
  'wave',
  'country',
  'tips',
  'tornadostorm',
  'twister',
  'illinois',
  'wednesday',
  'evening',
  'tree',
  'roof',
  'flight',
  'chicago',
  'area',
  'tornado',
  'chicago',
  'area',
  'city',
  'airport',
  'national',
  'weather',
  'service',
  'flight',
  "o'hare",
  'international',
  'airport',
  'wednesday',
  'flight',
  'tracking',
  'service',
  'flightaware',
  'tornado',
  'iowa',
  'michigan',
  'night',
  'report',
  'damage',
  'line',
  'wind',
  'mile',
  'hour',
  'texas',
  'michigan',
  'report',
  'golf',
  'ball',
  'hail',
  'missouri',
  'nebraska',
  'kansas',
  'damage',
  'sinnott',
  'tree',
  'service',
  'building',
  'mccook',
  'illinois',
  'july',
  'national',
  'weather',
  'service',
  'tornado',
  'warning',
  'chicago',
  'area',
  'nam',
  'y.',
  'huh',
  'weather',
  'wednesday',
  'evening',
  'storm',
  'system',
  'midwest',
  'threat',
  'northeast',
  'thursday',
  'kentucky',
  'vermont',
  'wind',
  'hail',
  'tornado',
  'storm',
  'system',
  'path',
  'city',
  'cincinnati',
  'ohio',
  'charleston',
  'west',
  'virginia',
  'pittsburgh',
  'pennsylvania',
  'binghamton',
  'new',
  'york',
  'albany',
  'new',
  'york',
  'burlington',
  'vermont',
  'floodwater',
  'safety',
  'tipsa',
  'flood',
  'watch',
  'new',
  'york',
  'vermont',
  'new',
  'hampshire',
  'vermont',
  'capital',
  'montpelier',
  'rainfall',
  'flooding',
  'week',
  'thursday',
  'threat',
  'rainfall',
  'flooding',
  'weekend',
  'northeast',
  'interstate',
  'travel',
  'corridor',
  'forecast',
  'inch',
  'rain',
  'new',
  'england',
  'vermont',
  'new',
  'hampshire',
  'maine',
  'storm',
  'cloud',
  'chicago',
  'illinois',
  'july',
  'national',
  'weather',
  'service',
  'tornado',
  'warning',
  'area',
  'charles',
  'rex',
  'arbogast',
  'apmeanwhile',
  'million',
  'americans',
  'u.s.',
  'state',
  'heat',
  'alert',
  'thursday',
  'washington',
  'florida',
  'heat',
  'index',
  'degree',
  'fahrenheit',
  'mid',
  '-',
  'south',
  'gulf',
  'coast',
  'florida',
  'temperature',
  'houston',
  'miami',
  'wednesday',
  'temperature',
  'phoenix',
  'degree',
  'fahrenheit',
  'day',
  'arizona',
  'capital',
  'track',
  'day',
  'streak',
  '1974.more',
  'heat',
  'safety',
  'forecast',
  'heat',
  'week',
  'temperature',
  'southwest',
  'weekend',
  'heat',
  'watch',
  'effect',
  'burbank',
  'california',
  'friday',
  'monday',
  'temperature',
  'degree',
  'fahrenheit',
  'hospital',
  'emergency',
  'department',
  'visit',
  'heat',
  'illness',
  'month',
  'centers',
  'disease',
  'control',
  'prevention',
  'abc',
  'news',
  'youri',
  'benadjaoud',
  'report',
  'topicsweathertop',
  'storiesruin',
  'vatican',
  'emperor',
  'nero',
  'theaterjul',
  'pmhouse',
  'ufo',
  'hearing',
  'ex',
  'knowledge',
  'craftjul',
  'amsinead',
  "o'connor",
  'u',
  'singer',
  '56jul',
  'pmmcconnell',
  'press',
  'conference',
  'return',
  'pmwhistleblower',
  'congress',
  'decade',
  'program',
  'ufosjul',
  'pmabc',
  'news',
  'live24/7',
  'coverage',
  'news',
  'eventsabc',
  'news',
  'networkprivacy',
  'policyyour',
  'state',
  'privacy',
  'rightschildren',
  'online',
  'privacy',
  'policyinterest',
  'adsabout',
  'nielsen',
  'measurementterms',
  'usedo',
  'sell',
  'informationcontact',
  'uscopyright',
  'abc',
  'news',
  'internet',
  'ventures',
  'right'],
 ['content',
  'skip',
  'sidebar',
  'overview',
  'organization',
  'history',
  'vortex',
  'nssl',
  'awards',
  'scientific',
  'challenges',
  'lab',
  'review',
  'events',
  'visitor',
  'info',
  'overview',
  'anchor',
  'atd',
  'cams',
  'facet',
  'noaa',
  'hwt',
  'mrms',
  'perils',
  'torus',
  'vortex',
  'se',
  'vortex',
  'usa',
  'warn',
  'forecast',
  'field',
  'projects',
  'overview',
  'severe',
  'weather',
  'educator',
  'student',
  'nssl',
  'noaa',
  'national',
  'severe',
  'storms',
  'laboratory',
  'organization',
  'history',
  'vortex',
  'nssl',
  'awards',
  'scientific',
  'challenges',
  'lab',
  'review',
  'events',
  'visitor',
  'info',
  'anchor',
  'atd',
  'cams',
  'facet',
  'noaa',
  'hwt',
  'mrms',
  'perils',
  'torus',
  'vortex',
  'se',
  'vortex',
  'usa',
  'warn',
  'forecast',
  'field',
  'projects',
  'severe',
  'weather',
  'educator',
  'student',
  'home',
  'learning',
  'resources',
  'severe',
  'weather',
  'tornado',
  'basic',
  'player',
  'weather',
  'briefly',
  'tornado',
  'noaa',
  'weather',
  'partners',
  'youtube',
  'channel',
  'tornado',
  'tornado',
  'column',
  'air',
  'thunderstorm',
  'ground',
  'wind',
  'tornado',
  'condensation',
  'funnel',
  'water',
  'droplet',
  'dust',
  'debris',
  'tornado',
  'phenomenon',
  'storm',
  'nssl',
  'tornado',
  'research',
  'tornado',
  'tornado',
  'world',
  'australia',
  'europe',
  'africa',
  'asia',
  'south',
  'america',
  'new',
  'zealand',
  'tornado',
  'year',
  'concentration',
  'tornado',
  'u.s.',
  'argentina',
  'bangladesh',
  'tornado',
  'u.s.',
  'year',
  'tornado',
  'u.s.',
  'tornado',
  'record',
  'date',
  'number',
  'tornado',
  'year',
  'tornado',
  'reporting',
  'method',
  'lot',
  'decade',
  'tornado',
  'tornado',
  'alley',
  'tornado',
  'alley',
  'nickname',
  'medium',
  'area',
  'tornado',
  'occurrence',
  'united',
  'states',
  'tornado',
  'alley',
  'map',
  'tornado',
  'occurrence',
  'way',
  'tornado',
  'tornado',
  'county',
  'segment',
  'tornado',
  'database',
  'time',
  'period',
  'idea',
  'tornado',
  'alley',
  'u.s.',
  'tornado',
  'threat',
  'shift',
  'southeast',
  'month',
  'year',
  'plains',
  'june',
  'plains',
  'midwest',
  'summer',
  'tornado',
  'state',
  'tornado',
  'tornado',
  'alley',
  'year',
  'tornado',
  'tornado',
  'season',
  'time',
  'year',
  'u.s.',
  'tornado',
  'peak',
  'tornado',
  'season',
  'plains',
  'texas',
  'oklahoma',
  'kansas',
  'june',
  'gulf',
  'coast',
  'spring',
  'plains',
  'midwest',
  'north',
  'south',
  'dakota',
  'nebraska',
  'iowa',
  'minnesota',
  'tornado',
  'season',
  'june',
  'july',
  'tornado',
  'time',
  'year',
  'tornado',
  'time',
  'day',
  'night',
  'tornado',
  '4–9',
  'p.m.',
  'difference',
  'tornado',
  'watch',
  'tornado',
  'tornado',
  'watch',
  'noaa',
  'storm',
  'prediction',
  'center',
  'meteorologist',
  'weather',
  '24/7',
  'u.s.',
  'weather',
  'condition',
  'tornado',
  'weather',
  'watch',
  'state',
  'state',
  'weather',
  'noaa',
  'weather',
  'radio',
  'warning',
  'tornado',
  'warning',
  'noaa',
  'national',
  'weather',
  'service',
  'forecast',
  'office',
  'meteorologist',
  'weather',
  '24/7',
  'area',
  'tornado',
  'spotter',
  'radar',
  'threat',
  'life',
  'property',
  'path',
  'tornado',
  'tornado',
  'warning',
  'act',
  'shelter',
  'warning',
  'county',
  'county',
  'path',
  'danger',
  'youtube',
  'video',
  'explanation',
  'tornado',
  'strength',
  'strength',
  'tornado',
  'expert',
  'damage',
  'information',
  'wind',
  'speed',
  'enhanced',
  'fujita',
  'scale',
  'national',
  'weather',
  'service',
  'tornado',
  'manner',
  'ef',
  'scale',
  'account',
  'variable',
  'fujita',
  'scale',
  'f',
  'scale',
  'wind',
  'speed',
  'rating',
  'tornado',
  'damage',
  'indicator',
  'building',
  'type',
  'structure',
  'tree',
  'damage',
  'indicator',
  'degree',
  'damage',
  'beginning',
  'damage',
  'destruction',
  'damage',
  'indicator',
  'f',
  'scale',
  'detail',
  'account',
  'f',
  'scale',
  'data',
  'base',
  'f5',
  'tornado',
  'year',
  'f5',
  'wind',
  'speed',
  'tornado',
  'correlation',
  'f',
  'scale',
  'ef',
  'scale',
  'rating',
  'term',
  'scale',
  'database',
  'tornado',
  'truth',
  'tornado',
  'supercell',
  'thunderstorm',
  'radar',
  'circulation',
  'mesocyclone',
  'supercells',
  'hail',
  'wind',
  'lightning',
  'flash',
  'flood',
  'tornado',
  'formation',
  'thing',
  'storm',
  'scale',
  'mesocyclone',
  'theory',
  'result',
  'vortex2',
  'program',
  'mesocyclone',
  'tornado',
  'development',
  'temperature',
  'difference',
  'edge',
  'downdraft',
  'air',
  'mesocyclone',
  'modeling',
  'study',
  'tornado',
  'formation',
  'temperature',
  'pattern',
  'fact',
  'temperature',
  'variation',
  'tornado',
  'history',
  'lot',
  'work',
  'storm',
  'spotter',
  'tornado',
  'storm',
  'inflow',
  'band',
  'band',
  'cumulus',
  'cloud',
  'storm',
  'tower',
  'southeast',
  'south',
  'presence',
  'inflow',
  'band',
  'storm',
  'level',
  'air',
  'mile',
  'inflow',
  'band',
  'nature',
  'presence',
  'rotation',
  'beaver',
  'tail',
  'cloud',
  'band',
  'edge',
  'rain',
  'base',
  'east',
  'edge',
  'precipitation',
  'area',
  'presence',
  'rotation',
  'wall',
  'cloud',
  'cloud',
  'lowering',
  'rain',
  'base',
  'thunderstorm',
  'wall',
  'cloud',
  'rear',
  'precipitation',
  'area',
  'wall',
  'cloud',
  'tornado',
  'minute',
  'tornado',
  'wall',
  'cloud',
  'surface',
  'wind',
  'motion',
  'cloud',
  'element',
  'rain',
  'base',
  'storm',
  'updraft',
  'level',
  'air',
  'mile',
  'level',
  'air',
  'updraft',
  'rain',
  'area',
  'rain',
  'air',
  'moisture',
  'rain',
  'air',
  'condense',
  'rain',
  'base',
  'wall',
  'cloud',
  'downdraft',
  'rfd',
  'rush',
  'air',
  'storm',
  'tornado',
  'rfd',
  'slot',
  'slot',
  'southwest',
  'wall',
  'cloud',
  'curtain',
  'rain',
  'base',
  'circulation',
  'rfd',
  'surface',
  'wind',
  'downburst',
  'flank',
  'downdraft',
  'motion',
  'storm',
  'hook',
  'echo',
  'feature',
  'radar',
  'condensation',
  'funnel',
  'water',
  'droplet',
  'base',
  'thunderstorm',
  'contact',
  'ground',
  'tornado',
  'funnel',
  'cloud',
  'dust',
  'debris',
  'condensation',
  'funnel',
  'tornado',
  'presence',
  'tornado',
  'contact',
  'ground',
  'funnel',
  'list',
  'question',
  'answer',
  'tornado',
  'nssl',
  'storm',
  'tornado',
  'computer',
  'model',
  'severe',
  'weather',
  'thunderstorm',
  'faq',
  'tornado',
  'types',
  'severe',
  'weather',
  'educator',
  'student',
  'storm',
  'spotter',
  'diagram',
  'thunderstorm',
  'photo',
  'storm',
  'characteristic',
  'diagram',
  'brian',
  'steve',
  'koch',
  'characteristics',
  'thunderstorm',
  'a.',
  'rear',
  'flank',
  'b.',
  'striations',
  'updraft',
  'c.',
  'mesocyclone',
  'd.',
  'tail',
  'cloud',
  'e.',
  'wall',
  'cloud',
  'f.',
  'tornado',
  'wall',
  'cloud',
  'cloud',
  'lowering',
  'rain',
  'base',
  'thunderstorm',
  'wall',
  'cloud',
  'rear',
  'precipitation',
  'area',
  'condensation',
  'funnel',
  'water',
  'droplet',
  'base',
  'thunderstorm',
  'contact',
  'ground',
  'tornado',
  'funnel',
  'cloud',
  'dust',
  'debris',
  'condensation',
  'funnel',
  'tornado',
  'presence',
  'u.s.',
  'department',
  'commerce',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'office',
  'oceanic',
  'atmospheric',
  'research',
  'contact',
  'privacy',
  'policy',
  'accessibility',
  'statement',
  'disclaimer',
  'foia',
  'usa.gov',
  'site',
  'information',
  'site',
  'map',
  'search',
  'nssl',
  'staff'],
 ['georgia',
  'story',
  'email',
  'error',
  'alabama',
  'alaska',
  'arizona',
  'arkansas',
  'northern',
  'california',
  'southern',
  'california',
  'colorado',
  'connecticut',
  'delaware',
  'florida',
  'georgia',
  'hawaii',
  'idaho',
  'illinois',
  'indiana',
  'iowa',
  'kansas',
  'kentucky',
  'louisiana',
  'maine',
  'maryland',
  'massachusetts',
  'michigan',
  'minnesota',
  'mississippi',
  'missouri',
  'montana',
  'nebraska',
  'nevada',
  'new',
  'hampshire',
  'new',
  'jersey',
  'new',
  'mexico',
  'new',
  'york',
  'north',
  'carolina',
  'north',
  'dakota',
  'ohio',
  'oklahoma',
  'oregon',
  'pennsylvania',
  'rhode',
  'island',
  'south',
  'carolina',
  'south',
  'dakota',
  'tennessee',
  'texas',
  'utah',
  'vermont',
  'virginia',
  'washington',
  'west',
  'virginia',
  'wisconsin',
  'wyoming',
  'albuquerque',
  'arlington',
  'atlanta',
  'austin',
  'baltimore',
  'boise',
  'boston',
  'buffalo',
  'charlotte',
  'chicago',
  'cincinnati',
  'cleveland',
  'columbus',
  'd.c.',
  'dallas',
  'fort',
  'worth',
  'denver',
  'des',
  'moines',
  'detroit',
  'galveston',
  'gulf',
  'shores',
  'honolulu',
  'houston',
  'indianapolis',
  'jacksonville',
  'kansas',
  'city',
  'louisville',
  'los',
  'angeles',
  'memphis',
  'miami',
  'milwaukee',
  'minneapolis',
  'nashville',
  'new',
  'orleans',
  'orlando',
  'philadelphia',
  'phoenix',
  'pittsburgh',
  'portland',
  'salt',
  'lake',
  'city',
  'san',
  'antonio',
  'san',
  'diego',
  'san',
  'francisco',
  'seattle',
  'st.',
  'louis',
  'tampa',
  'newsletter',
  'error',
  'georgia',
  'nature',
  'june',
  'marisa',
  'roman',
  'terrifying',
  'storm',
  'georgia',
  'truth',
  'georgia',
  'hurricane',
  'term',
  'monster',
  'storm',
  'past',
  'reason',
  'georgia',
  'brunt',
  'storm',
  'explanation',
  'georgia',
  'coastline',
  'hit',
  'state',
  'mile',
  'coast',
  'neighboring',
  'state',
  'florida',
  'south',
  'carolina',
  'share',
  'hurricane',
  'storm',
  'state',
  'century',
  'georgia',
  'hurricane',
  'point',
  'hurricane',
  'hurricane',
  'record',
  'state',
  'storm',
  'category',
  'storm',
  'landfall',
  'death',
  'rainfall',
  'area',
  'rainfall',
  'storm',
  'surge',
  'flooding',
  'foot',
  'brunswick',
  'cumberland',
  'island',
  'wind',
  'mph',
  'hurricane',
  'landfall',
  'time',
  'history',
  'communication',
  'jacksonville',
  'city',
  'new',
  'york',
  'majority',
  'boat',
  'marsh',
  'savannah',
  'river',
  'foot',
  'savannah',
  'weather',
  'bureau',
  'office',
  'bushel',
  'rice',
  'damage',
  'storm',
  'usd',
  'inflation',
  'doozy',
  'family',
  'member',
  'storm',
  'onlyinyourstate',
  'compensation',
  'affiliate',
  'link',
  'article',
  'georgia',
  'story',
  'email',
  'error',
  'share',
  'share',
  'facebook',
  'pin',
  'pinterest',
  'new',
  'jersey',
  'native',
  'year',
  'writing',
  'experience',
  'marisa',
  'new',
  'york',
  'university',
  'florida',
  'international',
  'university',
  'country',
  'decade',
  'stint',
  'south',
  'florida',
  'marisa',
  'exploration',
  'majority',
  'year',
  'self',
  'sprinter',
  'van',
  'article',
  'publication',
  'year',
  'collection',
  'story',
  'screenplay',
  'belt',
  'gem',
  'destination',
  'inbox',
  'error',
  'picture',
  'perfect',
  'weekend',
  'farm',
  'walton',
  'county',
  'ga',
  'lisa',
  'sammons',
  'ancient',
  'mounds',
  'centuries',
  'history',
  'georgia',
  'lisa',
  'sammons',
  'granite',
  'capital',
  'georgia',
  'charming',
  'town',
  'lisa',
  'sammons',
  'nestled',
  'georgia',
  'wine',
  'country',
  'small',
  'town',
  'mountain',
  'city',
  'charming',
  'place',
  'lisa',
  'sammons',
  'day',
  'unthinkable',
  'georgia',
  'marisa',
  'roman',
  'horrific',
  'hurricanes',
  'georgia',
  'amanda',
  'northern',
  'contact',
  'travel',
  'insights',
  'terms',
  'use',
  'accessibility',
  'copyright',
  'policy',
  'privacy',
  'notice',
  'cookie',
  'notice',
  'california',
  'notice',
  'collection',
  'manage',
  'preferences'],
 ['trouble',
  'page',
  'help',
  'feature',
  'politic',
  'sports',
  'square',
  'mile',
  'search',
  'account',
  'air',
  'schedule',
  'donate',
  'term',
  'use',
  'privacy',
  'policy',
  'corrections',
  'contest',
  'rules',
  'amazon',
  'alexa',
  'app',
  'air',
  'schedule',
  'storm',
  'outage',
  'ri',
  'ma',
  'temperature',
  'weekend',
  'fri',
  'dec',
  'gmt+0000',
  'coordinated',
  'universal',
  'time',
  'winter',
  'storm',
  'condition',
  'holiday',
  'travel',
  'midwest',
  'new',
  'england',
  'forecaster',
  'wind',
  'gust',
  'storm',
  'surge',
  'rain',
  'temperature',
  'weekend',
  'official',
  'winter',
  'storm',
  'rain',
  'wind',
  'flooding',
  'new',
  'england',
  'friday',
  'temperature',
  'weekend',
  'forecaster',
  'temperature',
  'friday',
  'night',
  'providence',
  'pm',
  'low',
  'temperature',
  'evening',
  'driving',
  'condition',
  'â\x80\x9d',
  'rhode',
  'island',
  'gov.',
  'dan',
  'mckee',
  'friday',
  'afternoon',
  'temperature',
  'weekend',
  'official',
  'new',
  'england',
  'warming',
  'center',
  'providence',
  'mayor',
  'jorge',
  'elorza',
  'city',
  'hour',
  'warming',
  'center',
  'crossroads',
  'broad',
  'st.',
  'providence',
  'rescue',
  'mission',
  'cranston',
  'st.',
  'rhode',
  'island',
  'emergency',
  'management',
  'agency',
  'list',
  'warming',
  'center',
  'state',
  'stormâ\x80\x99s',
  'wind',
  'power',
  'thousand',
  'rhode',
  'island',
  'massachusetts',
  'utility',
  'customer',
  'power',
  'rhode',
  'island',
  'p.m.',
  'friday',
  'customer',
  'power',
  'bristol',
  'county',
  'massachusetts',
  'national',
  'weather',
  'service',
  'tide',
  'surge',
  'foot',
  'friday',
  'morning',
  'providence',
  'nuisance',
  'fox',
  'point',
  'hurricane',
  'barrier',
  'anticipation',
  'storm',
  'warwick',
  'wind',
  'gust',
  'mph',
  'friday',
  'morning',
  'national',
  'weather',
  'serviceâ\x80\x99s',
  'boston',
  'office',
  'station',
  'new',
  'bedford',
  'gust',
  'mph',
  'block',
  'island',
  'ferry',
  'ferry',
  'friday',
  'sea',
  'condition',
  'million',
  'americans',
  'bone',
  'temperature',
  'blizzard',
  'condition',
  'power',
  'outage',
  'holiday',
  'gathering',
  'friday',
  'winter',
  'storm',
  'forecaster',
  'scope',
  '%',
  'population',
  'sort',
  'winter',
  'weather',
  'advisory',
  'warning',
  'people',
  '%',
  'u.s.',
  'population',
  'form',
  'winter',
  'weather',
  'advisory',
  'warning',
  'friday',
  'national',
  'weather',
  'service',
  'weather',
  'service',
  'map',
  'â\x80\x9cdepict',
  'extent',
  'winter',
  'weather',
  'warning',
  'advisory',
  'â\x80\x9d',
  'forecaster',
  'statement',
  'friday',
  'flight',
  'u.s.',
  'friday',
  'tracking',
  'site',
  'flightaware',
  'mayhem',
  'traveler',
  'holiday',
  'home',
  'business',
  'power',
  'friday',
  'morning',
  'storm',
  'border',
  'border',
  'canada',
  'westjet',
  'flight',
  'friday',
  'toronto',
  'pearson',
  'international',
  'airport',
  'a.m.',
  'mexico',
  'migrant',
  'u.s.',
  'border',
  'temperature',
  'u.s.',
  'supreme',
  'court',
  'decision',
  'era',
  'restriction',
  'snow',
  'day',
  'kid',
  'president',
  'joe',
  'biden',
  'thursday',
  'oval',
  'office',
  'briefing',
  'official',
  'stuff.â\x80\x9dforecasters',
  'bomb',
  'cyclone',
  'pressure',
  'storm',
  'great',
  'lakes',
  'blizzard',
  'condition',
  'wind',
  'snow',
  'flight',
  'ashley',
  'sherrod',
  'nashville',
  'tennessee',
  'flint',
  'michigan',
  'thursday',
  'afternoon',
  'sherrod',
  'risk',
  'saturday',
  'flight',
  'canceled.â\x80\x9cmy',
  'family',
  'christmas',
  'sherrod',
  'bag',
  'grinch',
  'pajama',
  'family',
  'party',
  'door',
  'â\x80\x9cchristmas',
  'lack',
  'word',
  'suck.â\x80\x9d',
  'park',
  'ave',
  'portsmouth',
  'r.i.',
  'friday',
  'dec.'],
 ['app',
  'searchsign',
  'locationsclosesee',
  'locationsadditional',
  'contentnational',
  'newsnewsbreak',
  'corporateabout',
  'uscontributorspublishersadvertisersterm',
  'use',
  'privacy',
  'policydo',
  'sell',
  'share',
  'info',
  'help',
  'centersign',
  'new',
  'york',
  'ny',
  'update',
  'emailsubscribe1011now.comnortheast',
  'nebraska',
  'storm',
  'damage',
  'july',
  'sports,15',
  'day',
  'agoby',
  'sports,15',
  'day',
  'agogo',
  'publisher',
  'newsbreakcomments',
  '0add',
  'commentyou',
  'popularit',
  'climate',
  'change',
  'flooding',
  'war',
  'flood',
  'control',
  'damage',
  'montpelier',
  'vt14',
  'day',
  'agochief',
  'justice',
  'suspension',
  'matrimonial',
  'trial',
  'judicial',
  'vacanciespassaic',
  'nj15',
  'day',
  'agopowerful',
  'magnitude',
  'earthquake',
  'alaska',
  'peninsula',
  'local',
  'tsunami',
  'warningssand',
  'point',
  'ak10',
  'day',
  'africans',
  'wealth',
  'building',
  'paul',
  'mn13',
  'day',
  'agoget',
  'new',
  'york',
  'ny',
  'update',
  'emailsubscribe',
  'particle',
  'medium',
  'term',
  'use',
  'privacy',
  'policydo',
  'sell',
  'share',
  'info',
  'help',
  'centercomments',
  '0closecommunity',
  'policy'],
 ['menuweatherclimatestorm',
  'trackerwildfire',
  'trackervideoaudiosearch',
  'cnnclimatestorm',
  'trackerwildfire',
  'trackervideosearchaudioeditionusinternationalarabicespañoleditionusinternationalarabicespañoluscrime',
  'justiceenergy',
  'environmentextreme',
  'weatherspace',
  'kingdompoliticsthe',
  'biden',
  'presidencyfacts',
  'first2022',
  'midtermsbusinesstechmediasuccessperspectivesvideosmarketspre',
  'marketsafter',
  'hoursmarket',
  'moversfear',
  'greedworld',
  'op',
  'edssocial',
  'commentaryhealthlife',
  'futuremission',
  'aheadupstartswork',
  'transformedinnovative',
  'citiesstyleartsdesignfashionarchitectureluxurybeautyvideotraveldestinationsfood',
  'drinkstaynewsvideossportspro',
  'tv',
  'digital',
  'studioscnn',
  'scheduletv',
  'zcnnvraudiocnn',
  'underscoredelectronicsfashionbeautyhealth',
  'fitnesshomereviewsdealsmoneygiftstraveloutdoorspetscnn',
  'storecouponsweatherclimatestorm',
  'trackerwildfire',
  'trackervideomorephotoslongforminvestigationscnn',
  'profilescnn',
  'newsletterswork',
  'cnnfollow',
  'cnn',
  'weather',
  'story',
  'storm',
  'track',
  'f',
  '°',
  'clocal',
  'forecast',
  'current',
  'conditions',
  '°',
  '°',
  'feel',
  'humidity',
  'wind',
  'sunrise',
  'sunset',
  'pressure',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  '°',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  '°',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  '°',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  '°',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  '°',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  '°',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  '°',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  '°',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  'sign',
  'email',
  'update',
  'cnn',
  'meteorologistsapril',
  '11th',
  'river',
  'moisture',
  'storm',
  'tornado',
  'weekmarch',
  'scientist',
  'plane',
  'cloud',
  'hurricane',
  'season',
  'forecast',
  'louisiana',
  'resident',
  'sparedby',
  'jennifer',
  'gray',
  'cnn',
  'hurricane',
  'season',
  'forecast',
  'hurricane',
  'category',
  'hurricane',
  'facility',
  'hurricane',
  'wind',
  'mph',
  'storm',
  'surge',
  'hurricane',
  'louisiana',
  'cancer',
  'alley',
  'hurricane',
  'hunter',
  'plane',
  'pattern',
  'storm',
  'hurricanes',
  'whycheck',
  'video',
  'state',
  'dam',
  'water',
  'lake',
  'powell',
  'today',
  'tornado',
  'truck',
  'shopper',
  'texasfish',
  'sky',
  'weather',
  'weatherin',
  'picture',
  'storm',
  'million',
  'usin',
  'picture',
  'australiain',
  'picture',
  'wildfire',
  'colorado',
  'texasdesert',
  'saudi',
  'arabiaextreme',
  'weather',
  'thunderstorm',
  'tornadohow',
  'lightning4',
  'tornado',
  'safety',
  'tip',
  'blizzard',
  'impact',
  'bethe',
  'difference',
  'tornado',
  'watch',
  'warningflash',
  'flooding',
  'searchaudiouscrime',
  'justiceenergy',
  'environmentextreme',
  'weatherspace',
  'kingdompoliticsthe',
  'biden',
  'presidencyfacts',
  'first2022',
  'midtermsbusinesstechmediasuccessperspectivesvideosmarketspre',
  'marketsafter',
  'hoursmarket',
  'moversfear',
  'greedworld',
  'op',
  'edssocial',
  'commentaryhealthlife',
  'futuremission',
  'aheadupstartswork',
  'transformedinnovative',
  'citiesstyleartsdesignfashionarchitectureluxurybeautyvideotraveldestinationsfood',
  'drinkstaynewsvideossportspro',
  'tv',
  'digital',
  'studioscnn',
  'scheduletv',
  'zcnnvraudiocnn',
  'underscoredelectronicsfashionbeautyhealth',
  'fitnesshomereviewsdealsmoneygiftstraveloutdoorspetscnn',
  'storecouponsweatherclimatestorm',
  'trackerwildfire',
  'trackervideomorephotoslongforminvestigationscnn',
  'profilescnn',
  'newsletterswork',
  'cnnweatheraudiofollow',
  'cnn',
  'term',
  'useprivacy',
  'policyaccessibility',
  'ccad',
  'choicesabout',
  'newsourcesitemap',
  'cable',
  'news',
  'network',
  'warner',
  'bros.',
  'discovery',
  'company',
  'rights',
  'cnn',
  'sans',
  'cable',
  'news',
  'network'],
 ['ie',
  'experience',
  'site',
  'browser',
  'skip',
  'news',
  'newsworldbusinesshealthvideoculture',
  'trendsnbc',
  'news',
  'tiplineshare',
  'save',
  'newsmanage',
  'profileemail',
  'preferencessign',
  'outsearchsearchprofile',
  'newssign',
  'sign',
  'increate',
  'profilesectionsu.s.',
  'newspoliticsworldlocalbusinesshealthinvestigationsculture',
  'trendssciencesportstech',
  'mediavideo',
  'featuresphotosweathernbc',
  'selectdecision',
  'blknbc',
  'newsmsnbcmeet',
  'pressdatelinefeaturednbc',
  'news',
  'nowbetternightly',
  'filmsstay',
  'tunedspecial',
  'featuresnewsletterspodcastslisten',
  'nowmore',
  'nbccnbcnbc.comnbcu',
  'learnpeacocknext',
  'steps',
  'vetsparent',
  'news',
  'site',
  'maphelpfollow',
  'nbc',
  'newssearchsearchfacebooktwitteremailsmsprintwhatsappredditpocketflipboardpinterestlinkedinweathersevere',
  'storm',
  'people',
  'montana',
  '-',
  'atlanticstorms',
  'hazard',
  'wind',
  'hail',
  'city',
  'omaha',
  'nebraska',
  'chicago',
  'indianapolis',
  'washington',
  'weather',
  'montana',
  '-',
  'atlantic',
  'news',
  'pm',
  'kathryn',
  'procivmore',
  'people',
  'risk',
  'storm',
  'tuesday',
  'mile',
  'stretch',
  'montana',
  'mid',
  '-',
  'atlantic',
  'storm',
  'afternoon',
  'hour',
  'hazard',
  'wind',
  'hail',
  'city',
  'omaha',
  'nebraska',
  'chicago',
  'indianapolis',
  'washington',
  'wednesday',
  'storm',
  'people',
  'area',
  'montana',
  'mid',
  '-',
  'atlantic',
  'storm',
  'hazard',
  'city',
  'baltimore',
  'washington',
  'charlotte',
  'north',
  'carolina',
  'raleigh',
  'north',
  'carolina',
  'columbia',
  'south',
  'carolina',
  'addition',
  'storm',
  'flash',
  'flooding',
  'concern',
  'tuesday',
  'afternoon',
  'evening',
  'area',
  'round',
  'rain',
  'storm',
  'area',
  'flood',
  'watch',
  'people',
  'illinois',
  'chicago',
  'rainfall',
  'rate',
  'afternoon',
  'storm',
  'inch',
  'hour',
  'heartland',
  'heatthe',
  'heat',
  'humidity',
  'fuel',
  'thunderstorm',
  'tuesday',
  'morning',
  'people',
  'heat',
  'alert',
  'plains',
  'midwest',
  'south',
  'temperature',
  '90',
  'humidity',
  'heat',
  'index',
  'value',
  'texas',
  'city',
  'day',
  'digit',
  'temperature',
  'start',
  'summer',
  'city',
  'austin',
  'san',
  'antonio',
  'san',
  'antonio',
  'day',
  'degree',
  'june',
  'average',
  'austin',
  'day',
  'year',
  'high',
  'year',
  'point',
  'record',
  'kathryn',
  'procivkathryn',
  'prociv',
  'meteorologist',
  'producer',
  'nbc',
  'news',
  'choicesprivacy',
  'policydo',
  'informationca',
  'noticenew',
  'terms',
  'service',
  'july',
  'news',
  'sitemapadvertiseselect',
  'shoppingselect',
  'personal',
  'finance',
  'nbc',
  'universalnbc',
  'news',
  'logomsnbc',
  'logotoday',
  'logo'],
 ['nature.com',
  'browser',
  'version',
  'support',
  'css',
  'experience',
  'date',
  'browser',
  'compatibility',
  'mode',
  'internet',
  'explorer',
  'meantime',
  'support',
  'site',
  'style',
  'javascript',
  'journal',
  'exposure',
  'science',
  'environmental',
  'epidemiology',
  'environmental',
  'impact',
  'hurricane',
  'florence',
  'flooding',
  'north',
  'carolina',
  'analysis',
  'distribution',
  'health',
  'risk',
  'noor',
  'a.',
  'aly1,2',
  'gaston',
  'casillas1,3',
  'yu',
  'syuan',
  'luo1,2',
  'thomas',
  'j.',
  'mcdonald1,3',
  'terry',
  'l.',
  'wade1,4,5',
  'rui',
  'zhu6',
  'galen',
  'newman6',
  'dillon',
  'lloyd7,8',
  'fred',
  'a.',
  'wright7,8',
  'weihsueh',
  'a.',
  'chiu1,2',
  'ivan',
  'rusyn',
  'orcid',
  'orcid.org/0000-0002-4865-94911,2',
  'author',
  'journal',
  'exposure',
  'science',
  'environmental',
  'epidemiology',
  'volume',
  'article',
  'abstractbackgroundhurricane',
  'florence',
  'landfall',
  'north',
  'carolina',
  'september',
  'flooding',
  'point',
  'source',
  'substance',
  'superfund',
  'site',
  'water',
  'damage',
  'contaminant',
  'environment',
  'objectivethis',
  'study',
  'analysis',
  'distribution',
  'health',
  'risk',
  'hurricane',
  'florence',
  'flooding',
  'methodssoil',
  'sample',
  'site',
  'county',
  'north',
  'carolina',
  'september',
  'january',
  'chemical',
  'analysis',
  'organic',
  'gas',
  'chromatography',
  'mass',
  'spectrometry',
  'metal',
  'plasma',
  'mass',
  'spectrometry',
  'hazard',
  'index',
  'cancer',
  'risk',
  'epa',
  'regional',
  'screening',
  'level',
  'soil',
  'screening',
  'levels',
  'soil',
  'resultspah',
  'metal',
  'coal',
  'ash',
  'storage',
  'pond',
  'source',
  'contamination',
  'pah',
  'site',
  'health',
  'concern',
  'cancer',
  'risk',
  'value',
  '10−6',
  'threshold',
  'contaminant',
  'sampling',
  'site',
  'hazard',
  'index',
  'cancer',
  'risk',
  'difference',
  'concern',
  'significancethis',
  'work',
  'importance',
  'exposure',
  'assessment',
  'disaster',
  'baseline',
  'level',
  'contaminant',
  'comparison',
  'preview',
  'subscription',
  'content',
  'access',
  'institution',
  'open',
  'access',
  'article',
  'article',
  'toxpi*gis',
  'toolkit',
  'visualization',
  'datum',
  'arcgis',
  'jonathon',
  'fleming',
  'skylar',
  'w.',
  'marvel',
  'david',
  'm.',
  'reif',
  'journal',
  'exposure',
  'science',
  'environmental',
  'epidemiology',
  'open',
  'access',
  'subscribe',
  'print',
  'issue',
  'online',
  'issuelearn',
  'articleprice',
  'article',
  'moreprice',
  'taxis',
  'checkout',
  'fig',
  'sampling',
  'location',
  'timeline',
  'fig',
  'summary',
  'contaminant',
  'chemical',
  'class',
  'study',
  'fig',
  'data',
  'pah',
  'soil',
  'sample',
  'study',
  'fig',
  'data',
  'metal',
  'soil',
  'sample',
  'study',
  'fig',
  '.',
  'datum',
  'pesticide',
  'chemical',
  'pcb',
  'soil',
  'sample',
  'study',
  'fig',
  'map',
  'coal',
  'ash',
  'pond',
  'location',
  'area',
  'north',
  'carolina',
  'referencesplumlee',
  'gs',
  'morman',
  'gp',
  'meeker',
  'tm',
  'hoefen',
  'pl',
  'hageman',
  'wolf',
  '.',
  'geochemistry',
  'material',
  'disaster',
  'treatise',
  'geochem',
  'cas',
  'google',
  'scholar',
  'rieble',
  'dd',
  'hass',
  'cn',
  'pardue',
  'j',
  'walsh',
  'w.',
  'toxic',
  'contaminant',
  'concern',
  'hurricane',
  'katrina',
  'j',
  'environ',
  'engin',
  'google',
  'scholar',
  'diaz',
  'jh',
  'health',
  'impact',
  'hurricane',
  'flooding',
  'j',
  'la',
  'state',
  'med',
  'soc',
  'google',
  'scholar',
  'ahern',
  'm',
  'kovats',
  'rs',
  'wilkinson',
  'p',
  'r',
  'matthies',
  'f.',
  'global',
  'health',
  'impact',
  'flood',
  'evidence',
  'epidemiol',
  'rev.',
  'pubmed',
  'google',
  'scholar',
  'joyce',
  's.',
  'zone',
  'oxygen',
  'water',
  'environ',
  'health',
  'perspect',
  'a120–5.article',
  'cas',
  'pubmed',
  'pubmed',
  'central',
  'google',
  'scholar',
  'euripidou',
  'e',
  'murray',
  'v.',
  'health',
  'impact',
  'flood',
  'chemical',
  'contamination',
  'j',
  'public',
  'health',
  'oxf',
  'google',
  'scholar',
  'cruz',
  'steinberg',
  'lj',
  'luna',
  'r.',
  'identifying',
  'hurricane',
  'material',
  'release',
  'scenario',
  'petroleum',
  'refinery',
  'nat',
  'hazards',
  'rev.',
  '2001;2:203–10.article',
  'google',
  'scholar',
  'krausmann',
  'e',
  'mushtaq',
  'f.',
  'natech',
  'damage',
  'scale',
  'impact',
  'flood',
  'facility',
  'nat',
  'hazards',
  'google',
  'scholar',
  'mandigo',
  'ac',
  'discenza',
  'dj',
  'keimowitz',
  'ar',
  'fitzgerald',
  'n.',
  'chemical',
  'contamination',
  'soil',
  'new',
  'york',
  'city',
  'area',
  'hurricane',
  'sandy',
  'environ',
  'geochem',
  'health',
  'cas',
  'pubmed',
  'google',
  'scholar',
  'woodruff',
  'jd',
  'irish',
  'jl',
  'camargo',
  'sj',
  'flooding',
  'cyclone',
  'sea',
  'level',
  'rise',
  'nature',
  'cas',
  'pubmed',
  'google',
  'scholar',
  'peduzzi',
  'p',
  'chatenoux',
  'b',
  'dao',
  'h',
  'de',
  'bono',
  'herold',
  'c',
  'kossin',
  'j',
  'et',
  'al',
  'trend',
  'cyclone',
  'risk',
  'nat',
  'clim',
  'change',
  'google',
  'scholar',
  'knutson',
  'tr',
  'mcbride',
  'jl',
  'chan',
  'j',
  'emanuel',
  'k',
  'holland',
  'g',
  'landsea',
  'c',
  'et',
  'al',
  'cyclone',
  'climate',
  'change',
  'nat',
  'geosci',
  'cas',
  'google',
  'scholar',
  'knap',
  'ah',
  'rusyn',
  'i.',
  'environmental',
  'exposure',
  'disaster',
  'rev',
  'environ',
  'health',
  'pubmed',
  'pubmed',
  'central',
  'google',
  'scholar',
  'winsor',
  'm.',
  'timeline',
  'florence',
  'storm',
  'batter',
  'carolinas',
  'abc',
  'news',
  'rm',
  'mckinley',
  'kl',
  'jiang',
  's',
  'karr',
  'j',
  'dwyer',
  'gs',
  'keyworth',
  'aj',
  'et',
  'al',
  'occurrence',
  'distribution',
  'hexavalent',
  'chromium',
  'groundwater',
  'north',
  'carolina',
  'usa',
  'sci',
  'total',
  'environ',
  'cas',
  'pubmed',
  'google',
  'scholar',
  'ruhl',
  'l',
  'vengosh',
  'dwyer',
  'gs',
  'hsu',
  'kim',
  'h',
  'deonarine',
  'a.',
  'environmental',
  'impact',
  'coal',
  'ash',
  'spill',
  'kingston',
  'tennessee',
  'month',
  'survey',
  'environ',
  'sci',
  'technol',
  'cas',
  'pubmed',
  'google',
  'scholar',
  'u.s.',
  'epa',
  'ash',
  'basic',
  'washington',
  'dc',
  'u.s.',
  'environmental',
  'protection',
  'agency',
  'd.',
  'researcher',
  'sutton',
  'lake',
  'site',
  'coal',
  'ash',
  'spill',
  'north',
  'carolina',
  'public',
  'radio',
  '2019.ouzt',
  'e.',
  'critics',
  'north',
  'carolina',
  'official',
  'florence',
  'coal',
  'ash',
  'spill',
  'energy',
  'news',
  'network',
  'https://energynews.us/2018/10/16/southeast/critics-north-carolina-officials-failing-after-florence-coal-ash-spills/.biesecker',
  'm',
  'kastanis',
  'a.',
  'hurricane',
  'florence',
  'breach',
  'manure',
  'lagoon',
  'coal',
  'ash',
  'pit',
  'north',
  'carolina',
  'https://www.pbs.org/newshour/nation/hurricane-florence-breaches-manure-lagoon-coal-ash-pit-in-north-carolina.national',
  'hurricane',
  'center',
  'cyclone',
  'report',
  'hurricane',
  'florence',
  'contract',
  '.',
  'al062018',
  'miami',
  'fl',
  'epa',
  'soil',
  'sampling',
  'procedure',
  'u.s.',
  'environmental',
  'protection',
  'agency',
  'editor',
  'athens',
  'ga',
  'u.s.',
  'epa',
  '2007.cantillo',
  'ay',
  'lauenstein',
  'gg',
  'performance',
  'quality',
  'assurance',
  'noaa',
  'national',
  'status',
  'trends',
  'program',
  'experience',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'noaa',
  'editor',
  'noaa',
  'silver',
  'spring',
  'md',
  'epa',
  'national',
  'coastal',
  'condition',
  'assessment',
  'quality',
  'assurance',
  'project',
  'plan',
  'united',
  'states',
  'environmental',
  'protection',
  'agency',
  'editor',
  'washington',
  'dc',
  'u.s.',
  'epa',
  '2010.silva',
  'mh',
  'kwok',
  'a.',
  'open',
  'access',
  'toxcast',
  'tox21',
  'priority',
  'index',
  'toxpi',
  'chemical',
  'environment',
  'ice',
  'model',
  'pesticide',
  'toxicity',
  'case',
  'study',
  'int',
  'j',
  'toxicol',
  'envr',
  'health',
  'google',
  'scholar',
  'bera',
  'g',
  'camargo',
  'k',
  'sericano',
  'jl',
  'liu',
  'y',
  'sweet',
  'st',
  'horney',
  'j',
  'et',
  'al',
  'baseline',
  'datum',
  'distribution',
  'contaminant',
  'disaster',
  'result',
  'houston',
  'neighborhood',
  'hurricane',
  'harvey',
  'flooding',
  'cas',
  'pubmed',
  'pubmed',
  'central',
  'google',
  'scholar',
  'el',
  'kady',
  'aa',
  'wade',
  'tl',
  'sweet',
  'st',
  'sericano',
  'jl',
  'distribution',
  'residue',
  'profile',
  'organochlorine',
  'pesticide',
  'biphenyls',
  'sediment',
  'fish',
  'lake',
  'manzala',
  'egypt',
  'environ',
  'sci',
  'pollut',
  'res',
  'int',
  'cas',
  'pubmed',
  'google',
  'scholar',
  'cook',
  'rd',
  'detection',
  'observation',
  'regression',
  'technometrics',
  '1977;19:15–8',
  'google',
  'scholar',
  'wang',
  'z',
  'yang',
  'c',
  'parrott',
  'jl',
  'frank',
  'ra',
  'yang',
  'z',
  'brown',
  'ce',
  'et',
  'al',
  'source',
  'differentiation',
  'hydrocarbon',
  'oil',
  'sand',
  'sample',
  'j',
  'hazard',
  'mater',
  'cas',
  'pubmed',
  'google',
  'scholar',
  'lu',
  'j',
  'zhang',
  'c',
  'wu',
  'j',
  'lin',
  'yc',
  'zhang',
  'yx',
  'yu',
  'xb',
  'et',
  'al',
  'pollution',
  'source',
  'health',
  'risk',
  'hydrocarbon',
  'water',
  'coastline',
  'china',
  'hum',
  'ecol',
  'risk',
  'assess',
  'cas',
  'google',
  'scholar',
  'u.s.',
  'epa',
  'regional',
  'screening',
  'levels',
  'rsls',
  'generic',
  'tables',
  'washington',
  'dc',
  'u.s.',
  'environmental',
  'protection',
  'agency',
  'https://www.epa.gov/risk/regional-screening-levels-rsls-generic-tables.nisbet',
  'ic',
  'lagoy',
  'pk',
  'equivalency',
  'factor',
  'tefs',
  'hydrocarbon',
  'pahs',
  'regulatory',
  'toxicol',
  'pharmacol',
  'cas',
  'google',
  'scholar',
  'u.s.',
  'epa',
  'development',
  'potency',
  'factor',
  'rpf',
  'approach',
  'hydrocarbon',
  'pah',
  'mixture',
  'review',
  'draft',
  'washington',
  'dc',
  'u.s.',
  'environmental',
  'protection',
  'agency',
  'epa',
  'guidance',
  'risk',
  'assessment',
  'hydrocarbon',
  'pah',
  'washington',
  'dc',
  'u.s.',
  'environmental',
  'protection',
  'agency',
  'office',
  'research',
  'development',
  'office',
  'health',
  'environmental',
  'assessment',
  'cowan',
  'ea',
  'coyte',
  'rm',
  'kondash',
  'aj',
  'wang',
  'z',
  'brandt',
  'je',
  'et',
  'al',
  'evidence',
  'coal',
  'ash',
  'spill',
  'sutton',
  'lake',
  'north',
  'carolina',
  'implication',
  'contamination',
  'lake',
  'ecosystem',
  'sci',
  'total',
  'environ',
  'cas',
  'pubmed',
  'google',
  'scholar',
  'iarc',
  'polycyclic',
  'hydrocarbon',
  'exposure',
  'cancer',
  'iafro',
  'editor',
  'lyon',
  'france',
  'j',
  'thorbjornsen',
  'k.',
  'metal',
  'contamination',
  'soil',
  'approach',
  'soil',
  'sediment',
  'contam',
  'cas',
  'google',
  'scholar',
  'wang',
  'zd',
  'fingas',
  'm',
  'shu',
  'yy',
  'sigouin',
  'l',
  'landriault',
  'm',
  'lambert',
  'p',
  'et',
  'al',
  'characterization',
  'pahs',
  'burn',
  'residue',
  'soot',
  'sample',
  'differentiation',
  'pahs',
  'pahs',
  'mobile',
  'burn',
  'study',
  'environ',
  'sci',
  'technol',
  'cas',
  'google',
  'scholar',
  'usgs',
  'datum',
  'soil',
  'united',
  'states',
  'u.s.',
  'department',
  'interior',
  'editor',
  'reston',
  'va',
  'u.s.',
  'geological',
  'survey',
  '2013.national',
  'weather',
  'service',
  'historical',
  'hurricane',
  'florence',
  'september',
  'https://www.weather.gov/mhx/florence2018.errett',
  'na',
  'haynes',
  'en',
  'wyland',
  'n',
  'everhart',
  'pendergrast',
  'c',
  'parker',
  'ea',
  'capacity',
  'disaster',
  'research',
  'response',
  'dr2',
  'niehs',
  'environmental',
  'health',
  'sciences',
  'core',
  'centers',
  'environ',
  'health',
  'pubmed',
  'pubmed',
  ...],
 ['permission',
  'article',
  'account',
  'dashboard',
  'profile',
  'item',
  'northeast',
  'north',
  'central',
  'nebraska',
  'news',
  'source',
  'heat',
  'advisory',
  'effect',
  'pm',
  'cdt',
  'evening',
  'heat',
  'advisory',
  'effect',
  'noon',
  'pm',
  'cdt',
  'thursday',
  'heat',
  'advisory',
  'heat',
  'index',
  'value',
  'heat',
  'advisory',
  'heat',
  'index',
  'value',
  'iowa',
  'monona',
  'county',
  'nebraska',
  'knox',
  'cedar',
  'thurston',
  'antelope',
  'pierce',
  'wayne',
  'madison',
  'stanton',
  'cuming',
  'counties',
  'heat',
  'advisory',
  'pm',
  'cdt',
  'evening',
  'heat',
  'advisory',
  'noon',
  'pm',
  'cdt',
  'thursday',
  'impact',
  'temperature',
  'humidity',
  'heat',
  'illness',
  'plenty',
  'fluid',
  'air',
  'room',
  'sun',
  'relative',
  'neighbor',
  'child',
  'pet',
  'vehicle',
  'circumstance',
  'precaution',
  'time',
  'activity',
  'morning',
  'evening',
  'sign',
  'symptom',
  'heat',
  'exhaustion',
  'heat',
  'stroke',
  'clothing',
  'risk',
  'work',
  'occupational',
  'safety',
  'health',
  'administration',
  'rest',
  'break',
  'air',
  'environment',
  'heat',
  'location',
  'heat',
  'stroke',
  'emergency',
  'heat',
  'advisory',
  'effect',
  'pm',
  'cdt',
  'evening',
  'heat',
  'advisory',
  'effect',
  'noon',
  'pm',
  'cdt',
  'thursday',
  'heat',
  'advisory',
  'heat',
  'index',
  'value',
  'heat',
  'advisory',
  'heat',
  'index',
  'value',
  'iowa',
  'monona',
  'county',
  'nebraska',
  'knox',
  'cedar',
  'thurston',
  'antelope',
  'pierce',
  'wayne',
  'madison',
  'stanton',
  'cuming',
  'counties',
  'heat',
  'advisory',
  'pm',
  'cdt',
  'evening',
  'heat',
  'advisory',
  'noon',
  'pm',
  'cdt',
  'thursday',
  'impact',
  'temperature',
  'humidity',
  'heat',
  'illness',
  'plenty',
  'fluid',
  'air',
  'room',
  'sun',
  'relative',
  'neighbor',
  'child',
  'pet',
  'vehicle',
  'circumstance',
  'precaution',
  'time',
  'activity',
  'morning',
  'evening',
  'sign',
  'symptom',
  'heat',
  'exhaustion',
  'heat',
  'stroke',
  'clothing',
  'risk',
  'work',
  'occupational',
  'safety',
  'health',
  'administration',
  'rest',
  'break',
  'air',
  'environment',
  'heat',
  'location',
  'heat',
  'stroke',
  'emergency',
  'death',
  'singer',
  'tony',
  'bennett',
  'crooner',
  'wall',
  'dirt',
  'usher',
  'derecho',
  'northeast',
  'nebraska',
  'wall',
  'dust',
  'norfolk',
  'thursday',
  'afternoon',
  'wind',
  'condition',
  'wall',
  'dust',
  'path',
  'storm',
  'northeast',
  'nebraska',
  'thursday',
  'afternoon',
  'storm',
  'derecho',
  'national',
  'weather',
  'service',
  'condition',
  'tree',
  'power',
  'line',
  'swath',
  'damage',
  'area',
  'michael',
  'carnes',
  'wayne',
  'district',
  'track',
  'hartington',
  'wall',
  'dirt',
  'tornado',
  'dirt',
  'blackout',
  'carnes',
  'lack',
  'visibility',
  'vehicle',
  'dirt',
  'thing',
  'wheel',
  'middle',
  'blizzard',
  'downpour',
  'god',
  'yesterday',
  '”brett',
  'albright',
  'meteorologist',
  'national',
  'weather',
  'service',
  'omaha',
  'valley',
  'wind',
  'feature',
  'thursday',
  'storm',
  'northeast',
  'nebraska',
  'wind',
  'gust',
  'norfolk',
  'regional',
  'airport',
  'mph',
  'p.m.',
  'mph',
  'wind',
  'area',
  'storm',
  'line',
  'wind',
  'albright',
  'windstorm',
  'derecho',
  'windstorm',
  'line',
  'thunderstorm',
  'derecho',
  'gust',
  'mph',
  'damage',
  'swath',
  'mile',
  'mile',
  'national',
  'weather',
  'service',
  'definition',
  'wind',
  'albright',
  'estimate',
  'northeast',
  'nebraska',
  'peak',
  'wind',
  'gust',
  'mph',
  'wind',
  'dust',
  'weather',
  'service',
  'office',
  'lot',
  'tree',
  'fence',
  'norfolk',
  'area',
  'northeast',
  'nebraska',
  'albright',
  'report',
  'communication',
  'tower',
  'cedar',
  'county',
  'norfolk',
  'family',
  'ymca',
  'storm',
  'date',
  'closure',
  'pool',
  'roof',
  'pool',
  'director',
  'justin',
  'moore',
  'moore',
  'nature',
  'damage',
  'thursday',
  'storm',
  'water',
  'ceiling',
  'pool',
  'decision',
  'closure',
  'pump',
  'maintenance',
  'pierce',
  'utility',
  'crew',
  'damage',
  'p.m.',
  'pierce',
  'fire',
  'rescue',
  'community',
  'emergency',
  'response',
  'team',
  'tree',
  'pierce',
  'fire',
  'chief',
  'steve',
  'dolesh',
  'damage',
  'utility',
  'line',
  'pole',
  'roof',
  'damage',
  'hog',
  'barn',
  'destruction',
  'car',
  'port',
  'lot',
  'tree',
  'damage',
  'tree',
  'car',
  'dolesh',
  'crew',
  'p.m.',
  'dolesh',
  'damage',
  'minute',
  'storm',
  'surprise',
  'wall',
  'dust',
  'storm',
  'planet',
  'bit',
  'situation',
  'dust',
  'cloud',
  'thursday',
  'storm',
  'condition',
  '“it',
  'status',
  'field',
  'growth',
  'cover',
  'dirt',
  'window',
  'drought',
  'condition',
  'kind',
  'stuff',
  '”the',
  'storm',
  'power',
  'outage',
  'thursday',
  'grant',
  'otten',
  'nebraska',
  'public',
  'power',
  'district',
  'peak',
  'storm',
  'customer',
  'outage',
  'nppd',
  'service',
  'area',
  'storm',
  'customer',
  'o’neill',
  'oakdale',
  'tilden',
  'inman',
  'creighton',
  'bloomfield',
  'hartington',
  'otten',
  'customer',
  'power',
  'norfolk',
  'storm',
  'yesterday',
  'evening',
  'a.m.',
  'friday',
  'customer',
  'outage',
  'norfolk',
  'otten',
  'chance',
  'shower',
  'thunderstorm',
  'saturday',
  'night',
  'sunday',
  'morning',
  'sunshine',
  'high',
  'mid-70',
  'feature',
  'weekend',
  'forecast',
  'hour',
  'rainfall',
  'hour',
  'rainfall',
  'inch',
  'a.m.',
  'friday',
  'area',
  'community',
  'year',
  'boy',
  'maskenthine',
  'lake',
  'year',
  'boy',
  'lindsay',
  'omaha',
  'hospital',
  'sunday',
  'drowning',
  'maskenthine',
  'lake',
  'stanton',
  'ups',
  'contract',
  'worker',
  'new',
  'york',
  'ap',
  'ups',
  'contract',
  'person',
  'union',
  'strike',
  'package',
  'delivery',
  'million',
  'business',
  'household',
  'whistleblower',
  'congress',
  'program',
  'ufo',
  'washington',
  'ap',
  'u.s.',
  'program',
  'engineer',
  'flying',
  'object',
  'air',
  'force',
  'intelligence',
  'officer',
  'wednesday',
  'congress',
  'pentagon',
  'claim',
  'genoa',
  'school',
  'site',
  'event',
  'genoa',
  'u.s.',
  'indian',
  'school',
  'foundation',
  'recognition',
  'remembrance',
  'day',
  'saturday',
  'aug.',
  'a.m.',
  'p.m.',
  'north',
  'korea',
  'missile',
  'submarine',
  'south',
  'korea',
  'seoul',
  'south',
  'korea',
  'ap',
  'north',
  'korea',
  'missile',
  'sea',
  'south',
  'korea',
  'military',
  'tuesday',
  'streak',
  'weapon',
  'testing',
  'protest',
  'u.s.',
  'asset',
  'south',
  'korea',
  'force',
  'pedestrian',
  'fire',
  'new',
  'york',
  'construction',
  'crane',
  'arm',
  'new',
  'york',
  'ap',
  'construction',
  'crane',
  'fire',
  'west',
  'manhattan',
  'wednesday',
  'morning',
  'arm',
  'building',
  'street',
  'people',
  'life',
  'sidewalk',
  'hour',
  'rainfall',
  'july',
  'hour',
  'rainfall',
  'inch',
  'a.m.',
  'monday',
  'area',
  'community',
  'land',
  'place',
  'russian',
  'plant',
  'ukraine',
  'kyiv',
  'ukraine',
  'ap',
  'u.n.',
  'watchdog',
  'monitor',
  'russian',
  'zaporizhzhia',
  'nuclear',
  'power',
  'plant',
  'site',
  'ukraine',
  'military',
  'counteroffensive',
  'kremlin',
  'force',
  'month',
  'war',
  'firefighter',
  'scene',
  'watch',
  'work',
  'commence',
  'downtown',
  'mural',
  'watch',
  'theater',
  'role',
  'experience',
  'barrier',
  'rio',
  'grande',
  'migrant',
  'austin',
  'texas',
  'ap',
  'month',
  'trump',
  'administration',
  'plan',
  'ups',
  'contract',
  'worker',
  'new',
  'york',
  'ap',
  'ups',
  'contract',
  'person',
  'union',
  'potentia',
  'pedestrian',
  'fire',
  'new',
  'york',
  'construction',
  'crane',
  'arm',
  'new',
  'york',
  'ap',
  'construction',
  'crane',
  'fire',
  'west',
  'manhat',
  'leader',
  'russia',
  'summit',
  'kremlin',
  'ally',
  'st',
  'petersburg',
  'russia',
  'ap',
  'leader',
  'russia',
  'wednesday',
  'summ',
  'whistleblower',
  'congress',
  'program',
  'ufo',
  'washington',
  'ap',
  'u.s.',
  'program',
  'e',
  'articlesnorfolk',
  'woman',
  'jail',
  'probation',
  'disposal',
  'remainsloud',
  'boom',
  'house',
  'fire',
  'norfolk4',
  'year',
  'boy',
  'maskenthine',
  'lakewausa',
  'man',
  'vehicle',
  'crash',
  'randolphnorfolk',
  'man',
  'year',
  'prison',
  'laibleno',
  'report',
  'injury',
  'helicopter',
  'fly',
  'field',
  'clarksonnorfolk',
  'police',
  'citizen',
  'scamfirst',
  'column',
  'news',
  'junkienorfolk',
  'water',
  'tower',
  'commentedsorry',
  'result',
  'article',
  'photo',
  'caption',
  'chance',
  'subscription',
  'norfolk',
  'daily',
  'news',
  'week',
  'caption',
  'worth',
  'shot',
  'saturday',
  'daily',
  'news',
  'norfolk',
  'avenue',
  'norfolk',
  'ne',
  'daily',
  'news',
  'browser',
  'date',
  'security',
  'risk',
  'browser'],
 ['nature.com',
  'browser',
  'version',
  'support',
  'css',
  'experience',
  'date',
  'browser',
  'compatibility',
  'mode',
  'internet',
  'explorer',
  'meantime',
  'support',
  'site',
  'style',
  'javascript',
  'storm',
  'surge',
  'mangrove',
  'dieback',
  'florida',
  'hurricane',
  'irma',
  'storm',
  'surge',
  'mangrove',
  'dieback',
  'florida',
  'hurricane',
  'irma',
  'david',
  'lagomasino',
  'orcid',
  'orcid.org/0000-0003-4008-53631',
  'temilola',
  'fatoyinbo',
  'orcid',
  'orcid.org/0000-0002-1130-67482',
  'edward',
  'castañeda',
  'moya',
  'orcid',
  'orcid.org/0000-0001-7759-43513',
  'bruce',
  'd.',
  'cook2',
  'paul',
  'm.',
  'montesano2,4',
  'christopher',
  's.',
  'r.',
  'neigh',
  'orcid',
  'orcid.org/0000-0002-5322-63402',
  'lawrence',
  'a.',
  'corp2,4',
  'lesley',
  'e.',
  'ott2',
  'selena',
  'chavez',
  'orcid',
  'orcid.org/0000-0001-9700-45905',
  'douglas',
  'c.',
  'morton2',
  'author',
  'nature',
  'communications',
  'volume',
  'article',
  'number',
  'cite',
  'article',
  'abstractmangroves',
  'ecosystem',
  'hurricane',
  'wind',
  'storm',
  'surge',
  'ability',
  'cyclone',
  'condition',
  'plant',
  'resilience',
  'trait',
  'geomorphology',
  'lidar',
  'satellite',
  'imagery',
  'hurricane',
  'irma',
  '%',
  'mangrove',
  'florida',
  'canopy',
  'damage',
  'impact',
  'forest',
  'mangrove',
  'site',
  '%',
  'leave',
  'year',
  'storm',
  'contrast',
  'site',
  'mangrove',
  'dieback',
  'record',
  'ha',
  'irma',
  'evidence',
  'combination',
  'elevation',
  '=',
  'cm',
  'asl',
  'storm',
  'surge',
  'water',
  'level',
  'ground',
  'surface',
  'isolation',
  'forest',
  'vulnerability',
  'tree',
  'height',
  'wind',
  'exposure',
  'result',
  'storm',
  'surge',
  'dieback',
  'wind',
  'restoration',
  'management',
  'area',
  'mangrove',
  'mortality',
  'resilience',
  'cyclone',
  'introductionworldwide',
  'mangrove',
  'forest',
  'area',
  'coastal',
  'storms1,2',
  'mangrove',
  'property',
  'damage',
  'km2',
  'flooding',
  'year',
  'flood',
  'protection',
  'benefit',
  'cyclones2',
  'coastline',
  'mangrove',
  'forest',
  'economy',
  'period',
  'inactivity',
  'hurricane',
  'month',
  'area',
  'mangrove',
  'cover1,3',
  'change',
  'frequency',
  'intensity',
  'cyclones4,5',
  'feedback',
  'forest',
  'loss',
  'mangrove',
  'damage',
  'cyclone',
  'buffering',
  'capacity',
  'mangrove',
  'future',
  'storms6.damage',
  'forest',
  'cyclone',
  'defoliation',
  'tree',
  'mortality6,7',
  'recovery',
  'storm',
  'damage',
  'function',
  'storm',
  'strength',
  'condition',
  'case',
  'storm',
  'deposit',
  'phosphorus',
  'sediment',
  'mangrove',
  'growth8',
  'area',
  'damage',
  'mortality',
  'mangrove',
  'recovery',
  'month',
  'year',
  'storm9,10',
  'location',
  'mechanism',
  'collapse',
  'mangrove',
  'forest',
  'vulnerability',
  'ecosystem',
  'plan',
  'event',
  'storms11.south',
  'florida',
  'home',
  'tract',
  'mangrove',
  'forest',
  'united',
  'states',
  '%',
  'ha',
  'country',
  'mangrove',
  'everglades',
  'national',
  'park',
  'alone12',
  'development',
  'mangrove',
  'landward',
  'migration',
  'hydrology',
  'vulnerability',
  'sea',
  'level',
  'rise',
  'salt',
  'water',
  'intrusion',
  'stressor',
  'wind',
  'storm',
  'surge',
  'flooding',
  'hurricane',
  'event',
  'mangrove',
  'brink',
  'collapse7,10',
  'variability',
  'risk',
  'mangrove',
  'dieback',
  'characteristic',
  'hurricane15',
  'forest',
  'structure',
  'specie',
  'composition',
  'geomorphology',
  'elevation8,10',
  'september',
  'hurricane',
  'irma',
  'landfall',
  'florida',
  'wind',
  'excess',
  'mps',
  'mph',
  'storm',
  'surge',
  'm',
  'fig',
  'mangrove',
  'southwest',
  'coast',
  'strength',
  'storm',
  'wind',
  'leave',
  'branch',
  'mangrove',
  'tree',
  'storm',
  'surge',
  'topography',
  'sedimentation',
  'erosion',
  'inundation',
  'area',
  'scale',
  'damage',
  'mangrove',
  'reorganization',
  'geomorphology',
  'term',
  'stability',
  'ecosystem',
  'drainage',
  'pattern',
  'forest',
  'succession17,18',
  'study',
  'satellite',
  'imagery',
  'extent',
  'damage',
  'recovery',
  'mangrove',
  'hurricanes15,19',
  'study',
  '3d',
  'change',
  'mangrove',
  'structure20',
  'diversity',
  'hurricane',
  'impact',
  'mangrove',
  'forest',
  'limit',
  'resilience',
  'scale',
  'fig',
  'mangrove',
  'florida',
  'canopy',
  'height',
  'loss',
  'wind',
  'storm',
  'surge',
  'barrier',
  'dieback',
  'area',
  'mangrove',
  'forest',
  'height',
  'track',
  'hurricane',
  'irma',
  'red',
  'nasa',
  'g',
  'liht',
  'lidar',
  'coverage',
  'black',
  'storm',
  'surge',
  'coastal',
  'emergency',
  'risk',
  'assessment',
  'maximum',
  'wind',
  'speed',
  'hurricane',
  'irma',
  'goddard',
  'earth',
  'observing',
  'system',
  'version',
  'model',
  'canopy',
  'height',
  'loss',
  'lidar',
  'resolution',
  'satellite',
  'stereo',
  'imagery',
  'loss',
  'vegetation',
  'cover',
  'fvc',
  'hurricane',
  'irma',
  'landsat',
  'imagery',
  'f',
  'photo',
  'january',
  'harney',
  'river',
  'estuary',
  'g',
  'photo',
  'december',
  'flamingo',
  'photo',
  'location',
  'triangle',
  'size',
  'datum',
  'mangrove',
  'damage',
  'recovery',
  'year',
  'hurricane',
  'irma',
  'fig',
  '.',
  'lidar',
  'datum',
  'april',
  'december',
  'storm',
  'nasa',
  'goddard',
  'lidar',
  'hyperspectral',
  'thermal',
  'g',
  'liht',
  'imager21',
  'change',
  'vegetation',
  'structure',
  'm',
  'resolution',
  'wetland',
  'florida',
  'fig',
  '.',
  'supplementary',
  'fig',
  'g',
  'liht',
  'datum',
  'resolution',
  'satellite',
  'stereo',
  'imagery',
  'landsat',
  'time',
  'series',
  'information',
  'recovery',
  'ecosystem',
  'gradient',
  'exposure',
  'hurricane',
  'wind',
  'storm',
  'surge',
  'community',
  'composition',
  'ground',
  'elevation',
  'supplementary',
  'figs',
  'material',
  'method',
  'material',
  'damage',
  'recovery',
  'trajectory',
  'species',
  'composition',
  'map',
  'elevation',
  'model',
  'hurricane',
  'wind',
  'mangrove',
  'forest',
  'canopy',
  'height',
  'vegetation',
  'cover',
  'storm',
  'surge',
  'elevation',
  'landscape',
  'position',
  'trajectory',
  'forest',
  'recovery',
  'damage',
  'factor',
  'driver',
  'term',
  'dieback',
  'datum',
  'pattern',
  'mangrove',
  'damage',
  'recovery',
  'hurricane',
  'recommendation',
  'vulnerability',
  'hurricane',
  'region',
  'resultshurricane',
  'irma',
  'mangrove',
  'event',
  'region',
  'month',
  'irma',
  'ha',
  'mangrove',
  'evidence',
  'dieback',
  'fig',
  '.',
  'supplementary',
  'fig',
  '.',
  'resilience',
  'area',
  'drop',
  'ndvi',
  'recovery',
  'time',
  'year',
  'material',
  'method',
  'material',
  'area',
  'dieback',
  'patch',
  'elevation',
  'fig',
  'majority',
  'dieback',
  'resilience',
  'area',
  'ground',
  'elevation',
  'cm',
  'asl',
  'fig',
  '.',
  '2b',
  'supplementary',
  'fig',
  '.',
  'supplementary',
  'table',
  'mangrove',
  'region',
  'tip',
  'florida',
  'location',
  'ocean',
  'buttonwood',
  'ridge',
  'barrier',
  'berm',
  'asl',
  'height',
  'exchange',
  'water',
  'mangrove',
  'exchange',
  'florida',
  'bay22',
  'fig',
  '.',
  'barrier',
  'road',
  'levee',
  'region',
  'inflow',
  'freshwater',
  'source',
  'addition',
  'analysis',
  'patch',
  'mangrove',
  'gopher',
  'key',
  'thousand',
  'islands',
  'area',
  'berm',
  'fig',
  '.',
  'mangrove',
  'forest',
  'dieback',
  'area',
  'a.',
  'germinans',
  'salt',
  'specie',
  'neotropic',
  'hotspot',
  'dieback',
  'thousand',
  'islands',
  'gopher',
  'key',
  'cape',
  'sable/',
  'flamingo',
  'distribution',
  'resilience',
  'class',
  'florida',
  'distribution',
  'ground',
  'elevation',
  'resilience',
  'type',
  'line',
  'elevation',
  'value',
  'class',
  'c',
  'frequency',
  'storm',
  'surge',
  'ground',
  'resilience',
  'class',
  'area',
  'resilience',
  'class',
  'mangrove',
  'specie',
  'result',
  'kolmogorov',
  'smirnov',
  'goodness',
  'supplementary',
  'fig',
  '.',
  'supplementary',
  'table',
  'size',
  'storm',
  'surge',
  'level',
  '~3',
  'coast',
  'coast',
  'fig',
  '%',
  'dieback',
  'area',
  'storm',
  'surge',
  'm',
  'ground',
  'surface',
  'fig',
  'supplementary',
  'fig',
  '.',
  'dieback',
  'forest',
  'stand',
  'avicennia',
  'germinan',
  'impact',
  'area',
  '%',
  'ha',
  'dieback',
  'area',
  'fig',
  '2d',
  'irma',
  'pressure',
  'distribution',
  'forest',
  'a.',
  'germinan',
  '%',
  'mangrove',
  'forest',
  '%',
  'forest',
  'community',
  'mortality',
  'recovery',
  'soil',
  'elevation',
  'storm',
  'surge',
  'damage',
  'forest',
  'hurricane',
  'irma',
  'change',
  'satellite',
  'lidar',
  'canopy',
  'height',
  'model',
  'wind',
  'exposure',
  'pre',
  '-',
  'storm',
  'canopy',
  'height',
  'fig',
  '.',
  'supplementary',
  'fig',
  '.',
  'wind',
  'canopy',
  'height',
  'm',
  's.d.',
  '±',
  'fig',
  '.',
  'supplementary',
  'table',
  'forest',
  'height',
  'm',
  'height',
  'average',
  'hurricane',
  'wind',
  'speed',
  'tree',
  'loss',
  'reduction',
  'canopy',
  'height',
  'loss',
  'canopy',
  'branch',
  'tree',
  'fig',
  '.',
  'resolution',
  'imagery',
  'satellite',
  'platform',
  'canopy',
  'height',
  'loss',
  'material',
  'method',
  'material',
  '%',
  '±10.6',
  '%',
  'reduction',
  'mangrove',
  'canopy',
  'volume',
  'measure',
  'biomass23',
  'loss',
  'canopy',
  'height',
  'volume',
  'estuary',
  'shark',
  'harney',
  'rivers',
  'everglades',
  'area',
  'forest',
  'canopy',
  'region',
  'irma',
  'input',
  'fig',
  '.',
  'area',
  'resilience',
  'canopy',
  'm',
  'hurricane',
  'canopy',
  'height',
  'loss',
  'region',
  'recovery',
  'fig',
  '.',
  'supplementary',
  'fig',
  '4).fig',
  '.',
  'change',
  'canopy',
  'height',
  'meter',
  'hurricane',
  'irma',
  'mangrove',
  'forest',
  'wind',
  'speed',
  'class',
  'hour',
  'wind',
  'speed',
  'exposure',
  'hurricane',
  'irma',
  'material',
  'method',
  'material',
  'color',
  'mangrove',
  'area',
  'height',
  'wind',
  'class',
  'superscript',
  'class',
  'p',
  'way',
  'anova',
  'tukey',
  'test',
  'information',
  'error',
  'area',
  'estimate',
  'supplementary',
  'table',
  'size',
  'imagehurricane',
  'irma',
  'mangrove',
  'canopy',
  'defoliation',
  'loss',
  'vegetation',
  'cover',
  'fvc',
  'storm',
  'irma',
  'extent',
  'canopy',
  'mangrove',
  'forest',
  '%',
  'area',
  'fvc',
  'loss',
  'reduction',
  'canopy',
  'height',
  'irma',
  'landfall',
  'fig',
  '.',
  'supplementary',
  'fig',
  '.',
  'loss',
  'canopy',
  'cover',
  'storm',
  'area',
  'canopy',
  'height',
  'loss',
  'area',
  'tree',
  'area',
  '%',
  'decline',
  'fvc',
  'ha',
  'mangrove',
  'dieback',
  '%',
  'contrast',
  '%',
  'mangrove',
  'canopy',
  'loss',
  'resilience',
  'area',
  'supplementary',
  'fig',
  '.',
  'pattern',
  'mangrove',
  'forest',
  'damage',
  'recovery',
  'florida',
  'hurricane',
  'irma',
  'storm',
  'surge',
  'position',
  'frame',
  'drainage',
  'mangrove',
  'dieback',
  'fig',
  '.',
  'mangrove',
  'recovery',
  'elevation',
  'basin',
  'portion',
  'mangrove',
  'forest',
  'patch',
  'floodwater',
  'prism',
  'stressor',
  'sulfide',
  'phytotoxin',
  'wetland',
  'flooding',
  'conditions24',
  'barrier',
  'road',
  'levee',
  'flow',
  'water',
  'flooding',
  'condition',
  'die',
  'shoreline',
  'embankment',
  'sediment',
  'storm',
  'drainage',
  'susceptibility',
  'impoundment',
  'hurricane',
  'storm',
  'surge',
  'gopher',
  'key',
  'cape',
  'sable',
  'region',
  '%',
  'dieback',
  'path',
  'storm',
  'isolation',
  'area',
  'mangrove',
  'irma',
  'time',
  'series',
  'satellite',
  'datum',
  'study',
  'mortality',
  'hurricane',
  'wind',
  'flood',
  'damage',
  'supplementary',
  'fig',
  '3).fig',
  '.',
  'forest',
  'canopy',
  'structure',
  'position',
  'drainage',
  'difference',
  'mangrove',
  'vulnerability',
  'resilience',
  'hurricane',
  'damages.a',
  'areas',
  'salt',
  'water',
  'storm',
  'surge',
  'resilience',
  'risk',
  'dieback',
  'hypersalinization',
  'pore',
  'water',
  'sulfide',
  'mangrove',
  ...],
 ['thu',
  'jul',
  'gmt',
  '1690424755026)b811ce9f72504dd71cfbde548ab55bc49d22f916ff7f66dd0d6b73eb176b80eedf30afe5bb51279anewsweathersportscommunitygame',
  'centerwatch',
  'thu',
  'fri',
  'storm',
  'tornado',
  'man',
  'crashby',
  'associated',
  'pressthu',
  'july',
  '29th',
  'utc9view',
  'photoscrews',
  'cleanup',
  'storm',
  'town',
  'ripon',
  'july',
  'wluk',
  'emily',
  'deem)0loading'],
 ['record',
  'breaking',
  'snow',
  'month',
  'series',
  'snowstorm',
  'weather',
  'bone',
  'temperature',
  'record',
  'snowfall',
  'level',
  'northeastern',
  'united',
  'states',
  'new',
  'england',
  'massachusetts',
  'maine',
  'inch',
  'snow',
  'season—90.2',
  'inch',
  'boston',
  'day',
  'resident',
  'place',
  'snow',
  'place',
  'ocean',
  'photo',
  'j',
  'k',
  'wind',
  'snow',
  'swirl',
  'man',
  'snow',
  'winter',
  'storm',
  'medford',
  'massachusetts',
  'february',
  'u.s.',
  'northeast',
  'sunday',
  'series',
  'winter',
  'storm',
  'february',
  'month',
  'boston',
  'history',
  'windshield',
  'wiper',
  'snow',
  'car',
  'upper',
  'marlboro',
  'maryland',
  'february',
  'ice',
  'form',
  'brooklyn',
  'waterfront',
  'sun',
  'statue',
  'liberty',
  'new',
  'york',
  'february',
  'kim',
  'taylor',
  'norwood',
  'massachusetts',
  'path',
  'snow',
  'home',
  'february',
  '',
  '',
  'philadelphia',
  'firefighter',
  'scene',
  'blaze',
  'west',
  'philadelphia',
  'february',
  'icicle',
  'water',
  'hose',
  'bone',
  'digit',
  'temperature',
  'region',
  'closure',
  'parish',
  'catholic',
  'school',
  'city',
  'philadelphia',
  '',
  '',
  'snowmobile',
  'man',
  'snowboard',
  'newbury',
  'street',
  'boston',
  'massachusetts',
  'winter',
  'storm',
  'february',
  '',
  '',
  'snow',
  'waterfront',
  'east',
  'boston',
  'neighborhood',
  'boston',
  'skyline',
  'february',
  '',
  '',
  'taylor',
  'labrecque',
  'car',
  'snow',
  'pile',
  'beacon',
  'hill',
  'boston',
  'february',
  'water',
  'house',
  'oceanside',
  'drive',
  'winter',
  'storm',
  'foot',
  'snow',
  'february',
  'scituate',
  'massachusetts',
  '',
  '',
  'snow',
  'scraper',
  'aisle',
  'woodside',
  'ace',
  'hardware',
  'region',
  'blizzard',
  'february',
  'winthrop',
  'massachusetts',
  'dog',
  'romp',
  'snow',
  'bourne',
  'massachusetts',
  'february',
  '',
  '',
  'worker',
  'path',
  'snow',
  'mound',
  'beacon',
  'street',
  'blizzard',
  'boston',
  'february',
  'man',
  'condition',
  'blizzard',
  'boston',
  'february',
  '',
  '',
  'end',
  'loader',
  'snow',
  'street',
  'boston',
  'february',
  '',
  '',
  'equipment',
  'mountain',
  'snow',
  'city',
  'street',
  'snow',
  'farm',
  'boston',
  'february',
  '',
  '',
  'worker',
  'snow',
  'roof',
  'boston',
  'february',
  'icicle',
  'building',
  'beacon',
  'street',
  'boston',
  'february',
  'bigfoot',
  'way',
  'wind',
  'snow',
  'boston',
  'bay',
  'neighborhood',
  'blizzard',
  'january',
  'highway',
  'entrance',
  'snow',
  'winter',
  'storm',
  'february',
  'boston',
  'blizzard',
  'surf',
  'foam',
  'stretch',
  'beach',
  'cape',
  'cod',
  'bay',
  'bourne',
  'massachusetts',
  'february',
  '',
  '',
  'sea',
  'spray',
  'winter',
  'storm',
  'house',
  'scituate',
  'massachusetts',
  'january',
  'mbta',
  'bus',
  'snowbank',
  'snow',
  'storm',
  'boston',
  'february',
  'mbta',
  'commuter',
  'train',
  'winter',
  'storm',
  'february',
  'scituate',
  'massachusetts',
  '',
  '',
  'vehicle',
  'building',
  'ice',
  'firefighter',
  'warehouse',
  'fire',
  'brooklyn',
  'borough',
  'new',
  'york',
  'february',
  '',
  '',
  'greg',
  'burkett',
  'snow',
  'house',
  'winter',
  'snowstorm',
  'cambridge',
  'massachusetts',
  'february',
  '',
  '',
  'woman',
  'toddler',
  'beacon',
  'hill',
  'boston',
  'february',
  'national',
  'guard',
  'truck',
  'snow',
  'snow',
  'storm',
  'boston',
  'area',
  'february',
  'weymouth',
  'massachusetts',
  '',
  '',
  'snow',
  'ice',
  'hudson',
  'river',
  'pier',
  'new',
  'york',
  'city',
  'february',
  'ice',
  'traffic',
  'light',
  'fire',
  'ladder',
  'water',
  'fire',
  'scene',
  'blaze',
  'west',
  'philadelphia',
  'february',
  '',
  '',
  'woman',
  'snow',
  'joy',
  'street',
  'blizzard',
  'boston',
  'february',
  'article',
  'letter',
  'editor',
  'israelis',
  'protest',
  'law',
  'limit',
  'supreme',
  'court',
  'powers',
  'images',
  'protest',
  'plan',
  'oversight',
  'government',
  'tel',
  'aviv',
  'jerusalem',
  'handful',
  'image',
  'bennett',
  'duet',
  'group',
  'performance',
  'year',
  'photo',
  'week',
  'water',
  'festival',
  'death',
  'valley',
  'jumping',
  'devil',
  'mountainside',
  'art',
  'switzerland',
  'wildfire',
  'europe',
  'north',
  'america',
  'moon',
  'rocket',
  'launch',
  'india',
  'wheel',
  'bicycle',
  'race',
  'maryland',
  'scene',
  'world',
  'aquatics',
  'championships',
  'photos',
  'swimming',
  'diving',
  'event',
  'fukuoka',
  'japan',
  'wrath',
  'goodreads',
  'moralism',
  'criticism',
  'election',
  'end',
  'case',
  'donald',
  'trump',
  'american',
  'girlhood',
  'culture',
  'dictator',
  'myth',
  'american',
  'evangelical',
  'church',
  'crisis',
  'way',
  'ufo',
  'mainstream',
  'america',
  'ai',
  'underclass',
  'country',
  'elon',
  'bird',
  'update',
  'partner',
  'sponsor',
  'happy',
  'life',
  'personal',
  'information',
  'copyright',
  'c',
  'atlantic',
  'monthly',
  'group',
  'rights',
  'reserved'],
 ['woman',
  'fury',
  'rendition',
  'star',
  'spangled',
  'banner',
  'world',
  'cup',
  'holland',
  'player',
  'anthem',
  'arm',
  'moment',
  'operator',
  'crane',
  'moment',
  'manhattan',
  'sidewalk',
  'co',
  '-',
  'worker',
  'chant',
  'water',
  'motherf****r',
  'russell',
  'crowe',
  'essay',
  'sinead',
  "o'connor",
  'meeting',
  'pub',
  'ireland',
  'height',
  'depression',
  'hero',
  'warning',
  'sign',
  'alzheimer',
  'symptom',
  'study',
  'ohio',
  'cop',
  'fired',
  'footage',
  'k-9',
  'trucker',
  'hand',
  'police',
  'chase',
  'mud',
  'flap',
  'man',
  'assault',
  'alabama',
  'teen',
  'girlfriend',
  'rock',
  'music',
  'festival',
  'physio',
  '50',
  'kg',
  'body',
  'ache',
  'pain',
  'person',
  'week',
  'revealed',
  'marines',
  'carbon',
  'monoxide',
  'poisoning',
  'car',
  'gas',
  'station',
  'camp',
  'lejeune',
  'nashville',
  'school',
  'shooter',
  'note',
  'pocket',
  'knife',
  'aiden',
  'anklet',
  'number',
  'outdoors',
  'nbc',
  'report',
  'people',
  'space',
  'trauma',
  'people',
  'trump',
  'flag',
  'acting',
  'meghan',
  'markle',
  'actor',
  'strike',
  'ariana',
  'grande',
  'boyfriend',
  'ethan',
  'slater',
  'divorce',
  'wife',
  'romance',
  'singer',
  'set',
  'movie',
  'month',
  'search',
  'la',
  'attorney',
  'downtown',
  'area',
  'day',
  'family',
  'somber',
  'michelle',
  'martha',
  'vineyard',
  'golf',
  'club',
  'game',
  'tennis',
  'outing',
  'chef',
  'paddle',
  'boarding',
  'obamas',
  'home',
  'joe',
  'rogan',
  'critic',
  'jason',
  'aldean',
  'song',
  'small',
  'town',
  'rap',
  'song',
  'revealed',
  'california',
  'gov.',
  'gavin',
  'newsom',
  'hollywood',
  'strike',
  'industry',
  'billion',
  'state',
  'economy',
  'chaos',
  'fiancé',
  'sperm',
  'friend',
  'moment',
  'naked',
  'woman',
  'fire',
  'driver',
  'police',
  'chase',
  'san',
  'francisco',
  'bay',
  'bridge',
  'vampire',
  'appliance',
  'cash',
  'device',
  'energy',
  'bill',
  'uswnt',
  'tie',
  'holland',
  'lindsey',
  'horan',
  'half',
  'equalizer',
  'point',
  'wellington',
  'ladies',
  'view',
  'hunter',
  'biden',
  'joe',
  'pain',
  'loss',
  'republicans',
  'witch',
  'hunt',
  'son',
  'judge',
  'hunter',
  'job',
  'president',
  'son',
  'drug',
  'alcohol',
  'employment',
  'condition',
  'release',
  'plea',
  'deal',
  'hunter',
  'biden',
  'extent',
  'drug',
  'alcohol',
  'use',
  'president',
  'addict',
  'son',
  'rehab',
  'stint',
  'year',
  'court',
  'appearance',
  'hunter',
  'plea',
  'deal',
  'joe',
  'president',
  'line',
  'son',
  'deal',
  'china',
  'ukraine',
  'republicans',
  'scene',
  'new',
  'orleans',
  'monster',
  'tornado',
  'town',
  'car',
  'home',
  'wake',
  'louisiana',
  'texas',
  'oklahoma',
  'destructiona',
  'tornado',
  'new',
  'orleans',
  'suburb',
  'tuesday',
  'night',
  'power',
  'line',
  'debris',
  'tornado',
  'storm',
  'system',
  'texas',
  'oklahoma',
  'person',
  'injury',
  'damagevideo',
  'funnel',
  'sky',
  'building',
  'new',
  'orleanstornado',
  'new',
  'orleans',
  'suburb',
  'mississippi',
  'river',
  'andrea',
  'blanco',
  'dailymail',
  'com',
  'associated',
  'press',
  'edt',
  'march',
  'edt',
  'march',
  'e',
  '-',
  'mail',
  'share',
  'view',
  'comment',
  'advertisement',
  'tornado',
  'new',
  'orleans',
  'suburb',
  'tuesday',
  'night',
  'power',
  'line',
  'debris',
  'city',
  'hurricane',
  'katrina',
  'year',
  'tornado',
  'storm',
  'system',
  'texas',
  'oklahoma',
  'person',
  'injury',
  'damage',
  'texas',
  'power',
  'monday',
  'home',
  'power',
  'parish',
  'new',
  'orleans',
  'tuesday',
  'night',
  'nbc',
  'video',
  'television',
  'station',
  'funnel',
  'sky',
  'building',
  'new',
  'orleans',
  'tornado',
  'new',
  'orleans',
  'suburb',
  'mississippi',
  'river',
  'lower',
  'ward',
  'new',
  'orleans',
  'st.',
  'bernard',
  'parish',
  'katrina',
  'reggie',
  'ford',
  'tornado',
  'area',
  'help',
  'street',
  'devastation',
  'twister',
  'video',
  'watch',
  'video',
  'moment',
  'shoplifter',
  'getaway',
  'burlington',
  'store',
  'watch',
  'video',
  'cctv',
  'connor',
  'gibson',
  'sister',
  'amber',
  'watch',
  'video',
  'grey',
  'smoke',
  'sea',
  'foot',
  'ship',
  'fire',
  'video',
  'ohio',
  'man',
  'meltdown',
  'gender',
  'bathroom',
  'video',
  'passenger',
  'record',
  'moment',
  'flight',
  'collision',
  'video',
  'ex',
  '-',
  'official',
  'technology',
  'ufo',
  'video',
  'footage',
  'cop',
  'kid',
  'dog',
  'cage',
  'watch',
  'video',
  'grusch',
  'biological',
  'pilot',
  'video',
  'footage',
  'year',
  'robot',
  'girl',
  'ai',
  'watch',
  'video',
  'whistleblower',
  'congress',
  'government',
  'knowledge',
  'uap',
  'watch',
  'video',
  'ex',
  '-',
  'official',
  'info',
  'video',
  'ex',
  '-',
  'official',
  'tech',
  'earth',
  'people',
  'building',
  'tornado',
  'arabi',
  'neighborhood',
  'st.',
  'bernard',
  'parish',
  'new',
  'orleans',
  'tornado',
  'car',
  'roof',
  'home',
  'person',
  'region',
  'hurricane',
  'katrina',
  'year',
  'person',
  'tornado',
  'new',
  'orleans',
  'texas',
  'power',
  'monday',
  'home',
  'power',
  'parish',
  'new',
  'orleans',
  'tuesday',
  'night',
  'nbc',
  'tornado',
  'new',
  'orleans',
  'suburb',
  'mississippi',
  'river',
  'lower',
  'ward',
  'new',
  'orleans',
  'st.',
  'bernard',
  'parish',
  'katrina',
  'tornado',
  'new',
  'orleans',
  'suburb',
  'tuesday',
  'night',
  'power',
  'line',
  'debris',
  'video',
  'television',
  'station',
  'funnel',
  'sky',
  'building',
  'new',
  'orleans',
  'tornado',
  'new',
  'orleans',
  'suburb',
  'mississippi',
  'river',
  'lower',
  'ward',
  'new',
  'orleans',
  'st.',
  'bernard',
  'parish',
  'katrina',
  'authority',
  'damage',
  'lower',
  '9th',
  'ward',
  'tuesday',
  'march',
  'new',
  'orleans',
  'storm',
  'area',
  'view',
  'building',
  'aftermath',
  'tornado',
  'arabi',
  'louisiana',
  'march',
  'video',
  'watch',
  'video',
  'moment',
  'shoplifter',
  'getaway',
  'burlington',
  'store',
  'watch',
  'video',
  'cctv',
  'connor',
  'gibson',
  'sister',
  'amber',
  'watch',
  'video',
  'grey',
  'smoke',
  'sea',
  'foot',
  'ship',
  'fire',
  'video',
  'ohio',
  'man',
  'meltdown',
  'gender',
  'bathroom',
  'video',
  'passenger',
  'record',
  'moment',
  'flight',
  'collision',
  'video',
  'ex',
  '-',
  'official',
  'technology',
  'ufo',
  'video',
  'footage',
  'cop',
  'kid',
  'dog',
  'cage',
  'watch',
  'video',
  'grusch',
  'biological',
  'pilot',
  'video',
  'footage',
  'year',
  'robot',
  'girl',
  'ai',
  'watch',
  'video',
  'whistleblower',
  'congress',
  'government',
  'knowledge',
  'uap',
  'watch',
  'video',
  'ex',
  '-',
  'official',
  'info',
  'video',
  'ex',
  '-',
  'official',
  'tech',
  'earth',
  'tornado',
  'new',
  'orleans',
  'suburb',
  'arabi',
  'smell',
  'gas',
  'car',
  'lie',
  'debris',
  'arabi',
  'neighborhood',
  'tornado',
  'new',
  'orleans',
  'louisiana',
  'march',
  'video',
  'watch',
  'video',
  'moment',
  'shoplifter',
  'getaway',
  'burlington',
  'store',
  'watch',
  'video',
  'cctv',
  'connor',
  'gibson',
  'sister',
  'amber',
  'watch',
  'video',
  'grey',
  'smoke',
  'sea',
  'foot',
  'ship',
  'fire',
  'video',
  'ohio',
  'man',
  'meltdown',
  'gender',
  'bathroom',
  'video',
  'passenger',
  'record',
  'moment',
  'flight',
  'collision',
  'video',
  'ex',
  '-',
  'official',
  'technology',
  'ufo',
  'video',
  'footage',
  'cop',
  'kid',
  'dog',
  'cage',
  'watch',
  'video',
  'grusch',
  'biological',
  'pilot',
  'video',
  'footage',
  'year',
  'robot',
  'girl',
  'ai',
  'watch',
  'video',
  'whistleblower',
  'congress',
  'government',
  'knowledge',
  'uap',
  'watch',
  'video',
  'ex',
  '-',
  'official',
  'info',
  'video',
  'ex',
  '-',
  'official',
  'tech',
  'earth',
  'powerline',
  'church',
  'business',
  'block',
  'house',
  'roof',
  'new',
  'orleans',
  'resident',
  'video',
  'instagram',
  'debris',
  'street',
  'building',
  'car',
  'roof',
  'debris',
  'area',
  'block',
  'new',
  'orleans',
  'new',
  'orleans',
  'suburb',
  'arabi',
  'smell',
  'gas',
  'air',
  'resident',
  'rescue',
  'personnel',
  'street',
  'damage',
  'house',
  'piece',
  'debris',
  'wire',
  'tree',
  'aluminum',
  'fishing',
  'boat',
  'house',
  'shape',
  'c',
  'motor',
  'street',
  'power',
  'pole',
  'emergency',
  'worker',
  'neighborhood',
  'damage',
  'michelle',
  'malasovich',
  'arabi',
  'family',
  'area',
  'louisiana',
  'weather',
  'family',
  'light',
  "'she",
  'freight',
  'train',
  'sound',
  'people',
  'tornado',
  'husband',
  'bedroom',
  'porch',
  'tornado',
  'malasovich',
  'damage',
  'neighbor',
  'house',
  'middle',
  'street',
  'video',
  'watch',
  'video',
  'moment',
  'shoplifter',
  'getaway',
  'burlington',
  'store',
  'watch',
  'video',
  'cctv',
  'connor',
  'gibson',
  'sister',
  'amber',
  'watch',
  'video',
  'grey',
  'smoke',
  'sea',
  'foot',
  'ship',
  'fire',
  'video',
  'ohio',
  'man',
  'meltdown',
  'gender',
  'bathroom',
  'video',
  'passenger',
  'record',
  'moment',
  'flight',
  'collision',
  'video',
  'ex',
  '-',
  'official',
  'technology',
  'ufo',
  'video',
  'footage',
  'cop',
  'kid',
  'dog',
  'cage',
  'watch',
  'video',
  'grusch',
  'biological',
  'pilot',
  'video',
  'footage',
  'year',
  'robot',
  'girl',
  'ai',
  'watch',
  'video',
  'whistleblower',
  'congress',
  'government',
  'knowledge',
  'uap',
  'watch',
  'video',
  'ex',
  '-',
  'official',
  'info',
  'video',
  'ex',
  '-',
  'official',
  'tech',
  'earth',
  'debris',
  'ground',
  'arabi',
  'neighborhood',
  'tornado',
  'new',
  'orleans',
  'march',
  'man',
  'damage',
  'building',
  'arabi',
  'new',
  'orleans',
  'car',
  'lie',
  'debris',
  'arabi',
  'neighborhood',
  'tornado',
  'new',
  'orleans',
  'people',
  'damage',
  'building',
  'arabi',
  'neighborhood',
  'tornado',
  'new',
  'orleans',
  'louisiana',
  'march',
  'twister',
  'arabi',
  'thousand',
  'power',
  'louisiana',
  'texas',
  'oklahoma',
  'person',
  'photo',
  'damage',
  'tuesday',
  'march',
  'arabi',
  'la.',
  'tornado',
  'new',
  'orleans',
  'suburb',
  'tuesday',
  'night',
  'power',
  'line',
  'debris',
  'video',
  'watch',
  'video',
  'moment',
  'shoplifter',
  'getaway',
  'burlington',
  'store',
  'watch',
  'video',
  'cctv',
  'connor',
  'gibson',
  'sister',
  'amber',
  'watch',
  'video',
  'grey',
  'smoke',
  'sea',
  'foot',
  'ship',
  'fire',
  'video',
  'ohio',
  'man',
  'meltdown',
  'gender',
  'bathroom',
  'video',
  'passenger',
  'record',
  'moment',
  'flight',
  'collision',
  'video',
  'ex',
  '-',
  'official',
  'technology',
  'ufo',
  'video',
  'footage',
  'cop',
  'kid',
  'dog',
  'cage',
  'watch',
  'video',
  'grusch',
  'biological',
  'pilot',
  'video',
  'footage',
  'year',
  'robot',
  'girl',
  'ai',
  'watch',
  'video',
  'whistleblower',
  'congress',
  'government',
  'knowledge',
  'uap',
  'watch',
  'video',
  'ex',
  '-',
  'official',
  'info',
  'video',
  'ex',
  '-',
  'official',
  'tech',
  'earth',
  'people',
  'damage',
  'tuesday',
  'march',
  'arabi',
  'louisiana',
  'tornado',
  'tree',
  'video',
  'watch',
  'video',
  'moment',
  'shoplifter',
  'getaway',
  'burlington',
  'store',
  'watch',
  'video',
  ...],
 ['newsletterssubscribe',
  'sign',
  'inbetathis',
  'experience',
  'herebreaking18',
  'minute',
  'agosamsung',
  'profits',
  'plunge',
  '%',
  'slump',
  'chip',
  'demand',
  'continues5',
  'hour',
  'agohundred',
  'year',
  'making',
  'paris',
  'swimming',
  'river',
  'seine',
  'century',
  'long',
  'hour',
  'indicates',
  'rfk',
  'jr.',
  'fda',
  'cdc',
  'elected5',
  'hour',
  'school',
  'shopper',
  'year6',
  'hour',
  'apple',
  'sneaker',
  'sale',
  'hour',
  'agofire',
  'break',
  'ship',
  'thousand',
  'car',
  'hour',
  'agometa',
  'earning',
  'stock',
  'rally',
  'facebook',
  'parent',
  'notches',
  'quarter',
  'hour',
  'agotrump',
  'voter',
  'fraud',
  'claim',
  'trial',
  'lawyers',
  'won’t7',
  'hour',
  'agojudge',
  'issues',
  'gag',
  'order',
  'sam',
  'bankman',
  'fried',
  'prosecutor',
  'allege',
  'tampering7',
  'hour',
  'agofed',
  'staff',
  'recession',
  'inflation',
  'cools7',
  'hour',
  'black',
  'fraternity',
  'moves',
  'conference',
  'florida',
  'controversial',
  'education',
  'curriculum',
  'approved7',
  'hour',
  'agomitch',
  'mcconnell',
  'abruptly',
  'freezes',
  'leaves',
  'press',
  'conference',
  'aide',
  'felt',
  'hour',
  'agotravis',
  'scott',
  'concert',
  'pyramids',
  'giza',
  'authentic',
  'societal',
  "values'8",
  'hours',
  'ago‘barbie',
  'crosses',
  'u.s.',
  'box',
  'office',
  'pace',
  'globally8',
  'hour',
  'agobillionaire',
  'joe',
  'lewis',
  'insider',
  'trading',
  'charges8',
  'hour',
  'agosenate',
  'ban',
  'china',
  'adversary',
  'farmland',
  'why8',
  'hour',
  'agoirish',
  'musician',
  'sinead',
  'o’connor',
  'celebrity',
  'death',
  'hour',
  'agoai',
  'doctor',
  'amazon',
  'launches',
  'new',
  'service',
  'google',
  'microsoft',
  'aim',
  'merging',
  'healthcare',
  'artificial',
  'intelligence9',
  'hour',
  'agofed',
  'hikes',
  'interest',
  'rate',
  'basis',
  'point',
  'level',
  'hour',
  'biden',
  'plea',
  'deal',
  'unravels',
  'guilty9',
  'hour',
  'agoelon',
  'musk',
  'skepticism',
  'covid-19',
  'vaccine',
  'timelineedit',
  'tornado',
  'season',
  'storm',
  'officials',
  'saybrian',
  'bushardforbes',
  'staffi',
  'news',
  'forbesfollowingapr',
  'play',
  'article',
  'twittershare',
  'death',
  'toll',
  'tornado',
  'missouri',
  'wednesday',
  'morning',
  'people',
  'official',
  'wednesday',
  'afternoon',
  'tornado',
  'country',
  'wednesday',
  'tornado',
  'people',
  'missouri',
  'missouri',
  'state',
  'highway',
  'patrol',
  'tornado',
  'a.m.',
  'area',
  'bollinger',
  'county',
  'missouri',
  'south',
  'st.',
  'louis',
  'damage',
  'tree',
  'power',
  'line',
  'home',
  'business',
  'bollinger',
  'county',
  'sheriff',
  'office',
  'facebook',
  'post',
  'associated',
  'press',
  'people',
  'missouri',
  'state',
  'highway',
  'patrol',
  'recovery',
  'effort',
  'injury',
  'fatality',
  'storm',
  'tornado',
  'area',
  'mile',
  'ground',
  'minute',
  'national',
  'weather',
  'service',
  'meteorologist',
  'justin',
  'gibbs',
  'associated',
  'press',
  'tangent',
  'tornado',
  'missouri',
  'series',
  'season',
  'tornado',
  'year',
  'week',
  'little',
  'rock',
  'arkansas',
  'people',
  'damage',
  'month',
  'series',
  'tornado',
  'mississippi',
  'people',
  'home',
  'business',
  'january',
  'tornado',
  'houston',
  'damage',
  'fact',
  'tornado',
  'delaware',
  'saturday',
  'state',
  'history',
  'nws',
  'tornado',
  'state',
  'mile',
  'path',
  'wake',
  'person',
  'big',
  'number',
  'tornado',
  'national',
  'weather',
  'service',
  'year',
  'month',
  'tornado',
  'month',
  'year',
  'state',
  'tornado',
  'year',
  'alabama',
  'illinois',
  'georgia',
  'mississippi',
  'tornado',
  'tornado',
  'watch',
  'effect',
  'arkansas',
  'missouri',
  'kentucky',
  'ohio',
  'tennessee',
  'illinois',
  'indiana',
  'national',
  'weather',
  'service',
  'forecaster',
  'ohio',
  'river',
  'valley',
  'risk',
  'thunderstorm',
  'wednesday',
  'photo',
  'devastation',
  'tornado',
  'flattening',
  'parts',
  'mississippi',
  'forbes',
  'tornado',
  'hits',
  'little',
  'rock',
  'major',
  'damage',
  'forbes',
  'tip',
  'brian',
  'bushardeditorial',
  'standardsprintreprints',
  'permissions'],
 ['day',
  'woman',
  'birth',
  'hospital',
  'heart',
  'attack',
  'seizure',
  'kidney',
  'failure',
  'blood',
  'transfusion',
  'problem',
  'death',
  'human',
  'trafficking',
  'sports',
  'entertainment',
  'life',
  'money',
  'tech',
  'travel',
  'opinion',
  'obituariesonly',
  'usa',
  'today',
  'newsletters',
  'subscribers',
  'archives',
  'crossword',
  'enewspaper',
  'magazines',
  'investigations',
  'weather',
  'forecast',
  'video',
  'humankind',
  'curiousbest',
  'booklist',
  'pets',
  'food',
  'reviewed',
  'coupons',
  'blueprint',
  'best',
  'auto',
  'insurance',
  'best',
  'pet',
  'insurance',
  'best',
  'travel',
  'insurance',
  'best',
  'credit',
  'cards',
  'best',
  'cd',
  'rate',
  'best',
  'personal',
  'loans',
  'topic3',
  'oklahoma',
  'tornado',
  'm',
  'weather',
  'threatjordan',
  'mendoza',
  'grace',
  'hauck',
  'doyle',
  'riceusa',
  'todaythree',
  'people',
  'tornado',
  'oklahoma',
  'americans',
  'risk',
  'weather',
  'thursday',
  'forecaster',
  'day',
  'tornado',
  'storm',
  'watch',
  'effect',
  'tornado',
  'watch',
  'thursday',
  'afternoon',
  'portion',
  'midwest',
  'chicago',
  'metro',
  'area',
  'tornado',
  'watch',
  'weather',
  'condition',
  'tornado',
  'plains',
  'region',
  'point',
  'weather',
  'week',
  'wednesday',
  'night',
  'storm',
  'tornado',
  'oklahoma',
  'injury',
  'addition',
  'death',
  'u.s.',
  'thursday',
  'weather',
  'risk',
  'flooding',
  'wildfire',
  'snow',
  'east',
  'south',
  'resident',
  'temperature',
  'flooding',
  'concern',
  'east',
  'flag',
  'warning',
  'west',
  'precipitation',
  'north',
  'america',
  'river',
  'waterway',
  'riskhere',
  'weather',
  'forecast',
  'thursday',
  'oklahoma',
  'tornadothe',
  'town',
  'cole',
  'oklahoma',
  'people',
  'tornado',
  'mcclain',
  'county',
  'deputy',
  'sheriff',
  'scott',
  'gibbon',
  'nbc',
  'today',
  '"official',
  'home',
  'people',
  'person',
  'scene',
  'heart',
  'issue',
  'hospital',
  'person',
  'tornado',
  'authority',
  'person',
  'oklahomans',
  'degree',
  'tornado',
  'devastation',
  'tornado',
  'area',
  'video',
  'tornado',
  'cole',
  'storm',
  'oklahoma',
  'severe',
  'storm',
  'tornado',
  'wisconsin',
  'texasthere',
  'risk',
  'weather',
  'portion',
  'plains',
  'mississippi',
  'valley',
  'thursday',
  'night',
  'national',
  'weather',
  'service',
  'tornado',
  'watch',
  'thursday',
  'afternoon',
  'illinois',
  'wisconsin',
  'portion',
  'iowa',
  'watch',
  'illinois',
  'chicago',
  'metro',
  'area',
  'possibility',
  'thunderstorm',
  'hail',
  'downpour',
  'tornado',
  'wisconsin',
  'texas',
  'accuweather',
  'area',
  'weather',
  'thursday',
  'southern',
  'missourimost',
  'illinoisnearly',
  'arkansas',
  'little',
  'rockeastern',
  'oklahomawestern',
  'louisiananortheast',
  'texas',
  'dallas',
  'thunderstorm',
  'houston',
  'thursday',
  'night',
  '"severe',
  'wind',
  'hail',
  'tornado',
  'incident',
  'flash',
  'flooding',
  'region',
  'thursday',
  'evening',
  'friday',
  'morning',
  'nws',
  'year',
  'people',
  'tornado',
  'storm',
  'prediction',
  'center',
  'year',
  'storm',
  'march',
  'storm',
  'tornado',
  'people',
  'arkansas',
  'delaware',
  'day',
  'tornado',
  'missouri',
  'mississippi',
  'alabama',
  'tornado',
  'march',
  'storm',
  'path',
  'destruction',
  'deep',
  'south',
  'year',
  'number',
  'tornado',
  'path',
  'death',
  'destruction',
  'climate',
  'change',
  'flash',
  'flood',
  'texas',
  'louisianaalong',
  'area',
  'risk',
  'weather',
  'u.s.',
  'flash',
  'flooding',
  'thursday',
  'night',
  'texaslouisianaarkansasnorthwest',
  'mississippi',
  'western',
  'tennesseesoutheast',
  'arkansaswestern',
  'kentuckysouthern',
  'illinoissouthern',
  'indiana"localized',
  'flash',
  'flooding',
  'possibility',
  'thursday',
  'night',
  'friday',
  'night',
  'area',
  'drainage',
  'location',
  'accuweather',
  'flag',
  'warning',
  'southwest',
  'midwestred',
  'flag',
  'warning',
  'state',
  'thursday',
  'morning',
  'area',
  'country',
  'risk',
  'fire',
  'new',
  'mexico',
  'area',
  'flag',
  'warning',
  'week',
  'news',
  'thursday',
  'day',
  'fire',
  'weather',
  'condition',
  'region',
  'dryline',
  'southern',
  'high',
  'plains',
  'wind',
  'weather',
  'fire',
  'weather',
  'risk',
  'storm',
  'prediction',
  'center',
  'new',
  'mexico',
  'texas',
  'oklahoma',
  'panhandles',
  'region',
  'colorado',
  'kansas',
  'oklahoma',
  'nws',
  'flag',
  'warning',
  'area',
  'fire',
  'wind',
  'environment',
  'flag',
  'warning',
  'ohio',
  'indiana',
  'kentucky',
  'tennessee',
  'flag',
  'flag',
  'warning',
  'temperature',
  'humidity',
  'level',
  'wind',
  'risk',
  'fire',
  'danger',
  'nws.the',
  'nws',
  'americans',
  'fire',
  'fire',
  'cigarette',
  'match',
  'vehicle',
  'area',
  'barrel',
  'metal',
  'cover',
  'hole',
  'inch',
  'nws',
  'flag',
  'warning',
  'map',
  'snow',
  'north',
  'dakota',
  'minnesotathere',
  'potential',
  'snowfall',
  'north',
  'dakota',
  'minnesota',
  'minnesota',
  'washington',
  'state',
  'thursday',
  'morning',
  'afternoon',
  'nws',
  'winter',
  'storm',
  'friday',
  'morning',
  'rain',
  'snow',
  'precipitation',
  'type',
  'thursday',
  'snow',
  'thursday',
  'night',
  'nws',
  'snow',
  'winter',
  'storm',
  'map',
  'east',
  'coast',
  'upthe',
  'roller',
  'coaster',
  'temperature',
  'east',
  'region',
  'weather',
  'cooldown',
  'week',
  'temperature',
  'rise',
  'southeast',
  'heat',
  'north',
  'virginia',
  'degree',
  'thursday',
  'forecast',
  'high',
  'east',
  'washington',
  'd.c.',
  'virginia',
  'new',
  'york',
  'weather',
  'watch',
  'weather',
  'jordan',
  'mendoza',
  'twitter',
  'weekly',
  'adabout',
  'newsroom',
  'staff',
  'ethical',
  'principles',
  'correction',
  'press',
  'accessibility',
  'sitemap',
  'subscription',
  'terms',
  'conditions',
  'terms',
  'service',
  'california',
  'privacy',
  'rights',
  'privacy',
  'policy',
  'privacy',
  'policydo',
  'sell',
  'share',
  'target',
  'infocookie',
  'settingscontact',
  'account',
  'feedback',
  'home',
  'delivery',
  'enewspaper',
  'usa',
  'today',
  'shop',
  'usa',
  'today',
  'print',
  'editions',
  'licensing',
  'reprints',
  'advertise',
  'careers',
  'internships',
  'businessnews',
  'tips',
  'letter',
  'editor',
  'newsletters',
  'mobile',
  'app',
  'facebook',
  'twitter',
  'instagram',
  'linkedin',
  'pinterest',
  'youtube',
  'reddit',
  'flipboard',
  'jobs',
  'sports',
  'betting',
  'sports',
  'weekly',
  'studio',
  'gannett',
  'classifieds',
  'coupons',
  'blueprint',
  'auto',
  'insurance',
  'pet',
  'insurance',
  'travel',
  'insurance',
  'credit',
  'cards',
  'banking',
  'personal',
  'loans',
  'usa',
  'today',
  'division',
  'gannett',
  'satellite',
  'information',
  'network',
  'llc'],
 ['winter',
  'storm',
  'southern',
  'utah',
  'mountain',
  'st.',
  'george',
  'news',
  'march',
  'livestock',
  'feed',
  'hay',
  'snowstorm',
  'cedar',
  'city',
  'jan.',
  'photo',
  'courtesy',
  'robert',
  'allen',
  'cedar',
  'city',
  'news',
  'st.',
  'george',
  'news',
  'st',
  '.',
  'george',
  'winter',
  'southern',
  'utah',
  'county',
  'area',
  'washington',
  'iron',
  'beaver',
  'kane',
  'garfield',
  'winter',
  'storm',
  'weekend',
  'brian',
  'head',
  'weather',
  'forecast',
  'friday',
  'saturday',
  'march',
  'weather',
  'chart',
  'courtesy',
  'national',
  'weather',
  'service',
  'st.',
  'george',
  'news',
  'a.m.',
  'friday',
  'a.m.',
  'sunday',
  'snow',
  'foot',
  'accumulation',
  'inch',
  'national',
  'weather',
  'service',
  'wind',
  'mph',
  'pacific',
  'storm',
  'rain',
  'flooding',
  'snow',
  'wind',
  'nws',
  'website',
  'brian',
  'head',
  'snowfall',
  'storm',
  'thursday',
  'friday',
  'snow',
  'south',
  'southwest',
  'wind',
  'mph',
  'wind',
  'friday',
  'inch',
  'snow',
  'day',
  'inch',
  'saturday',
  'afternoon',
  'weather',
  'service',
  'snow',
  'saturday',
  'sunday',
  'inch',
  'accumulation',
  'elevation',
  'temperature',
  'mid-20',
  'resident',
  'milford',
  'beaver',
  'way',
  'snow',
  'wind',
  'story',
  'wind',
  'mph',
  'friday',
  'afternoon',
  'evening',
  'saturday',
  'gust',
  'mph',
  '%',
  'chance',
  'rain',
  'st.',
  'george',
  'weather',
  'weekend',
  'low',
  '40',
  'high',
  '60',
  'wind',
  '%',
  'chance',
  'rain',
  'thunderstorm',
  'minute',
  'road',
  'condition',
  'udot',
  'app',
  'copyright',
  'st.',
  'george',
  'news',
  'saintgeorgeutah.com',
  'llc',
  'right',
  'press',
  'release',
  'news',
  'tip',
  'email',
  'storm',
  'system',
  'aim',
  'zion',
  'national',
  'park',
  'southern',
  'mountains',
  'winter',
  'weather',
  'tip',
  'cold',
  'photo',
  'gallery',
  'weather',
  'way',
  'southern',
  'utah',
  'officer',
  'pound',
  'pill',
  'traffic',
  'stop',
  'i-15',
  'driver',
  'hospital',
  'rear',
  'pickup',
  'truck',
  'sr-56',
  'cedar',
  'city',
  'male',
  'cash',
  'st.',
  'george',
  'credit',
  'union',
  'free',
  'news',
  'delivery',
  'email',
  'day',
  'news',
  'story',
  'inbox',
  'evening',
  'email',
  'local',
  'news',
  'cedar',
  'city',
  'winter',
  'weather',
  'advisory',
  'news',
  'advertise',
  'contact',
  'employment',
  'subscribe',
  '',
  '',
  'archive',
  'editorial',
  'policy',
  'term',
  'use',
  '',
  '',
  'privacy',
  'policy',
  'copyright',
  'stgeorgeutah.com',
  'llc',
  'right',
  'news',
  'menulocalstatenationalgovernmentutah',
  'legislature',
  'archivessports',
  'menudixie',
  'highdesert',
  'hillspine',
  'viewsnow',
  'canyonhurricanecrimson',
  'cliffscanyon',
  'viewcedar',
  'cityregion',
  'recap',
  'showpodcast',
  'st',
  'george',
  'news',
  'sportscollege',
  'sportsutah',
  'lifestyle',
  'articleseventsarts',
  'entertainmenthealth',
  'wellnessst',
  'george',
  'health',
  'wellness',
  'directoryhome',
  'gardenexplorereligionletters',
  'editorcolumnistsobituaries',
  'menuview',
  'obituariesshows',
  'menuall',
  'showstgif',
  'showwhat',
  'menuno',
  'filtergrady',
  'clocks',
  'indiscover',
  'desertsunny',
  'sidecome',
  'inwhat',
  'therepaper',
  'jamslocal',
  'expert',
  'menuask',
  'expertarrests',
  'menurecent',
  'arrestsclassifieds',
  'menuautosjobsannouncementssubmit',
  'ownsee',
  'announcementsanniversariesanimalsart',
  'entertainmentbooksbusinesscommunity',
  'serviceeducation',
  'achievementeventsfundraisersgarage',
  'sale',
  'upsmilitary',
  'announcementspoliticsreligiousscholarships',
  'grantsschool',
  'functionsshoppingsport',
  'recreationweddingswritershomeshomesannouncement',
  'menusubmit',
  'ownsee',
  'announcementsanniversariesanimalsart',
  'entertainmentbooksbusinesscommunity',
  'serviceeducation',
  'achievementeventsfundraisersgarage',
  'sale',
  'upsmilitary',
  'announcementspoliticsreligiousscholarships',
  'grantsschool',
  'functionsshoppingsport',
  'recreationweddingswritersoffer',
  'menulocal',
  'offersweekly',
  'circular',
  'x',
  'free',
  'news',
  'delivery',
  'email',
  'day',
  'news',
  'story',
  'inbox',
  'evening',
  'email'],
 ['associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights',
  'hunter',
  'biden',
  'plea',
  'deal',
  'river',
  'storm',
  'california',
  'blizzard',
  'southern',
  'california',
  'mountain',
  'year',
  'alan',
  'zagorsky',
  'home',
  'snow',
  'door',
  'stairway',
  'march',
  'los',
  'angeles',
  'ap',
  'series',
  'river',
  'california',
  'thursday',
  'forecaster',
  'rain',
  'threat',
  'flooding',
  'state',
  'storm',
  'rain',
  'north',
  'afternoon',
  'forecaster',
  'heart',
  'atmospheric',
  'river',
  'day',
  'downpour',
  'friday',
  'precipitation',
  'flood',
  'threat',
  'combination',
  'rain',
  'melting',
  'snowpack',
  'california',
  'mountain',
  'river',
  'winter',
  'storm',
  'blast',
  'air',
  'river',
  'type',
  'pineapple',
  'express',
  'tap',
  'moisture',
  'pacific',
  'hawaii',
  'impact',
  'california',
  'precipitation',
  'south',
  'taiwan',
  'school',
  'office',
  'typhoon',
  'doksuri',
  'island',
  'coast',
  'thunderstorm',
  'michigan',
  'power',
  'typhoon',
  'doksuri',
  'thousand',
  'philippines',
  'snowpack',
  'elevation',
  'rain',
  'forecaster',
  'elevation',
  'foot',
  'meter',
  'melting',
  'runoff',
  'california',
  'department',
  'water',
  'resources',
  'flood',
  'operation',
  'center',
  'director',
  'karla',
  'nemeth',
  'runoff',
  'nemeth',
  'people',
  'condition',
  'river',
  'creek',
  'evacuation',
  'warning',
  'foothill',
  'mountain',
  'community',
  'california',
  'flooding',
  'mudslide',
  'evacuation',
  'order',
  'place',
  'number',
  'coast',
  'resident',
  'levee',
  'oceano',
  'san',
  'luis',
  'obispo',
  'county',
  'mile',
  'kilometer',
  'stretch',
  'highway',
  'south',
  'big',
  'sur',
  'friday',
  'rockslide',
  'ted',
  'craddock',
  'deputy',
  'director',
  'state',
  'water',
  'project',
  'confidence',
  'era',
  'oroville',
  'dam',
  'thousand',
  'people',
  'runoff',
  'spillway',
  'emergency',
  'spillway',
  '“the',
  'spillway',
  'standard',
  'flow',
  'lake',
  'oroville',
  'forecaster',
  'mountain',
  'travel',
  'storm',
  'elevation',
  'storm',
  'snow',
  'foot',
  'meter',
  'location',
  'california',
  'sierra',
  'nevada',
  'snowpack',
  'state',
  'water',
  'supply',
  '%',
  'average',
  'april',
  'peak',
  'river',
  'forecast',
  'week',
  'state',
  'climatologist',
  'michael',
  'anderson',
  'shape',
  'pacific',
  'california',
  'way',
  'year',
  'drought',
  'winter',
  'series',
  'storm',
  'condition',
  'snow',
  'sierra',
  'mountain',
  'resident',
  'day',
  'storm',
  'roof',
  'car',
  'road',
  'gov.',
  'gavin',
  'newsom',
  'emergency',
  'california',
  'county',
  'march',
  'san',
  'bernardino',
  'mountains',
  'los',
  'angeles',
  'february',
  'storm',
  'blizzard',
  'status',
  'mountain',
  'town',
  'lake',
  'arrowhead',
  'snowstorm',
  'resident',
  'alan',
  'zagorsky',
  'wednesday',
  'crew',
  'driveway',
  'place',
  'stuff',
  'crestline',
  'don',
  'black',
  'team',
  'shovel',
  'neighbor',
  'property',
  'storm',
  'winter',
  'black',
  'state',
  'north',
  'coast',
  'humboldt',
  'county',
  'authority',
  'emergency',
  'response',
  'cattle',
  'snow',
  'cal',
  'fire',
  'u.s.',
  'coast',
  'guard',
  'helicopter',
  'hay',
  'bale',
  'cattle',
  'mountain',
  'field',
  'weekend',
  'california',
  'national',
  'guard',
  'effort',
  'request',
  'help',
  'rancher',
  'diana',
  'totten',
  'area',
  'fire',
  'chief',
  'hay',
  'rancher',
  'information',
  'head',
  'cattle',
  '“we',
  'snow',
  'cattle',
  'condition',
  'humboldt',
  'county',
  'sheriff',
  'william',
  'honsal',
  'statement',
  'way',
  'catastrophe',
  'county',
  '”—-associated',
  'press',
  'writer',
  'marcio',
  'sanchez',
  'lake',
  'arrowhead',
  'california',
  'amy',
  'taxin',
  'orange',
  'county',
  'california',
  'christopher',
  'weber',
  'los',
  'angeles',
  'story',
  'associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights'],
 ['advertisementskip',
  'main',
  'contentaccessibility',
  'helpthe',
  'weather',
  'channeltype',
  'character',
  'auto',
  'complete',
  'location',
  'search',
  'query',
  'option',
  'arrow',
  'selection',
  'search',
  'city',
  'zip',
  'codesearchrecentsyou',
  'locationsglobeus',
  '°',
  'farrow',
  '°',
  'f',
  '°',
  'chybridimperial',
  'f',
  'mph',
  'mile',
  'inchesamericasarrow',
  'downantigua',
  'barbuda',
  'englishargentina',
  'españolbahamas',
  'englishbarbados',
  'englishbelize',
  'englishbolivia',
  'españolbrazil',
  'portuguêscanada',
  'englishcanada',
  'françaischile',
  'españolcolombia',
  'españolcosta',
  'rica',
  'españoldominica',
  'englishdominican',
  'republic',
  '',
  '',
  'españolecuador',
  'españolel',
  'salvador',
  '',
  '',
  'españolgrenada',
  'englishguatemala',
  'españolguyana',
  'englishhaiti',
  'françaishonduras',
  'españoljamaica',
  'englishmexico',
  'españolnicaragua',
  'españolpanama',
  'españolpanama',
  'englishparaguay',
  'españolperu',
  '',
  '',
  'españolst',
  'kitts',
  'nevis',
  'englishst',
  'lucia',
  '',
  '',
  'englishst',
  'vincent',
  'grenadines',
  'englishsuriname',
  'nederlandstrinidad',
  'tobago',
  'englishuruguay',
  'españolunited',
  'states',
  'englishunited',
  'states',
  'españolvenezuela',
  'españolafricaarrow',
  'downalgeria',
  'françaisangola',
  'portuguêsbenin',
  'françaisburkina',
  'faso',
  'françaisburundi',
  'françaiscameroon',
  '',
  '',
  'françaiscameroon',
  '',
  '',
  'englishcape',
  'verde',
  'portuguêscentral',
  'african',
  'republic',
  'françaischad',
  'françaischad',
  'العربيةcomoro',
  'françaiscomoros',
  '',
  '',
  'العربيةdemocratic',
  'republic',
  'congo',
  '',
  '',
  'françaisrepublic',
  'congo',
  'françaiscôte',
  "d'ivoire",
  'françaisdjibouti',
  'françaisdjibouti',
  'العربيةegypt',
  'العربيةequatorial',
  'guinea',
  'españoleritrea',
  'françaisgambia',
  'englishghana',
  'englishguinea',
  'françaisguinea',
  'bissau',
  'portuguêskenya',
  'englishlesotho',
  'englishliberia',
  'englishlibya',
  'العربيةmadagascar',
  'françaismali',
  'françaismauritania',
  'العربيةmauritius',
  '',
  '',
  'englishmauritius',
  'françaismorocco',
  '',
  '',
  'françaismozambique',
  'portuguêsnamibia',
  'englishniger',
  'françaisnigeria',
  'englishrwanda',
  'françaisrwanda',
  'englishsao',
  'tome',
  'principe',
  'portuguêssenegal',
  'françaissierra',
  'leone',
  'englishsomalia',
  'africa',
  'englishsouth',
  'sudan',
  'englishsudan',
  '',
  '',
  'englishtanzania',
  'françaistunisia',
  'العربيةuganda',
  'englishasia',
  'pacificarrow',
  'downaustralia',
  'englishbangladesh',
  'বাংলাbrunei',
  'bahasa',
  'melayuchina',
  'kong',
  'sar',
  '',
  '',
  'timor',
  'portuguêsfiji',
  'englishindia',
  'english',
  'englishindia',
  'hindi',
  'हिन्दीindonesia',
  'bahasa',
  'indonesiajapan',
  'englishsouth',
  'korea',
  '한국어kyrgyzstan',
  'русскийmalaysia',
  'bahasa',
  'melayumarshall',
  'islands',
  'englishmicronesia',
  'englishnew',
  'zealand',
  'englishpalau',
  'englishphilippines',
  'englishphilippines',
  'tagalogsamoa',
  'englishsingapore',
  'englishsingapore',
  '',
  '',
  '中文solomon',
  'islands',
  'englishtaiwan',
  '中文thailand',
  'ไทยtonga',
  'englishtuvalu',
  'englishvanuatu',
  'englishvanuatu',
  'françaisvietnam',
  'tiếng',
  'việteuropearrow',
  'downandorra',
  'catalàandorra',
  'françaisaustria',
  'deutschbelarus',
  'русскийbelgium',
  'dutchbelgium',
  'françaisbosnia',
  'herzegovina',
  'hrvatskicroatia',
  'hrvatskicyprus',
  'ελληνικάczech',
  'republic',
  'češtinadenmark',
  'danskestonia',
  'русскийestonia',
  'eestifinland',
  'suomifrance',
  'françaisgermany',
  'deutschgreece',
  'ελληνικάhungary',
  'magyarireland',
  'englishitaly',
  'italianoliechtenstein',
  'deutschluxembourg',
  'françaismalta',
  'englishmonaco',
  'françaisnetherlands',
  'nederlandsnorway',
  'norskpoland',
  'polskiportugal',
  'portuguêsromania',
  'românărussia',
  'русскийsan',
  'marino',
  'italianoslovakia',
  'slovenčinaspain',
  'españolspain',
  'catalàsweden',
  'svenskaswitzerland',
  'deutschturkey',
  'turkçeukraine',
  'українськаunited',
  'kingdom',
  'englishstate',
  'vatican',
  'city',
  'holy',
  'italianomiddle',
  'eastarrow',
  'downbahrain',
  'فارسىiraq',
  'العربيةisrael',
  'עִבְרִיתjordan',
  '',
  '',
  'العربيةlebanon',
  'العربيةpakistan',
  'اردوpakistan',
  'englishqatar',
  'arabia',
  'العربيةsyria',
  'arab',
  'emirates',
  'العربيةweathertoday',
  'forecasthourly',
  'forecast10',
  'day',
  'forecastweekend',
  'forecastmonthly',
  'forecastnational',
  'forecastnational',
  'newsalmanacradarweather',
  'motionradar',
  'mapsclassic',
  'weather',
  'mapsregional',
  'satelliteseveresevere',
  'alertssafety',
  'preparednesshurricane',
  'centralaccountsign',
  'upgo',
  'premiumlog',
  'inget',
  'newsletterweb',
  'notificationsnewvideo',
  'photostop',
  'storiesvideophotosclimate',
  'newsexternal',
  'linkaward',
  'investigationsexternal',
  'linkhealth',
  'activitiesallergy',
  'trackercold',
  'fluair',
  'quality',
  'forecasttv',
  'weatheralexa',
  'skillexternal',
  'linkwatch',
  'liveexternal',
  'linkpersonalitiesexternal',
  'linkweather',
  'productsalexa',
  'skillexternal',
  'linkseasonal',
  'dealsprivacyreview',
  'privacy',
  'ad',
  'settingsdata',
  'rightsprivacy',
  'policyarrow',
  'leftarrow',
  'righttodayhourly10',
  'dayweekendmonthlyradarvideovideomore',
  'forecastsmorearrow',
  'forecastsyesterday',
  'weatherexternal',
  'linkallergy',
  'trackercold',
  'fluair',
  'quality',
  'forecastadvertisementnewstornadoes',
  'storm',
  'deadly',
  'path',
  'arkansas',
  'illinois',
  'iowa',
  'tennesseeby',
  'jan',
  'wesner',
  'childsapril',
  'glanceseveral',
  'city',
  'tornado',
  'midwest',
  'south',
  'people',
  'tornado',
  'little',
  'rock',
  'arkansas',
  'home',
  'article',
  'story',
  'tornado',
  'storm',
  'state',
  'friday',
  'people',
  'dozen',
  'neighborhood',
  'path',
  'destruction',
  'arkansas',
  'iowa',
  'illinois',
  'tennessee',
  'toll',
  'arkansas',
  'official',
  'pulaski',
  'county',
  'fatality',
  'north',
  'little',
  'rock',
  'death',
  'wynne',
  'arkansas',
  'people',
  'little',
  'rock',
  'area',
  'condition',
  'person',
  'roof',
  'apollo',
  'theatre',
  'belvidere',
  'illinois',
  'illinois',
  'death',
  'indiana',
  'alabama',
  'dozen',
  'home',
  'storefront',
  'vehicle',
  'semitrailer',
  'toy',
  'storm',
  'outbreak',
  'thunderstorm',
  'aim',
  'area',
  'midwest',
  'severe',
  'thunderstorm',
  'midwest',
  'south',
  'tornado',
  'outbreak',
  'update',
  'friday',
  'et',
  'power',
  'outage',
  'number',
  'state',
  'illinois',
  'arkansas',
  'indiana',
  'tennessee',
  'iowa',
  'missouri',
  'et',
  'apollo',
  'detail',
  'collapse',
  'concert',
  'venue',
  'belvidere',
  'illinois',
  'addition',
  'person',
  'fire',
  'official',
  'people',
  'concert',
  'roof',
  'building',
  'storm',
  'through.(1\u200b1:21',
  'p.m.',
  'et',
  'dead',
  'illinois',
  'concerta\u200bt',
  'person',
  'apollo',
  'theatre',
  'belvidere',
  'illinois',
  'building',
  'storm',
  'injured.(\u200b11:08',
  'et',
  'dozen',
  'tornadoes',
  'reportedt\u200bhere',
  'report',
  'tornado',
  'arkansas',
  'iowa',
  'tennessee',
  'illinois',
  'wisconsin',
  'mississippi',
  'tornado',
  'national',
  'weather',
  'service',
  'survey',
  'team',
  'determination',
  'vehicle',
  'damage',
  'structure',
  'tornado',
  'coralville',
  'iowa',
  'friday',
  'march',
  'ap',
  'photo',
  'ryan',
  'foley)(\u200b10:33',
  'p.m.',
  'et',
  'mass',
  'casualty',
  'event',
  'illinois',
  'concert',
  'venue',
  'collapse',
  'apollo',
  'theatre',
  'belvidere',
  'illinois',
  'mass',
  'casualty',
  'event',
  'roof',
  'building',
  'storm',
  'concert.(\u200b10:21',
  'et',
  'half',
  'iowa',
  'town',
  'evacuatedh\u200balf',
  'people',
  'iowa',
  'town',
  'charlotte',
  'home',
  'gas',
  'leak',
  'storm',
  'des',
  'moines',
  'register',
  'gallon',
  'propane',
  'leaking.(\u200b10:11',
  'et',
  'people',
  'wynne',
  'arkansas“we',
  'issue',
  'area',
  'entrance',
  'wynne',
  'latresha',
  'woodruff',
  'spokesperson',
  'arkansas',
  'emergency',
  'management',
  'weather',
  'channel',
  'interview',
  'moment',
  'woodruff',
  'curfew',
  'place',
  'resident',
  'neighborhood',
  'tornado',
  'home',
  'building',
  'march',
  'little',
  'rock',
  'arkansas',
  'benjamin',
  'krain',
  'getty',
  'images)(10:05',
  'p.m.',
  'et',
  'roof',
  'collapses',
  'illinois',
  'concert',
  'venuea\u200bmbulances',
  'apollo',
  'theatre',
  'belvidere',
  'illinois',
  'building',
  'storm',
  'band',
  'angel',
  'revocation',
  'remain',
  'concert',
  'time',
  'cbs',
  'news',
  'word',
  'injury',
  'belvidere',
  'mile',
  'chicago.(\u200b9:57',
  'et',
  'death',
  'toll',
  'arkansasa\u200bt',
  'people',
  'wynne',
  'arkansas',
  'person',
  'north',
  'et',
  'dozen',
  'little',
  'rockmadeline',
  'roberts',
  'director',
  'communication',
  'pulaski',
  'county',
  'arkansas',
  'weather',
  'channel',
  'people',
  'county',
  'home',
  'little',
  'rock',
  'r\u200bobert',
  'damage',
  'county',
  'west',
  'little',
  'rock',
  'jacksonville',
  'north',
  'little',
  'rock',
  'sherwood',
  'home',
  'home',
  'little',
  'rock',
  'area',
  'friday',
  'march',
  'democrat',
  'gazette)(\u200b8:37',
  'et',
  'damage',
  'illinois',
  'sangamon',
  'county',
  'sangamon',
  'county',
  'sheriff',
  'jack',
  'campbell',
  'damage',
  'home',
  'business',
  'sherman',
  'illinois',
  'north',
  'springfield',
  'cnn',
  'damage',
  'dawson',
  'riverton',
  'campbell',
  'roof',
  'daycare',
  'building',
  'time',
  'person',
  'traffic',
  'accident',
  'storm',
  'injury',
  'life',
  'et',
  'dozen',
  'rock"at',
  'time',
  'people',
  'little',
  'rock',
  'hospital',
  'fatality',
  'little',
  'rock',
  'time',
  'mayor',
  'frank',
  'scott',
  'jr.',
  'property',
  'damage',
  '"(\u200b8:15',
  'p.m.',
  'et',
  'city',
  'covington',
  'tennessee',
  'impassable\'advertisement"the',
  'city',
  'covington',
  'vehicle',
  'roadway',
  'highway',
  'hospital',
  'crew',
  'city',
  'police',
  'department',
  'facebook',
  'post',
  'report',
  'hospital',
  'covington',
  'mile',
  'memphis.(\u200b8:06',
  'et',
  'home',
  'hills',
  'iowah\u200bundress',
  'people',
  'neighbor',
  'hills',
  'iowa',
  'roof',
  'home',
  'storm',
  'trail',
  'debris',
  'des',
  'moines',
  'register',
  'hills',
  'mile',
  'cedar',
  'rapids.(8\u200b:02',
  'et',
  'wynne',
  "demolished'“i’m",
  'panic',
  'wynne',
  'house',
  'tree',
  'street',
  'city',
  'councilmember',
  'lisa',
  'powell',
  'carter',
  'associated',
  'press',
  'phone',
  'p.m.',
  'et',
  'power',
  'outages',
  'mount',
  'statesm\u200bore',
  'home',
  'business',
  'utility',
  'customer',
  'power',
  'arkansas',
  'poweroutage.us',
  'number',
  'state',
  'iowa',
  'missouri',
  'tennessee.(\u200b7:04',
  'p.m.',
  'et',
  'search',
  'rescue',
  'underway',
  'wynne',
  'report',
  'injury',
  'wynne',
  'arkansas',
  'tornado',
  'debris',
  'air',
  'search',
  'rescue',
  'effort',
  'wynne',
  'police',
  'chief',
  'richard',
  'dennis',
  'destruction',
  'town',
  'kait',
  'dozen',
  'people',
  'et',
  'photo',
  'damage',
  'iowap\u200bhoto',
  'medium',
  'damage',
  'keota',
  'iowa',
  'home',
  'vehicle',
  'p.m.',
  'et',
  'state',
  'emergency',
  'arkansas',
  'national',
  'guard',
  'activatedgov',
  'sarah',
  'huckabee',
  'sanders',
  'state',
  'emergency',
  'national',
  'guard',
  'damage',
  'arkansas.(\u200b6:17',
  'et',
  "loud'little",
  'rock',
  'resident',
  'niki',
  'scott',
  'bathroom',
  'tornado',
  'associated',
  'press',
  'damage',
  'home',
  'street',
  'scott',
  'chainsaw',
  'siren',
  'area',
  'p.m.',
  'et',
  'tornado',
  'hits',
  'wynne',
  'arkansasa\u200b',
  'tornado',
  'wynne',
  'arkansas',
  'time',
  'damage',
  'debris',
  'air',
  'wynne',
  'mile',
  'little',
  'rock.(5\u200b:34',
  'p.m.',
  'et',
  'hospital',
  'brace',
  'mass',
  'casualties',
  'little',
  'rockthe',
  'university',
  'arkansas',
  'medical',
  'sciences',
  'medical',
  'center',
  'little',
  'rock',
  'mass',
  'casualty',
  'level',
  'patient',
  'spokesperson',
  'leslie',
  'taylor',
  'associated',
  'press',
  'people',
  'condition.(\u200b5:12',
  'p.m.',
  'et',
  'damage',
  'little',
  'rockl\u200bisa',
  'buchanan',
  'little',
  'rock',
  'tornado',
  'interview',
  'damage',
  'sky',
  'buchanan',
  '“we',
  'text',
  'hospital',
  'mass',
  'casualty',
  'p.m.',
  'et',
  'homes',
  'search',
  'rescue',
  'ongoingt\u200bhere',
  'report',
  'injury',
  'little',
  'rock',
  'area',
  'video',
  'scene',
  'home',
  'car',
  'kroger',
  'parking',
  'lot',
  'storm',
  'little',
  'rock',
  'ark.',
  'friday',
  'march',
  'ap',
  'photo',
  'andrew',
  'p.m.',
  'et',
  'power',
  'outage',
  'rock',
  'home',
  'business',
  'little',
  'rock',
  'area',
  'electricity',
  'poweroutage.us.(3:56',
  'et',
  'tornado',
  'videovideo',
  'medium',
  'tornado',
  'little',
  'rock',
  'area.(3:15',
  'et',
  'students',
  'place)student',
  'pulaski',
  'county',
  'special',
  'school',
  'district',
  'little',
  'rock',
  'place',
  'tornado',
  'warning',
  'school',
  'office',
  'shelter',
  'district',
  'tweeted.(3:07',
  'et',
  'debris',
  'radard\u200bebris',
  'radar',
  'p.m.',
  'time',
  'hot',
  'springs',
  'tornado',
  'siren',
  'oaklawn',
  'park',
  'horse',
  'track',
  'et',
  'weatherif',
  'area',
  'way',
  'watch',
  'warning',
  'national',
  'weather',
  'service',
  'smartphone',
  'noaa',
  'weather',
  'radio',
  'weather',
  'plan',
  'shelter',
  'thunderstorm',
  'tornado',
  'warning',
  'area',
  'home',
  'community',
  ...],
 ['accessibility',
  'link',
  'content',
  'keyboard',
  'shortcut',
  'player',
  'books',
  'movies',
  'television',
  'pop',
  'culture',
  'food',
  'art',
  'design',
  'performing',
  'arts',
  'life',
  'kit',
  'gaming',
  'podcasts',
  'shows',
  'expand',
  'collapse',
  'submenu',
  'podcast',
  "nor'easter",
  'snow',
  'new',
  'york',
  'massachusetts',
  'vermont',
  'new',
  'hampshire',
  'outage',
  'new',
  'hampshire',
  'new',
  'york',
  'vermont',
  'massachusetts',
  'storm',
  'snow',
  'week',
  'day',
  'spring',
  'storm',
  'havoc',
  'u.s.',
  'coast',
  "nor'easter",
  'new',
  'england',
  'march',
  'et',
  'march',
  'pm',
  'et',
  'traffic',
  'snow',
  'route',
  'south',
  'londonderry',
  'n.h.',
  'tuesday',
  'storm',
  'wednesday',
  'plow',
  'traffic',
  'snow',
  'route',
  'south',
  'londonderry',
  'n.h.',
  'tuesday',
  'storm',
  'wednesday',
  'state',
  'storm',
  'foot',
  'snow',
  'place',
  'quarter',
  'customer',
  'power',
  'tuesday',
  'evening',
  'storm',
  'northeast',
  'weather',
  'system',
  'u.s.',
  'coast',
  'california',
  'rain',
  'tuesday',
  'quarter',
  'customer',
  'power',
  'state',
  'forecaster',
  "nor'easter",
  'season',
  'wednesday',
  'morning',
  'meantime',
  'million',
  'people',
  'region',
  'winter',
  'alert',
  'p.m.',
  'et',
  'national',
  'weather',
  'service',
  'rate',
  'snowfall',
  'area',
  'hour',
  'inch',
  'inch',
  'hour',
  'combination',
  'wind',
  'nature',
  'snow',
  'power',
  'outage',
  'tree',
  'damage',
  'tuesday',
  'winter',
  'key',
  'messages',
  'update',
  "nor'easter",
  'gulf',
  'maine',
  'tonight',
  'pic.twitter.com/g5ombghmsl',
  'nws',
  'weather',
  'prediction',
  'center',
  '@nwswpc',
  'march',
  'new',
  'york',
  'new',
  'england',
  'snowfall',
  'inch',
  'nws',
  'power',
  'outage',
  'high',
  'household',
  'new',
  'york',
  'massachusetts',
  'new',
  'hampshire',
  'vermont',
  'maine',
  'connecticut',
  'pennsylvania',
  'tuesday',
  'afternoon',
  'poweroutage',
  'company',
  'service',
  'p.m.',
  'household',
  'dark',
  'town',
  'marlboro',
  'vt',
  '.',
  'colrain',
  'mass.',
  'moriah',
  'n.y.',
  'stony',
  'creek',
  'n.y.',
  'palenville',
  'n.y.',
  'foot',
  'snow',
  'tuesday',
  'night',
  'a.m.',
  'et',
  'windsor',
  'mass.',
  'inch',
  'snow',
  'national',
  'weather',
  'service',
  'office',
  'albany',
  'n.y.',
  'p.m.',
  'et',
  'total',
  'electricity',
  'customer',
  'snowfall',
  'total',
  'inch',
  'portion',
  'new',
  'england',
  'upstate',
  'new',
  'york',
  'national',
  'weather',
  'service',
  'inch',
  'snow',
  'area',
  'weather',
  'california',
  'river',
  'flood',
  'winter',
  'storm',
  'effect',
  'mph',
  'wind',
  'gust',
  'flooding',
  'snow',
  'forecaster',
  'snow',
  'northeast',
  'storm',
  'thing',
  'skier',
  'npr',
  'tovia',
  'smith',
  'mount',
  'snow',
  'vermont',
  'foot',
  'wind',
  'chair',
  'precipitation',
  'monday',
  'tuesday',
  'area',
  'rain',
  'snow',
  'road',
  'condition',
  'foot',
  'snow',
  'new',
  'hampshire',
  'hillsborough',
  'county',
  'inch',
  'francestown',
  'nws',
  'office',
  'portland',
  'maine',
  'beth',
  'reilly',
  'background',
  'ski',
  'child',
  'noah',
  'middle',
  'annelies',
  'snowstorm',
  'waterbury',
  'vt',
  '.',
  'tuesday',
  'beth',
  'reilly',
  'background',
  'ski',
  'child',
  'noah',
  'middle',
  'annelies',
  'snowstorm',
  'waterbury',
  'vt',
  '.',
  'tuesday',
  'tuesday',
  'night',
  'nws',
  'snow',
  'rate',
  'inch',
  'hour',
  'wind',
  'massachusetts',
  'state',
  'speed',
  'limit',
  'mph',
  'stretch',
  'interstate',
  'piece',
  'equipment',
  'snow',
  'ice',
  'state',
  'storm',
  'disruption',
  'snow',
  'power',
  'outage',
  'day',
  'maine',
  'public',
  'radio',
  'john',
  'palmer',
  'national',
  'weather',
  'service',
  'office',
  'gray',
  'tree',
  'limb',
  'weight',
  'wind',
  'palmer',
  'people',
  'power',
  'water',
  'outage',
  'precaution',
  'bathtub',
  'water',
  'toilet',
  'container',
  'drinking',
  'water',
  'connecticut',
  'public',
  'radio',
  'people',
  'battery',
  'candle',
  'match',
  'hand',
  'flashlight',
  'radio',
  'plot',
  'snowfall',
  'report',
  'hour',
  'elevation',
  'report',
  'link',
  'report',
  'https://t.co/nvgeslome0',
  'pic.twitter.com/to3afi4jbn',
  'nws',
  'boston',
  '@nwsboston',
  'march',
  'new',
  'york',
  'state',
  'emergency',
  'gov.',
  'kathy',
  'hochul',
  'emergency',
  'team',
  'place',
  'storm',
  'national',
  'guard',
  'aid',
  'recovery',
  'new',
  'yorkers',
  'duration',
  "nor'easter",
  'syracuse',
  'delta',
  'jet',
  'syracuse',
  'hancock',
  'international',
  'airport',
  'a.m.',
  'et',
  'flight',
  'la',
  'guardia',
  'taxiway',
  'ground',
  'member',
  'station',
  'wrvo',
  'plane',
  'passenger',
  'luggage',
  'terminal',
  'airport',
  'dozen',
  'flight',
  "nor'easter",
  'storm',
  'northeast',
  'u.s.',
  'tuesday',
  'foot',
  'snow',
  'area',
  "nor'easter",
  'storm',
  'northeast',
  'u.s.',
  'tuesday',
  'foot',
  'snow',
  'area',
  "nor'easter",
  'fire',
  'hose',
  'jet',
  'stream',
  'gulf',
  'stream',
  'northeast',
  'coast',
  'snow',
  'rain',
  'wind',
  'winter',
  'jet',
  'stream',
  'arctic',
  'air',
  'southward',
  'u.s.',
  'atlantic',
  'ocean',
  'nws',
  'force',
  'energy',
  'area',
  'gulf',
  'stream',
  'coast',
  'air',
  'water',
  'temperature',
  'weather',
  'california',
  'snow',
  'cow',
  'emergency',
  'hay',
  'difference',
  'temperature',
  'air',
  'water',
  'arctic',
  'air',
  'land',
  'fuel',
  "nor'easter",
  'nws',
  'storm',
  'georgia',
  'new',
  'jersey',
  'mile',
  'west',
  'east',
  'coast',
  'intensity',
  'new',
  'england',
  'storm',
  'surface',
  'pressure',
  'system',
  'north',
  'carolina',
  'coast',
  'monday',
  'night',
  'tuesday',
  'new',
  'england',
  'climate',
  'climate',
  'sierra',
  'nevada',
  'zombie',
  'forest',
  "or'easter",
  'september',
  'april',
  'storm',
  'march',
  'ash',
  'wednesday',
  'storm',
  'march',
  'march',
  'storm',
  'century',
  'billion',
  'dollar',
  'damage',
  'dozen',
  'death',
  'support',
  'public',
  'radio',
  'sponsor',
  'npr',
  'npr',
  'careers',
  'npr',
  'shop',
  'npr',
  'event',
  'npr',
  'term',
  'use',
  'privacy',
  'privacy',
  'choices',
  'text'],
 ['idaho',
  'falls',
  'news',
  'rexburg',
  'news',
  'pocatello',
  'news',
  'east',
  'idaho',
  'news',
  'idaho',
  'news',
  'education',
  'news',
  'crime',
  'news',
  'news',
  'business',
  'news',
  'entertainment',
  'news',
  'friday',
  'localdaybell',
  'casetraffic',
  'webcamscalendarcrime',
  'watcheducationnationworldpoliticsoutdoorsarts',
  'entertainmentbusiness',
  'moneyfaith',
  'familyeast',
  'idaho',
  'electssports',
  'weather',
  'heavy',
  'snow',
  'wind',
  'winter',
  'storm',
  'pm',
  'january',
  '',
  '',
  'january',
  'pocatello',
  'winter',
  'storm',
  'warning',
  'winter',
  'weather',
  'advisory',
  'effect',
  'section',
  'idaho',
  'thursday',
  'night',
  'weekend',
  'snow',
  'wind',
  'region',
  'travel',
  'area',
  'national',
  'weather',
  'service',
  'warning',
  'advisory',
  'effect',
  'p.m.',
  'thursday',
  'p.m.',
  'saturday',
  'area',
  'winter',
  'storm',
  'warning',
  'victor',
  'driggs',
  'tetonia',
  'ashton',
  'island',
  'park',
  'pine',
  'creek',
  'pass',
  'targhee',
  'pass',
  'raynolds',
  'pass',
  'snow',
  'time',
  'snow',
  'accumulation',
  'inch',
  'region',
  'inch',
  'snow',
  'area',
  'inkom',
  'mccammon',
  'downey',
  'lava',
  'hot',
  'springs',
  'emigration',
  'summit',
  'grace',
  'soda',
  'springs',
  'henry',
  'bone',
  'wayan',
  'swan',
  'valley',
  'national',
  'weather',
  'service',
  'wind',
  'mph',
  'snow',
  'visibility',
  'flashlight',
  'food',
  'water',
  'vehicle',
  'case',
  'emergency',
  'warning',
  'winter',
  'weather',
  'advisory',
  'effect',
  'idaho',
  'falls',
  'rexburg',
  'rigby',
  'ririe',
  'st.',
  'anthony',
  'pocatello',
  'blackfoot',
  'american',
  'falls',
  'shelley',
  'fort',
  'hall',
  'malad',
  'preston',
  'thatcher',
  'st.',
  'charles',
  'montpelier',
  'georgetown',
  'people',
  'area',
  'snow',
  'accumulation',
  'inch',
  'wind',
  'gust',
  'mph',
  'forecast',
  'road',
  'condition',
  'weather',
  'story',
  'east',
  'idaho',
  'credit',
  'union',
  'east',
  'idaho',
  'credit',
  'union',
  'life',
  'member',
  'community',
  'state',
  'idaho',
  'solution',
  'life',
  'today',
  'east',
  'idaho',
  'credit',
  'union',
  'submit',
  'correction',
  'app',
  'drug',
  'weight',
  'loss',
  'diabetes',
  'stomach',
  'tammy',
  'daybell',
  'aunt',
  'vallow',
  'daybell',
  'sentencing',
  'judge',
  'update',
  'people',
  'hospital',
  'motorcycle',
  'crash',
  'madison',
  'county',
  'sinéad',
  'o’connor',
  'singer',
  'arizona',
  'woman',
  'yellowstone',
  'bison',
  'attack',
  'boyfriend',
  'hospital',
  'proposal',
  'download',
  'app',
  'terms',
  'use',
  'copyright',
  'claims',
  'privacy',
  'statement',
  'team',
  'ethics',
  'email',
  'alert'],
 ['lawyer',
  'lawyer',
  'research',
  'law',
  'law',
  'schools',
  'laws',
  'regs',
  'newsletters',
  'marketing',
  'solutions',
  'justia',
  'law',
  'codes',
  'statute',
  'wyoming',
  'statute',
  'title',
  'trade',
  'commerce',
  'chapter',
  'consumer',
  'protection',
  'article',
  'storm',
  'damage',
  'repair',
  'contracts',
  'section',
  'disclosure',
  'requirements',
  'exterior',
  'storm',
  'damage',
  'repair',
  'contracts',
  'version',
  'section',
  'universal',
  'citation',
  'wy',
  'stat',
  '§',
  'disclosure',
  'requirement',
  'storm',
  'damage',
  'repair',
  'contract',
  'contract',
  'storm',
  'damage',
  'repair',
  'copy',
  'repair',
  'proposal',
  'disclosure',
  'w.s.',
  '703(a',
  'disclaimer',
  'code',
  'version',
  'wyoming',
  'information',
  'warranty',
  'guarantee',
  'accuracy',
  'completeness',
  'adequacy',
  'information',
  'site',
  'information',
  'state',
  'site',
  'source',
  'site',
  'recaptcha',
  'google',
  'privacy',
  'policy',
  'terms',
  'service',
  'free',
  'daily',
  'summaries',
  'inbox',
  'justia',
  'opinion',
  'summary',
  'newsletters',
  'newsletter',
  'sign',
  'summary',
  'lawyer',
  'directory',
  'profile',
  'summary',
  'opinion',
  'inbox',
  'bankruptcy',
  'lawyers',
  'business',
  'lawyers',
  'criminal',
  'lawyers',
  'employment',
  'lawyers',
  'estate',
  'planning',
  'lawyers',
  'family',
  'lawyers',
  'personal',
  'injury',
  'lawyers',
  'business',
  'formation',
  'business',
  'operations',
  'employment',
  'intellectual',
  'property',
  'international',
  'trade',
  'real',
  'estate',
  'tax',
  'law',
  'constitution',
  'code',
  'regulations',
  'supreme',
  'court',
  'circuit',
  'courts',
  'district',
  'courts',
  'dockets',
  'filing',
  'state',
  'constitutions',
  'state',
  'codes',
  'state',
  'case',
  'law',
  'california',
  'florida',
  'new',
  'york',
  'texas',
  'justia',
  'membership',
  'justia',
  'lawyer',
  'directory',
  'justia',
  'premium',
  'placements',
  'justia',
  'elevate',
  'seo',
  'website',
  'justia',
  'ppc',
  'gbp',
  'justia',
  'onward',
  'blog',
  'testimonial',
  'justia',
  'legal',
  'portal',
  'company',
  'terms',
  'service',
  'privacy',
  'policy',
  'marketing',
  'solutions'],
 ['contentdetroit',
  'misubscribenews',
  'feedneighbor',
  'postslocal',
  'newsgrosse',
  'pointe',
  'newsferndale',
  'newswyandotte',
  'newshuntington',
  'woods',
  'berkley',
  'newsroyal',
  'oak',
  'newsst',
  'clair',
  'shores',
  'newstrenton',
  'grosse',
  'ile',
  'newsclawson',
  'newsbirmingham',
  'newslocal',
  'newscommunity',
  'cornercrime',
  'safetypolitics',
  'governmentschoolstraffic',
  'transitobituariespersonal',
  'financebest',
  'ofseasonal',
  'holidaysweatherarts',
  'entertainmentbusinesshealth',
  'wellnesshome',
  'gardensportstravelkids',
  'familypetsrestaurants',
  'barslocalstreamneighbor',
  'postslocal',
  'businesseseventsreal',
  'estatereal',
  'estate',
  'listingsreal',
  'estate',
  'newssee',
  'communitiesdearborn',
  'migrosse',
  'pointe',
  'miferndale',
  'miwyandotte',
  'mihuntington',
  'woods',
  'berkley',
  'miroyal',
  'oak',
  'mist',
  'clair',
  'shores',
  'mitrenton',
  'grosse',
  'ile',
  'miclawson',
  'mibirmingham',
  'mistate',
  'editionmichigannational',
  'editiontop',
  'national',
  'newssee',
  'communities1weatherwhat',
  'winter',
  'storms',
  'hits',
  'michigan',
  'midwest',
  'winter',
  'couple',
  'day',
  'southeastern',
  'michigan',
  'lakeshore',
  'flood',
  'warning',
  'mix',
  'sleet',
  'way',
  'jessica',
  'strachan',
  'patch',
  'staffposted',
  'd',
  'apr',
  'etreply',
  '1)a',
  'winter',
  'storm',
  'springtime',
  'midwest',
  'michigan',
  'image',
  'shutterstock)michigan',
  'old',
  'man',
  'winter',
  'return',
  'spring',
  'million',
  'americans',
  'michiganders',
  'metro',
  'detroiters',
  'resident',
  'colorado',
  'nebraska',
  'dakotas',
  'wyoming',
  'iowa',
  'kansas',
  'blizzard',
  'warning',
  'wednesday',
  'night',
  'hurricane',
  'force',
  'wind',
  'snow',
  'squall',
  'michigan',
  'winter',
  'storm',
  'region',
  'mix',
  'state',
  'thursday',
  'night',
  'snow',
  'mix',
  'rain',
  'detroitwith',
  'time',
  'update',
  'patch',
  'subscribearound',
  'southeastern',
  'michigan',
  'lakeshore',
  'flood',
  'advisory',
  'hazardous',
  'weather',
  'outlook',
  'east',
  'wind',
  'wednesday',
  'night',
  'flow',
  'highwave',
  'action',
  'lakeshore',
  'flooding',
  'concern',
  'lakeshoreflood',
  'advisory',
  'wayne',
  'monroe',
  'county',
  'national',
  'weather',
  'service',
  'metro',
  'detroit',
  'forecaster',
  'ground',
  'temp',
  'snow',
  'mix',
  'sleet',
  'road',
  'condition',
  'storm',
  'detroitwith',
  'time',
  'update',
  'patch',
  'subscribehere',
  'look',
  'rest',
  'forecast',
  'week',
  'wind',
  'mph',
  'wednesday',
  'nighta',
  'chance',
  'rain',
  'pm',
  'snow',
  'wind',
  'mph',
  'chance',
  'precipitation',
  '%',
  'chance',
  'rain',
  'breezy',
  'wind',
  'mph',
  'gust',
  'mph',
  'chance',
  'precipitation',
  'nightrain',
  'wind',
  'mph',
  'gust',
  'mph',
  'chance',
  'precipitation',
  '%',
  'precipitation',
  'tenth',
  'inch',
  'fridayrain',
  'pm',
  'breezy',
  'southwest',
  'wind',
  'mph',
  'gust',
  'mph',
  'chance',
  'precipitation',
  '%',
  'precipitation',
  'quarter',
  'inch',
  'friday',
  'breezy',
  'saturday',
  'sunday',
  'nightrain',
  'info',
  'weather.gov',
  'news',
  'inbox',
  'sign',
  'patch',
  'newsletter',
  'alert',
  'thankreply',
  'winter',
  'storms',
  'hits',
  'michigan',
  'midwest',
  'rule',
  'space',
  'discussion',
  'language',
  'claim',
  'reply',
  'topic',
  'patch',
  'community',
  'guidelines',
  'reply',
  'articlereplyreplie',
  'k',
  'power',
  'metro',
  'detroit',
  'thunderstorm',
  'dtepolitics',
  'government',
  '15hdetroit',
  'city',
  'council',
  'renaming',
  'hart',
  'plaza',
  'downtownweather',
  '16htornadoes',
  'flooding',
  'hail',
  'metro',
  'detroit',
  'wednesdayfeatured',
  'eventsjul',
  'freshmen',
  'night',
  'harmony',
  'music+',
  'eventfeatured',
  'classifieds+',
  'news',
  'nearbydetroit',
  'mi',
  'newsnearly',
  'k',
  'power',
  'metro',
  'detroit',
  'thunderstorm',
  'dtefarmington',
  'farmington',
  'hills',
  'mi',
  'urologist',
  'assault',
  'charge',
  'youth',
  'hockey',
  'physicalsdetroit',
  'mi',
  'news5',
  'detroit',
  'area',
  'open',
  'houses',
  'detroit',
  'mi',
  'newsdetroit',
  'area',
  'pets',
  'adoption',
  'dogs',
  'cats',
  'moredetroit',
  'mi',
  'newsdetroit',
  'city',
  'council',
  'renaming',
  'hart',
  'plaza',
  'downtown',
  'yourcommunity',
  'patch',
  'appcorporate',
  'infoabout',
  'patchcareerspartnershipsadvertise',
  'patchsupportfaqscontact',
  'patchcommunity',
  'guidelinesposting',
  'instructionsterms',
  'useprivacy',
  'policy',
  'patch',
  'media',
  'rights'],
 ['localbusinessinvestigationsopinionlifefoodsportsobituariesclassifiedslegal',
  'noticesepaper80',
  '°',
  'xnewsall',
  'newsohio',
  'newsnation',
  'worldelectionslocalall',
  'localgraduationcrimelocal',
  'school',
  'newsweathertrafficdaily',
  'law',
  'journallegal',
  'noticesmontgomery',
  'county',
  'newsgreene',
  'county',
  'newswarren',
  'county',
  'newsmore',
  'communitiescommunity',
  'businessinvestigationspath',
  'forwardopinionlifeall',
  'lifestylesin',
  'primethings',
  'dobest',
  'daytondayton',
  'pet',
  'contestcelebrationsworship',
  'guidedayton.compuzzles',
  'gameslatest',
  'videoslatest',
  'photoshomesplusfoodsportsall',
  'sportshigh',
  'schoolstom',
  'archdeaconud',
  'flyerswsu',
  'raidersosu',
  'buckeyesdayton',
  'dragonscincinnati',
  'bengalscincinnati',
  'redscleveland',
  'brownslatest',
  'scoresobituariesclassifiedsfind',
  'jobcars',
  'salelegal',
  'noticesnewspaper',
  'archivesdigital',
  'teacher',
  'accessnewslettersnewspaper',
  'archivescustomer',
  'servicecontact',
  'dayton',
  'daily',
  'newsour',
  'productsfeedbackfaqsdigital',
  'help',
  'centerwork',
  'heremarketplaceclassifiedsjobscars',
  'notice',
  'dayton',
  'daily',
  'news',
  'rights',
  'website',
  'term',
  'term',
  'use',
  'privacy',
  'policy',
  'ccpa',
  'option',
  'ad',
  'choices',
  'careers',
  'cox',
  'enterprises.5',
  'storm',
  'ohio',
  'history',
  'storiescredit',
  'daytondailynewslocal',
  'newsby',
  'laurel',
  'pfahlermay',
  'tornado',
  'ohio',
  'event',
  'f4',
  'fujita',
  'scale',
  'damage',
  'wind',
  'speed',
  'mph',
  'summer',
  'tornado',
  'storm',
  'air',
  'history',
  'spring',
  'look',
  'tornado',
  'ohio',
  'history',
  'exploremore',
  'popular',
  'story',
  'ohio',
  'city',
  'reasons1',
  'april',
  'destruction',
  'date',
  'tornado',
  'f5',
  'strength',
  'storm',
  'greene',
  'clark',
  'hamilton',
  'county',
  'death',
  'injury',
  'property',
  'damage',
  'f5',
  'tornado',
  'xenia',
  'wind',
  'mph',
  'national',
  'weather',
  'service',
  'storm',
  'survey',
  'city',
  'city',
  'structure',
  'xenia',
  'people',
  'hospital',
  'people',
  '”after',
  'ravaging',
  'xenia',
  'tornado',
  'greene',
  'county',
  'clark',
  'county',
  'f5',
  'tornado',
  'sayler',
  'park',
  'west',
  'cincinnati',
  'p.m.',
  'people',
  'home',
  'foundation',
  'exploremore',
  'popular',
  'story',
  'fact',
  'ohio',
  'history2',
  'april',
  'wind',
  'temperature',
  'shift',
  'tornado',
  'hour',
  'time',
  'period',
  'damage',
  'national',
  'weather',
  'service',
  'storm',
  'survey',
  'f5',
  'tornado',
  'scioto',
  'lawrence',
  'gallia',
  'county',
  'p.m.',
  'damage',
  'portsmouth',
  'people',
  'size',
  'baseball',
  'vicinity',
  'tornado',
  'reported.3',
  'tornado',
  'ohio',
  'day',
  'f5',
  'tornado',
  'portage',
  'trumbull',
  'county',
  'property',
  'damage',
  'storm',
  'p.m.',
  'portage',
  'mahoning',
  'river',
  'trumbull',
  'steam',
  'people',
  'tornado',
  'f5',
  'exploremore',
  'popular',
  'stories',
  'band',
  'performer',
  'southwest',
  'ohio4',
  'april',
  'palm',
  'sunday',
  'tornado',
  'national',
  'severe',
  'storms',
  'laboratory',
  'outbreak',
  'tornado',
  'state',
  'iowa',
  'wisconsin',
  'illinois',
  'indiana',
  'michigan',
  'ohio',
  'time',
  'day',
  'tornado',
  'disaster',
  'history',
  'datum',
  'death',
  'people',
  'american',
  'red',
  'cross',
  'ohio',
  'tornado',
  'april',
  'midnight',
  'april',
  'hour',
  'period',
  'property',
  'damage',
  'f4',
  'tornado',
  'lucas',
  'lorain',
  'county',
  'p.m.',
  'people',
  'june',
  '1953a',
  'swath',
  'thunderstorm',
  'ohio',
  'tornado',
  'hour',
  'f4',
  'tornado',
  'henry',
  'wood',
  'sandusky',
  'erie',
  'lorain',
  'cuyahoga',
  'county',
  'people',
  'damage',
  'estimate',
  'range',
  'crop',
  'damage',
  'property',
  'damage',
  'cleveland',
  'plain',
  'dealer',
  'cuyahoga',
  'storm',
  'injury',
  'death',
  'f4',
  'swell',
  'p.m.',
  'aftermath',
  'ohio',
  'national',
  'guard',
  'troop',
  'cleveland',
  'looting',
  'home',
  'news1',
  'wall',
  'heals',
  'vietnam',
  'war',
  'veteran',
  'today',
  '2youth',
  'police',
  'summer',
  'camp3prosecutor',
  'man',
  'woman',
  'eye',
  'day',
  'prison',
  'release4',
  'community',
  'gem',
  'creek',
  'founder',
  'year',
  'community',
  'gem',
  'ken',
  'clarkston',
  'minister',
  'city',
  'dayton',
  'authorlaurel',
  'pfahler',
  'dayton',
  'daily',
  'news',
  'rights',
  'website',
  'term',
  'term',
  'use',
  'privacy',
  'policy',
  'ccpa',
  'option',
  'ad',
  'choices',
  'careers',
  'cox',
  'enterprises',
  'newslocalobituariesweatherohio',
  'lotterynie',
  'teacher',
  'accessnewslettersnewspaper',
  'archivescustomer',
  'servicecontact',
  'dayton',
  'daily',
  'newsour',
  'productsfeedbackfaqsdigital',
  'help',
  'centerwork',
  'heremarketplaceclassifiedsjobscars',
  'noticessubscribesubscribe',
  'nowmanage',
  'subscriptionyour',
  'profile',
  'dayton',
  'daily',
  'news',
  'rights',
  'website',
  'term',
  'term',
  'use',
  'privacy',
  'policy',
  'ccpa',
  'option',
  'ad',
  'choices',
  'careers',
  'cox',
  'enterprises'],
 ['hunter',
  'biden',
  'plea',
  'deal',
  'ufo',
  'takeaway',
  'whistleblower',
  'congress',
  'uap',
  'sinéad',
  "o'connor",
  'grammy',
  'singer',
  'netherlands',
  'u.s.',
  'draw',
  'rematch',
  'world',
  'cup',
  'federal',
  'reserve',
  'interest',
  'rate',
  'level',
  'year',
  'niger',
  'president',
  'guard',
  'coup',
  'ohio',
  'officer',
  'k-9',
  'man',
  'hand',
  'story',
  'tic',
  'tac',
  'ufo',
  'vermont',
  'flooding',
  'railroad',
  'track',
  'mid',
  '-',
  'air',
  'gorge',
  'july',
  'cbs',
  'news',
  'vermont',
  'town',
  'floodwater',
  'vermont',
  'town',
  'water',
  'record',
  'flood',
  'flooding',
  'vermont',
  'day',
  'storm',
  'sunday',
  'town',
  'knee',
  'water',
  'case',
  'railroad',
  'track',
  'mid',
  '-',
  'air',
  'footage',
  'railroad',
  'track',
  'sky',
  'connection',
  'ground',
  'gorge',
  'tree',
  'middle',
  'railroad',
  'track',
  'ludlow',
  'vt',
  '@weatherchannel',
  '@accuweather',
  '@wcvb',
  '@nwsburlington',
  '@abc',
  '@foxweather',
  'pic.twitter.com/ss0ceduw5u',
  'henry',
  'swenson',
  '@henryswenson',
  'july',
  'railroad',
  'ludlow',
  'vermont',
  'half',
  'inch',
  'rain',
  'july',
  'total',
  'national',
  'weather',
  'service',
  'town',
  'damage',
  'storm',
  'week',
  'municipal',
  'manager',
  'brendan',
  'mcnamara',
  'people',
  'burden',
  'piece',
  'brunt',
  'storm',
  'spokesperson',
  'vermont',
  'rail',
  'system',
  'cbs',
  'news',
  'video',
  'washout',
  'green',
  'mountain',
  'railroad',
  'railroad',
  'freight',
  'line',
  'rutland',
  'bellows',
  'falls',
  'operation',
  'line',
  'vermont',
  'track',
  'inspection',
  'repair',
  'rail',
  'freight',
  'service',
  'customer',
  'community',
  'vermont',
  'spokesperson',
  'rail',
  'system',
  'damage',
  'ludlow',
  'boil',
  'water',
  'notice',
  'official',
  'resident',
  'water',
  'people',
  'today',
  'house',
  'loss',
  'life',
  'mcnamara',
  'ludlow',
  'people',
  'care',
  'storm',
  'floodwater',
  'area',
  'vehicle',
  'home',
  'rain',
  'national',
  'weather',
  'service',
  'burlington',
  'floodwater',
  'round',
  'shower',
  'thunderstorm',
  'thursday',
  'friday',
  'storm',
  'inch',
  'rain',
  'service',
  'threat',
  'flooding',
  'floodwater',
  'today',
  'condition',
  'round',
  'shower',
  'thunderstorm',
  'thursday',
  'friday',
  'rainfall',
  'excess',
  'threat',
  'flooding',
  'pic.twitter.com/qnbmzn706',
  'nws',
  'burlington',
  '@nwsburlington',
  'july',
  'ufo',
  'takeaway',
  'whistleblower',
  'congress',
  'uap',
  'hunter',
  'biden',
  'plea',
  'deal',
  'story',
  'tic',
  'tac',
  'ufo',
  'sighting',
  'hammerhead',
  'worm',
  'li',
  'cohen',
  'media',
  'producer',
  'content',
  'writer',
  'cbs',
  'news',
  'july',
  'cbs',
  'interactive',
  'inc.',
  'rights',
  'thank',
  'cbs',
  'news',
  'account',
  'feature',
  'email',
  'address',
  'email',
  'address',
  'flooding',
  'water',
  'rescue',
  'chester',
  'county',
  'storm',
  'fema',
  'crew',
  'flooding',
  'damage',
  'austin',
  'week',
  'storm',
  'vermont',
  'phish',
  'flood',
  'recovery',
  'effort',
  'official',
  'damage',
  'flooding',
  'month',
  'west',
  'resident',
  'help',
  'copyright',
  'cbs',
  'interactive',
  'inc.',
  'right',
  'privacy',
  'policy',
  'california',
  'notice',
  'personal',
  'information',
  'terms',
  'use',
  'advertise',
  'captioning',
  'cbs',
  'news',
  'paramount+',
  'cbs',
  'news',
  'store',
  'site',
  'map',
  'contact',
  'browser',
  'notification',
  'news',
  'event',
  'reporting'],
 ['contentminneapoli',
  'mnsubscribenews',
  'feedneighbor',
  'postslocal',
  'minneapolis',
  'newsgolden',
  'valley',
  'newsst',
  'louis',
  'park',
  'newsroseville',
  'newsrichfield',
  'newsfridley',
  'newsedina',
  'newshopkins',
  'newssaint',
  'paul',
  'newsmendota',
  'heights',
  'newslocal',
  'newscommunity',
  'cornercrime',
  'safetypolitics',
  'governmentschoolstraffic',
  'transitobituariespersonal',
  'financebest',
  'ofseasonal',
  'holidaysweatherarts',
  'entertainmentbusinesshealth',
  'wellnesshome',
  'gardensportstravelkids',
  'familypetsrestaurants',
  'barslocalstreamneighbor',
  'postslocal',
  'businesseseventsreal',
  'estatereal',
  'estate',
  'listingsreal',
  'estate',
  'newssee',
  'communitiessouthwest',
  'minneapolis',
  'mngolden',
  'valley',
  'mnst',
  'louis',
  'park',
  'mnroseville',
  'mnrichfield',
  'mnfridley',
  'mnedina',
  'mnhopkins',
  'mnsaint',
  'paul',
  'mnmendota',
  'heights',
  'mnstate',
  'editionminnesotanational',
  'editiontop',
  'national',
  'newssee',
  'inch',
  'snow',
  'winter',
  'storm',
  'mn',
  'weatheryet',
  'winter',
  'storm',
  'twin',
  'cities',
  'metro',
  'area',
  'snow',
  'week',
  'william',
  'bornhoft',
  'patch',
  'staffposted',
  'tue',
  'mar',
  'tue',
  'mar',
  'ctreply',
  'week',
  'winter',
  'storm',
  'impact',
  'region',
  'form',
  'rain',
  'snow',
  'national',
  'weather',
  'service',
  'national',
  'weather',
  'service)minneapolis',
  'inch',
  'snow',
  'snowstorm',
  'way',
  'resident',
  'twin',
  'cities',
  'rain',
  'thursday',
  'precipitation',
  'snow',
  'evening',
  'snow',
  'friday',
  'morning',
  'commute',
  'work',
  'forecast',
  'minneapolis',
  'st.',
  'paul',
  'airport',
  'inch',
  'snowfall',
  'season',
  'metro',
  'winter',
  'record',
  'minneapoliswith',
  'time',
  'update',
  'patch',
  'tuesday',
  'day',
  'twin',
  'cities',
  'inch',
  'snow',
  'ground',
  'minnesotans',
  'grass',
  'nov.',
  'snowfall',
  'forecast',
  'region',
  'minneapoliswith',
  'time',
  'update',
  'patch',
  'subscribenational',
  'weather',
  'service',
  'nws',
  'forecast',
  'minneapolis',
  'st.',
  'paul',
  'airport',
  'tuesday',
  'wind',
  'mph',
  'tuesday',
  'night',
  'wind',
  'mph',
  'gust',
  'mph',
  'wednesday',
  'cloud',
  'wind',
  'mph',
  'gust',
  'mph',
  'wednesday',
  'night',
  'percent',
  'chance',
  'rain',
  'wind',
  'mph',
  'thursday',
  'rain',
  'snow',
  'pm',
  'snow',
  'rain',
  'pm',
  'temperature',
  'pm',
  'breezy',
  'north',
  'wind',
  'mph',
  'mph',
  'afternoon',
  'wind',
  'mph',
  'chance',
  'precipitation',
  '%',
  'snow',
  'accumulation',
  'inch',
  'thursday',
  'night',
  'snow',
  'snow',
  'windy',
  'northwest',
  'wind',
  'mph',
  'gust',
  'mph',
  'chance',
  'precipitation',
  '%',
  'snow',
  'accumulation',
  'inch',
  'friday',
  'percent',
  'chance',
  'snow',
  'area',
  'snow',
  'blustery',
  'northwest',
  'wind',
  'mph',
  'gust',
  'mph',
  'friday',
  'night',
  'percent',
  'chance',
  'snow',
  'blustery',
  'northwest',
  'wind',
  'mph',
  'gust',
  'mph',
  'saturday',
  'percent',
  'chance',
  'snow',
  'pm',
  'mph',
  'gust',
  'mph',
  'saturday',
  'night',
  'wind',
  'mph',
  'sunday',
  'wind',
  'mph',
  'sunday',
  'night',
  'mph',
  'monday',
  'wind',
  'mph',
  'news',
  'inbox',
  'sign',
  'patch',
  'newsletter',
  'alert',
  'thankreply',
  'inch',
  'snow',
  'winter',
  'storm',
  'mn',
  'weatherthe',
  'rule',
  'space',
  'discussion',
  'language',
  'claim',
  'reply',
  'topic',
  'patch',
  'community',
  'guidelines',
  'reply',
  'articlereplyreplie',
  'minneapoliscrime',
  'safety',
  '6h7',
  'year',
  'old',
  'girl',
  'year',
  'old',
  'boy',
  'shot',
  'minneapolis',
  'wednesdaycrime',
  'safety',
  '11hviolent',
  'crime',
  'twin',
  'cities',
  'metro',
  'police',
  'data',
  'showsweather',
  '15hheat',
  'advisory',
  'twin',
  'cities',
  'metro',
  'mn',
  'weatherfeatured',
  'events+',
  'eventfeatured',
  'classifieds+',
  'news',
  'nearbyminneapolis',
  'mn',
  'year',
  'old',
  'girl',
  'year',
  'old',
  'boy',
  'shot',
  'minneapolis',
  'wednesdayminneapolis',
  'mn',
  'newsviolent',
  'crime',
  'twin',
  'cities',
  'metro',
  'police',
  'data',
  'showssouthwest',
  'minneapolis',
  'mn',
  'newsrep',
  'ilhan',
  'omar',
  'bill',
  'minimum',
  'wage',
  'mn',
  'news5',
  'houses',
  'minneapolis',
  'areaminneapolis',
  'mn',
  'newsadorable',
  'pets',
  'week',
  'minneapolis',
  'area',
  'sheltersbest',
  'minneapolisminneapolis',
  'schoolssome',
  'mn',
  'schools',
  'use',
  'classroom',
  'play',
  'gun',
  'violence',
  'bullyingminneapolis',
  'seasonal',
  'holidaysjuly',
  'monday',
  'firework',
  'minnesota',
  'yourcommunity',
  'patch',
  'appcorporate',
  'infoabout',
  'patchcareerspartnershipsadvertise',
  'patchsupportfaqscontact',
  'patchcommunity',
  'guidelinesposting',
  'instructionsterms',
  'useprivacy',
  'policy',
  'patch',
  'media',
  'rights'],
 ['eye',
  'nw',
  'politics',
  'pride',
  'pride',
  'month',
  'oregon',
  'washington',
  'crime',
  'national',
  'special',
  'reports',
  'entertainment',
  'positive',
  'vibe',
  'northwest',
  'washington',
  'dc',
  'politics',
  'hill',
  'bestreviews',
  'bestreviews',
  'daily',
  'deals',
  'automotive',
  'news',
  'press',
  'releases',
  'hiker',
  'remain',
  'campsite',
  'millipede',
  'specie',
  'leg',
  'ppb',
  'woman',
  'shooting',
  'suspect',
  'superintendent',
  'air',
  'quality',
  'weather',
  'alerts',
  'closings',
  'delays',
  'weather',
  'radar',
  'pet',
  'walk',
  'forecast',
  'weather',
  'photos',
  'oregon',
  'washington',
  'weather',
  'webcams',
  'eye',
  'climate',
  'earthquake',
  'ski',
  'conditions',
  'koin',
  'weather',
  'kids',
  'traffic',
  'traffic',
  'cams',
  'koin',
  'newscasts',
  'koin',
  'stream',
  'event',
  'cbsn',
  'cbs',
  'tv',
  'listing',
  'monday',
  'mayor',
  'monday',
  'tech',
  'tuesday',
  'wallet',
  'wednesday',
  'foodie',
  'friday',
  'portland',
  'cw',
  'guest',
  'everyday',
  'northwest',
  'everyday',
  'northwest',
  'entertainment',
  'everyday',
  'northwest',
  'event',
  'everyday',
  'northwest',
  'family',
  'everyday',
  'northwest',
  'fashion',
  'beauty',
  'everyday',
  'northwest',
  'guest',
  'everyday',
  'northwest',
  'health',
  'wellness',
  'everyday',
  'northwest',
  'home',
  'garden',
  'everyday',
  'northwest',
  'local',
  'business',
  'spotlight',
  'portland',
  'cw',
  'kids',
  'oregon',
  'pride',
  'pride',
  'month',
  'boys',
  'girls',
  'clubs',
  'portland',
  'union',
  'gospel',
  'mission',
  'sunshine',
  'division',
  'contests',
  'local',
  'eye',
  'northwest',
  'solve',
  'events',
  'portland',
  'cw',
  'meet',
  'team',
  'regional',
  'news',
  'partners',
  'work',
  'advertise',
  'contact',
  'koin',
  'news',
  'mobile',
  'apps',
  'newsletters',
  'koin',
  'text',
  'alert',
  'koin',
  'krcw',
  'eeo',
  'public',
  'file',
  'report',
  'bestreviews',
  'job',
  'post',
  'job',
  'work',
  'official',
  'landslide',
  'flooding',
  'storm',
  'pm',
  'pdt',
  'pm',
  'pdt',
  'pm',
  'pdt',
  'pm',
  'pdt',
  'portland',
  'ore.',
  'koin',
  'columbia',
  'river',
  'gorge',
  'southwest',
  'washington',
  'rainfall',
  'monday',
  'evening',
  'official',
  'risk',
  'landslide',
  'flooding',
  'storm',
  'power',
  'outage',
  'area',
  'cause',
  'concern',
  'site',
  'wildfire',
  'spring',
  'thunderstorm',
  'region',
  'rainfall',
  'landslide',
  'flood',
  'risk',
  'burn',
  'scar',
  'pellet',
  'gun',
  'attack',
  'trimet',
  'bus',
  'window',
  'st.',
  'johns',
  'risk',
  'flooding',
  'debris',
  'fire',
  'vegetation',
  'loss',
  'exposure',
  'soil',
  'bill',
  'burns',
  'oregon',
  'dept',
  '.',
  'geology',
  'mineral',
  'industries',
  'related',
  'content',
  'landslide',
  'mount',
  'st.',
  'helens',
  'southwest',
  'washington',
  'woodland',
  'battle',
  'ground',
  'lightning',
  'power',
  'outage',
  'result',
  'thunderstorm',
  'fire',
  'area',
  'clark',
  'county',
  'nakia',
  'creek',
  'fire',
  'fall',
  'terrain',
  'storm',
  'risk',
  'landslide',
  'columbia',
  'river',
  'gorge',
  'thunderstorm',
  'area',
  'site',
  'eagle',
  'creek',
  'fire',
  'mind',
  'official',
  'fire',
  'area',
  'cascades',
  'river',
  'highway',
  'burns',
  'corridor',
  'corridor',
  'geologist',
  'emergency',
  'management',
  'debris',
  'flow',
  'landslide',
  'boulder',
  'log',
  'mile',
  'mouth',
  'canyon',
  'risk',
  'risk',
  'burns',
  'land',
  'rain',
  'winter',
  'rain',
  'kind',
  'emergency',
  'event',
  'landslide',
  'burst',
  'rainfall',
  'thunderstorm',
  'river',
  'soil',
  'rain',
  'burns',
  'official',
  'area',
  'risk',
  'landslide',
  'flooding',
  'alert',
  'week',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'amazon',
  'school',
  'deal',
  'schooler',
  'school',
  'corner',
  'amazon',
  'supply',
  'school',
  'deal',
  'supply',
  'schooler',
  'august',
  'vegetable',
  'flower',
  'flower',
  'plant',
  'hour',
  'soil',
  'air',
  'temperature',
  'sunshine',
  'august',
  'month',
  'planting',
  'chemical',
  'guys',
  'kit',
  'car',
  'car',
  'care',
  'hour',
  'chemical',
  'guys',
  'car',
  'wash',
  'kit',
  'time',
  'deal',
  'hiker',
  'remain',
  'campsite',
  'ppb',
  'woman',
  'shooting',
  'suspect',
  'superintendent',
  'portland',
  'pride',
  'parade',
  'festival',
  'police',
  'timeline',
  'legacy',
  'good',
  'sam',
  'bluffing',
  'putin',
  'deployment',
  'nuclear',
  'elon',
  'musk',
  'tweet',
  'x',
  '’',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'taiwan',
  'school',
  'office',
  'typhoon',
  'bomb',
  'threat',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'stock',
  'market',
  'today',
  'share',
  'federal',
  'russia',
  'un',
  'meeting',
  'oregon',
  'beachcomber',
  'idaho',
  'woman',
  'northwest',
  'grown',
  'microgreen',
  'food',
  'portland',
  'police',
  'release',
  'timeline',
  'legacy',
  'good',
  'samaritan',
  'report',
  'portland',
  'contractor',
  'boardup',
  'witness',
  'officer',
  'contractor',
  'vendor',
  'st.',
  'jude',
  'dream',
  'home',
  'kid',
  'oregon',
  'episode',
  'mental',
  'health',
  'witness',
  'officer',
  'kid',
  'oregon',
  'episode',
  'mental',
  'health',
  'portland',
  'commission',
  'salary',
  'change',
  'argay',
  'terrace',
  'robbery',
  'hostage',
  'suspect',
  'report',
  'portlanders',
  'board',
  'portland',
  'k',
  'suit',
  'protester',
  'witness',
  'washco',
  'detail',
  'incident',
  'moment',
  'mcconnell',
  'question',
  'gop',
  'planned',
  'parenthood',
  'idahoans',
  'wa',
  'abortion',
  'man',
  'photo',
  'teen',
  'microgreens',
  'food',
  'medicine',
  'ufo',
  'whistleblower',
  'claim',
  'hiker',
  'remain',
  'campsite',
  'wcso',
  'deputy',
  'portlander',
  'trafficking',
  'ring',
  'police',
  'timeline',
  'legacy',
  'good',
  'sam',
  'report',
  'portlanders',
  'board',
  'gift',
  'summer',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'home',
  'depot',
  'foot',
  'skeleton',
  'halloween',
  'deal',
  'day',
  'prime',
  'day',
  'favorite',
  'portland',
  'vancouver',
  'area',
  'news',
  'weather',
  'story',
  'oregon',
  'southwest',
  'washington',
  'place',
  'koin',
  'fcc',
  'public',
  'file',
  'krcw',
  'fcc',
  'public',
  'file',
  'koin',
  'fcc',
  'eeo',
  'report',
  'krcw',
  'fcc',
  'eeo',
  'nexstar',
  'cc',
  'certification',
  'contact',
  'advertise',
  'android',
  'app',
  'google',
  'play',
  'android',
  'weather',
  'app',
  'google',
  'play',
  'personal',
  'information',
  'personal',
  'information',
  'nexstar',
  'media',
  'inc.',
  'rights'],
 ['changeshomeparentingfoodsustainable',
  'livingzero',
  'wastehealth',
  'wellnessstylepetsall',
  'small',
  'impactnewspolitics',
  'policycommunityrenewablesclean',
  'energy',
  'news',
  'solutions',
  'technologyweather',
  'global',
  'warmingall',
  'big',
  'impactclimate',
  'actionenvironmental',
  'leadersenvironmental',
  'justicegreen',
  'influencersall',
  'climate',
  'green',
  'green',
  'routineall',
  'green',
  'earth',
  'daypast',
  'forward',
  'earth',
  'day',
  'earth',
  'daylink',
  'facebooklink',
  'instagramlink',
  'twitterlink',
  'email',
  'subscribetogglesmall',
  'changeshomeparentingfoodsustainable',
  'livingzero',
  'wastehealth',
  'wellnessstylepetsall',
  'small',
  'impactnewspolitics',
  'policycommunityrenewablesclean',
  'energy',
  'news',
  'solutions',
  'technologyweather',
  'global',
  'warmingall',
  'big',
  'impactclimate',
  'actionenvironmental',
  'leadersenvironmental',
  'justicegreen',
  'influencersall',
  'climate',
  'green',
  'green',
  'routineall',
  'green',
  'earth',
  'daypast',
  'forward',
  'earth',
  'day',
  'earth',
  'daylink',
  'facebooklink',
  'instagramlink',
  'email',
  'subscribehome',
  'big',
  'impact',
  'weather',
  'global',
  'warmingkona',
  'low',
  'weather',
  'system',
  'result',
  'widespread',
  'damage',
  'hawaii',
  'winter',
  'storm',
  'kona',
  'low',
  'storm',
  'system',
  'hawaii',
  'big',
  'island',
  'tuesday',
  'dec.',
  'damage',
  'outage',
  'lizzy',
  'rosenbergdec',
  'p.m.',
  'etsource',
  'getty',
  'imagesmonday',
  'dec.',
  'storm',
  'state',
  'hawaii',
  'neighborhood',
  'state',
  'mess',
  'day',
  'tree',
  'middle',
  'road',
  'street',
  'family',
  'power',
  'island',
  'hawaii',
  'island',
  'big',
  'island',
  'recovery',
  'effort',
  'big',
  'island',
  'storm',
  'damage',
  'like?article',
  'advertisement"due',
  'rain',
  'wind',
  'event',
  'department',
  'water',
  'supply',
  'maui',
  'island',
  'water',
  'conservation',
  'request',
  'hour',
  'power',
  'outage',
  'power',
  'line',
  'tree',
  'line',
  'break',
  'recovery',
  'effort',
  'flooding',
  'debris',
  'intake',
  'water',
  'treatment',
  'facility',
  'flow',
  'announcement',
  'maui',
  'county',
  'department',
  'water',
  'supply',
  'resident',
  'visitor',
  'water',
  'announcement',
  'time',
  'damage',
  'water',
  'treatment',
  'facility',
  'water',
  'storage',
  'level',
  'demand',
  'hour',
  '"article',
  'advertisementsource',
  'getty',
  'storm',
  'hawaii',
  'result',
  'damage',
  'big',
  'island',
  'winter',
  'weather',
  'december',
  'kona',
  'weather',
  'system',
  'way',
  'northwest',
  'wind',
  'rain',
  'surf',
  'hail',
  'thunderstorm',
  'abc',
  'news',
  'tree',
  'branch',
  'power',
  'line',
  'power',
  'outage',
  'wailuku',
  'courthouse',
  'hearing',
  'trial',
  'resident',
  'power',
  'article',
  'advertisementsoccer',
  'field',
  'park',
  'structure',
  'highway',
  'water',
  'debris',
  'mess',
  'airport',
  'range',
  'cancellation',
  'flight',
  'snow',
  'mauna',
  'kea',
  'mauna',
  'loa',
  'time',
  'week',
  'decade',
  'snow',
  'elevation',
  'snow',
  'anomaly',
  'hawaii',
  'type',
  'storm',
  'national',
  'weather',
  'service',
  'meteorologist',
  'scott',
  'rozanski',
  'abc',
  'news',
  'record',
  'resident',
  'surprise',
  'hawaiʻi',
  'county',
  'damage',
  'assessment',
  'survey',
  'storm',
  'county',
  'damage',
  'assessor',
  'storm',
  'damage',
  'big',
  'island',
  'article',
  'weather',
  'climate',
  'change',
  'hawaii',
  'island',
  'middle',
  'pacific',
  'ocean',
  'state',
  'effect',
  'warming',
  'flood',
  'water',
  'level',
  'island',
  'weather',
  'kona',
  'weather',
  'system',
  'surprise',
  'hawaii',
  'state',
  'climate',
  'emergency',
  'declaration',
  'warming',
  'crisis',
  'community',
  'battle',
  'temperature',
  'advertisementmore',
  'green',
  'mattershawaii',
  'state',
  'climate',
  'emergencytitanium',
  'dioxide',
  'short',
  'term',
  'solution',
  'cool',
  'urban',
  'heat',
  'islands',
  'land',
  'tropical',
  'storm',
  'wanda',
  'historylatest',
  'weather',
  'global',
  'warming',
  'news',
  'updatesadvertisementabout',
  'green',
  'mattersabout',
  'usprivacy',
  'policyterms',
  'usedmcasitemapconnect',
  'green',
  'matterslink',
  'facebooklink',
  'instagramcontact',
  'emailopt',
  'ad',
  'copyright',
  'green',
  'matter',
  'green',
  'matter',
  'trademark',
  'rights',
  'people',
  'compensation',
  'link',
  'product',
  'service',
  'website',
  'offer',
  'change',
  'notice'],
 ['browser',
  'experience',
  'chrome',
  'firefox',
  'edge',
  'safari',
  'place',
  'regions',
  'southwest',
  'va',
  'blue',
  'ridge',
  'highlands',
  'abingdon',
  'blacksburg',
  'bristol',
  'galax',
  'smyth',
  'central',
  'virginia',
  'appomattox',
  'charlottesville',
  'farmville',
  'lynchburg',
  'petersburg',
  'richmond',
  'wintergreen',
  'chesapeake',
  'bay',
  'white',
  'stone',
  'irvington',
  'urbanna',
  'kilmarnock',
  'tappahannock',
  'coastal',
  'va',
  'eastern',
  'shore',
  'cape',
  'charles',
  'chincoteague',
  'island',
  'onancock',
  'tangier',
  'island',
  'coastal',
  'va',
  'hampton',
  'roads',
  'hampton',
  'newport',
  'news',
  'norfolk',
  'portsmouth',
  'smithfield',
  'virginia',
  'beach',
  'williamsburg',
  'yorktown',
  'charles',
  'city',
  'county',
  'franklin',
  'southampton',
  'southern',
  'virginia',
  'danville',
  'martinsville',
  'south',
  'hill',
  'clarksville',
  'northern',
  'virginia',
  'alexandria',
  'arlington',
  'culpeper',
  'fairfax',
  'fredericksburg',
  'leesburg',
  'manassas',
  'middleburg',
  'falls',
  'church',
  'purcellville',
  'lovettsville',
  'shenandoah',
  'valley',
  'harrisonburg',
  'lexington',
  'luray',
  'staunton',
  'augusta',
  'waynesboro',
  'southwest',
  'va',
  'heart',
  'appalachia',
  'town',
  'tazewell',
  'big',
  'stone',
  'gap',
  'st.',
  'paul',
  'coeburn',
  'virginia',
  'mountains',
  'roanoke',
  'bath',
  'county',
  'cities',
  'towns',
  'trendy',
  'neighborhood',
  'guides',
  'town',
  'lovework',
  'scenic',
  'drives',
  'byways',
  'road',
  'trip',
  'byways',
  'scenic',
  'skyline',
  'drive',
  'blue',
  'ridge',
  'parkway',
  'motorcycle',
  'riding',
  'blue',
  'ridge',
  'parkway',
  'blue',
  'ridge',
  'parkway',
  'activities',
  'blue',
  'ridge',
  'parkway',
  'camping',
  'blue',
  'ridge',
  'parkway',
  'home',
  'virginia',
  'thing',
  'attraction',
  'theme',
  'parks',
  'water',
  'parks',
  'adventure',
  'parks',
  'ziplines',
  'zoos',
  'aquariums',
  'museums',
  'exhibits',
  'aerospace',
  'art',
  'children',
  'museums',
  'history',
  'military',
  'kind',
  'science',
  'natural',
  'history',
  'museums',
  'interactive',
  'museums',
  'kids',
  'lighthouses',
  'thing',
  'trails',
  'outdoors',
  'national',
  'parks',
  'shenandoah',
  'national',
  'park',
  'shenandoah',
  'national',
  'park',
  'hiking',
  'trails',
  'historic',
  'national',
  'parks',
  'monuments',
  'memorials',
  'state',
  'parks',
  'national',
  'forests',
  'recreation',
  'areas',
  'george',
  'washington',
  'jefferson',
  'national',
  'forests',
  'mount',
  'rogers',
  'national',
  'recreation',
  'area',
  'waterfalls',
  'caverns',
  'mountains',
  'parks',
  'gardens',
  'hiking',
  'bucket',
  'list',
  'hikes',
  'appalachian',
  'trail',
  'biking',
  'mountain',
  'biking',
  'rail',
  'trails',
  'horseback',
  'riding',
  'wildlife',
  'observation',
  'history',
  'heritage',
  'colonial',
  'williamsburg',
  'jamestown',
  'jamestown',
  'discovery',
  'trail',
  'black',
  'history',
  'black',
  'history',
  'attractions',
  'virginia',
  'freedom',
  'seekers',
  'richmond',
  'liberty',
  'trail',
  'historic',
  'homes',
  'american',
  'revolution',
  'civil',
  'war',
  'national',
  'battlefield',
  'parks',
  'thing',
  'kids',
  'cool',
  'places',
  'kids',
  'food',
  'drink',
  'breweries',
  'craft',
  'beer',
  'craft',
  'beer',
  'trails',
  'wineries',
  'wine',
  'tours',
  'wine',
  'trails',
  'distilleries',
  'cider',
  'restaurants',
  'virginia',
  'oysters',
  'oyster',
  'watermen',
  'tours',
  'regional',
  'oyster',
  'flavors',
  'local',
  'dining',
  'guides',
  'food',
  'drink',
  'tours',
  'farmers',
  'markets',
  'traditional',
  'virginia',
  'foods',
  'water',
  'activities',
  'beaches',
  'lakes',
  'smith',
  'mountain',
  'lake',
  'rivers',
  'swimming',
  'boating',
  'fishing',
  'water',
  'sports',
  'sports',
  'recreation',
  'baseball',
  'golf',
  'courses',
  'atv',
  'spearhead',
  'trails',
  'shooting',
  'winter',
  'sports',
  'arts',
  'entertainment',
  'artisans',
  'crafts',
  'artisan',
  'trails',
  'drive',
  'ins',
  'filmed',
  'virginia',
  'big',
  'stone',
  'gap',
  'cold',
  'mountain',
  'dirty',
  'dancing',
  'experience',
  'hamilton',
  'virginia',
  'harriet',
  'homeland',
  'john',
  'adams',
  'lincoln',
  'mercy',
  'street',
  'good',
  'lord',
  'bird',
  'dead',
  'world',
  'transformers',
  'revenge',
  'turn',
  'wonder',
  'woman',
  'dopesick',
  'swagger',
  'raymond',
  'ray',
  'music',
  'music',
  'venue',
  'crooked',
  'road',
  'community',
  'event',
  'legends',
  'luthiers',
  'fiddle',
  'makers',
  'today',
  'musicians',
  'nightlife',
  'performing',
  'arts',
  'theater',
  'shopping',
  'malls',
  'outlets',
  'spas',
  'wellness',
  'romance',
  'farms',
  'agriculture',
  'pick',
  'farms',
  'apple',
  'picking',
  'corn',
  'mazes',
  'pumpkin',
  'patches',
  'tree',
  'farms',
  'tours',
  'ghosts',
  'haunted',
  'tours',
  'event',
  'festival',
  'fairs',
  'summer',
  'festivals',
  'fall',
  'festival',
  'spring',
  'festivals',
  'virginia',
  'film',
  'festivals',
  'virginia',
  'state',
  'fair',
  'county',
  'fairs',
  'concerts',
  'live',
  'music',
  'music',
  'festivals',
  'history',
  'heritage',
  'events',
  'history',
  'events',
  'tours',
  'juneteenth',
  'virginia',
  'historic',
  'garden',
  'week',
  'national',
  'holiday',
  'observances',
  'valentine',
  'day',
  '4th',
  'july',
  'fireworks',
  'festivals',
  'parade',
  'halloween',
  'christmas',
  'holiday',
  'season',
  'light',
  'handmade',
  'holiday',
  'gifts',
  'christmas',
  'holiday',
  'events',
  'food',
  'event',
  'event',
  'event',
  'antique',
  'flea',
  'markets',
  'motorsports',
  'event',
  'nascar',
  'horse',
  'racing',
  'dressage',
  'polo',
  'shows',
  'workshops',
  'classes',
  'place',
  'hotels',
  'motels',
  'luxury',
  'resorts',
  'mountain',
  'resorts',
  'family',
  'friendly',
  'resorts',
  'golf',
  'resorts',
  'cottages',
  'cabins',
  'cozy',
  'cabin',
  'rentals',
  'bed',
  'breakfasts',
  'beach',
  'vacation',
  'rentals',
  'camping',
  'rv',
  'parks',
  'trip',
  'trip',
  'ideas',
  'virginia',
  'fast',
  'fact',
  'virginia',
  'state',
  'symbols',
  'seal',
  'emblems',
  'presidents',
  'famous',
  'athletes',
  'musicians',
  'historical',
  'virginians',
  'black',
  'virginians',
  'writers',
  'journalists',
  'artists',
  'entertainers',
  'educators',
  'inventors',
  'transportation',
  'amtrak',
  'virginia',
  'welcome',
  'centers',
  'international',
  'visitor',
  'canada',
  'visiteurs',
  'canadiens',
  'arts',
  'et',
  'culture',
  'cuisine',
  'locale',
  'golf',
  'lgbt',
  'magasinage',
  'micro',
  '-',
  'brasseries',
  'et',
  'cidreries',
  'artisanales',
  'musique',
  'parcs',
  'd’attraction',
  'plages',
  'route',
  'des',
  'huîtres',
  'routes',
  'de',
  'moto',
  'sites',
  'historiques',
  'sports',
  'et',
  'plein',
  'air',
  'vins',
  'et',
  'vignobles',
  'united',
  'kingdom',
  'germany',
  'france',
  'japan',
  'china',
  'india',
  'australia',
  'lgbtq+',
  'travel',
  'black',
  'travel',
  'virginia',
  'heart',
  'soul',
  'mike',
  'spurlock',
  'xavier',
  'duckett',
  'selah',
  'marie',
  'paris',
  'sutherlin',
  'matt',
  'harmon',
  'jarrell',
  'williams',
  'virginia',
  'black',
  'heritage',
  'trail',
  'central',
  'richmond',
  'rich',
  'black',
  'history',
  'charlottesville',
  'lot',
  'coastal',
  'hampton',
  'roads',
  'northern',
  'virginia',
  'history',
  'weekend',
  'fredericksburg',
  'virginia',
  'mountains',
  'shenandoah',
  'valley',
  'harrisonburg',
  'friendly',
  'city',
  'coastal',
  'chesapeake',
  'bay',
  'blue',
  'ridge',
  'highlands',
  'abingdon',
  'gateway',
  'southwest',
  'virginia',
  'green',
  'book',
  'virginia',
  'sustainable',
  'travel',
  'green',
  'attractions',
  'green',
  'wineries',
  'green',
  'events',
  'green',
  'breweries',
  'distilleries',
  'green',
  'lodging',
  'virginia',
  'green',
  'pet',
  'friendly',
  'travel',
  'seasons',
  'climate',
  'spring',
  'spring',
  'break',
  'summer',
  'fall',
  'apple',
  'picking',
  'corn',
  'mazes',
  'pumpkin',
  'patches',
  'fall',
  'foliage',
  'report',
  'fall',
  'winter',
  'deal',
  'packages',
  'romance',
  'weekend',
  'getaway',
  'outdoor',
  'recreation',
  'fall',
  'foliage',
  'package',
  'girlfriend',
  'getaway',
  'history',
  'lovers',
  'winter',
  'holiday',
  'spring',
  'summer',
  'wine',
  'lovers',
  'accommodations',
  'dining',
  'family',
  'fun',
  'golf',
  'deals',
  'history',
  'heritage',
  'military',
  'resorts',
  'spa',
  'places',
  'regions',
  'southwest',
  'va',
  'blue',
  'ridge',
  'highlands',
  'abingdon',
  'blacksburg',
  'bristol',
  'galax',
  'smyth',
  'central',
  'virginia',
  'appomattox',
  'charlottesville',
  'farmville',
  'lynchburg',
  'petersburg',
  'richmond',
  'wintergreen',
  'chesapeake',
  'bay',
  'white',
  'stone',
  'irvington',
  'urbanna',
  'kilmarnock',
  'tappahannock',
  'coastal',
  'va',
  'eastern',
  'shore',
  'cape',
  'charles',
  'chincoteague',
  'island',
  'onancock',
  'tangier',
  'island',
  'coastal',
  'va',
  'hampton',
  'roads',
  'hampton',
  'newport',
  'news',
  'norfolk',
  'portsmouth',
  'smithfield',
  'virginia',
  'beach',
  'williamsburg',
  'yorktown',
  'charles',
  'city',
  'county',
  'franklin',
  'southampton',
  'southern',
  'virginia',
  'danville',
  'martinsville',
  'south',
  'hill',
  'clarksville',
  'northern',
  'virginia',
  'alexandria',
  'arlington',
  'culpeper',
  'fairfax',
  'fredericksburg',
  'leesburg',
  'manassas',
  'middleburg',
  'falls',
  'church',
  'purcellville',
  'lovettsville',
  'shenandoah',
  'valley',
  'harrisonburg',
  'lexington',
  'luray',
  'staunton',
  'augusta',
  'waynesboro',
  'southwest',
  'va',
  'heart',
  'appalachia',
  'town',
  'tazewell',
  'big',
  'stone',
  'gap',
  'st.',
  'paul',
  'coeburn',
  'virginia',
  'mountains',
  'roanoke',
  'bath',
  'county',
  'cities',
  'towns',
  'trendy',
  'neighborhood',
  'guides',
  'town',
  'lovework',
  'scenic',
  'drives',
  'byways',
  'road',
  'trip',
  'byways',
  'scenic',
  'skyline',
  'drive',
  'blue',
  'ridge',
  'parkway',
  'motorcycle',
  'riding',
  'blue',
  'ridge',
  'parkway',
  'blue',
  'ridge',
  'parkway',
  'activities',
  'blue',
  'ridge',
  'parkway',
  'camping',
  'blue',
  'ridge',
  'parkway',
  'home',
  'virginia',
  'thing',
  'attraction',
  'theme',
  'parks',
  'water',
  'parks',
  'adventure',
  'parks',
  'ziplines',
  'zoos',
  'aquariums',
  'museums',
  'exhibits',
  'aerospace',
  'art',
  'children',
  'museums',
  'history',
  'military',
  'kind',
  'science',
  'natural',
  'history',
  'museums',
  'interactive',
  'museums',
  'kids',
  'lighthouses',
  'thing',
  'trails',
  'outdoors',
  'national',
  'parks',
  'shenandoah',
  'national',
  'park',
  'shenandoah',
  'national',
  'park',
  'hiking',
  'trails',
  'historic',
  'national',
  'parks',
  'monuments',
  'memorials',
  'state',
  'parks',
  'national',
  'forests',
  'recreation',
  'areas',
  'george',
  'washington',
  'jefferson',
  'national',
  'forests',
  'mount',
  'rogers',
  'national',
  'recreation',
  'area',
  'waterfalls',
  'caverns',
  'mountains',
  'parks',
  'gardens',
  'hiking',
  'bucket',
  'list',
  'hikes',
  'appalachian',
  'trail',
  'biking',
  'mountain',
  'biking',
  'rail',
  'trails',
  'horseback',
  'riding',
  'wildlife',
  'observation',
  'history',
  'heritage',
  'colonial',
  'williamsburg',
  'jamestown',
  'jamestown',
  'discovery',
  'trail',
  'black',
  'history',
  'black',
  'history',
  'attractions',
  'virginia',
  'freedom',
  'seekers',
  'richmond',
  'liberty',
  'trail',
  'historic',
  'homes',
  'american',
  'revolution',
  'civil',
  'war',
  'national',
  'battlefield',
  'parks',
  'thing',
  'kids',
  'cool',
  'places',
  'kids',
  'food',
  'drink',
  'breweries',
  'craft',
  'beer',
  'craft',
  'beer',
  'trails',
  'wineries',
  'wine',
  'tours',
  'wine',
  'trails',
  'distilleries',
  'cider',
  'restaurants',
  'virginia',
  'oysters',
  'oyster',
  'watermen',
  'tours',
  'regional',
  'oyster',
  'flavors',
  'local',
  'dining',
  'guides',
  'food',
  'drink',
  'tours',
  'farmers',
  'markets',
  'traditional',
  'virginia',
  'foods',
  'water',
  'activities',
  'beaches',
  'lakes',
  'smith',
  'mountain',
  'lake',
  'rivers',
  'swimming',
  ...],
 ['alexandria',
  'arlington',
  'fairfax',
  'county',
  'loudoun',
  'county',
  'prince',
  'william',
  'county',
  'stafford',
  'county',
  'anne',
  'arundel',
  'county',
  'baltimore',
  'calvert',
  'county',
  'charles',
  'county',
  'frederick',
  'county',
  'howard',
  'county',
  'montgomery',
  'county',
  'prince',
  'george',
  'county',
  'world',
  'coronavirus',
  'business',
  'financeclick',
  'menu',
  'animal',
  'pets',
  'food',
  'restaurants',
  'health',
  'fitness',
  'life',
  'style',
  'parenting',
  'travel',
  'baltimore',
  'orioles',
  'baltimore',
  'ravens',
  'dc',
  'united',
  'washington',
  'capitals',
  'washington',
  'mystics',
  'washington',
  'nationals',
  'washington',
  'commanders',
  'washington',
  'wizards',
  'photo',
  'galleries',
  'wtop',
  'noticias',
  'federal',
  'news',
  'network',
  'fun',
  'games',
  'wtop',
  'insights',
  'confusion',
  'traffic',
  'light',
  'montgomery',
  'county',
  'md.',
  'congressman',
  'file',
  'bill',
  'henrietta',
  'lacks',
  'hela',
  'cell',
  'breakthrough',
  'heat',
  'treat',
  'man',
  'bethesda',
  'professor',
  'md.',
  'year',
  'fbi',
  'list',
  'bill',
  'bottle',
  'anacostia',
  'river',
  'virginia',
  'athletic',
  'organization',
  'change',
  'policy',
  'athlete',
  'interest',
  'rate',
  'hike',
  'news',
  'homebuyer',
  'weather',
  'dc',
  'region',
  'track',
  'day',
  'heat',
  'wave',
  'patient',
  'need',
  'diversity',
  'cancer',
  'research',
  'teacher',
  'flood',
  'fairfax',
  'co.',
  'job',
  'irs',
  'decade',
  'policy',
  'safety',
  'concern',
  'scammer',
  'hunt',
  'germany',
  'terror',
  'plot',
  'terrorist',
  'refugee',
  'hemp',
  'grower',
  'maryland',
  'marijuana',
  'law',
  'fairfax',
  'co.',
  'police',
  'presence',
  'crash',
  'burke',
  'centre',
  'parkway',
  'sinéad',
  'o’connor',
  'singer',
  'songwriter',
  'commanders',
  'camp',
  'owner',
  'josh',
  'harris',
  'attendance',
  'buzz',
  'slate',
  'whistleblower',
  'congress',
  'decade',
  'program',
  'ufo',
  'dc',
  'atom',
  'smasher',
  'oppenheimer',
  'bomb',
  'carefirst',
  'bluecross',
  'blueshield',
  'bridge',
  'healthcare',
  'innovator',
  'biden',
  'maryland',
  'gov.',
  'martin',
  "o'malley",
  'social',
  'security',
  'administration',
  'bake',
  'risk',
  'management',
  'ethic',
  'planning',
  'implementation',
  'agency',
  'ai',
  'review',
  'boot',
  'riley',
  'comedy',
  'virgo',
  'amazon',
  'prime',
  'passport',
  'holder',
  'visa',
  'europe',
  'warning',
  'sign',
  'dehydration',
  'deshazor',
  'everett',
  'crash',
  'fiancee',
  'psa',
  'return',
  'nfl',
  'restaurant',
  'wtop',
  'contest',
  'fairfax',
  'co.',
  'official',
  'hill',
  'road',
  'teen',
  'wtop',
  'news',
  'wtop',
  'breaking',
  'news',
  'alerts',
  'email',
  'newsletter',
  'policy',
  'dc',
  'pool',
  'playground',
  'skate',
  'park',
  'pad',
  'grant',
  'md.',
  'park',
  'md.',
  'congressman',
  'file',
  'bill',
  'henrietta',
  'lacks',
  'hela',
  'cell',
  'breakthrough',
  'confusion',
  'traffic',
  'light',
  'montgomery',
  'county',
  'heat',
  'treat',
  'bill',
  'bottle',
  'anacostia',
  'river',
  'virginia',
  'athletic',
  'organization',
  'change',
  'policy',
  'athlete',
  'man',
  'alexandria',
  'dogs',
  'risk',
  'reward',
  '10k',
  'case',
  'sausage',
  'fish',
  'hook',
  'k',
  'reward',
  'info',
  'person',
  'fishhook',
  'sausage',
  'alexandria',
  'fishhook',
  'sausage',
  'alexandria',
  'animal',
  'welfare',
  'concern',
  'man',
  'lyft',
  'northeast',
  'dc',
  'annapolis',
  'man',
  'face',
  'crime',
  'mosquitoes',
  'west',
  'nile',
  'virus',
  'anne',
  'arundel',
  'co.',
  'official',
  'broadway',
  'star',
  'laura',
  'osnes',
  'maryland',
  'hall',
  'ledo',
  'pizza',
  'shop',
  'giant',
  'store',
  'bwi',
  'marshall',
  'airport',
  'bathroom',
  'nation',
  'man',
  'crystal',
  'city',
  'box',
  'cutter',
  'assault',
  'md.',
  'arlington',
  'co.',
  'police',
  'assault',
  'robbery',
  'box',
  'cutter',
  'ex',
  '-',
  'network',
  'journalist',
  'child',
  'abuse',
  'material',
  'charge',
  'md.',
  'congressman',
  'file',
  'bill',
  'henrietta',
  'lacks',
  'hela',
  'cell',
  'breakthrough',
  'exclusive',
  'baltimore',
  'musician',
  'protest',
  'client',
  'link',
  'operative',
  'key',
  'summer',
  'diet',
  'maryland',
  'governor',
  'orioles',
  'partner',
  'tout',
  'progress',
  'vision',
  'camden',
  'yards',
  'morgan',
  'state',
  'president',
  'towson',
  'u.',
  'hbcu',
  'business',
  'administration',
  'program',
  'prosecutors',
  'charge',
  'maryland',
  'lawmaker',
  'trial',
  'date',
  'calvert',
  'co.',
  'man',
  'child',
  'pornography',
  'investigation',
  'maryland',
  'girl',
  'lifetime',
  'shark',
  'tooth',
  'calvert',
  'co.',
  'water',
  'billing',
  'audit',
  'homeowner',
  'charge',
  'case',
  'killing',
  'md.',
  'woman',
  'decade',
  'year',
  'md.',
  'man',
  'forklift',
  'lowe',
  'woman',
  'woman',
  'forklift',
  'emergency',
  'issue',
  'md.',
  'county',
  'glitch',
  'verizon',
  'wireless',
  'customer',
  'suspect',
  'dump',
  'truck',
  'charles',
  'county',
  'teacher',
  'flood',
  'fairfax',
  'co.',
  'job',
  'fairfax',
  'co.',
  'police',
  'presence',
  'crash',
  'burke',
  'centre',
  'parkway',
  'fairfax',
  'co.',
  'official',
  'hill',
  'road',
  'teen',
  'closure',
  'gas',
  'leak',
  'route',
  'fairfax',
  'co.',
  'frederick',
  'co.',
  'school',
  'vaccine',
  'student',
  'truck',
  'driver',
  'crash',
  'frederick',
  'county',
  'frederick',
  'co.',
  'fox',
  'rabie',
  'cheese',
  'speed',
  'camera',
  'frederick',
  'laurel',
  'police',
  'chief',
  'life',
  'term',
  'arson',
  'charge',
  'md.',
  'state',
  'prison',
  'inmate',
  'cellmate',
  'murder',
  'laurel',
  'police',
  'chief',
  'life',
  'term',
  'arson',
  'jimmy',
  'buffett',
  'escape',
  'margaritaville',
  'flip',
  'flop',
  'pop',
  'toby',
  'dinner',
  'theatre',
  'maryland',
  'school',
  'district',
  'suit',
  'medium',
  'company',
  'lawn',
  'summer',
  'step',
  'tip',
  'yard',
  'deshazor',
  'everett',
  'crash',
  'fiancee',
  'psa',
  'return',
  'nfl',
  'drug',
  'car',
  'chase',
  'dog',
  'bite',
  'new',
  'york',
  'man',
  'loudoun',
  'co.',
  'loudoun',
  'co.',
  'commute',
  'year',
  'road',
  'loudoun',
  'co.',
  'student',
  'history',
  'collaboration',
  'book',
  'hour',
  'toll',
  '%',
  'dulles',
  'greenway',
  'proposal',
  'confusion',
  'traffic',
  'light',
  'montgomery',
  'county',
  'heat',
  'treat',
  'man',
  'bethesda',
  'professor',
  'md.',
  'year',
  'fbi',
  'list',
  'resident',
  'montgomery',
  'county',
  'road',
  'safety',
  'plan',
  'police',
  'id',
  'man',
  'montgomery',
  'co.',
  'spree',
  'officer',
  'risk',
  'diabetes',
  'prince',
  'george',
  'co.',
  'carlos',
  'santana',
  'wtop',
  'mgm',
  'national',
  'harbor',
  'teen',
  'prince',
  'george',
  'co.',
  'crash',
  'prince',
  'george',
  'co.',
  'health',
  'wellness',
  'expert',
  'food',
  'foundation',
  'police',
  'prince',
  'george',
  'co.',
  'man',
  'southeast',
  'dc',
  'manassas',
  'police',
  'light',
  'camera',
  'fund',
  'heel',
  'push',
  'barbie',
  'matchbox',
  'rock',
  'jiffy',
  'lube',
  'live',
  'city',
  'council',
  'passenger',
  'flight',
  'proposal',
  'manassas',
  'regional',
  'airport',
  'artist',
  'manassas',
  'splatter',
  'paint',
  'room',
  'family',
  'fun',
  'way',
  'manassas',
  'school',
  'jennie',
  'dean',
  'replacement',
  'i-95',
  'express',
  'lane',
  'extension',
  'congestion',
  'driver',
  'dui',
  'head',
  'collision',
  'stafford',
  'co.',
  'stafford',
  'co.',
  'rape',
  'suspect',
  'peru',
  'truck',
  'driver',
  'i-95',
  'crash',
  'oppenheimer',
  'dc',
  'birthplace',
  'age',
  'deshazor',
  'everett',
  'crash',
  'fiancee',
  'psa',
  'return',
  'nfl',
  'policy',
  'dc',
  'pool',
  'texas',
  'congressman',
  'thirst',
  'hunger',
  'strike',
  'heat',
  'protection',
  'worker',
  'tony',
  'winner',
  'myles',
  'frost',
  'concert',
  'kennedy',
  'center',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'mlb',
  'owner',
  'rock',
  'creek',
  'pkwy',
  'southbound',
  'kennedy',
  'center',
  'caution',
  'crash',
  'time',
  'e',
  '-',
  'bike',
  'fire',
  'ion',
  'battery',
  'federal',
  'reserve',
  'rate',
  'time',
  'inflation',
  'sign',
  'senate',
  'gop',
  'leader',
  'mcconnell',
  'news',
  'conference',
  'midsentence',
  'carbon',
  'emission',
  'day',
  'amazon',
  'headquarters',
  'arlington',
  'virginia',
  'model',
  'building',
  'amazon',
  'mutinous',
  'soldier',
  'niger',
  'president',
  'abrams',
  'cap',
  'nat',
  'inning',
  'rally',
  'win',
  'rockie',
  'heel',
  'push',
  'barbie',
  'matchbox',
  'rock',
  'jiffy',
  'lube',
  'key',
  'summer',
  'diet',
  'u.s.',
  'city',
  'heat',
  'island',
  'expert',
  'decision',
  'md.',
  'board',
  'education',
  'contract',
  'resident',
  'montgomery',
  'county',
  'road',
  'safety',
  'plan',
  'buscan',
  'soluciones',
  'humanas',
  'y',
  'legales',
  'la',
  'migración',
  'entre',
  'méxico',
  'fame',
  'jason',
  'fraley',
  'oppenheimer',
  'dc',
  'birthplace',
  'age',
  'color',
  'dialogue',
  'race',
  'america',
  'sports',
  'record',
  'belichick',
  'commanders',
  'kenya',
  'duke',
  'tv',
  'personality',
  'podcast',
  'host',
  'student',
  'school',
  'diploma',
  'gallaudet',
  'univ',
  'manassas',
  'splatter',
  'paint',
  'room',
  'wtop',
  'beer',
  'week',
  'trillium',
  'riwaka',
  'dry',
  'fort',
  'point',
  'pale',
  'ale',
  'wtop',
  'contest',
  'ledo',
  'team',
  'pizza',
  'party',
  'giveaway',
  'wtop',
  'app',
  'chance',
  'wtop',
  'free',
  'lunch',
  'friday',
  'contest',
  'friend',
  'family',
  'wtop',
  'moment',
  'copyright',
  'wtop',
  'right',
  'website',
  'user',
  'european',
  'economic',
  'area',
  'wtop',
  'email',
  'subscription',
  'privacy',
  'policy',
  'terms',
  'copyright',
  'hubbard',
  'radio',
  'notice',
  'eeo',
  'fcc',
  'public',
  'inspection',
  'files',
  'fcc',
  'applications',
  'info',
  'resident',
  'log',
  'wtop',
  'account',
  'notification',
  'alert'],
 ['subscriber',
  'services',
  'manage',
  'account',
  'today',
  'digital',
  'edition',
  'digital',
  'edition',
  'subscription',
  'rewards',
  'dashboard',
  'puzzle',
  'answers',
  'online',
  'puzzles',
  'page',
  'reprints',
  'newspaper',
  'archives',
  'newsletters',
  'contact',
  'subscriber',
  'benefit',
  'classifieds',
  'carrier',
  'jobs',
  'news',
  'business',
  'news',
  'coronavirus',
  'community',
  'crime',
  'courts',
  'iowa',
  'education',
  'environmental',
  'news',
  'government',
  'politics',
  'health',
  'legal',
  'notices',
  'nation',
  'world',
  'photos',
  'time',
  'machine',
  'search',
  'archive',
  'videos',
  'journalists',
  'emily',
  'andersen',
  'tom',
  'barton',
  'erin',
  'jordan',
  'grace',
  'king',
  'trish',
  'mehaffey',
  'brittney',
  'j.',
  'miller',
  'vanessa',
  'miller',
  'erin',
  'murphy',
  'marissa',
  'payne',
  'izabela',
  'zaluska',
  'fact',
  'checker',
  'team',
  'sports',
  'iowa',
  'hawkeyes',
  'iowa',
  'football',
  'iowa',
  'basketball',
  'prep',
  'sports',
  'prep',
  'football',
  'iowa',
  'state',
  'cyclones',
  'uni',
  'panthers',
  'minor',
  'league',
  'sports',
  'outdoors',
  'sports',
  'desk',
  'mike',
  'hlas',
  'nathan',
  'ford',
  'jeff',
  'johnson',
  'jeff',
  'linder',
  'j.r.',
  'ogden',
  'k.j.',
  'pilcher',
  'john',
  'steppe',
  'opinion',
  'fact',
  'checker',
  'guide',
  'editorial',
  'commentary',
  'guest',
  'columnists',
  'letters',
  'editor',
  'political',
  'cartoons',
  'staff',
  'columnists',
  'staff',
  'editorials',
  'letter',
  'column',
  'columnists',
  'todd',
  'dorman',
  'althea',
  'cole',
  'editorial',
  'fellows',
  'david',
  'chung',
  'sofia',
  'demartino',
  'chris',
  'espersen',
  'food',
  'drink',
  'chew',
  'recipe',
  'restaurants',
  'business',
  'agriculture',
  'business',
  'notes',
  'columns',
  'companies',
  'personal',
  'finance',
  'economy',
  'employment',
  'energy',
  'manufacturing',
  'openings',
  'closures',
  'real',
  'estate',
  'restaurants',
  'retail',
  'small',
  'business',
  'transportation',
  'obituaries',
  'memory',
  'obituary',
  'podcasts',
  'daily',
  'news',
  'podcast',
  'fact',
  'checker',
  'podcast',
  'iowa',
  'politics',
  'hawk',
  'press',
  'iowa',
  'prep',
  'sports',
  'pinning',
  'combination',
  'careers',
  'coffee',
  'entertainment',
  'art',
  'books',
  'comedy',
  'museums',
  'galleries',
  'music',
  'puzzles',
  'games',
  'theater',
  'thing',
  'hoopla',
  'event',
  'living',
  'health',
  'wellness',
  'home',
  'garden',
  'milestones',
  'people',
  'places',
  'pets',
  'animals',
  'recreation',
  'religion',
  'belief',
  'travel',
  'photos',
  'videos',
  'iowa',
  'photo',
  'news',
  'photo',
  'galleries',
  'sports',
  'photo',
  'galleries',
  'video',
  'galleries',
  'photojournalists',
  'jim',
  'slosiarek',
  'savannah',
  'blake',
  'nick',
  'rohlman',
  'geoff',
  'stellfox',
  'bailey',
  'cichon',
  'multimedia',
  'journalist',
  'gazette',
  'visual',
  'milestones',
  'anniversaries',
  'day',
  'engagement',
  'holiday',
  'remembrance',
  'new',
  'arrivals',
  'yous',
  'wedding',
  'milestone',
  'data',
  'data',
  'center',
  'salaries',
  'interactive',
  'maps',
  'charts',
  'coronavirus',
  'data',
  'legal',
  'notices',
  'gazette',
  'classifieds',
  'corridor',
  'careers',
  'garage',
  'sales',
  'gazette',
  'gazette',
  'print',
  'services',
  'gazette',
  'rewards',
  'gazette',
  'store',
  'green',
  'gazette',
  'holiday',
  'light',
  'finder',
  'hoopla',
  'iowa',
  'wedding',
  'experience',
  'iowa',
  'ideas',
  'photo',
  'store',
  'link',
  'gazette',
  'search',
  'gazette',
  'archives',
  'article',
  'removal',
  'business',
  'directory',
  'cr',
  'database',
  'legal',
  'notices',
  'mobile',
  'app',
  'carrier',
  'customer',
  'care',
  'order',
  'issues',
  'privacy',
  'policies',
  'puzzle',
  'answers',
  'sponsorship',
  'request',
  'letter',
  'weather',
  'manage',
  'account',
  'today',
  'digital',
  'edition',
  'digital',
  'edition',
  'subscription',
  'rewards',
  'dashboard',
  'puzzle',
  'answers',
  'online',
  'puzzles',
  'page',
  'reprints',
  'newspaper',
  'archives',
  'newsletters',
  'contact',
  'subscriber',
  'benefit',
  'classifieds',
  'carrier',
  'jobs',
  'news',
  'business',
  'news',
  'coronavirus',
  'community',
  'crime',
  'courts',
  'iowa',
  'education',
  'environmental',
  'news',
  'government',
  'politics',
  'health',
  'legal',
  'notices',
  'nation',
  'world',
  'photos',
  'time',
  'machine',
  'search',
  'archive',
  'videos',
  'emily',
  'andersen',
  'tom',
  'barton',
  'erin',
  'jordan',
  'grace',
  'king',
  'trish',
  'mehaffey',
  'brittney',
  'j.',
  'miller',
  'vanessa',
  'miller',
  'erin',
  'murphy',
  'marissa',
  'payne',
  'izabela',
  'zaluska',
  'fact',
  'checker',
  'team',
  'sports',
  'iowa',
  'hawkeyes',
  'iowa',
  'football',
  'iowa',
  'basketball',
  'prep',
  'sports',
  'prep',
  'football',
  'iowa',
  'state',
  'cyclones',
  'uni',
  'panthers',
  'minor',
  'league',
  'sports',
  'outdoors',
  'mike',
  'hlas',
  'nathan',
  'ford',
  'jeff',
  'johnson',
  'jeff',
  'linder',
  'j.r.',
  'ogden',
  'k.j.',
  'pilcher',
  'john',
  'steppe',
  'opinion',
  'fact',
  'checker',
  'guide',
  'editorial',
  'commentary',
  'guest',
  'columnists',
  'letters',
  'editor',
  'political',
  'cartoons',
  'staff',
  'columnists',
  'staff',
  'editorials',
  'letter',
  'column',
  'todd',
  'dorman',
  'althea',
  'cole',
  'editorial',
  'fellows',
  'david',
  'chung',
  'sofia',
  'demartino',
  'chris',
  'espersen',
  'food',
  'drink',
  'chew',
  'recipe',
  'restaurants',
  'business',
  'agriculture',
  'business',
  'notes',
  'columns',
  'companies',
  'personal',
  'finance',
  'economy',
  'employment',
  'energy',
  'manufacturing',
  'openings',
  'closures',
  'real',
  'estate',
  'restaurants',
  'retail',
  'small',
  'business',
  'transportation',
  'obituaries',
  'memory',
  'obituary',
  'podcasts',
  'daily',
  'news',
  'podcast',
  'fact',
  'checker',
  'podcast',
  'iowa',
  'politics',
  'hawk',
  'press',
  'iowa',
  'prep',
  'sports',
  'pinning',
  'combination',
  'careers',
  'coffee',
  'entertainment',
  'art',
  'books',
  'comedy',
  'museums',
  'galleries',
  'music',
  'puzzles',
  'games',
  'theater',
  'thing',
  'hoopla',
  'event',
  'living',
  'health',
  'wellness',
  'home',
  'garden',
  'milestones',
  'people',
  'places',
  'pets',
  'animals',
  'recreation',
  'religion',
  'belief',
  'travel',
  'photos',
  'videos',
  'iowa',
  'photo',
  'news',
  'photo',
  'galleries',
  'sports',
  'photo',
  'galleries',
  'video',
  'galleries',
  'jim',
  'slosiarek',
  'savannah',
  'blake',
  'nick',
  'rohlman',
  'geoff',
  'stellfox',
  'bailey',
  'cichon',
  'multimedia',
  'journalist',
  'gazette',
  'visual',
  'milestones',
  'anniversaries',
  'day',
  'engagement',
  'holiday',
  'remembrance',
  'new',
  'arrivals',
  'yous',
  'wedding',
  'milestone',
  'data',
  'center',
  'salaries',
  'interactive',
  'maps',
  'charts',
  'coronavirus',
  'data',
  'legal',
  'notices',
  'classifieds',
  'corridor',
  'careers',
  'garage',
  'sales',
  'gazette',
  'gazette',
  'print',
  'services',
  'gazette',
  'rewards',
  'gazette',
  'store',
  'green',
  'gazette',
  'holiday',
  'light',
  'finder',
  'hoopla',
  'iowa',
  'wedding',
  'experience',
  'iowa',
  'ideas',
  'photo',
  'store',
  'gazette',
  'search',
  'gazette',
  'archives',
  'article',
  'removal',
  'business',
  'directory',
  'cr',
  'database',
  'legal',
  'notices',
  'mobile',
  'app',
  'carrier',
  'customer',
  'care',
  'order',
  'issues',
  'privacy',
  'policies',
  'puzzle',
  'answers',
  'sponsorship',
  'request',
  'letter',
  'weather',
  'mayor',
  'cedar',
  'rapids',
  'school',
  'facility',
  'plan',
  'city',
  'corea',
  'iowa',
  'state',
  'fair',
  'food',
  'unknown',
  'gambling',
  'probe',
  'number',
  'football',
  'player',
  'involvedgrassley',
  'biden',
  'impeachment',
  'inquiry',
  'photo',
  'iowa',
  'derecho',
  'damage',
  'eastern',
  'iowa',
  'aug.',
  'gazette',
  'visual',
  'aug.',
  'pm',
  'aug.',
  'pm',
  'photo',
  'gallery',
  'mobile',
  'arrow',
  'left',
  'right',
  'image',
  'desktop',
  'computer',
  'derecho',
  'hurricane',
  'strength',
  'line',
  'wind',
  'tree',
  'home',
  'business',
  'power',
  'customer',
  'cedar',
  'rapids',
  'iowa',
  'city',
  'area',
  'aug.',
  'photo',
  'gazette',
  'photographer',
  'staff',
  'document',
  'damage',
  'eastern',
  'iowa',
  'storm',
  'tree',
  'wind',
  'force',
  'avenue',
  'sw',
  'cedar',
  'rapids',
  'monday',
  'aug.',
  'andy',
  'abeyta',
  'gazette',
  'driver',
  'driver',
  'tractor',
  'trailer',
  'northbound',
  'interstate',
  'avenue',
  'sw',
  'cedar',
  'rapids',
  'monday',
  'aug.',
  'man',
  'windshield',
  'woman',
  'nurse',
  'way',
  'cab',
  'driver',
  'injury',
  'woman',
  'driver',
  'car',
  'ambulance',
  'andy',
  'abeyta',
  'gazette',
  'coe',
  'college',
  'tackle',
  'joshua',
  'robles',
  'tree',
  'member',
  'coe',
  'college',
  'football',
  'team',
  'campus',
  'sidewalk',
  'cedar',
  'rapids',
  'storm',
  'line',
  'wind',
  'iowa',
  'monday',
  'aug.',
  'liz',
  'martin',
  'gazette',
  'windows',
  'sinclair',
  'auditorium',
  'coe',
  'college',
  'campus',
  'cedar',
  'rapids',
  'storm',
  'line',
  'wind',
  'iowa',
  'monday',
  'aug.',
  'liz',
  'martin',
  'gazette',
  'tree',
  'debris',
  'yard',
  'cedar',
  'rapids',
  'storm',
  'line',
  'wind',
  'iowa',
  'monday',
  'aug.',
  'liz',
  'martin',
  'gazette',
  'christopher',
  'strums',
  'dog',
  'blue',
  'street',
  'cedar',
  'rapids',
  'storm',
  'line',
  'wind',
  'iowa',
  'monday',
  'aug.',
  'liz',
  'martin',
  'gazette',
  'tree',
  'auto',
  'mechanic',
  'home',
  'corner',
  'mount',
  'vernon',
  'road',
  'se',
  'street',
  'se',
  'cedar',
  'rapids',
  'storm',
  'line',
  'wind',
  'iowa',
  'monday',
  'aug.',
  'liz',
  'martin',
  'gazette',
  'utility',
  'pole',
  'highway',
  'north',
  'marion',
  'half',
  'wind',
  'storm',
  'cedar',
  'rapids',
  'area',
  'monday',
  'katie',
  'brumbeloe',
  'gazette',
  'little',
  'free',
  'library',
  'tree',
  'mount',
  'vernon',
  'road',
  'se',
  'cedar',
  'rapids',
  'storm',
  'line',
  'wind',
  'iowa',
  'monday',
  'aug.',
  'liz',
  'martin',
  'gazette',
  'power',
  'line',
  'tree',
  'mount',
  'vernon',
  'road',
  'se',
  'cedar',
  'rapids',
  'storm',
  'line',
  'wind',
  'iowa',
  'monday',
  'aug.',
  'liz',
  'martin',
  'gazette',
  'car',
  'way',
  'tree',
  'branch',
  'avenue',
  'sw',
  'cedar',
  'rapids',
  'monday',
  'aug.',
  'andy',
  'abeyta',
  'gazette',
  'siding',
  'building',
  'avenue',
  'sw',
  'cedar',
  'rapids',
  'monday',
  'aug.',
  'andy',
  'abeyta',
  'gazette',
  'tractor',
  'trailer',
  'lane',
  'interstate',
  'cedar',
  'rapids',
  'monday',
  'aug.',
  'handful',
  'truck',
  'area',
  'storm',
  'area',
  'andy',
  'abeyta',
  'gazette',
  'tractor',
  'trailer',
  'northbound',
  'lane',
  'interstate',
  'avenue',
  'sw',
  'cedar',
  'rapids',
  'monday',
  'aug.',
  'andy',
  'abeyta',
  'gazette',
  'tree',
  'street',
  'sw',
  'cedar',
  'rapids',
  'monday',
  'aug.',
  'andy',
  'abeyta',
  'gazette',
  'storm',
  'damage',
  'kwik',
  'shop',
  'gas',
  'station',
  'intersection',
  'avenue',
  'street',
  'sw',
  'cedar',
  'rapids',
  'monday',
  'aug.',
  'andy',
  'abeyta',
  'gazette',
  'storm',
  'damage',
  'casey',
  'general',
  'store',
  'gas',
  'station',
  'avenue',
  'sw',
  'cedar',
  'rapids',
  'monday',
  'aug.',
  'andy',
  'abeyta',
  'gazette',
  'man',
  'tractor',
  'trailer',
  'driver',
  'vehicle',
  'interstate',
  'onramp',
  'highway',
  'cedar',
  'rapids',
  'monday',
  'aug.',
  'driver',
  'injury',
  'truck',
  'vehicle',
  'help',
  'emergency',
  ...],
 ['contentskip',
  'navigationskip',
  'navigationprint',
  'subscription',
  'sign',
  'insearch',
  'jobssearchus',
  'editionus',
  'editionuk',
  'editionaustralia',
  'guardian',
  'guardiannewsopinionsportculturelifestyleshowmoreshow',
  'morenewsview',
  'newsus',
  'newsworld',
  'politicsbusinesstechsciencenewslettersfight',
  'democracyopinionview',
  'opinionthe',
  'guardian',
  'viewcolumnistslettersopinion',
  'videoscartoonssportview',
  'sportsoccernfltennismlbmlsnbanhlf1golfcultureview',
  'culturefilmbooksmusicart',
  'designtv',
  'radiostageclassicalgameslifestyleview',
  'lifestylefashionfoodrecipeslove',
  'sexhome',
  'gardenhealth',
  'fitnessfamilytravelmoneysearch',
  'input',
  'google',
  'search',
  'searchsupport',
  'usprint',
  'subscriptionsus',
  'editionuk',
  'editionaustralia',
  'editionsearch',
  'jobsdigital',
  'archiveguardian',
  'puzzles',
  'licensingthe',
  'guardian',
  'guardianguardian',
  'weeklycrosswordswordiplycorrectionsfacebooktwittersearch',
  'jobsdigital',
  'archiveguardian',
  'puzzles',
  'licensingworldeuropeusamericasasiaaustraliamiddle',
  'development',
  'onlooker',
  'wave',
  'tropical',
  'storm',
  'henri',
  'misquamicut',
  'beach',
  'westerly',
  'rhode',
  'island',
  'photograph',
  'cj',
  'gunther',
  'epaan',
  'onlooker',
  'wave',
  'tropical',
  'storm',
  'henri',
  'misquamicut',
  'beach',
  'westerly',
  'rhode',
  'island',
  'photograph',
  'cj',
  'gunther',
  'epahurricanes',
  'article',
  'year',
  'oldhenri',
  'landfall',
  'rhode',
  'island',
  'wind',
  'article',
  'year',
  'oldbiden',
  'storm',
  'consequences’inland',
  'rainfall',
  'threat',
  'north',
  'east',
  'press',
  'new',
  'yorksun',
  'aug',
  'edtfirst',
  'sun',
  'aug',
  'edttropical',
  'storm',
  'henri',
  'landfall',
  'rhode',
  'island',
  'sunday',
  'wind',
  'rain',
  'devastation',
  'new',
  'jersey',
  'new',
  'york',
  'massachusetts',
  'storm',
  'central',
  'park',
  'concert',
  'city',
  'covid',
  'moreat',
  'white',
  'house',
  'joe',
  'biden',
  'emergency',
  'declaration',
  'rhode',
  'island',
  'connecticut',
  'new',
  'york',
  'new',
  'englanders',
  'weather',
  'president',
  'storm',
  'potential',
  'consequence',
  'region',
  'flooding',
  'power',
  'outage',
  'thousand',
  'people',
  '”the',
  'national',
  'hurricane',
  'center',
  'nhc',
  'henri',
  'town',
  'westerly',
  'wind',
  'mph',
  'ft',
  'wave',
  'place',
  'wind',
  'mph',
  'rhode',
  'island',
  'bridge',
  'road',
  'beach',
  'community',
  'misquamicut',
  'wind',
  'flooding',
  'cluster',
  'hotel',
  'cottage',
  'superstorm',
  'sandy',
  'national',
  'grid',
  'customer',
  'power',
  'rhode',
  'island',
  'eversource',
  'customer',
  'connecticut',
  'storm',
  'hurricane',
  'landfall',
  'gust',
  'mph',
  'official',
  'flooding',
  'area',
  'storm',
  'coast',
  'north',
  'east',
  'million',
  'storm',
  'resident',
  'collette',
  'chisholm',
  'wave',
  'storm',
  '”some',
  'rain',
  'total',
  'appearance',
  'monday',
  'harassment',
  'scandal',
  'new',
  'york',
  'governor',
  'andrew',
  'cuomo',
  'state',
  'concern',
  'area',
  'rainfall',
  'catskills',
  'problem',
  'cuomo',
  'hudson',
  'valley',
  'hill',
  'creek',
  'water',
  'hill',
  'creek',
  'river',
  'town',
  'area',
  'rain',
  'possibility',
  '”town',
  'new',
  'jersey',
  'rain',
  'street',
  'flooding',
  'midday',
  'sunday',
  'television',
  'footage',
  'flash',
  'flooding',
  'brook',
  'car',
  'water',
  'window',
  'governor',
  'phil',
  'murphy',
  'news',
  'storm',
  'rain',
  'event”',
  'marshall',
  'shepherd',
  'director',
  'science',
  'university',
  'georgia',
  'president',
  'american',
  'meteorological',
  'society',
  'henri',
  'way',
  'hurricane',
  'harvey',
  'storm',
  'houston',
  'area',
  'texas',
  'homecoming',
  'concert',
  'weather',
  'video',
  'troy',
  'buckner',
  'southampton',
  'long',
  'island',
  'hamptons',
  'storm',
  'routine',
  'coffee',
  'dad',
  'golden',
  'pear',
  'spot',
  'main',
  'street',
  'sunday',
  'morning',
  'bit',
  'normalcy',
  'remainder',
  'buckner',
  'rain',
  'southampton',
  'center',
  'bull',
  'eye',
  'lack',
  'roadway',
  'end',
  'long',
  'island',
  'evacuation',
  'east',
  'hampton',
  'mayor',
  'jerry',
  'larsen',
  '“we',
  'lane',
  'travel',
  'hampton',
  'evacuation',
  'larsen',
  'people',
  'place',
  'god',
  'ok.”official',
  'providence',
  'rhode',
  'island',
  'new',
  'bedford',
  'massachusetts',
  'hurricane',
  'barrier',
  '1960',
  'storm',
  'massachusetts',
  'steamship',
  'authority',
  'sunday',
  'ferry',
  'service',
  'mainland',
  'vacation',
  'island',
  'martha',
  'vineyard',
  'nantucket',
  'coast',
  'guard',
  'port',
  'tourist',
  'car',
  'minute',
  'ferry',
  'island',
  'henri',
  'pass',
  'thunderstorm',
  'foot',
  'rain',
  'saturday',
  'flash',
  'flooding',
  'area',
  'band',
  'rain',
  'storm',
  'drain',
  'driver',
  'foot',
  'water',
  'spot',
  'new',
  'york',
  'city',
  'newark',
  'hoboken',
  'new',
  'jersey',
  'sign',
  'highway',
  'commuter',
  'sunday',
  'photograph',
  'caitlin',
  'ochs',
  'reutersgovernor',
  'ned',
  'lamont',
  'connecticut',
  'resident',
  'place',
  'sunday',
  'afternoon',
  'monday',
  'morning',
  'rhode',
  'island',
  'governor',
  'dan',
  'mckee',
  'warning',
  'president',
  'joe',
  'biden',
  'disaster',
  'region',
  'purse',
  'string',
  'recovery',
  'aid',
  'white',
  'house',
  'biden',
  'preparation',
  'north',
  'governor',
  'new',
  'york',
  'lieutenant',
  'governor',
  'kathy',
  'hochul',
  'cuomo',
  'tuesday',
  'airport',
  'storm',
  'flight',
  'service',
  'branch',
  'new',
  'york',
  'city',
  'commuter',
  'rail',
  'system',
  'amtrak',
  'service',
  'new',
  'york',
  'boston',
  'new',
  'york',
  'hit',
  'cyclone',
  'superstorm',
  'sandy',
  'repair',
  'storm',
  'project',
  'storm',
  'east',
  'hampton',
  'norbert',
  'weissberg',
  'wave',
  'edge',
  'beach',
  'weissberg',
  'calamity',
  '”topicshurricanesnew',
  'yorkextreme',
  'islandmassachusettsnewsreuse',
  'viewedmost',
  'viewedworldeuropeusamericasasiaaustraliamiddle',
  'reporting',
  'analysis',
  'guardian',
  'ushelpcomplaint',
  'correctionssecuredropwork',
  'usprivacy',
  'policycookie',
  'policyterms',
  'conditionscontact',
  'usall',
  'topicsall',
  'newspaper',
  'archivefacebookyoutubeinstagramlinkedintwitternewslettersadvertise',
  'labssearch',
  'guardian',
  'news',
  'media',
  'limited',
  'company',
  'right'],
 ['associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'storm',
  'chaos',
  'portland',
  'storm',
  'portland',
  'area',
  'wednesday',
  'foot',
  'snow',
  'city',
  'driver',
  'rush',
  'hour',
  'feb.',
  'claire',
  'rush',
  'drew',
  'callister',
  'jim',
  'salter',
  'portland',
  'ore.',
  'ap',
  'winter',
  'storm',
  'chaos',
  'u.s.',
  'thursday',
  'oregon',
  'city',
  'foot',
  'snow',
  'paralyzing',
  'travel',
  'pacific',
  'coast',
  'way',
  'plains',
  'inch',
  'centimeter',
  'portland',
  'day',
  'city',
  'history',
  'driver',
  'surprise',
  'traffic',
  'wednesday',
  'evening',
  'rush',
  'hour',
  'motorist',
  'freeway',
  'hour',
  'night',
  'vehicle',
  'crew',
  'road',
  'commuter',
  'bus',
  'group',
  'safety',
  'national',
  'weather',
  'service',
  'chance',
  'snow',
  'work',
  'weather',
  'power',
  'home',
  'business',
  'state',
  'school',
  'thousand',
  'flight',
  'system',
  'snow',
  'southern',
  'california',
  'taiwan',
  'school',
  'office',
  'typhoon',
  'doksuri',
  'island',
  'coast',
  'greece',
  'country',
  'home',
  'nature',
  'reserve',
  'typhoon',
  'doksuri',
  'thousand',
  'philippines',
  'kim',
  'upham',
  'hour',
  'ordeal',
  'snow',
  'standstill',
  'traffic',
  'u.s.',
  'highway',
  'portland',
  'coast',
  'grade',
  'highway',
  'sheet',
  'ice',
  'driver',
  'car',
  'middle',
  'road',
  '-',
  'truck',
  'semi',
  '-',
  'truck',
  'slope',
  'hour',
  'driver',
  'morning',
  'upham',
  'blanket',
  'night',
  'car',
  'gas',
  'vehicle',
  'windshield',
  'wiper',
  'inch',
  'traffic',
  'multnomah',
  'county',
  'examiner',
  'office',
  'hypothermia',
  'death',
  'storm',
  'agency',
  'detail',
  'concern',
  'thousand',
  'people',
  'portland',
  'street',
  'city',
  'county',
  'official',
  'shelter',
  'thursday',
  'evening',
  'total',
  'site',
  'people',
  'surprise',
  'day',
  'place',
  'snow',
  'joan',
  'jasper',
  'ski',
  'neighborhood',
  'news',
  'inch',
  'southern',
  'california',
  'weather',
  'service',
  'office',
  'san',
  'diego',
  'blizzard',
  'warning',
  'mountain',
  'san',
  'bernardino',
  'county',
  'friday',
  'saturday',
  'afternoon',
  'san',
  'bernardino',
  'county',
  'los',
  'angeles',
  'county',
  'mountain',
  'blizzard',
  'warning',
  'effect',
  'time',
  'karen',
  'krenis',
  'pottery',
  'studio',
  'santa',
  'cruz',
  'california',
  'track',
  'snow',
  'beach',
  'car',
  'photo',
  'time',
  'people',
  'adult',
  'photo',
  'child',
  'snowball',
  'california',
  'year',
  'krenis',
  'wyoming',
  'road',
  'state',
  'state',
  'official',
  'rescuer',
  'motorist',
  'wind',
  'snow',
  'situation',
  'sgt',
  'jeremy',
  'beck',
  'wyoming',
  'highway',
  'patrol',
  'wind',
  'snow',
  'cascade',
  'mountains',
  'search',
  'team',
  'body',
  'climber',
  'weekend',
  'avalanche',
  'washington',
  'state',
  'colchuck',
  'peak',
  'portland',
  'resident',
  'dusting',
  'inch',
  'city',
  'salt',
  'road',
  'situation',
  'reason',
  'chaos',
  'thursday',
  'storm',
  'motorist',
  'freeway',
  'city',
  'day',
  'weather',
  'service',
  '%',
  'chance',
  'portland',
  'inch',
  'centimeter',
  'snow',
  'probability',
  'inch',
  'centimeter',
  'forecast',
  'storm',
  'colby',
  'neuman',
  'weather',
  'service',
  'meteorologist',
  'portland',
  'forecaster',
  'model',
  'balance',
  'wolf',
  'people',
  'decision',
  'neuman',
  'arizona',
  'interstate',
  'highway',
  'wind',
  'temperature',
  'snow',
  'forecaster',
  'snow',
  'inch',
  'centimeter',
  'hour',
  'blizzard',
  'warning',
  'effect',
  'saturday',
  'california',
  'elevation',
  'sierra',
  'nevada',
  'prediction',
  'foot',
  'snow',
  'mph',
  'kph',
  'gust',
  'wind',
  'chill',
  'degree',
  'grid',
  'beating',
  'north',
  'ice',
  'wind',
  'power',
  'line',
  'california',
  'line',
  'tree',
  'branch',
  'debris',
  'michigan',
  'firefighter',
  'wednesday',
  'contact',
  'power',
  'line',
  'village',
  'paw',
  'paw',
  'authority',
  'van',
  'buren',
  'county',
  'sheriff',
  'dan',
  'abbott',
  'accident',
  'fault',
  'firefighter',
  'power',
  'outage',
  'california',
  'oregon',
  'illinois',
  'michigan',
  'new',
  'york',
  'website',
  'poweroutage.us',
  'outage',
  'michigan',
  'customer',
  'electricity',
  'state',
  'corner',
  'power',
  'line',
  'tree',
  'ice',
  'dte',
  'energy',
  'outage',
  'weekend',
  'afternoon',
  'temperature',
  '40',
  'celsius',
  'ice',
  'dte',
  'line',
  'quarter',
  'inch',
  'ice',
  'system',
  'equivalent',
  'baby',
  'piano',
  'wire',
  'trevor',
  'lauer',
  'president',
  'dte',
  'arm',
  'detroit',
  'suburb',
  'dearborn',
  'city',
  'ice',
  'acknowledgment',
  'power',
  'ash',
  'quam',
  'work',
  'crew',
  'ice',
  'tree',
  'limb',
  'street',
  'midnight',
  'time',
  'morning',
  'quam',
  'facebook',
  'weather',
  'day',
  'problem',
  'nation',
  'airport',
  'thursday',
  'afternoon',
  'flight',
  'country',
  'tracking',
  'service',
  'flightaware.___salter',
  'o’fallon',
  'missouri',
  'associated',
  'press',
  'writer',
  'andrew',
  'selsky',
  'salem',
  'oregon',
  'olga',
  'rodriguez',
  'san',
  'francisco',
  'ed',
  'white',
  'detroit',
  'ap',
  'reporter',
  'country',
  'report',
  'statehouse',
  'reporter',
  'portland',
  'oregon',
  'associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights'],
 ['arizonaenvironment',
  'commentary',
  'climate',
  'change',
  'arizona',
  'monsoon',
  'lightning',
  'monsoon',
  'storm',
  'arizona',
  'saguaro',
  'national',
  'park',
  'photo',
  'pete',
  'gregoire',
  'noaa',
  'u.s.',
  'southwest',
  'desert',
  'region',
  'monsoon',
  'summer',
  'thunderstorm',
  'weather',
  'india',
  'summer',
  'deluge',
  'year',
  'lot',
  'rain',
  'july',
  'month',
  'record',
  'keeping',
  'tucson',
  'arizona',
  'airport',
  'inch',
  'millimeter',
  'rainfall',
  '%',
  'city',
  'year',
  'year',
  'monsoon',
  'tucson',
  'inch',
  'millimeter',
  'rain',
  'opposite',
  'tucson',
  'inch',
  'rain',
  'condition',
  'temperature',
  'arizona',
  'wildfire',
  'season',
  'decade',
  'bighorn',
  'fire',
  '%',
  'forest',
  'catalina',
  'mountains',
  'tucson',
  'monsoon',
  'system',
  'people',
  'southwest',
  'researcher',
  'water',
  'climate',
  'monsoon',
  'prediction',
  'climate',
  'change',
  'monsoon',
  'community',
  'benefit',
  'risk',
  'effect',
  'flash',
  'flooding',
  'word',
  'monsoon',
  'word',
  'mausim',
  'season',
  'use',
  'scale',
  'wind',
  'shift',
  'subcontinent',
  'ocean',
  'summer',
  'rain',
  'monsoon',
  'africa',
  'australia',
  'south',
  'america',
  'mexico',
  'u.s',
  'circulation',
  'air',
  'ocean',
  'rainfall',
  'summer',
  'season',
  'southwest',
  'pattern',
  'area',
  'pressure',
  'monsoon',
  'ridge',
  'area',
  'mexico',
  'u.s.',
  'june',
  'center',
  'ridge',
  'southwest',
  'monsoon',
  'rain',
  'air',
  'region',
  'ridge',
  'monsoon',
  'arizona',
  'june',
  'sept.',
  'rainfall',
  'july',
  'august',
  'monsoon',
  'ecosystem',
  'thousand',
  'year',
  'specie',
  'advantage',
  'monsoon',
  'rain',
  'storm',
  'milkweed',
  'plant',
  'butterfly',
  'egg',
  'great',
  'plains',
  'toad',
  'tadpole',
  'cycle',
  'rain',
  'puddle',
  'cactus',
  'fruit',
  'insect',
  'food',
  'hummingbird',
  'dove',
  'bird',
  'animal',
  'wildflower',
  'flagstaff',
  'ariz.',
  'aug.',
  'monsoon',
  'season',
  'ap',
  'photo/',
  'felicia',
  'fonseca',
  'floods',
  'desert',
  'monsoon',
  'thunderstorm',
  'cloud',
  'mountain',
  'day',
  'rain',
  'afternoon',
  'evening',
  'danger',
  'desert',
  'environment',
  'flash',
  'flooding',
  'soil',
  'intensity',
  'downpour',
  'wash',
  'arroyos',
  'drainage',
  'channel',
  'rainstorm',
  'current',
  'minute',
  'car',
  'people',
  'thunderstorm',
  'microburst',
  'surface',
  'wind',
  'gust',
  'hurricane',
  'force',
  'dust',
  'storm',
  'haboobs',
  'wall',
  'dust',
  'mile',
  'visibility',
  'thunderstorm',
  'beginning',
  'monsoon',
  'wildfire',
  'storm',
  'yarnell',
  'hill',
  'fire',
  'june',
  'firefighter',
  'monsoon',
  'rain',
  'fire',
  'burn',
  'scar',
  'mud',
  'debris',
  'flow',
  'wildfire',
  'damage',
  'circulation',
  'pattern',
  'july',
  'august',
  'monsoon',
  'weather',
  'southwest',
  'arizona',
  'rain',
  'day',
  'week',
  'storm',
  'flash',
  'flooding',
  'wind',
  'dust',
  'storm',
  'mud',
  'debris',
  'flow',
  'lightning',
  'emergency',
  'responder',
  'water',
  'rescue',
  'tucson',
  'forecaster',
  'phoenix',
  'flash',
  'flood',
  'warning',
  'august',
  'year',
  'record',
  'monsoon',
  'benefit',
  'water',
  'supply',
  'arizona',
  'term',
  'drought',
  'tucson',
  'basin',
  'monsoon',
  'flow',
  'tributary',
  'santa',
  'cruz',
  'river',
  'groundwater',
  'water',
  'reserve',
  '%',
  'reservoir',
  'salt',
  'river',
  'project',
  'water',
  'people',
  'arizona',
  'time',
  'west',
  'record',
  'low',
  'monsoon',
  'rain',
  'sonoran',
  'desert',
  'life',
  'area',
  'bighorn',
  'fire',
  'thousand',
  'saguaros',
  'future',
  'monsoon',
  'forecasting',
  'monsoon',
  'resolution',
  'model',
  'thunderstorm',
  'modeling',
  'system',
  'university',
  'arizona',
  'weather',
  'forecast',
  'decade',
  'storm',
  'day',
  'month',
  'advance',
  'monsoon',
  'rain',
  'year',
  'range',
  'forecast',
  'mid-',
  'june',
  'climate',
  'change',
  'monsoon',
  'rain',
  'summer',
  'storm',
  'year',
  'indication',
  'region',
  'effect',
  'heat',
  'wave',
  'wildfire',
  'monsoon',
  'year',
  'record',
  'rainfall',
  'weather',
  'shift',
  'people',
  'exposure',
  'weather',
  'climate',
  'extreme',
  'southwest',
  'concern',
  'monsoon',
  'increase',
  'threshold',
  'point',
  'failure',
  'example',
  'flood',
  'control',
  'infrastructure',
  'rainfall',
  'forest',
  'type',
  'risk',
  'future',
  'southwest',
  'article',
  'conversation',
  'creative',
  'commons',
  'license',
  'article',
  'change',
  'arizona',
  'monsoon',
  'diama',
  'zamora',
  'reyes',
  'arizona',
  'mirror',
  'october',
  'climate',
  'change',
  'arizona',
  'monsoon',
  'diama',
  'zamora',
  'reyes',
  'arizona',
  'mirror',
  'october',
  'u.s.',
  'southwest',
  'desert',
  'region',
  'monsoon',
  'summer',
  'thunderstorm',
  'weather',
  'india',
  'summer',
  'deluge',
  'year',
  'lot',
  'rain',
  'july',
  'month',
  'record',
  'keeping',
  'tucson',
  'arizona',
  'airport',
  'inch',
  'millimeter',
  'rainfall',
  '%',
  'city',
  'year',
  'year',
  'monsoon',
  'tucson',
  'inch',
  'millimeter',
  'rain',
  'opposite',
  'tucson',
  'inch',
  'rain',
  'condition',
  'temperature',
  'arizona',
  'wildfire',
  'season',
  'decade',
  'bighorn',
  'fire',
  '%',
  'forest',
  'catalina',
  'mountains',
  'tucson',
  'monsoon',
  'system',
  'people',
  'southwest',
  'researcher',
  'water',
  'climate',
  'monsoon',
  'prediction',
  'climate',
  'change',
  'monsoon',
  'community',
  'benefit',
  'risk',
  'effect',
  'flash',
  'flooding',
  'word',
  'monsoon',
  'word',
  'mausim',
  'season',
  'use',
  'scale',
  'wind',
  'shift',
  'subcontinent',
  'ocean',
  'summer',
  'rain',
  'monsoon',
  'africa',
  'australia',
  'south',
  'america',
  'mexico',
  'u.s',
  'circulation',
  'air',
  'ocean',
  'rainfall',
  'summer',
  'season',
  'southwest',
  'pattern',
  'area',
  'pressure',
  'monsoon',
  'ridge',
  'area',
  'mexico',
  'u.s.',
  'june',
  'center',
  'ridge',
  'southwest',
  'monsoon',
  'rain',
  'air',
  'region',
  'ridge',
  'monsoon',
  'arizona',
  'june',
  'sept.',
  'rainfall',
  'july',
  'august',
  'monsoon',
  'ecosystem',
  'thousand',
  'year',
  'specie',
  'advantage',
  'monsoon',
  'rain',
  'storm',
  'milkweed',
  'plant',
  'butterfly',
  'egg',
  'great',
  'plains',
  'toad',
  'tadpole',
  'cycle',
  'rain',
  'puddle',
  'cactus',
  'fruit',
  'insect',
  'food',
  'hummingbird',
  'dove',
  'bird',
  'animal',
  'wildflower',
  'flagstaff',
  'ariz.',
  'aug.',
  'monsoon',
  'season',
  'ap',
  'photo/',
  'felicia',
  'fonseca',
  'flood',
  'desert',
  'monsoon',
  'thunderstorm',
  'cloud',
  'mountain',
  'day',
  'rain',
  'afternoon',
  'evening',
  'danger',
  'desert',
  'environment',
  'flash',
  'flooding',
  'soil',
  'intensity',
  'downpour',
  'wash',
  'arroyos',
  'drainage',
  'channel',
  'rainstorm',
  'current',
  'minute',
  'car',
  'people',
  'thunderstorm',
  'microburst',
  'surface',
  'wind',
  'gust',
  'hurricane',
  'force',
  'dust',
  'storm',
  'haboobs',
  'wall',
  'dust',
  'mile',
  'visibility',
  'thunderstorm',
  'beginning',
  'monsoon',
  'wildfire',
  'storm',
  'yarnell',
  'hill',
  'fire',
  'june',
  'firefighter',
  'monsoon',
  'rain',
  'fire',
  'burn',
  'scar',
  'mud',
  'debris',
  'flow',
  'wildfire',
  'damage',
  'circulation',
  'pattern',
  'july',
  'august',
  'monsoon',
  'weather',
  'southwest',
  'arizona',
  'rain',
  'day',
  'week',
  'storm',
  'flash',
  'flooding',
  'wind',
  'dust',
  'storm',
  'mud',
  'debris',
  'flow',
  'lightning',
  'emergency',
  'responder',
  'water',
  'rescue',
  'tucson',
  'forecaster',
  'phoenix',
  'flash',
  'flood',
  'warning',
  'august',
  'year',
  'record',
  'monsoon',
  'benefit',
  'water',
  'supply',
  'arizona',
  'term',
  'drought',
  'tucson',
  'basin',
  'monsoon',
  'flow',
  'tributary',
  'santa',
  'cruz',
  'river',
  'groundwater',
  'water',
  'reserve',
  '%',
  'reservoir',
  'salt',
  'river',
  'project',
  'water',
  'people',
  'arizona',
  'time',
  'west',
  'record',
  'low',
  'monsoon',
  'rain',
  'sonoran',
  'desert',
  'life',
  'area',
  'bighorn',
  'fire',
  'thousand',
  'saguaros',
  'future',
  'monsoon',
  'forecasting',
  'monsoon',
  'resolution',
  'model',
  'thunderstorm',
  'modeling',
  'system',
  'university',
  'arizona',
  'weather',
  'forecast',
  'decade',
  'storm',
  'day',
  'month',
  'advance',
  'monsoon',
  'rain',
  'year',
  'range',
  'forecast',
  'mid-',
  'june',
  'climate',
  'change',
  'monsoon',
  'rain',
  'summer',
  'storm',
  'year',
  'indication',
  'region',
  'effect',
  'heat',
  'wave',
  'wildfire',
  'monsoon',
  'year',
  'record',
  'rainfall',
  'weather',
  'shift',
  'people',
  'exposure',
  'weather',
  'climate',
  'extreme',
  'southwest',
  'concern',
  'monsoon',
  'increase',
  'threshold',
  'point',
  'failure',
  'example',
  'flood',
  'control',
  'infrastructure',
  'rainfall',
  'forest',
  'type',
  'risk',
  'future',
  'southwest',
  'article',
  'conversation',
  'creative',
  'commons',
  'license',
  'article',
  'arizona',
  'mirror',
  'states',
  'newsroom',
  'network',
  'news',
  'bureaus',
  'grant',
  'coalition',
  'donor',
  'charity',
  'arizona',
  'mirror',
  'independence',
  'contact',
  'editor',
  'jim',
  'small',
  'question',
  'arizona',
  'mirror',
  'facebook',
  'twitter',
  'story',
  'print',
  'creative',
  'commons',
  'license',
  'cc',
  'nc',
  'nd',
  'style',
  'attribution',
  'link',
  'web',
  'site',
  'guideline',
  'use',
  'photo',
  'graphic',
  'diama',
  'zamora',
  'reyesdiana',
  'zamora',
  'reyes',
  'phd',
  'candidate',
  'university',
  'arizona',
  'department',
  'hydrology',
  'atmospheric',
  'sciences',
  'bryant',
  'bannister',
  'laboratory',
  'tree',
  'ring',
  'research',
  'graduate',
  'research',
  'enhancement',
  'california',
  'precipitation',
  'streamflow',
  'variability',
  'trend',
  'term',
  'context',
  'tree',
  'ring',
  'reconstruction',
  'dissertation',
  'project',
  'awareness',
  'public',
  'start',
  'flooding',
  'season',
  'arizona',
  'emphasis',
  'spanish',
  'community',
  'authorchristopher',
  'l.',
  'castrochristopher',
  'l.',
  'castro',
  'professor',
  'hydrology',
  'atmospheric',
  'sciences',
  'university',
  'arizona',
  'work',
  'department',
  'atmospheric',
  'science',
  'colorado',
  'state',
  'university',
  'model',
  'investigation',
  'summer',
  'climate',
  'research',
  'group',
  'university',
  'arizona',
  'understanding',
  'prediction',
  'climate',
  'north',
  'america',
  'modeling',
  'analysis',
  'observation',
  'author',
  'related',
  'news',
  'southwest',
  'gas',
  'official',
  'rate',
  'david',
  'abbott',
  'january',
  'david',
  'stevens',
  'cochise',
  'county',
  'laboratory',
  "'",
  'jen',
  'fifield',
  'votebeat',
  'february',
  'survivor',
  'descendant',
  'boarding',
  'school',
  'shondiin',
  'silversmith',
  'january',
  'democracy',
  'toolkit',
  'register',
  '',
  '',
  '',
  '',
  'ballot',
  '',
  '',
  'ballot',
  'find',
  'legislator',
  'ballot',
  'ballot',
  'legislator',
  'voice',
  'arizonans',
  'story',
  'light',
  'relationship',
  'people',
  'power',
  'policy',
  'official',
  'deij',
  'policy',
  'ethics',
  'policy',
  '',
  '',
  'privacy',
  'policy',
  'story',
  'print',
  'creative',
  'commons',
  'license',
  'cc',
  'nc',
  'nd',
  'style',
  'attribution',
  'link',
  'web',
  'site',
  'deij',
  'policy',
  'ethics',
  'policy',
  '',
  '',
  'privacy',
  'policy'],
 ['contentnewselection',
  'classhomenewslocalregionalnationalinternationalpoliticsweatherwv',
  'lottery',
  'camsdual',
  'doppler',
  'radarlatest',
  'videowsaz',
  'nowwatch',
  'livegas',
  'tank',
  'getawaybest',
  'classwsaz',
  'golden',
  'applefootball',
  'friday',
  'nightmaking',
  'differencejourney',
  'parenthoodfeatured',
  'linkssubmit',
  'storysubmit',
  'photos',
  'videospoll',
  'questionwsaz',
  'investigatesmeet',
  'teamcontact',
  'usnextgen',
  'tvwork',
  'wsazadvertise',
  'ussportsfootball',
  'friday',
  'nighthigh',
  'school',
  'sportscollege',
  'sportspro',
  'sportshigh',
  'school',
  'scoresstats',
  'predictionshow',
  'watchtri',
  'state',
  'cwmetvinvestigatetvcircle',
  'country',
  'music',
  'lifestyletv',
  'heronominate',
  'hometown',
  'herohome',
  'garden',
  'connectionfirst',
  'look',
  'fourstudio',
  'children',
  'charitiesgray',
  'dc',
  'bureaugreat',
  'health',
  'dividelatest',
  'newscastspress',
  'releasesbreaking',
  'person',
  'kanawha',
  'riverdismiss',
  'breaking',
  'news',
  'alerts',
  'bar2',
  'weather',
  'alert',
  'weather',
  'alert',
  'alert',
  'barwsaz',
  'weather',
  'warning',
  'forecast',
  'doppler',
  'radarwv',
  'lottery',
  'camsdual',
  'doppler',
  'radarforecast',
  'heat',
  'saturdayupdated',
  'hour',
  'ago',
  'tony',
  'cavalierheat',
  'wave',
  'condition',
  'saturday',
  'tony',
  'story',
  'warning',
  'forecast',
  '',
  '',
  'heat',
  'wave',
  'wednesday',
  'fridayupdated',
  'hour',
  'ago',
  'nicholas',
  'sniderheat',
  'wave',
  'wednesday',
  'fridayforecast',
  'warning',
  'forecast',
  'heat',
  'wave',
  'beginsupdated',
  'hour',
  'ago',
  'brandon',
  'butcherfirst',
  'heat',
  'wave',
  'summer',
  'warning',
  'forecast',
  'hot',
  'todayupdated',
  'jul.',
  'pm',
  'edt',
  'andy',
  'chilianhours',
  'sunshine',
  '80',
  'risk',
  'downpour',
  'day',
  'warning',
  'forecast',
  'heatupdated',
  'jul.',
  'pm',
  'andy',
  'chilianthe',
  'temperature',
  'trek',
  'heat',
  'wave',
  'status',
  'storm',
  'downpour',
  'forecast',
  'weekend',
  'heat',
  'jul.',
  'pm',
  'andy',
  'chiliansaturday',
  'weather',
  'temperature',
  'humidity',
  'sunday',
  'rain',
  'chance',
  'sunday',
  'shower',
  'kentucky',
  'ohio',
  'west',
  'virginia',
  'mountain',
  'work',
  'week',
  'rain',
  'chance',
  'heat',
  'humidity',
  'build',
  'stretch',
  'summer',
  'humidity',
  'heat',
  'issue',
  'weather',
  'jul.',
  'edt',
  'andy',
  'chiliancomfortable',
  'night',
  '60',
  'afternoon',
  '80',
  'humidity',
  'weather',
  'weekend',
  'rain',
  'chance',
  'shower',
  'kentucky',
  'ohio',
  'west',
  'virginia',
  'mountain',
  'week',
  'rain',
  'chance',
  'heat',
  'end',
  'week',
  'temperature',
  'summer',
  'weekend',
  'jul.',
  'pm',
  'tony',
  'weekend',
  'weekend',
  'taste',
  'september',
  'weather',
  'tony',
  'story',
  'forecast',
  'weekend',
  'jul.',
  'edt',
  'nicholas',
  'sniderthe',
  'notion',
  'weekend',
  'warning',
  'forecast',
  'quieter',
  'dayupdated',
  'jul.',
  'edt',
  'brandon',
  'rain',
  'day',
  'today',
  'storm',
  'tomorrow',
  'risk',
  'flooding',
  'weather',
  'doppler',
  'radarforecast',
  'warning',
  'forecast',
  'stuck',
  'tropical',
  'patternupdated',
  'jul.',
  'edt',
  'brandon',
  'butchermorning',
  'sunshine',
  'yesterday',
  'rain',
  '80',
  'afternoon',
  'spark',
  'downpour',
  'day',
  'pattern',
  'warning',
  'forecast',
  'hazy',
  'smoke',
  'storm',
  'jul.',
  'edt',
  'brandon',
  'butcheramidst',
  'summer',
  'day',
  'july',
  'heat',
  'wildfire',
  'smoke',
  'round',
  'rain',
  'thunder',
  'kind',
  'week',
  'sundayupdated',
  'jul.',
  'pm',
  'andy',
  'chilianwidespread',
  'shower',
  'thunderstorm',
  'region',
  'saturday',
  'afternoon',
  'saturday',
  'night',
  'fanfare',
  'shower',
  'weather',
  'store',
  'future',
  'temperature',
  'mid',
  '80',
  'day',
  'sunday',
  'humidity',
  'chance',
  'shower',
  'haze',
  'thing',
  'sunday',
  'monday',
  'round',
  'wildfire',
  'smoke',
  'canada',
  'way',
  'monday',
  'wednesday',
  'storm',
  'day',
  'chance',
  'rain',
  'forecast',
  'shower',
  'storm',
  'jul.',
  'edt',
  'andy',
  'chilianafter',
  'start',
  'week',
  'humidity',
  'condition',
  'thursday',
  'heat',
  'humidity',
  'fuel',
  'afternoon',
  'evening',
  'shower',
  'thunderstorm',
  'humidity',
  'shower',
  'storm',
  'friday',
  'rain',
  'chance',
  'forecast',
  'saturday',
  'week',
  'plenty',
  'time',
  'temperature',
  'mid',
  '80',
  'afternoon',
  'weekend',
  'aheadupdated',
  'jul.',
  'pm',
  'tony',
  'cavalierthe',
  'weekend',
  'weather',
  'day',
  'saturday',
  'storm',
  'prowl',
  'warning',
  'forecast',
  '',
  '',
  'passing',
  'showers',
  'steamy',
  'afternoonupdated',
  'jul.',
  'edt',
  'brandon',
  'butcherearly',
  'shower',
  'sunshine',
  'west',
  'afternoon',
  'break',
  'storm',
  'tomorrow',
  'warning',
  'forecast',
  '',
  '',
  'severe',
  'weather',
  'alert',
  'day',
  'todayupdated',
  'jul.',
  'brandon',
  'butchertoday',
  'severe',
  'weather',
  'alert',
  'day',
  'shower',
  'storm',
  'afternoon',
  'street',
  'flooding',
  'downpour',
  'summer',
  'threat',
  'wind',
  'hail',
  'tornado',
  'warning',
  'forecast',
  'rain',
  'free',
  'day',
  'hottestupdated',
  'jul.',
  'edt',
  'brandon',
  'butchertoday',
  'sunshine',
  'day',
  'week',
  'return',
  'shower',
  'storm',
  'tomorrow',
  'warning',
  'forecast',
  'inching',
  'hotter',
  'sun',
  'shinesupdated',
  'jul.',
  'edt',
  'brandon',
  'heat',
  'day',
  'temperature',
  '°',
  'today',
  'tomorrow',
  'shower',
  'storm',
  'warning',
  'forecast',
  '',
  '',
  'breakupdated',
  'jul.',
  'pm',
  'andy',
  'chilianit',
  'time',
  'bit',
  'heat',
  'jul.',
  'pm',
  'andy',
  'chilianwhile',
  'ohio',
  'kentucky',
  'shower',
  'saturday',
  'afternoon',
  'area',
  'air',
  'place',
  'change',
  'sunday',
  'humidity',
  'increase',
  'approach',
  'ingredient',
  'shower',
  'storm',
  'day',
  'washout',
  'shower',
  'storm',
  'day',
  'day',
  'heat',
  'midweek',
  'rain',
  'storm',
  'chance',
  'edge',
  'heat',
  'weekend',
  'jul.',
  'andy',
  'chiliansummertime',
  'heat',
  'saturday',
  'temperature',
  'degree',
  'afternoon',
  'humidity',
  'level',
  'day',
  'change',
  'sunday',
  'moisture',
  'gulf',
  'mexico',
  'shower',
  'storm',
  'rain',
  'pass',
  'heat',
  'middle',
  'week',
  'forecast',
  '3h',
  'weather',
  'kid',
  '4h',
  'county',
  'jul.',
  'pm',
  'tony',
  'cavaliercounty',
  'fair',
  'season',
  'tow',
  'thing',
  'timer',
  'tony',
  'cavalier',
  'heat',
  'thunder!forecast',
  'warning',
  'forecast',
  '',
  '',
  'worseupdated',
  'jul.',
  'edt',
  'brandon',
  'butchersunshine',
  'day',
  'today',
  'afternoon',
  'weather',
  'hour',
  'weekend',
  'stormy',
  'thursday',
  'evening',
  'fridayupdated',
  'jul.',
  'pm',
  'edt',
  'nicholas',
  'sniderstormy',
  'thursday',
  'evening',
  'fridayforecast',
  'warning',
  'forecast',
  'heat',
  'downpourupdated',
  'jul.',
  'brandon',
  'butcherhazy',
  'sky',
  'afternoon',
  'storm',
  'temperature',
  'near-90',
  '°',
  'warning',
  'forecast',
  'hazy',
  'summer',
  'heatupdated',
  'jul.',
  'edt',
  'brandon',
  'butchermost',
  'folk',
  'storm',
  'afternoon',
  'heat',
  'warning',
  'forecast',
  'sweltering',
  'festivitiesupdated',
  'jul.',
  'edt',
  'brandon',
  'rain',
  'chock',
  'humidity',
  'folk',
  'storm',
  'pop',
  'afternoon',
  'high',
  'today',
  '80',
  '90',
  'mugginess',
  'weather',
  'severe',
  'thunderstorm',
  'endsupdated',
  'jul.',
  'edt',
  'brandon',
  'thunderstorm',
  'watch',
  'midnight',
  'shower',
  'mondayupdated',
  'jul.',
  'pm',
  'edt',
  'andy',
  'chiliana',
  'pressure',
  'system',
  'shower',
  'forecast',
  'monday',
  'day',
  'weather',
  'fourth',
  'july',
  'tuesday',
  'thursday',
  'shower',
  'thunderstorm',
  'chance',
  'weekend',
  'nature',
  'forecast',
  'summery',
  'week',
  'julyupdated',
  'jul.',
  'pm',
  'edt',
  'andy',
  'chiliansaturday',
  'weather',
  'bit',
  'curveball',
  'morning',
  'shower',
  'storm',
  'kentucky',
  'atmosphere',
  'temperature',
  'light',
  'rain',
  'region',
  'sunday',
  'day',
  'shower',
  'thunderstorm',
  'activity',
  'activity',
  'afternoon',
  'temperature',
  'degree',
  'humidity',
  'monday',
  'shower',
  'nature',
  'fourth',
  'july',
  'fact',
  'temperature',
  'hold',
  'week',
  'shower',
  'storm',
  'forecast',
  'weekend',
  'weekend',
  'shower',
  'jul.',
  'andy',
  'chilianthe',
  'pattern',
  'june',
  'rearview',
  'mirror',
  'july',
  'note',
  'opportunity',
  'shower',
  'storm',
  'day',
  'washout',
  'event',
  'sternwheel',
  'regatta',
  'charleston',
  'summer',
  'motion',
  'ashland',
  'rain',
  'chance',
  'monday',
  'tuesday',
  'fourth',
  'july',
  'holiday',
  'heat',
  'humidity',
  'place',
  'storm',
  'risk',
  'return',
  'end',
  'week',
  'h',
  'weather',
  'weekend',
  '4thupdated',
  'jun.',
  'pm',
  'tony',
  'cavalierthe',
  'day',
  'independence',
  'day',
  'weekend',
  'tony',
  '3h',
  't',
  'forecast',
  'forecastthunder',
  'holiday',
  'jun.',
  'edt',
  'nicholas',
  'sniderthe',
  'fourth',
  'july',
  'weekend',
  'hand',
  'breezy',
  'mondayupdated',
  'jun.',
  'pm',
  'andy',
  'chilianshowers',
  'storm',
  'region',
  'night',
  'rain',
  'kentucky',
  'west',
  'virginia',
  'wind',
  'gust',
  'west',
  'virginia',
  'storm',
  'complex',
  'power',
  'outage',
  'day',
  'threat',
  'wind',
  'shower',
  'storm',
  'forecast',
  'couple',
  'day',
  'pressure',
  'system',
  'great',
  'lakes',
  'weather',
  'return',
  'wednesday',
  'friday',
  'temperature',
  'shower',
  'storm',
  'start',
  'fourth',
  'july',
  'holiday',
  'weekend',
  'time',
  'temperature',
  'warning',
  'forecast',
  'stormy',
  'summer',
  'eventuallyupdated',
  'jun.',
  'pm',
  'nicholas',
  'snidersummery',
  'weather',
  'end',
  'summer',
  'sundayupdated',
  'jun.',
  'edt',
  'andy',
  'chiliantemperatures',
  '80',
  'location',
  'saturday',
  'afternoon',
  'sunday',
  'high',
  '80',
  'humidity',
  'humidity',
  'focus',
  'shower',
  'thunderstorm',
  'sunday',
  'night',
  'air',
  'storm',
  'downpour',
  'wind',
  'hail',
  'weather',
  'pattern',
  'place',
  'middle',
  'week',
  'air',
  'end',
  'temperature',
  'day',
  'week',
  'cry',
  'month',
  'weekend',
  'weather',
  'jun.',
  'edt',
  'andy',
  'chilianthe',
  'pattern',
  'week',
  'saturday',
  'rain',
  'nature',
  'hour',
  'day',
  'sunday',
  'hour',
  'afternoon',
  'temperature',
  'time',
  'weather',
  'sunday',
  'evening',
  'shower',
  'thunderstorm',
  'west',
  'storm',
  'pattern',
  'middle',
  'week',
  'temperature',
  'weather',
  'end',
  'week',
  'forecast',
  'weekend',
  'forecast',
  'summery',
  'jun.',
  'pm',
  'tony',
  'cavalierthe',
  'weekend',
  'summer',
  'weather',
  'event',
  'warning',
  'forecast',
  'gradual',
  'improvement',
  'timeupdated',
  'jun.',
  'edt',
  'brandon',
  'butcherafter',
  'week',
  'rain',
  'threat',
  'sky',
  'time',
  'weekend',
  'journey',
  'warning',
  'forecast',
  '',
  '',
  'betterupdated',
  'jun.',
  'edt',
  'brandon',
  'butcherlow',
  'cloud',
  'drizzle',
  'day',
  'today',
  'set',
  'rain',
  'band',
  'afternoon',
  'evening',
  'rain',
  'tonight',
  'time',
  'weekend',
  'warning',
  'forecast',
  'showersupdated',
  'jun.',
  'edt',
  'brandon',
  'butcherscattered',
  'shower',
  'landscape',
  'bit',
  'glimpse',
  'sunshine',
  'temperature',
  '70',
  'afternoon',
  'pattern',
  'couple',
  'days--',
  'time',
  'weekend',
  'warning',
  'forecast',
  'tropical',
  'continuesupdated',
  'jun.',
  'edt',
  'brandon',
  'feel',
  'tri',
  'state',
  'area',
  'rain',
  'downpour',
  'forecast',
  'warning',
  'forecast',
  'rain',
  'returnsupdated',
  'jun.',
  'edt',
  'brandon',
  'butcherthis',
  'week',
  'pattern',
  'change',
  'drought',
  'concern',
  'flooding',
  'concern',
  'weather',
  'father',
  'dayupdated',
  'jun.',
  'pm',
  'andy',
  'chilianfather',
  'day',
  'sunday',
  'saturday',
  'stretch',
  'weather',
  'juneteenth',
  'monday',
  'humidity',
  'increase',
  'pressure',
  'system',
  'chance',
  'shower',
  'storm',
  'system',
  'vicinity',
  'region',
  'week',
  'shift',
  ...],
 ['tide',
  'science',
  'actionmobile',
  'green',
  'solutionsout',
  'harm',
  'way?resources',
  'new',
  'jerseyabout',
  'authors',
  'saving',
  'new',
  'jersey',
  'tide',
  'action',
  'science',
  'policy',
  'engineering',
  'planning',
  'future',
  'proof',
  'garden',
  'state',
  'sea',
  'level',
  'new',
  'jersey',
  'oceanfront',
  'bay',
  'foot',
  'turn',
  'century',
  'increase',
  'tide',
  'hurricane',
  'nor’easter',
  'area',
  'storm',
  'surf',
  'wind',
  'flood',
  'year',
  'state',
  'affair',
  'future',
  'storm',
  'surge',
  'new',
  'jersey',
  'foot',
  'sea',
  'level',
  'rise',
  'greenhouse',
  'gas',
  'emission',
  'antarctic',
  'warming',
  'sea',
  'level',
  'foot',
  'foot',
  'end',
  'century',
  'map',
  'flooding',
  'nor’easter',
  'case',
  'scenario',
  'area',
  'thousand',
  'home',
  'flooding',
  'animation',
  'njfloodmapper',
  'staff',
  'future',
  'storm',
  'surge',
  'new',
  'jersey',
  'foot',
  'sea',
  'level',
  'rise',
  'greenhouse',
  'gas',
  'emission',
  'antarctic',
  'warming',
  'sea',
  'level',
  'foot',
  'foot',
  'end',
  'century',
  'map',
  'flooding',
  'nor’easter',
  'case',
  'scenario',
  'area',
  'thousand',
  'home',
  'flooding',
  'animation',
  'njfloodmapper',
  'staff',
  'sea',
  'level',
  'foot',
  'foot',
  'garden',
  'state',
  'trajectory',
  'greenhouse',
  'gas',
  'emission',
  'activity',
  'ice',
  'sheet',
  'decade',
  'water',
  'level',
  'land',
  'wetland',
  'government',
  'business',
  'resident',
  'step',
  'sea',
  'level',
  'rise',
  'flooding',
  'storm',
  'threat',
  'future',
  'storm',
  'surge',
  'map',
  'flooding',
  'nor’easter',
  'half',
  'new',
  'jersey',
  'case',
  'scenario',
  'area',
  'thousand',
  'home',
  'flooding',
  'animation',
  'njfloodmapper',
  'staff',
  'future',
  'storm',
  'surge',
  'map',
  'flooding',
  'nor’easter',
  'half',
  'new',
  'jersey',
  'case',
  'scenario',
  'area',
  'thousand',
  'home',
  'flooding',
  'animation',
  'njfloodmapper',
  'staff',
  'rutgers',
  'expert',
  'science',
  'evidence',
  'recommendation',
  'climate',
  'change',
  'impact',
  'essay',
  'rutgers',
  'expert',
  'insight',
  'science',
  'planning',
  'policy',
  'engineering',
  'perspective',
  'resilience',
  'tool',
  'new',
  'jersey',
  'county',
  'town',
  'business',
  'resident',
  'tide',
  'climate',
  'change',
  'new',
  'jersey',
  'world',
  'damage',
  'greenhouse',
  'gas',
  'emission',
  'bet',
  'illustration',
  'traci',
  'daberko',
  'climate',
  'change',
  'new',
  'jersey',
  'world',
  'damage',
  'greenhouse',
  'gas',
  'emission',
  'bet',
  'illustration',
  'traci',
  'daberko',
  'future',
  'sea',
  'level',
  'new',
  'jersey',
  'foot',
  'foot',
  'foot',
  'robert',
  'kopp',
  'karl',
  'nordstrom',
  'johnny',
  'quispe',
  'sea',
  'level',
  'inch',
  'new',
  'jersey',
  'sea',
  'level',
  'foot',
  'period',
  'land',
  'force',
  'land',
  'ice',
  'sheet',
  'year',
  'groundwater',
  'pumping',
  'record',
  'salt',
  'marsh',
  'new',
  'jersey',
  'site',
  'world',
  'nature',
  'century',
  'rise',
  'sea',
  'level',
  'average',
  'period',
  'year',
  'rise',
  'ocean',
  'mountain',
  'glacier',
  'ice',
  'sheet',
  'effect',
  'sea',
  'level',
  'rise',
  'sea',
  'tide',
  'storm',
  'flooding',
  'sea',
  'level',
  'rise',
  'frequency',
  'flooding',
  'shore',
  'community',
  'new',
  'jerseyans',
  'sandy',
  'floodwater',
  'new',
  'jerseyans',
  'foot',
  'tide',
  'level',
  'term',
  'elevation',
  'area',
  'sea',
  'level',
  'rise',
  'flooding',
  'century',
  'sea',
  'level',
  'rise',
  'community',
  'way',
  'land',
  'use',
  'infrastructure',
  'property',
  'taxis',
  'emergency',
  'management',
  'half',
  'century',
  'jersey',
  'shore',
  'foot',
  'foot',
  'sea',
  'level',
  'rise',
  'study',
  'climate',
  'central',
  'zillow',
  'sea',
  'level',
  'rise',
  'projection',
  'rutgers',
  'home',
  'jersey',
  'shore',
  'ocean',
  'cape',
  'county',
  'area',
  'range',
  'sea',
  'level',
  'rise',
  'unknown',
  'course',
  'greenhouse',
  'gas',
  'emission',
  'sensitivity',
  'ice',
  'sheet',
  'antarctic',
  'ice',
  'sheet',
  'start',
  'industrial',
  'revolution',
  'human',
  'ton',
  'carbon',
  'dioxide',
  'fossil',
  'fuel',
  'fossil',
  'fuel',
  'emission',
  'driver',
  'fever',
  'degree',
  'fahrenheit',
  'climate',
  'level',
  'warming',
  'goal',
  'degree',
  'celsius',
  'degree',
  'fahrenheit',
  'degree',
  'celsius',
  'degree',
  'fahrenheit',
  'greenhouse',
  'gas',
  'emission',
  'world',
  'half',
  'century',
  'chance',
  'sea',
  'level',
  'rise',
  'new',
  'jersey',
  'course',
  'century',
  'foot',
  'foot',
  'emission',
  'growth',
  'trajectory',
  'bet',
  'emission',
  'fever',
  'degree',
  'fahrenheit',
  'end',
  'century',
  'rise',
  'foot',
  'foot',
  'new',
  'jersey',
  'model',
  'antarctic',
  'sensitivity',
  'warming',
  'range',
  'foot',
  'foot',
  'tool',
  'rutgers',
  'njfloodmapper',
  'climate',
  'central',
  'surging',
  'seas',
  'sense',
  'implication',
  'level',
  'rise',
  'foot',
  'sea',
  'level',
  'rise',
  'area',
  'flooding',
  'new',
  'jersey',
  'people',
  'property',
  'foot',
  'rise',
  'people',
  'property',
  'exposure',
  'assessment',
  'people',
  'land',
  'respond',
  'sea',
  'level',
  'change',
  'assumption',
  'condition',
  'environment',
  'sea',
  'level',
  'rise',
  'system',
  'beach',
  'dune',
  'salt',
  'marsh',
  'water',
  'level',
  'landward',
  'area',
  'environment',
  'building',
  'road',
  'shore',
  'protection',
  'structure',
  'movement',
  'erosion',
  'place',
  'new',
  'jersey',
  'squeeze',
  'barrier',
  'island',
  'marsh',
  'place',
  'residence',
  'recreation',
  'provider',
  'service',
  'water',
  'filtration',
  'storage',
  'storm',
  'buffering',
  'bird',
  'habitat',
  'response',
  'hazard',
  'environment',
  'face',
  'sea',
  'level',
  'rise',
  'development',
  'shore',
  'process',
  'occupancy',
  'hazard',
  'example',
  'house',
  'piling',
  'infrastructure',
  'place',
  'state',
  'program',
  'blue',
  'acres',
  'relocation',
  'success',
  'story',
  'climate',
  'central',
  'zillow',
  'analysis',
  'house',
  'area',
  'time',
  'use',
  'shore',
  'protection',
  'structure',
  'seawall',
  'bulkhead',
  'groin',
  'infrastructure',
  'past',
  'beach',
  'nourishment',
  'new',
  'jersey',
  'leader',
  'scale',
  'nourishment',
  'program',
  'volume',
  'sediment',
  'nourishment',
  'operation',
  'new',
  'jersey',
  'availability',
  'future',
  'beach',
  'nourishment',
  'plant',
  'animal',
  'habitat',
  'sea',
  'land',
  'state',
  'community',
  'resilience',
  'plan',
  'range',
  'future',
  'state',
  'approach',
  'science',
  'range',
  'future',
  'coordination',
  'municipality',
  'time',
  'approach',
  'communication',
  'opportunity',
  'collaboration',
  'pooling',
  'resource',
  'scale',
  'project',
  'entity',
  'rutgers',
  'role',
  'effort',
  'fruition',
  'sea',
  'level',
  'rise',
  'effort',
  'state',
  'economy',
  'magnitude',
  'sea',
  'level',
  'rise',
  'magnitude',
  'fever',
  'earth',
  'new',
  'jersey',
  'climate',
  'change',
  'alliance',
  'research',
  'information',
  'new',
  'jerseyans',
  'tide',
  'superstorm',
  'sandy',
  'illustration',
  'traci',
  'daberko',
  'new',
  'jersey',
  'climate',
  'change',
  'alliance',
  'research',
  'information',
  'new',
  'jerseyans',
  'tide',
  'superstorm',
  'sandy',
  'illustration',
  'traci',
  'daberko',
  'new',
  'jersey',
  'tide',
  'science',
  'action',
  'marjorie',
  'kaplan',
  'lisa',
  'auermuller',
  'jeanne',
  'herb',
  'anniversary',
  'superstorm',
  'sandy',
  'autumn',
  'sandy',
  'answer',
  'place',
  'respect',
  'structure',
  'system',
  'storm',
  'issue',
  'preparedness',
  'face',
  'sea',
  'level',
  'rise',
  'new',
  'jersey',
  'superstorm',
  'sandy',
  'event',
  'opportunity',
  'research',
  'dialogue',
  'issue',
  'policymaker',
  'official',
  'rutgers',
  'mission',
  'service',
  'new',
  'jersey',
  'position',
  'continuity',
  'reality',
  'climate',
  'change',
  'politic',
  'pracademic',
  'academician',
  'practitioner',
  'science',
  'policy',
  'action',
  'community',
  'sector',
  'society',
  'sea',
  'level',
  'rise',
  'rutgers',
  'colleague',
  'university',
  'science',
  'engineering',
  'health',
  'planning',
  'policy',
  'law',
  'communication',
  'humanity',
  'approach',
  'work',
  'access',
  'community',
  'field',
  'station',
  'jacques',
  'cousteau',
  'national',
  'estuarine',
  'research',
  'reserve',
  'example',
  'university',
  'community',
  'work',
  'new',
  'jersey',
  'climate',
  'change',
  'alliance',
  'network',
  'evidence',
  'climate',
  'change',
  'strategy',
  'state',
  'level',
  'new',
  'jersey',
  'rutgers',
  'climate',
  'institute',
  'bloustein',
  'school',
  'planning',
  'public',
  'policy',
  'alliance',
  'year',
  'sandy',
  'storm',
  'value',
  'mission',
  'behalf',
  'alliance',
  'research',
  'analysis',
  'user',
  'decision',
  'support',
  'tool',
  'outreach',
  'material',
  'event',
  'new',
  'jerseyans',
  'climate',
  'change',
  'alliance',
  'request',
  'science',
  'technical',
  'advisory',
  'panel',
  'expert',
  'science',
  'sea',
  'level',
  'rise',
  'projection',
  'storm',
  'flood',
  'risk',
  'implication',
  'practice',
  'policy',
  'new',
  'jersey',
  'stakeholder',
  'option',
  'science',
  'risk',
  'decision',
  'process',
  'process',
  'panel',
  'resilience',
  'practitioner',
  'feedback',
  'science',
  'panel',
  'barrier',
  'opportunity',
  'science',
  'panel',
  'conclusion',
  'practice',
  'research',
  'decision',
  'maker',
  'practitioner',
  'hazard',
  'datum',
  'state',
  'framework',
  'degree',
  'climate',
  'change',
  'impact',
  'new',
  'jersey',
  'decision',
  'maker',
  'professional',
  'recognition',
  'sea',
  'level',
  'rise',
  'impact',
  'new',
  'jersey',
  'area',
  'result',
  'awareness',
  'superstorm',
  'sandy',
  'support',
  'measure',
  'approach',
  'resilience',
  'vision',
  'planning',
  'implementation',
  'concern',
  'emphasis',
  'structure',
  'sense',
  'security',
  'term',
  'resiliency',
  'resident',
  'storm',
  'roadway',
  'infrastructure',
  'facility',
  'sea',
  'level',
  'rise',
  'planning',
  'number',
  'state',
  'agency',
  'decision',
  'maker',
  'sea',
  'level',
  'rise',
  'projection',
  'knowledge',
  'flooding',
  'decision',
  'making',
  'flood',
  'datum',
  'reference',
  'point',
  'impact',
  'preparedness',
  'sea',
  'level',
  'rise',
  'flooding',
  'collaboration',
  'actor',
  'state',
  'decision',
  'maker',
  'sector',
  'leader',
  'scientist',
  'resident',
  'business',
  'community',
  'rutgers',
  'research',
  'result',
  'example',
  'resilience',
  'assessment',
  'process',
  'new',
  'jersey',
  'municipality',
  'rivers',
  'future',
  'municipality',
  'resilience',
  'planning',
  'project',
  'monmouth',
  'county',
  'partnership',
  'state',
  'new',
  'jersey',
  'planning',
  'decision',
  'implication',
  'future',
  'decision',
  'factor',
  'hope',
  'evidence',
  'information',
  'new',
  'jerseyans',
  'sea',
  'level',
  'rise',
  'storm',
  'october',
  'time',
  'new',
  'jersey',
  'infrastructure',
  'engineering',
  'illustration',
  'traci',
  'daberko',
  'time',
  'new',
  'jersey',
  'infrastructure',
  'engineering',
  'illustration',
  'traci',
  'daberko',
  'mobile',
  'green',
  'infrastructure',
  'adaptation',
  'sea',
  'level',
  'rise',
  'qizhong',
  'george',
  'guo',
  'new',
  'jersey',
  'effort',
  'sea',
  'level',
  'infrastructure',
  'challenge',
  'deterioration',
  'change',
  'time',
  'infrastructure',
  'mean',
  'consequence',
  'sea',
  'level',
  'rise',
  'flooding',
  'tide',
  'rainfall',
  'area',
  'new',
  'jersey',
  'saltwater',
  'intrusion',
  'aquifer',
  'water',
  'supply',
  'flooding',
  'rainfall',
  'event',
  'storm',
  'drainage',
  'system',
  'river',
  'sea',
  'level',
  'level',
  'water',
  'flooding',
  'erosion',
  'hurricane',
  'nor’easter',
  'storm',
  'surge',
  'sea',
  ...],
 ['javascript',
  'browser',
  'experience',
  'site',
  'javascript',
  'browser',
  'type',
  'character',
  'input',
  'search',
  'result',
  'arrow',
  'key',
  'suggest',
  'box',
  'esc',
  'key',
  'input',
  'search',
  'field',
  'site',
  'navigation',
  'arrow',
  'space',
  'bar',
  'command',
  'arrow',
  'level',
  'link',
  'close',
  'menu',
  'sub',
  'level',
  'arrow',
  'level',
  'menu',
  'sub',
  'tier',
  'link',
  'enter',
  'space',
  'menu',
  'escape',
  'tab',
  'site',
  'menu',
  'item',
  'interestagriculture',
  'environmentagriculture',
  'health',
  'productionplant',
  'production',
  'technologyagricultural',
  'business',
  'policynatural',
  'master',
  'gardenermissouri',
  'master',
  'naturalistmaster',
  'pollinator',
  'stewardswine',
  'extensionmissouri',
  'grain',
  'cropsbeef',
  'extensionagricultural',
  'business',
  'policy',
  'extensionindustrial',
  'hempprecision',
  'agriculturewildlife',
  'ecology',
  'managementview',
  'agriculture',
  'environment',
  'program',
  'soil',
  'plant',
  'testing',
  'laboratory',
  'business',
  'communitybusiness',
  'communitybusiness',
  'developmentcommunity',
  'developmentlabor',
  'workforce',
  'developmentare',
  'exceed',
  'regional',
  'economic',
  'entrepreneurial',
  'developmentlabor',
  'education',
  'programmid',
  'america',
  'trade',
  'adjustment',
  'assistance',
  'centermissouri',
  'training',
  'institutemissouri',
  'small',
  'business',
  'development',
  'centersmissouri',
  'procurement',
  'technical',
  'assistance',
  'centerscommunity',
  'leadershipview',
  'business',
  'community',
  'program',
  'small',
  'business',
  'sbdc',
  'health',
  'safetyhealth',
  'educationemergency',
  'mu',
  'fire',
  'rescue',
  'training',
  'institutelaw',
  'enforcement',
  'training',
  'instituteveterinary',
  'extension',
  'continuing',
  'educationdrought',
  'resourcescontinuing',
  'education',
  'health',
  'professionsview',
  'health',
  'safety',
  'program',
  'continuing',
  'education',
  'health',
  'professions',
  'learn',
  'program',
  'youth',
  'family4',
  'h',
  'youth',
  'developmentnutrition',
  'health',
  'educationfamily',
  'home',
  'educationare',
  'missouri',
  'hstay',
  'strong',
  'healthytaking',
  'care',
  'youfood',
  'safetystrength',
  'numbersmissouri',
  'council',
  'activity',
  'nutritionliving',
  'healthy',
  'life',
  'chronic',
  'conditionsmental',
  'health',
  'aidview',
  'youth',
  'family',
  'program',
  'healthy',
  'life',
  'conditions',
  'learn',
  'program',
  'programsonline',
  'courseseventspublicationsnew',
  'article',
  'conne',
  'burnhamemergency',
  'management',
  'specialistfire',
  'rescue',
  'training',
  'instituteeach',
  'year',
  'people',
  'storm',
  'tornado',
  'advance',
  'warning',
  'warning',
  'warning',
  'tornado',
  'warning',
  'sky',
  'decision',
  'shelter',
  'storm',
  'decision',
  'tornado',
  'column',
  'air',
  'thunderstorm',
  'ground',
  'year',
  'tornado',
  'death',
  'injury',
  'tornado',
  'anytime',
  'year',
  'midwest',
  'state',
  'tornado',
  'occurrence',
  'mid',
  '-',
  'march',
  'june',
  'missouri',
  'risk',
  'tornado',
  'tornado',
  'alley',
  'state',
  'tornado',
  'activity',
  'tornado',
  'noon',
  'midnight',
  'time',
  'day',
  'lift',
  'formation',
  'thunderstorm',
  'tornado',
  'watch',
  'tornado',
  'area',
  'alert',
  'storm',
  'tornado',
  'warning',
  'tornado',
  'weather',
  'radar',
  'place',
  'safety',
  'defense',
  'home',
  'hour',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'noaa',
  'weather',
  'radio',
  'tornado',
  'watch',
  'warning',
  'weather',
  'condition',
  'radio',
  'television',
  'station',
  'watch',
  'warning',
  'tornado',
  'area',
  'thunderstorm',
  'watch',
  'warning',
  'effect',
  'information',
  'alert!know',
  'tornado',
  'stormdevelop',
  'plan',
  'family',
  'home',
  'work',
  'school',
  'drill',
  'noaa',
  'weather',
  'radio',
  'home',
  'county',
  'highway',
  'map',
  'storm',
  'movement',
  'weather',
  'bulletin',
  'radio',
  'television',
  'information',
  'trip',
  'forecast',
  'action',
  'weather',
  'risk',
  'people',
  'automobile',
  'people',
  'mobile',
  'home',
  'people',
  'warning',
  'language',
  'barrier',
  'stormin',
  'home',
  'building',
  'shelter',
  'basement',
  'shelter',
  'room',
  'hallway',
  'floor',
  'piece',
  'furniture',
  'window',
  'automobile',
  'highway',
  'overpass',
  'shelter',
  'tornado',
  'car',
  'vehicle',
  'ditch',
  'depression',
  'manufactured',
  'mobile',
  'home',
  'protection',
  'tornado',
  'warning',
  'siren',
  'individual',
  'warning',
  'shelter',
  'emergency',
  'alert',
  'system',
  'eas',
  'message',
  'detail',
  'step',
  'life',
  'life',
  'lot',
  'weather',
  'missouri',
  'reminder',
  'situation',
  'pierce',
  'city',
  'stockton',
  'carl',
  'junction',
  'canton',
  'desoto',
  'story',
  'you!for',
  'information',
  'emergency',
  'preparedness',
  'mu',
  'extension',
  'office',
  'author',
  'eric',
  'evans',
  'missouri',
  'extension',
  'disaster',
  'education',
  'network',
  'feedback',
  'form',
  'question',
  'comment',
  'publication',
  'careers',
  'extension',
  'council',
  'official',
  'faculty',
  'staff',
  'opportunity',
  'ada',
  'info',
  'policies',
  'return',
  'refund',
  'policy',
  'shipping',
  'policy',
  'privacy',
  'policy',
  'permission',
  'policy',
  'connect',
  'mu',
  'extension',
  'facebook',
  'twitter',
  'pinterest',
  'instagram',
  'mu',
  'extension',
  'help',
  'life',
  'community',
  'economy',
  'state',
  'donation',
  'curators',
  'university',
  'missouri',
  'right',
  'dmca',
  'copyright',
  'information',
  'university',
  'missouri',
  'extension',
  'opportunity',
  'access',
  'action',
  'employer',
  'term',
  'conditionsmobile',
  'toggle'],
 ['view',
  'nebraska',
  'sites',
  'chimney',
  'rock',
  'fort',
  'robinson',
  'john',
  'neihardt',
  'nebraska',
  'history',
  'museum',
  'neligh',
  'mill',
  'senator',
  'norris',
  'house',
  'thomas',
  'kennard',
  'house',
  'historical',
  'markers',
  'history',
  'nebraska',
  'programs',
  'historical',
  'marker',
  'equity',
  'program',
  'national',
  'register',
  'historic',
  'places',
  'nebraska',
  'hall',
  'fame',
  'semiquincentennial',
  'commission',
  'historical',
  'markers',
  'nebraska',
  'statewide',
  'cemetery',
  'registry',
  'willa',
  'cather',
  'national',
  'statuary',
  'hall',
  'selection',
  'committee',
  'heritage',
  'hero',
  'award',
  'recipients',
  'nebraska',
  'shrab',
  'research',
  'reference',
  'genealogy',
  'collections',
  'digital',
  'collections',
  'portal',
  'government',
  'records',
  'library',
  'search',
  'manuscript',
  'finding',
  'aids',
  'newspaper',
  'finding',
  'aids',
  'sound',
  'recording',
  'inventories',
  'history',
  'nebraska',
  'foundation',
  'donate',
  'membership',
  'volunteer',
  'year',
  'week',
  'january',
  'nebraska',
  'timer',
  'storm',
  'memory',
  'man',
  'state',
  'pioneer',
  'winter',
  'life',
  'storm',
  'december',
  'nebraska',
  'easter',
  'storm',
  'year',
  'blizzard',
  'plains',
  'area',
  'blizzard',
  'snowstorm',
  'nebraska',
  'reminiscence',
  'organization',
  'blizzard',
  'club',
  'man',
  'woman',
  'storm',
  'year',
  'january',
  'event',
  'club',
  'book',
  'storm',
  'research',
  'condition',
  'state',
  'account',
  'hour',
  'january',
  '12th',
  'cattle',
  'field',
  'school',
  'child',
  'area',
  'noon',
  'recess',
  'case',
  'man',
  'door',
  'shirt',
  'sleeve',
  'wind',
  'north',
  'mass',
  'snow',
  'man',
  'animal',
  'wasteland',
  'thermometer',
  'degree',
  'storm',
  'hour',
  'area',
  'storm',
  'state',
  'week',
  'newspaper',
  'detail',
  'farm',
  'ranch',
  'loss',
  'life',
  'property',
  'blizzard',
  'west',
  'estimate',
  'number',
  'nebraska',
  'dakota',
  'territory',
  'life',
  'aspect',
  'storm',
  'fact',
  'school',
  'child',
  'home',
  'room',
  'school',
  'house',
  'food',
  'fuel',
  'heroism',
  'number',
  'school',
  'teacher',
  'pupil',
  'child',
  'place',
  'annal',
  'nebraska',
  'fame',
  'minnie',
  'freeman',
  'mira',
  'valley',
  'valley',
  'county',
  'storm',
  'child',
  'school',
  'file',
  'head',
  'line',
  'pupil',
  'farmhouse',
  'song',
  'day',
  'nebraska',
  'fearless',
  'maid',
  'commemoration',
  'achievement',
  'lois',
  'royce',
  'teaching',
  'plainview',
  'farm',
  'child',
  'child',
  'limb',
  'knee',
  'emma',
  'shattuck',
  'teacher',
  'holt',
  'county',
  'refuge',
  'hay',
  'stack',
  'thursday',
  'night',
  'sunday',
  'limb',
  'relief',
  'fund',
  'sufferer',
  'teacher',
  'pupil',
  'james',
  'c.',
  'olson',
  'superintendent',
  'state',
  'historical',
  'society',
  'january',
  'mr.',
  'mrs.',
  't.',
  'c.',
  'porter',
  'st.',
  'paul',
  'nebraska',
  'family',
  'member',
  'east',
  'experience',
  'blizzard',
  'january',
  'william',
  'h.',
  'o’gara',
  'fury',
  'history',
  'reminiscence',
  'blizzard',
  'description',
  'impact',
  'mr.',
  'porter',
  'blizzard',
  'remark',
  'january',
  'letter',
  'description',
  'corn',
  'harvest',
  'year',
  'storm',
  'west',
  '12th',
  'inst',
  'snow',
  'wind',
  'storm',
  'country',
  'minute',
  'warning',
  'morning',
  'snow',
  'south',
  'o’clock',
  'wind',
  'north',
  'cloud',
  'ground',
  'wind',
  'country',
  'town',
  'load',
  'corn',
  'day',
  'mrs.',
  't.',
  'c.',
  'porter',
  'letter',
  'child',
  'home',
  'blizzard',
  'weather',
  'month',
  'nebraska',
  'storm',
  'fury',
  'middle',
  'day',
  'hog',
  'cass',
  'town',
  'window',
  'cat',
  'step',
  'cloud',
  'snow',
  'way',
  'child',
  'house',
  'fire',
  'evening',
  'crib',
  'cobs',
  'house',
  'wind',
  'house',
  'cobs',
  'house',
  'plastering',
  'house',
  'cradle',
  'child',
  'wit',
  'mother',
  'lot',
  'weather',
  'winter',
  'cold',
  'winter',
  'life',
  'body',
  'frank',
  'carney',
  'january',
  'blizzard',
  'spot',
  'omaha',
  'william',
  'o’gara',
  'fury',
  'book',
  'storm',
  'carney',
  'reminiscence',
  'experience',
  'storm',
  'time',
  'night',
  'telegraph',
  'operator',
  'chicago',
  'northwestern',
  'railway',
  'irvington',
  'mile',
  'omaha',
  'green',
  'farmhouse',
  'office',
  'east',
  'y',
  'time',
  'card',
  'box',
  'car',
  'spur',
  'line',
  'bank',
  'pappio',
  'creek',
  'mile',
  'east',
  'depot',
  'storm',
  'o’clock',
  'afternoon',
  'snow',
  'wind',
  'north',
  'night',
  'day',
  'operator',
  'night',
  'way',
  'trouble',
  'blizzard',
  'pappio',
  'valley',
  'boxcar',
  'hill',
  'broadside',
  'wind',
  'track',
  'blast',
  'moment',
  'creek',
  'stove',
  'train',
  'dispatcher',
  'fremont',
  'train',
  'storm',
  'depot',
  'car',
  'track',
  'dirt',
  'tie',
  'rail',
  'west',
  'walking',
  'road',
  'time',
  'foot',
  'eye',
  'scare',
  'fear',
  'agent',
  'light',
  'window',
  'country',
  'step',
  'north',
  'track',
  'depot',
  'platform',
  'window',
  'snow',
  'office',
  'stove',
  'night',
  'historysign',
  'email',
  'newsletter',
  'security',
  'team',
  'inbox',
  'jenner',
  'park',
  'popular',
  'summer',
  'attraction',
  'marker',
  'monday',
  'kregel',
  'windmill',
  'factory',
  'member',
  'member',
  'history',
  'horse',
  'surrender',
  'ledger',
  'forewardred',
  'dog',
  'oglala',
  'lakota',
  'red',
  'cloud',
  'agency',
  'nebraska',
  'nebraska',
  'state',
  'historical',
  'society',
  'rg2955.ph',
  'summer',
  'read',
  'moredarryl',
  'f.',
  'zanuckdarryl',
  'f.',
  'zanuck',
  'darryl',
  'f.',
  'zanuck',
  'nebraskan',
  'hollywood',
  'film',
  'century',
  'fox',
  'read',
  'morethe',
  'burlington',
  'pork',
  'specialnebraska',
  'railroad',
  'economy',
  'area',
  'burlington',
  'example',
  'history',
  'read',
  'morebungalow',
  'filling',
  'stationsafter',
  'standard',
  'oil',
  'company',
  'company',
  'standard',
  'oil',
  'nebraska',
  'state',
  'market',
  'read',
  'morethe',
  'bull',
  'fightthis',
  'time',
  'year',
  'visit',
  'fishin',
  'hole',
  'group',
  'fisherfolk',
  'plainview',
  'pastime',
  'read',
  'morebuffalo',
  'soldiers',
  'westafrican',
  'soldier',
  'frontier',
  'focus',
  'exhibit',
  'nebraska',
  'history',
  'museum',
  'lincoln',
  'buffalo',
  'soldiers',
  'west',
  'loan',
  'colorado',
  'read',
  'moreprotection',
  'buffalothe',
  'extermination',
  'buffalo',
  'plains',
  'nebraska',
  'state',
  'journal',
  'lincoln',
  'february',
  'vain',
  'read',
  'morebuffalo',
  'huntingin',
  'october',
  'rolf',
  'johnson',
  'friend',
  'home',
  'phelps',
  'county',
  'nebraska',
  'buffalo',
  'hunt',
  'colorado',
  'hunt',
  'read',
  'morebuffalo',
  'hunt',
  'j.',
  'e.',
  'johnsonjoseph',
  'e.',
  'johnson',
  'editor',
  'publisher',
  'huntsman',
  'echo',
  'wood',
  'river',
  'centre',
  'buffalo',
  'county',
  'hunting',
  'trip',
  'friend',
  'summer',
  'read',
  'morebuffalo',
  'hunt',
  'niagara',
  'fallsin',
  'james',
  'butler',
  'wild',
  'bill',
  'hickok',
  'master',
  'ceremony',
  'grand',
  'buffalo',
  'hunt',
  'niagara',
  'falls',
  'joseph',
  'g.',
  'rosa',
  'article',
  'hunt',
  'spring',
  'read',
  'morebuffalo',
  'hunt',
  'nebraska',
  'nebraskans',
  'area',
  'hunting',
  'excursion',
  'exploit',
  'read',
  'morebuffalo',
  'bill',
  'wild',
  'west',
  'performance',
  'william',
  'f.',
  'buffalo',
  'bill',
  'cody',
  'wild',
  'west',
  'omaha',
  'dress',
  'rehearsal',
  'place',
  'columbus',
  'read',
  'more8',
  'work',
  'nebraska',
  'history',
  'support',
  'history',
  'nebraska',
  'member',
  'history',
  'nebraska',
  'member',
  'passion',
  'history',
  'community',
  'action',
  'world',
  'home',
  'nebraska',
  'history',
  'newsletter',
  'history',
  'nebraska',
  'official',
  'nebraska',
  'government',
  'website',
  'history',
  'nebraska',
  'nebraska',
  'state',
  'historical',
  'society',
  'citizen',
  'nebraska',
  'change',
  'story',
  'people',
  'state',
  'institution',
  'fund',
  'legislature',
  'legislation',
  'history',
  'nebraska',
  'state',
  'institution',
  'state',
  'agency',
  'division',
  'interim',
  'director',
  'ceo',
  'jill',
  'dolberg',
  'staff',
  'personnel',
  'function',
  'museum',
  'store',
  'service',
  'security',
  'facility',
  'maintenance',
  'history',
  'nebraska',
  'place',
  'people',
  'past',
  'history',
  'nebraska',
  'site',
  'event',
  'view',
  'event',
  'member',
  'work',
  'nebraska',
  'history',
  'support',
  'history',
  'nebraska',
  'member',
  'program',
  'history',
  'nebraska',
  'hall',
  'fame',
  'inductee',
  'nebraska',
  'hall',
  'fame',
  'nebraskans',
  'member',
  'work',
  'nebraska',
  'history',
  'support',
  'history',
  'nebraska',
  'member',
  'history',
  'nebraska',
  'mission',
  'history',
  'nebraskans',
  'youtube',
  'video',
  'collection',
  'look',
  'nebraska',
  'history',
  'eye',
  'video',
  'collection',
  'additional',
  'research',
  'resources',
  'history',
  'nebraska',
  'research',
  'reference',
  'services',
  'material',
  'cash',
  'donation',
  'nebraska',
  'history',
  'gift',
  'history',
  'nebraska',
  'legacy',
  'taxis',
  'work',
  'history',
  'nebraska',
  'history',
  'nebraska',
  'foundation',
  'today',
  'volunteer',
  'hero',
  'history',
  'nebraska',
  'history',
  'time',
  'work',
  'access',
  'nebraska',
  'story',
  'museum',
  'site',
  'reference',
  'room'],
 ['organization',
  'quality',
  'life',
  'army',
  'z',
  'secretary',
  'secretary',
  'chief',
  'staff',
  'vice',
  'chief',
  'staff',
  'sergeant',
  'major',
  'army',
  'search',
  'news',
  'photo',
  'video',
  'army.mil',
  'capt',
  'william',
  'carrawayjanuary',
  'soldier',
  'macon',
  '3rd',
  'brigade',
  '30th',
  'infantry',
  'division',
  'georgia',
  'army',
  'national',
  'guard',
  'truck',
  'food',
  'supply',
  'atlanta',
  'helicopter',
  '151st',
  'aviation',
  'battalion',
  'pound',
  'food',
  'w',
  'photo',
  'credit',
  'u.s.',
  'army',
  'atlanta',
  'temperature',
  'east',
  'coast',
  'memory',
  'snowfall',
  'accumulation',
  'north',
  'georgia',
  'december',
  'winter',
  'weather',
  'mind',
  'georgia',
  'guardsmen',
  'possibility',
  'response',
  'mission',
  'week',
  'order',
  'unit',
  'state',
  'citizen',
  'georgia',
  'emergency',
  'article',
  'georgia',
  'guard',
  'emergency',
  'response',
  'winter',
  'storms',
  'ice',
  'storm',
  'paralyzes',
  'north',
  'georgia',
  'day',
  'january',
  'sleet',
  'rain',
  'north',
  'georgia',
  'saturday',
  'january',
  'inch',
  'ice',
  'road',
  'power',
  'line',
  'traffic',
  'standstill',
  'power',
  'people',
  'response',
  'georgia',
  'air',
  'national',
  'guard',
  'c-124',
  'globemasters',
  '165th',
  'military',
  'airlift',
  'group',
  'truck',
  'trailer',
  'generator',
  'dobbins',
  'air',
  'force',
  'reserve',
  'base',
  'marietta',
  'emergency',
  'power',
  'generator',
  'saint',
  'simon',
  'island',
  '224th',
  'mobile',
  'communications',
  'squadron',
  'tactical',
  'control',
  'squadron',
  'kennesaw',
  'power',
  'plant',
  'effort',
  'georgia',
  'guard',
  'state',
  'civil',
  'defense',
  'generator',
  'power',
  'location',
  'atlanta',
  'area',
  'record',
  'snowfall',
  'blankets',
  'central',
  'georgia',
  'week',
  'georgia',
  'weather',
  'time',
  'form',
  'record',
  'snowfall',
  'georgia',
  'storm',
  'snowfall',
  'friday',
  'february',
  'inch',
  'snow',
  'macon',
  'area',
  'captain',
  'paul',
  'jossey',
  'commander',
  'headquarters',
  'detachment',
  '176th',
  'military',
  'police',
  'battalion',
  'forsyth',
  'storm',
  'impact',
  'entrance',
  'home',
  'saturday',
  'morning',
  'knee',
  'snow',
  'way',
  'state',
  'patrol',
  'station',
  'overpass',
  'snow',
  'car',
  'mile',
  'captain',
  'jossey',
  'portion',
  'traffic',
  'problem',
  'morning',
  'traffic',
  'jam',
  'mile',
  'mile',
  'stretch',
  'interstate',
  'guard',
  'responds',
  'morning',
  'hour',
  'february',
  'adjutant',
  'general',
  'georgia',
  'maj',
  '.',
  'gen.',
  'joel',
  'b.',
  'paris',
  'transportation',
  'governor',
  'jimmy',
  'carter',
  'storm',
  'impact',
  'enormity',
  'snow',
  'accumulation',
  'carter',
  'highway',
  'paris',
  'georgia',
  'guard',
  'unit',
  'authority',
  'time',
  'order',
  'guardsmen',
  'perry',
  'company',
  'b',
  '1st',
  'battalion',
  '121st',
  'infantry',
  'regiment',
  'm-113',
  'personnel',
  'carrier',
  'ton',
  'truck',
  'interstate',
  'motorist',
  'm-113s',
  'vehicle',
  'perry',
  'fire',
  'department',
  'infantry',
  'apc',
  'fire',
  'vehicle',
  'city',
  'garage',
  'repair',
  'georgia',
  'army',
  'national',
  'guard',
  'engineer',
  'snow',
  'removal',
  'operation',
  'columbus',
  'home',
  'engineer',
  'battalion',
  'milledgeville',
  'infantryman',
  '121st',
  'infantry',
  'regiment',
  'service',
  'company',
  'hour',
  'saturday',
  'morning',
  'sunday',
  'evening',
  'mission',
  'company',
  'transport',
  'patient',
  'doctor',
  'nurse',
  'hospital',
  'vehicle',
  'dispatch',
  'road',
  'mile',
  'citizen',
  'evening',
  'february',
  'citizen',
  'guard',
  'armory',
  'food',
  'supply',
  'georgia',
  'national',
  'guard',
  'partnership',
  'atlanta',
  'office',
  'u.s.',
  'department',
  'agriculture',
  'ton',
  'food',
  'area',
  'storm',
  'impact',
  'truck',
  'guardsmen',
  '277th',
  'maintenance',
  'company',
  '122nd',
  'support',
  'center',
  'food',
  'supply',
  'fulton',
  'county',
  'airport',
  'aviator',
  'winder',
  'atlanta',
  '151st',
  'aviation',
  'battalion',
  'food',
  'macon',
  'forsyth',
  'legacy',
  'hour',
  'winter',
  'storm',
  'response',
  'georgia',
  'guardsmen',
  'mission',
  'request',
  'georgia',
  'citizen',
  'shelter',
  'hospital',
  'mrs.',
  'anne',
  'kruger',
  'cochran',
  'citizen',
  'letter',
  'maj',
  '.',
  'gen.',
  'paris',
  'kruger',
  'circumstance',
  'rescue',
  'transfer',
  'truck',
  'road',
  'hill',
  'hour',
  'heat',
  'food',
  'gas',
  'car',
  'heat',
  'light',
  'interstate',
  'police',
  'caravan',
  'national',
  'guard',
  'truck',
  'national',
  'guard',
  'armory',
  'forsyth',
  'military',
  'police',
  'battalion',
  'coffee',
  'food',
  'blanket',
  'child',
  'national',
  'guardsmen',
  'emergency',
  'kindness',
  'link',
  'national',
  'guard',
  'national',
  'guard',
  'twitter',
  'army.mil',
  'national',
  'guard',
  'news',
  'national',
  'guard',
  'facebook',
  'april',
  '2021army',
  'investigation',
  'june',
  '1st',
  'd.c.',
  'national',
  'guard',
  'helicopter',
  'usage',
  'resource',
  'oversight',
  'shortcoming',
  'march',
  'army',
  'soldiers',
  'fema',
  'northcom',
  'covid-19',
  'vaccination',
  'mission',
  'august',
  'army',
  '3rd',
  'infantry',
  'division',
  'deployment',
  'army',
  'stand',
  'national',
  'military',
  'appreciation',
  'month',
  'home',
  'contact',
  'privacy',
  'terms',
  'use',
  'accessibility',
  'foia',
  'fear',
  'act'],
 ['state',
  'update',
  'delaware',
  'news',
  'authority',
  'delaware',
  'breaking',
  'news',
  'local',
  'news',
  'weather',
  'new',
  'castle',
  'county',
  'kent',
  'county',
  'sussex',
  'county',
  'maryland',
  'new',
  'jersey',
  'pennsylvania',
  'obituaries',
  'uncategorizedsevere',
  'storms',
  'damage',
  'homes',
  'topple',
  'rig',
  'responders',
  'busy',
  'sunday',
  'july',
  'new',
  'castle',
  'county',
  'delaware',
  'series',
  'storm',
  'sunday',
  'trail',
  'destruction',
  'wake',
  'wind',
  'weather',
  'condition',
  'damage',
  'rescue',
  'effort',
  'middletown',
  'block',
  'chopin',
  'drive',
  'storm',
  'roof',
  'home',
  'damage',
  'home',
  'village',
  'bayberry',
  'north',
  'development',
  'middletown',
  'damage',
  'tree',
  'street',
  'sign',
  'degree',
  'route',
  'south',
  'hyetts',
  'corner',
  'road',
  'wind',
  'tractor',
  'trailer',
  'ford',
  'explorer',
  'woman',
  'family',
  'member',
  'individual',
  'incident',
  'reassurance',
  'medium',
  'explorer',
  'storm',
  'delaware',
  'city',
  'fire',
  'company',
  'dcfc',
  'sunday',
  'storm',
  'dcfc',
  'incident',
  'intersection',
  'governor',
  'lea',
  'road',
  'west',
  'seventh',
  'street',
  'photo',
  'incident',
  'facebook',
  'page',
  'minivan',
  'occupant',
  'adult',
  'child',
  'floodwater',
  'water',
  'rescue',
  'gear',
  'rescue',
  'crew',
  'condition',
  'individual',
  'water',
  'victim',
  'firehouse',
  'shelter',
  'inclement',
  'weather',
  'dcfc',
  'block',
  'canal',
  'street',
  'roof',
  'building',
  'quint',
  'incident',
  'odessa',
  'time',
  'deputy',
  'squad',
  'area',
  'hazard',
  'roof',
  'fuel',
  'shed',
  'new',
  'castle',
  'county',
  'resident',
  'resilience',
  'assistance',
  'storm',
  'community',
  'lesson',
  'event',
  'preparedness',
  'strategy',
  'appreciation',
  'power',
  'nature',
  'importance',
  'life',
  'property',
  'face',
  'weather',
  'condition',
  'national',
  'weather',
  'service',
  'photo',
  'facebook',
  'page',
  'delaware',
  'monday',
  'storm',
  'tornado',
  'wind',
  'staff',
  'writer',
  'state',
  'update',
  'delaware',
  'team',
  'new',
  'castle',
  'county',
  'kent',
  'county',
  'sussex',
  'county',
  'news',
  'news',
  'news',
  'story',
  'reader',
  'news',
  'wilmington',
  'newark',
  'dover',
  'rehoboth',
  'beach',
  'point',
  'news',
  'email',
  'view',
  'post',
  'staff',
  'writer',
  'story',
  'police',
  'source',
  'party',
  'court',
  'law',
  'state',
  'update',
  'contact',
  'privacy',
  'policy',
  'terms',
  'rules',
  'facebook'],
 ['website',
  'united',
  'states',
  'government',
  'government',
  'website',
  '.gov',
  '.mil',
  'information',
  'government',
  'site',
  'https://',
  'website',
  'information',
  'homenews',
  'day',
  'storm',
  'century',
  'day',
  'storm',
  'century',
  'courtesy',
  'noaa',
  'nws',
  'tim',
  'armstrong',
  'march',
  'storm',
  'system',
  'half',
  'u.s.',
  'population',
  'damage',
  'dollar',
  'america',
  'storm',
  'century',
  'deep',
  'south',
  'way',
  'east',
  'coast',
  'monster',
  'storm',
  'system',
  'east',
  'texas',
  'wind',
  'hail',
  'area',
  'lone',
  'star',
  'state',
  'evening',
  'march',
  'pressure',
  'category',
  'hurricane',
  'storm',
  'tornado',
  'flooding',
  'snow',
  'bone',
  'cold',
  'wake',
  'weather',
  'climate',
  'event',
  'damage',
  'storm',
  'country',
  'winter',
  'storm',
  'date',
  'stormsatellites',
  'noaa',
  'partner',
  'bird’s',
  'eye',
  'view',
  'storm',
  'trek',
  'u.s.',
  'east',
  'coast',
  'development',
  'disturbance',
  'texas',
  'coast',
  'gulf',
  'mexico',
  'march',
  'imagery',
  'noaa',
  'goes-7',
  '1700z',
  'march',
  'disturbance',
  'storm',
  'century',
  'texas',
  'coast',
  'gulf',
  'mexico',
  'march',
  'intensification',
  'gulf',
  'mexico',
  'storm',
  'impact',
  'portion',
  'florida',
  'meteosat',
  'satellite',
  'imagery',
  'march',
  'development',
  'storm',
  'system',
  'gulf',
  'mexico',
  'storm',
  'winter',
  'storm',
  'system',
  'east',
  'coast',
  'march',
  'easterner',
  'damage',
  'snowfall',
  'visualization',
  'evolution',
  'impact',
  'storm',
  'century',
  'feature',
  'nesdis',
  'storm',
  'anniversary',
  'noaa',
  'goes-7',
  'satellite',
  'imagery',
  'snowfall',
  'march',
  'storm',
  'century',
  'deep',
  'south',
  'new',
  'england',
  'lot',
  'lot',
  'height',
  'storm',
  'snowfall',
  'rate',
  'inch',
  'hour',
  'new',
  'york',
  'catskill',
  'mountains',
  'appalachians',
  'foot',
  'snow',
  'wind',
  'sleet',
  'east',
  'coast',
  'new',
  'jersey',
  'inch',
  'sleet',
  'inch',
  'snow',
  'ice',
  'cream',
  'sandwich',
  'effect',
  'inch',
  'snow',
  'portion',
  'florida',
  'panhandle',
  'snowfall',
  'total',
  'inch',
  'mount',
  'leconte',
  'tennessee50',
  'inch',
  'mount',
  'mitchell',
  'north',
  'carolina',
  'foot',
  'drifts44',
  'inch',
  'snowshoe',
  'west',
  'virginia43',
  'inch',
  'syracuse',
  'new',
  'york36',
  'inch',
  'latrobe',
  'pennsylvania',
  'foot',
  'driftsthe',
  'storm',
  'extreme',
  'category',
  'regional',
  'snowfall',
  'index',
  'northeast',
  'southeast',
  'ohio',
  'valley',
  'region',
  'mile',
  'people',
  'storm',
  'century',
  'snowstorm',
  'region',
  'storm',
  'magnitude',
  'national',
  'weather',
  'service',
  'office',
  'hydrology',
  'storm',
  'volume',
  'water',
  'acre',
  'foot',
  'day',
  'flow',
  'mississippi',
  'river',
  'new',
  'orleans',
  'water',
  'state',
  'missouri',
  'foot',
  'snowin',
  'addition',
  'snow',
  'tornado',
  'florida',
  'death',
  'tornado',
  'weather',
  'state',
  'foot',
  'storm',
  'surge',
  'taylor',
  'county',
  'florida',
  'death',
  'storm',
  'wind',
  'station',
  'east',
  'coast',
  'wind',
  'gust',
  'mile',
  'hour',
  'dry',
  'tortugas',
  'west',
  'key',
  'west',
  'florida',
  'wind',
  'gust',
  'mile',
  'hour',
  'mount',
  'washington',
  'new',
  'hampshire',
  'gust',
  'mile',
  'hour',
  'impact',
  'lives',
  'livelihoodsthe',
  'storm',
  'snowfall',
  'thousand',
  'people',
  'georgia',
  'north',
  'carolina',
  'virginia',
  'mountain',
  'worker',
  'hiker',
  'north',
  'carolina',
  'tennessee',
  'mountain',
  'national',
  'guard',
  'county',
  'city',
  'curfew',
  'state',
  'emergency',
  'people',
  'state',
  'storm',
  'storm',
  'highway',
  'atlanta',
  'northeastward',
  'airport',
  'east',
  'coast',
  'time',
  'time',
  'weather',
  'flight',
  'cancellation',
  'u.s.',
  'history',
  'point',
  'florida',
  'maine',
  'people',
  'business',
  'electricity',
  'florida',
  'storm',
  'coastline',
  'home',
  'sea',
  'long',
  'island',
  'surf',
  'storm',
  'home',
  'north',
  'carolina',
  'outer',
  'banks',
  'u.s.',
  'coast',
  'guard',
  'people',
  'sea',
  'atlantic',
  'gulf',
  'mexico',
  'freighter',
  'people',
  'sea',
  'noaa',
  'leader',
  'look',
  'backformer',
  'national',
  'weather',
  'service',
  'nws',
  'director',
  'louis',
  'uccellini',
  'forecaster',
  'hydrometeorological',
  'prediction',
  'center',
  'weather',
  'prediction',
  'center',
  'time',
  'storm',
  'week',
  'potential',
  'storm',
  'east',
  'coast',
  'weekend',
  'friday',
  'saturday',
  'day',
  'storm',
  'east',
  'coast',
  'map',
  'punch',
  'storm',
  'proportion',
  'response',
  'forecast',
  'official',
  'forecast',
  'people',
  'decision',
  'new',
  'york',
  'turnpike',
  'authority',
  'turnpike',
  'friday',
  'night',
  'snow',
  'forecasting',
  'foot',
  'snow',
  'new',
  'york',
  'mountain',
  'state',
  'chain',
  'appalachian',
  'mountains',
  'state',
  'emergency',
  'snow',
  'hindsight',
  'storm',
  'forecast',
  'computer',
  'model',
  'meteorologist',
  'point',
  'nws',
  'prediction',
  'storm',
  'ability',
  'forecaster',
  'attention',
  'uccellini',
  'point',
  'view',
  'moment',
  'ability',
  'type',
  'event',
  'time',
  'way',
  'people',
  'attention',
  '”lessons',
  'preparedvery',
  'storm',
  'storm',
  'century',
  'information',
  'future',
  'ncei',
  'weather',
  'datum',
  'analysis',
  'decision',
  'maker',
  'constituent',
  'stakeholder',
  'tool',
  'public',
  'storm',
  'information',
  'family',
  'friend',
  'weather',
  'ready.gov',
  'march',
  'updated',
  'date',
  'march',
  'date',
  'storm',
  'information',
  'texas',
  'damage',
  'cpi',
  'cost',
  'information',
  'cpi',
  'cost',
  'information',
  'dollar',
  'disaster',
  'dollar',
  'disaster',
  'ranking',
  'end',
  'cpi',
  'cost',
  'information',
  'cpi',
  'cost',
  'information',
  'visualization',
  'section',
  'section',
  'forecasting',
  'perspective',
  'linksbillion',
  'dollar',
  'weather',
  'climate',
  'snowfall',
  'weather',
  'datasatellite',
  'animation',
  'storm',
  'centurymore',
  'storm',
  'century',
  'noaa',
  'national',
  'weather',
  'servicearticle',
  'tagsextreme',
  'weathernatural',
  'hazardssnow',
  'icehistory',
  'folklorewindsnorth',
  'americarelated',
  'news',
  'july',
  'u.s.',
  'drought',
  'weekly',
  'report',
  'july',
  '2023read',
  'july',
  'u.s.',
  'drought',
  'weekly',
  'report',
  'july',
  '2023read',
  'july',
  'day',
  'earth',
  'hottest',
  'temperatureread'],
 ['skip',
  'navigationwatchlivemarketspre',
  'marketsu.s.',
  'marketscurrenciescryptocurrencyfutures',
  'commoditiesbondsfunds',
  'etfsbusinesseconomyfinancehealth',
  'sciencemediareal',
  'estateenergyclimatetransportationindustrialsretailwealthlifesmall',
  'financefintechfinancial',
  'advisorsoptions',
  'actionetf',
  'streetbuffett',
  'archiveearningstrader',
  'talktechcybersecurityenterpriseinternetmediamobilesocial',
  'mediacnbc',
  'disruptor',
  'tvlive',
  'tvlive',
  'audiobusiness',
  'day',
  'showsentertainment',
  'episodeslatest',
  'videotop',
  'interviewscnbc',
  'worlddigital',
  'originalslive',
  'tv',
  'clubtrust',
  'portfolioanalysistrade',
  'videoshomestretchjim',
  'newspro',
  'livemarket',
  'forecastsubscribesign',
  'inmenumake',
  'itselectall',
  'selectcredit',
  'cards',
  'loans',
  'banking',
  'mortgages',
  'insurance',
  'credit',
  'monitoring',
  'personal',
  'finance',
  'small',
  'business',
  'taxes',
  'help',
  'low',
  'credit',
  'scores',
  'investing',
  'selectall',
  'credit',
  'cardsfind',
  'credit',
  'card',
  'youbest',
  'credit',
  'cardsbest',
  'rewards',
  'credit',
  'cardsbest',
  'travel',
  'credit',
  'cardsbest',
  '%',
  'apr',
  'credit',
  'cardsbest',
  'balance',
  'transfer',
  'credit',
  'cash',
  'credit',
  'cardsbest',
  'credit',
  'card',
  'welcome',
  'bonusesbest',
  'credit',
  'cards',
  'loansfind',
  'best',
  'personal',
  'loan',
  'youbest',
  'personal',
  'loansbest',
  'debt',
  'consolidation',
  'loansbest',
  'loans',
  'refinance',
  'credit',
  'card',
  'debtbest',
  'loans',
  'fast',
  'fundingbest',
  'small',
  'personal',
  'loansbest',
  'large',
  'personal',
  'loansbest',
  'personal',
  'loans',
  'onlinebest',
  'student',
  'loan',
  'bankingfind',
  'savings',
  'account',
  'youbest',
  'high',
  'yield',
  'savings',
  'accountsbest',
  'big',
  'bank',
  'savings',
  'accountsbest',
  'big',
  'bank',
  'checking',
  'accountsbest',
  'fee',
  'checking',
  'accountsno',
  'overdraft',
  'fee',
  'checking',
  'accountsbest',
  'checking',
  'account',
  'bonusesbest',
  'money',
  'market',
  'accountsbest',
  'credit',
  'unionsselectall',
  'mortgagesbest',
  'mortgagesbest',
  'mortgages',
  'small',
  'paymentbest',
  'mortgage',
  'paymentbest',
  'mortgage',
  'origination',
  'feebest',
  'mortgages',
  'credit',
  'scoreadjustable',
  'rate',
  'mortgagesaffording',
  'insurancebest',
  'life',
  'insurancebest',
  'homeowners',
  'insurancebest',
  'renters',
  'insurancebest',
  'car',
  'insurancetravel',
  'insuranceselectall',
  'credit',
  'monitoringbest',
  'credit',
  'monitoring',
  'servicesbest',
  'identity',
  'theft',
  'protectionhow',
  'credit',
  'scorecredit',
  'repair',
  'servicesselectall',
  'personal',
  'financebest',
  'budgeting',
  'appsbest',
  'expense',
  'tracker',
  'appsbest',
  'money',
  'transfer',
  'appsbest',
  'resale',
  'apps',
  'sitesbuy',
  'bnpl',
  'appsbest',
  'debt',
  'reliefselectall',
  'small',
  'businessbest',
  'small',
  'business',
  'savings',
  'accountsbest',
  'small',
  'business',
  'checking',
  'accountsbest',
  'credit',
  'cards',
  'small',
  'businessbest',
  'small',
  'business',
  'loansbest',
  'tax',
  'software',
  'taxesbest',
  'tax',
  'softwarebest',
  'tax',
  'software',
  'businessestax',
  'help',
  'low',
  'credit',
  'scoresbest',
  'credit',
  'cards',
  'bad',
  'creditbest',
  'personal',
  'loans',
  'bad',
  'creditbest',
  'debt',
  'consolidation',
  'loans',
  'bad',
  'creditpersonal',
  'loans',
  'creditbest',
  'credit',
  'cards',
  'building',
  'creditpersonal',
  'loans',
  'credit',
  'score',
  'lowerpersonal',
  'loans',
  'credit',
  'score',
  'lowerbest',
  'mortgages',
  'bad',
  'creditbest',
  'hardship',
  'loanshow',
  'credit',
  'scoreselectall',
  'investingbest',
  'ira',
  'accountsbest',
  'roth',
  'ira',
  'accountsbest',
  'investing',
  'appsbest',
  'free',
  'stock',
  'trading',
  'platformsbest',
  'robo',
  'advisorsindex',
  'fundsmutual',
  'fundsetfsbondsusaintlwatchlivesearch',
  'quote',
  'news',
  'videoswatchlistsign',
  'increate',
  'storm',
  'south',
  'alabamapublished',
  'thu',
  'jan',
  'pm',
  'estupdated',
  'thu',
  'jan',
  'pm',
  'giant',
  'storm',
  'system',
  'south',
  'people',
  'thursday',
  'alabama',
  'people',
  'hospital',
  'emergency',
  'responder',
  'tornado',
  'report',
  'thursday',
  'national',
  'weather',
  'service',
  'thursday',
  'evening',
  'file',
  'image',
  'tornadolorraine',
  'matti',
  '',
  '',
  'giant',
  'storm',
  'system',
  'south',
  'people',
  'thursday',
  'alabama',
  'authority',
  'tornado',
  'wall',
  'home',
  'roof',
  'tree',
  'selma',
  'ernie',
  'baggett',
  'emergency',
  'management',
  'director',
  'autauga',
  'county',
  'alabama',
  'associated',
  'press',
  'fatality',
  'home',
  'old',
  'kingston',
  'community',
  'baggett',
  'home',
  'home',
  'couple',
  'house',
  'people',
  'home',
  'baggett',
  'people',
  'hospital',
  'emergency',
  'responder',
  'baggett',
  'extent',
  'injury',
  'autauga',
  'county',
  'alabama',
  'mile',
  'selma',
  'official',
  'home',
  'storm',
  'strip',
  'county',
  'baggett',
  'crew',
  'thursday',
  'evening',
  'tree',
  'people',
  'rescue',
  'baggett',
  'selma',
  'city',
  'history',
  'right',
  'movement',
  'brick',
  'building',
  'car',
  'traffic',
  'pole',
  'downtown',
  'area',
  'plume',
  'smoke',
  'city',
  'fire',
  'burning',
  'storm',
  'blaze',
  'block',
  'city',
  'edmund',
  'pettus',
  'bridge',
  'symbol',
  'voting',
  'right',
  'movement',
  'building',
  'storm',
  'tree',
  'roadway',
  'selma',
  'mayor',
  'james',
  'perkins',
  'fatality',
  'time',
  'responder',
  'damage',
  '"people',
  'fatality',
  'perkins',
  'lot',
  'power',
  'line',
  'lot',
  'danger',
  'street',
  'city',
  'curfew',
  'place',
  'mayor',
  'tornado',
  'damage',
  'city',
  'national',
  'weather',
  'service',
  'report',
  'tree',
  'damage',
  'selma',
  'report',
  'damage',
  'county',
  'agency',
  'tornado',
  'report',
  'thursday',
  'national',
  'weather',
  'service',
  'thursday',
  'evening',
  'handful',
  'tornado',
  'warning',
  'effect',
  'georgia',
  'south',
  'carolina',
  'north',
  'carolina',
  'report',
  'wind',
  'damage',
  'assessment',
  'day',
  'alabama',
  'damage',
  'selma',
  'state',
  'sen.',
  'hank',
  'sanders',
  'tornado',
  'selma',
  'fact',
  'house',
  'head',
  'window',
  'bedroom',
  'living',
  'room',
  'roof',
  'kitchen',
  'sanders',
  'selma',
  'city',
  'resident',
  'mile',
  'kilometer',
  'west',
  'alabama',
  'capital',
  'city',
  'montgomery',
  'selma',
  'flashpoint',
  'right',
  'movement',
  'alabama',
  'state',
  'trooper',
  'black',
  'people',
  'right',
  'edmund',
  'pettus',
  'bridge',
  'march',
  'law',
  'enforcement',
  'officer',
  'john',
  'lewis',
  'skull',
  'career',
  'u.s.',
  'congressman',
  'tornado',
  'krishun',
  'moore',
  'home',
  'sound',
  'child',
  'mother',
  'kid',
  'roof',
  'apartment',
  'kid',
  'year',
  'facebook',
  'messenger',
  'malesha',
  'mcvay',
  'tornado',
  'family',
  'mile',
  'home',
  '%',
  'god',
  'thing',
  'house',
  'video',
  'twister',
  'home',
  'house',
  'smoke',
  'weather',
  'service',
  'tornado',
  'emergency',
  'county',
  'capital',
  'city',
  'montgomery',
  'storm',
  'system',
  'life',
  'situation',
  'shelter',
  'weather',
  'service',
  'tornado',
  'tornado',
  'warning',
  'thursday',
  'alabama',
  'mississippi',
  'tennessee',
  'storm',
  'system',
  'region',
  'customer',
  'power',
  'alabama',
  'poweroutage.us',
  'outage',
  'georgia',
  'customer',
  'electricity',
  'sunset',
  'thursday',
  'storm',
  'system',
  'path',
  'tier',
  'county',
  'atlanta',
  'poweroutage.us',
  'storm',
  'griffin',
  'atlanta',
  'wind',
  'shopping',
  'area',
  'news',
  'outlet',
  'hobby',
  'lobby',
  'store',
  'roof',
  'car',
  'parking',
  'lot',
  'walmart',
  'damage',
  'west',
  'downtown',
  'atlanta',
  'douglas',
  'county',
  'cobb',
  'county',
  'cobb',
  'county',
  'government',
  'damage',
  'report',
  'cinder',
  'block',
  'wall',
  'warehouse',
  'austell',
  'kentucky',
  'national',
  'weather',
  'service',
  'louisville',
  'tornado',
  'mercer',
  'county',
  'crew',
  'damage',
  'handful',
  'county',
  'report',
  'tree',
  'power',
  'outage',
  'damage',
  'storm',
  'state',
  'cnbc',
  'prolicensing',
  'councilsselect',
  'financecnbc',
  'peacockjoin',
  'cnbc',
  'panelsupply',
  'chain',
  'valuesselect',
  'shoppingclosed',
  'captioningdigital',
  'productsnews',
  'releasesinternshipscorrectionsabout',
  'cnbcad',
  'choicessite',
  'mappodcastscareershelpcontactnews',
  'tipsgot',
  'news',
  'tip',
  'touchadvertise',
  'usplease',
  'contact',
  'uscnbc',
  'newsletterssign',
  'newsletter',
  'cnbc',
  'inboxsign',
  'nowget',
  'inbox',
  'info',
  'product',
  'service',
  'privacy',
  'policy',
  'information',
  'notice',
  'terms',
  'service',
  'cnbc',
  'llc',
  'rights',
  'division',
  'nbcuniversaldata',
  'time',
  'snapshot',
  'data',
  'minute',
  'global',
  'business',
  'financial',
  'news',
  'stock',
  'quotes',
  'market',
  'data',
  'analysis',
  'market',
  'data',
  'terms',
  'use',
  'disclaimersdata'],
 ['academics',
  'research',
  'administration',
  'bloomington',
  'business',
  'economy',
  'crime',
  'courts',
  'indiana',
  'investigations',
  'politics',
  'student',
  'government',
  'student',
  'life',
  'community',
  'events',
  'film',
  'iu',
  'auditorium',
  'jacobs',
  'school',
  'music',
  'local',
  'music',
  'football',
  'men',
  'basketball',
  'women',
  'basketball',
  'baseball',
  'volleyball',
  'wrestling',
  'men',
  'soccer',
  'women',
  'soccer',
  'swimming',
  'diving',
  'power',
  'storm',
  'thursday',
  'responder',
  'restoration',
  'effort',
  'memorial',
  'stadium',
  'parking',
  'lot',
  'june',
  'people',
  'indiana',
  'power',
  'storm',
  'thursday',
  'jul',
  'pm',
  'jul',
  'pm',
  'people',
  'indiana',
  'power',
  'storm',
  'thursday',
  'storm',
  'series',
  'tornado',
  'indiana',
  'week',
  'outage',
  'state',
  'duke',
  'energy',
  'press',
  'release',
  'liz',
  'irwin',
  'government',
  'community',
  'relations',
  'manager',
  'duke',
  'energy',
  'press',
  'release',
  'duke',
  'energy',
  'power',
  'people',
  'indiana',
  'crew',
  'damage',
  'power',
  'area',
  'outage',
  'company',
  'power',
  'customer',
  'friday',
  'morning',
  'storm',
  'system',
  'state',
  'friday',
  'saturday',
  'outage',
  'tornado',
  'storm',
  'sunday',
  'martin',
  'county',
  'monroe',
  'county',
  'emergency',
  'management',
  'monroe',
  'county',
  'highway',
  'department',
  'area',
  'responder',
  'effort',
  'storm',
  'restoration',
  'irwin',
  'release',
  'partner',
  'indiana',
  'university',
  'crew',
  'truck',
  'stadium',
  'parking',
  'lot',
  'press',
  'release',
  'crew',
  'personnel',
  'duke',
  'energy',
  'site',
  'ohio',
  'kentucky',
  'florida',
  'carolinas',
  'indiana',
  'restoration',
  'effort',
  'anthony',
  'brown',
  'duke',
  'energy',
  'indiana',
  'storm',
  'director',
  'personnel',
  'indiana',
  'lot',
  'progress',
  'lot',
  'work',
  'brown',
  'press',
  'release',
  'nature',
  'storm',
  'indiana',
  'district',
  'power',
  'restoration',
  'storm',
  'system',
  'state',
  'bloomington',
  'organization',
  'disaster',
  'loan',
  'duke',
  'energy',
  'company',
  'majority',
  'outage',
  'bloomfield',
  'columbus',
  'franklin',
  'martinsville',
  'vincennes',
  'midnight',
  'saturday',
  'customer',
  'bedford',
  'bloomington',
  'clinton',
  'greencastle',
  'princeton',
  'sullivan',
  'terre',
  'haute',
  'power',
  'midnight',
  'sunday',
  'release',
  'outage',
  'map',
  'status',
  'duke',
  'energy',
  'indiana',
  'outage',
  'map',
  'power',
  'outage',
  'customer',
  'text',
  'duke',
  'energy',
  'reporting',
  'system',
  'award',
  'content',
  'inbox',
  'sign',
  'daily',
  'rundown',
  'signup',
  'today',
  'support',
  'award',
  'college',
  'journalism',
  'site',
  'indiana',
  'department',
  'agriculture',
  'funding',
  'food',
  'bank',
  'green',
  'energy',
  'growth',
  'indiana',
  'inflation',
  'reduction',
  'act',
  'investigation',
  'president',
  'donald',
  'trump',
  'indiana',
  'department',
  'agriculture',
  'funding',
  'food',
  'bank',
  'green',
  'energy',
  'growth',
  'indiana',
  'inflation',
  'reduction',
  'act',
  'investigation',
  'president',
  'donald',
  'trump',
  'sportsmotor',
  'sport',
  'column',
  'ntt',
  'indycar',
  'series',
  'weekend',
  'iowa',
  'sportsman',
  'basketball',
  'story',
  'martha',
  'mop',
  'lady',
  'sportsmotor',
  'sport',
  'bloomington',
  'speedway',
  'year',
  'sportswoman',
  'basketball',
  'indiana',
  'woman',
  'basketball',
  'teri',
  'moren',
  'gold',
  'coach',
  'fiba',
  'women',
  'basketball',
  'world',
  'cup',
  'general',
  'info',
  'contact',
  'employment',
  'policies',
  'advertising',
  'print',
  'edition',
  'write',
  'publications',
  'arbutus',
  'orienter',
  'parent',
  'survival',
  'guide',
  'source',
  'guide',
  'international',
  'student',
  'guide',
  'big',
  'preview',
  'iu',
  'basketball',
  'guide',
  'housing',
  'living',
  'guide',
  'little',
  'race',
  'guide',
  'subscribe',
  'email',
  'update',
  'headline',
  'recap',
  'email',
  'update',
  'headline',
  'recap',
  'solutions',
  'state',
  'news',
  'content',
  'indiana',
  'daily',
  'student',
  'ids',
  'daily',
  'rundown',
  'monday',
  'friday',
  'look',
  'day',
  'story',
  'friday',
  'recap',
  'story',
  'week',
  'ids',
  'iu',
  'basketball',
  'monday',
  'edition',
  'iu',
  'basketball',
  'season',
  'link',
  'article',
  'column',
  'podcast'],
 ['associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'midwest',
  'hurricane',
  'force',
  'wind',
  'margery',
  'a.',
  'beck',
  'margaret',
  'stafford',
  'omaha',
  'neb.',
  'ap',
  'people',
  'storm',
  'system',
  'great',
  'plains',
  'midwest',
  'temperature',
  'hurricane',
  'force',
  'wind',
  'tornado',
  'nebraska',
  'iowa',
  'minnesota',
  'minnesota',
  'olmsted',
  'county',
  'sheriff',
  'lt',
  '.',
  'lee',
  'rossman',
  'year',
  'man',
  'wednesday',
  'night',
  'foot',
  'tree',
  'home',
  'kansas',
  'dust',
  'storm',
  'wednesday',
  'crash',
  'people',
  'kansas',
  'highway',
  'patrol',
  'trooper',
  'mike',
  'racy',
  'iowa',
  'semitrailer',
  'wind',
  'wednesday',
  'evening',
  'driver',
  'iowa',
  'state',
  'patrol',
  'storm',
  'great',
  'lakes',
  'canada',
  'thursday',
  'wind',
  'snow',
  'condition',
  'great',
  'lakes',
  'region',
  'national',
  'weather',
  'service',
  'home',
  'business',
  'electricity',
  'thursday',
  'afternoon',
  'michigan',
  'wisconsin',
  'iowa',
  'kansas',
  'utility',
  'report',
  'tornado',
  'minnesota',
  'wednesday',
  'state',
  'twister',
  'record',
  'december',
  'community',
  'hartland',
  'minnesota',
  'home',
  'damage',
  'business',
  'freeborn',
  'county',
  'emergency',
  'management',
  'director',
  'rich',
  'hall',
  'wind',
  'mph',
  'hartland',
  'national',
  'weather',
  'service',
  'pop',
  'star',
  'shijiro',
  'atae',
  'announcement',
  'fan',
  'collier',
  'double',
  'lynx',
  'mystics',
  'red',
  'sox',
  'league',
  'braves',
  'game',
  'sweep',
  'loss',
  'livestock',
  'dozen',
  'cow',
  'dairy',
  'farm',
  'power',
  'pole',
  'barn',
  'newaygo',
  'county',
  'michigan',
  'tim',
  'butler',
  'worker',
  'dairy',
  'event',
  'cow',
  'dozen',
  'butler',
  'weather',
  'system',
  'warmth',
  'december',
  'plains',
  'state',
  'temperature',
  'degree',
  'fahrenheit',
  'degree',
  'celsius',
  'wisconsin',
  'wednesday',
  'evening',
  'weather',
  'company',
  'historian',
  'chris',
  'burt',
  'heat',
  'july',
  'evening',
  'confidence',
  'event',
  'heat',
  'tornado',
  'weather',
  'event',
  'record',
  'upper',
  'midwest',
  'burt',
  'facebook',
  'post',
  'wind',
  'tree',
  'tree',
  'limb',
  'power',
  'line',
  'michigan',
  'lower',
  'peninsula',
  'michigan',
  'village',
  'fruitport',
  'wind',
  'portion',
  'edgewood',
  'elementary',
  'school',
  'roof',
  'official',
  'district',
  'school',
  'thursday',
  'tornado',
  'report',
  'wednesday',
  'plains',
  'state',
  'nebraska',
  'iowa',
  'report',
  'storm',
  'prediction',
  'center',
  'storm',
  'system',
  'report',
  'hurricane',
  'force',
  'wind',
  'gust',
  'mph',
  'kph',
  'day',
  'u.s.',
  'center',
  '“to',
  'number',
  'wind',
  'storm',
  'time',
  'anytime',
  'year',
  'brian',
  'barjenbruch',
  'meteorologist',
  'national',
  'weather',
  'service',
  'valley',
  'nebraska',
  'december',
  '”the',
  'governor',
  'kansas',
  'iowa',
  'state',
  'emergency',
  'system',
  'heel',
  'tornado',
  'weekend',
  'path',
  'state',
  'arkansas',
  'missouri',
  'tennessee',
  'illinois',
  'kentucky',
  'people',
  'wednesday',
  'report',
  'hurricane',
  'force',
  'wind',
  'regionwide',
  'aug.',
  'derecho',
  'wind',
  'storm',
  'iowa',
  'storm',
  'prediction',
  'center',
  'destruction',
  'wednesday',
  'year',
  'derecho',
  'billion',
  'dollar',
  'damage',
  'wind',
  'dust',
  'visibility',
  'kansas',
  'semitrailer',
  'official',
  'interstate',
  'state',
  'highway',
  'kansas',
  'county',
  'kansas',
  'helicopter',
  'firefighting',
  'equipment',
  'dozen',
  'wind',
  'wildfire',
  'county',
  'official',
  'thursday',
  'dust',
  'smoke',
  'storm',
  'kansas',
  'nebraska',
  'iowa',
  'drop',
  'air',
  'quality',
  'area',
  'wednesday',
  'glut',
  'emergency',
  'dispatcher',
  'people',
  'smell',
  'smoke',
  'system',
  'plains',
  'colorado',
  'gale',
  'force',
  'wind',
  'swath',
  'new',
  'mexico',
  'minnesota',
  'wisconsin',
  'michigan',
  'weather',
  'service',
  'gust',
  'mph',
  'kph',
  'wednesday',
  'morning',
  'lamar',
  'colorado',
  'gust',
  'mph',
  'russell',
  'kansas',
  'scientist',
  'weather',
  'event',
  'temperature',
  'human',
  'climate',
  'change',
  'storm',
  'system',
  'warming',
  'analysis',
  'computer',
  'simulation',
  'time',
  'connection',
  'question',
  'event',
  'climate',
  'change',
  'northern',
  'illinois',
  'university',
  'meteorology',
  'professor',
  'victor',
  'gensini',
  'extent',
  'climate',
  'change',
  'role',
  'event',
  'absence',
  'climate',
  'change?’”the',
  'temperature',
  'wednesday',
  'ocean',
  'temperature',
  'gulf',
  'mexico',
  'warming',
  'jeff',
  'masters',
  'yale',
  'climate',
  'connections',
  'meteorologist',
  'weather',
  'underground.___stafford',
  'liberty',
  'press',
  'writer',
  'jill',
  'bleed',
  'little',
  'rock',
  'arkansas',
  'ken',
  'miller',
  'oklahoma',
  'city',
  'terry',
  'wallace',
  'dallas',
  'seth',
  'borenstein',
  'washington',
  'd.c.',
  'jim',
  'anderson',
  'denver',
  'grant',
  'schulte',
  'omaha',
  'nebraska',
  'report',
  'associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights'],
 ['skip',
  'navigationwatchlivemarketspre',
  'marketsu.s.',
  'marketscurrenciescryptocurrencyfutures',
  'commoditiesbondsfunds',
  'etfsbusinesseconomyfinancehealth',
  'sciencemediareal',
  'estateenergyclimatetransportationindustrialsretailwealthlifesmall',
  'financefintechfinancial',
  'advisorsoptions',
  'actionetf',
  'streetbuffett',
  'archiveearningstrader',
  'talktechcybersecurityenterpriseinternetmediamobilesocial',
  'mediacnbc',
  'disruptor',
  'tvlive',
  'tvlive',
  'audiobusiness',
  'day',
  'showsentertainment',
  'episodeslatest',
  'videotop',
  'interviewscnbc',
  'worlddigital',
  'originalslive',
  'tv',
  'clubtrust',
  'portfolioanalysistrade',
  'videoshomestretchjim',
  'newspro',
  'livemarket',
  'forecastsubscribesign',
  'inmenumake',
  'itselectall',
  'selectcredit',
  'cards',
  'loans',
  'banking',
  'mortgages',
  'insurance',
  'credit',
  'monitoring',
  'personal',
  'finance',
  'small',
  'business',
  'taxes',
  'help',
  'low',
  'credit',
  'scores',
  'investing',
  'selectall',
  'credit',
  'cardsfind',
  'credit',
  'card',
  'youbest',
  'credit',
  'cardsbest',
  'rewards',
  'credit',
  'cardsbest',
  'travel',
  'credit',
  'cardsbest',
  '%',
  'apr',
  'credit',
  'cardsbest',
  'balance',
  'transfer',
  'credit',
  'cash',
  'credit',
  'cardsbest',
  'credit',
  'card',
  'welcome',
  'bonusesbest',
  'credit',
  'cards',
  'loansfind',
  'best',
  'personal',
  'loan',
  'youbest',
  'personal',
  'loansbest',
  'debt',
  'consolidation',
  'loansbest',
  'loans',
  'refinance',
  'credit',
  'card',
  'debtbest',
  'loans',
  'fast',
  'fundingbest',
  'small',
  'personal',
  'loansbest',
  'large',
  'personal',
  'loansbest',
  'personal',
  'loans',
  'onlinebest',
  'student',
  'loan',
  'bankingfind',
  'savings',
  'account',
  'youbest',
  'high',
  'yield',
  'savings',
  'accountsbest',
  'big',
  'bank',
  'savings',
  'accountsbest',
  'big',
  'bank',
  'checking',
  'accountsbest',
  'fee',
  'checking',
  'accountsno',
  'overdraft',
  'fee',
  'checking',
  'accountsbest',
  'checking',
  'account',
  'bonusesbest',
  'money',
  'market',
  'accountsbest',
  'credit',
  'unionsselectall',
  'mortgagesbest',
  'mortgagesbest',
  'mortgages',
  'small',
  'paymentbest',
  'mortgage',
  'paymentbest',
  'mortgage',
  'origination',
  'feebest',
  'mortgages',
  'credit',
  'scoreadjustable',
  'rate',
  'mortgagesaffording',
  'insurancebest',
  'life',
  'insurancebest',
  'homeowners',
  'insurancebest',
  'renters',
  'insurancebest',
  'car',
  'insurancetravel',
  'insuranceselectall',
  'credit',
  'monitoringbest',
  'credit',
  'monitoring',
  'servicesbest',
  'identity',
  'theft',
  'protectionhow',
  'credit',
  'scorecredit',
  'repair',
  'servicesselectall',
  'personal',
  'financebest',
  'budgeting',
  'appsbest',
  'expense',
  'tracker',
  'appsbest',
  'money',
  'transfer',
  'appsbest',
  'resale',
  'apps',
  'sitesbuy',
  'bnpl',
  'appsbest',
  'debt',
  'reliefselectall',
  'small',
  'businessbest',
  'small',
  'business',
  'savings',
  'accountsbest',
  'small',
  'business',
  'checking',
  'accountsbest',
  'credit',
  'cards',
  'small',
  'businessbest',
  'small',
  'business',
  'loansbest',
  'tax',
  'software',
  'taxesbest',
  'tax',
  'softwarebest',
  'tax',
  'software',
  'businessestax',
  'help',
  'low',
  'credit',
  'scoresbest',
  'credit',
  'cards',
  'bad',
  'creditbest',
  'personal',
  'loans',
  'bad',
  'creditbest',
  'debt',
  'consolidation',
  'loans',
  'bad',
  'creditpersonal',
  'loans',
  'creditbest',
  'credit',
  'cards',
  'building',
  'creditpersonal',
  'loans',
  'credit',
  'score',
  'lowerpersonal',
  'loans',
  'credit',
  'score',
  'lowerbest',
  'mortgages',
  'bad',
  'creditbest',
  'hardship',
  'loanshow',
  'credit',
  'scoreselectall',
  'investingbest',
  'ira',
  'accountsbest',
  'roth',
  'ira',
  'accountsbest',
  'investing',
  'appsbest',
  'free',
  'stock',
  'trading',
  'platformsbest',
  'robo',
  'advisorsindex',
  'fundsmutual',
  'fundsetfsbondsusaintlwatchlivesearch',
  'quote',
  'news',
  'videoswatchlistsign',
  'increate',
  'clubpromenuclimatekentucky',
  'governor',
  'state',
  'emergency',
  'tornado',
  'biden',
  'sat',
  'dec',
  'estupdated',
  'sat',
  'dec',
  'pm',
  'estamanda',
  'macias@amanda_m_maciaswatch',
  'pointskentucky',
  'governor',
  'andy',
  'beshear',
  'state',
  'emergency',
  'saturday',
  'president',
  'joe',
  'biden',
  'assistance',
  'outbreak',
  'tornado',
  'path',
  'destruction',
  'state',
  'president',
  'storm',
  'statement',
  'touch',
  'state',
  'official',
  'search',
  'survivor',
  'damage',
  'assessment',
  'search',
  'tornado',
  'building',
  'december',
  'mayfield',
  'kentucky',
  'brett',
  'carlsen',
  '',
  '',
  'getty',
  'imageslouisville',
  'ky.',
  'kentucky',
  'governor',
  'andy',
  'beshear',
  'state',
  'emergency',
  'saturday',
  'morning',
  'president',
  'joe',
  'biden',
  'assistance',
  'storm',
  'bluegrass',
  'state',
  '"it',
  'beshear',
  'news',
  'conference',
  'national',
  'guard',
  'kentucky',
  'guardsman',
  'area',
  'western',
  'kentucky',
  'section',
  'state',
  'beshear',
  'estimate',
  'death',
  'toll',
  'kentucky',
  'north',
  'resident',
  'area',
  'road',
  'crew',
  'emergency',
  'operation',
  'outbreak',
  'tornado',
  'swath',
  'destruction',
  'twister',
  'state',
  'mile',
  'path',
  'tornado',
  'u.s.',
  'history',
  'ground',
  'beshear',
  'tornado',
  'western',
  'kentucky',
  'city',
  'mayfield',
  'benton',
  'princeton',
  'beaver',
  'dam',
  'town',
  'breckinridge',
  'county',
  'governor',
  'people',
  'candle',
  'plant',
  'mayfield',
  'storm',
  'facility',
  'site',
  'mass',
  'casualty',
  '"bowling',
  'green',
  'home',
  'western',
  'kentucky',
  'university',
  'damage',
  'commencement',
  'ceremony',
  'saturday',
  '"significant',
  'tornado',
  'damage',
  'area',
  'wku',
  'network',
  'phone',
  'line',
  'wku',
  'contact',
  'staff',
  'injury',
  'campus',
  'university',
  'statement',
  'president',
  'biden',
  'storm',
  'statement',
  'saturday',
  'morning',
  'touch',
  'state',
  'official',
  'search',
  'survivor',
  'damage',
  'assessment',
  '"biden',
  'remark',
  'p.m.',
  'et',
  'wilmington',
  'delaware',
  'storm',
  'senate',
  'republican',
  'leader',
  'mitch',
  'mcconnell',
  'statement',
  'tornado',
  'home',
  'state',
  'life',
  'community',
  'tornado',
  'devastation',
  'commonwealth',
  'responder',
  'national',
  'guard',
  'effort',
  'tragedy',
  'mcconnell',
  'saturday',
  'report',
  'staff',
  'state',
  'official',
  'kentucky',
  'delegation',
  'governor',
  'andy',
  'beshear',
  'request',
  'assistance',
  'order',
  'community',
  'funding',
  'resource',
  'kentucky',
  'senator',
  'rand',
  'paul',
  'statement',
  'saturday',
  'team',
  'state',
  'official',
  'heart',
  'night',
  'storm',
  'team',
  'state',
  'official',
  'response',
  'family',
  'business',
  'official',
  'recovery',
  'resource',
  'paul',
  'cnbc',
  'prolicensing',
  'councilsselect',
  'financecnbc',
  'peacockjoin',
  'cnbc',
  'panelsupply',
  'chain',
  'valuesselect',
  'shoppingclosed',
  'captioningdigital',
  'productsnews',
  'releasesinternshipscorrectionsabout',
  'cnbcad',
  'choicessite',
  'mappodcastscareershelpcontactnews',
  'tipsgot',
  'news',
  'tip',
  'touchadvertise',
  'usplease',
  'contact',
  'uscnbc',
  'newsletterssign',
  'newsletter',
  'cnbc',
  'inboxsign',
  'nowget',
  'inbox',
  'info',
  'product',
  'service',
  'privacy',
  'policy',
  'information',
  'notice',
  'terms',
  'service',
  'cnbc',
  'llc',
  'rights',
  'division',
  'nbcuniversaldata',
  'time',
  'snapshot',
  'data',
  'minute',
  'global',
  'business',
  'financial',
  'news',
  'stock',
  'quotes',
  'market',
  'data',
  'analysis',
  'market',
  'data',
  'terms',
  'use',
  'disclaimersdata'],
 ['expert',
  'texas',
  'vehicle',
  'second',
  'sister',
  'slain',
  'woman',
  'death',
  'penalty',
  'dallas',
  'killer',
  'dfw',
  'weather',
  'break',
  'digit',
  'weather',
  'kid',
  'tornado',
  'oklahoma',
  'u.s.',
  'weather',
  'official',
  'weather',
  'injury',
  'example',
  'video',
  'title',
  'video',
  'cst',
  'february',
  'cst',
  'february',
  'norman',
  'okla.',
  'southern',
  'plains',
  'damage',
  'monday',
  'tornado',
  'wind',
  'michigan',
  'resident',
  'day',
  'power',
  'week',
  'ice',
  'storm',
  'california',
  'national',
  'weather',
  'service',
  'series',
  'winter',
  'storm',
  'system',
  'state',
  'wednesday',
  'resident',
  'break',
  'weather',
  'sunday',
  'northeast',
  'snow',
  'winter',
  'winter',
  'storm',
  'police',
  'norman',
  'oklahoma',
  'sunday',
  'night',
  'storm',
  'damage',
  'city',
  'mile',
  'oklahoma',
  'city',
  'official',
  'weather',
  'injury',
  'crew',
  'area',
  'tornado',
  'wind',
  'gust',
  'mph',
  'kilometer',
  'oklahoma',
  'tree',
  'power',
  'line',
  'road',
  'closure',
  'damage',
  'home',
  'norman',
  'shawnee',
  'frances',
  'tabler',
  'norman',
  'koco',
  'tv',
  'cut',
  'head',
  'storm',
  'home',
  'roof',
  'debris',
  'miracle',
  'child',
  'daughter',
  'bedroom',
  'wind',
  'window',
  'kid',
  'bedroom',
  'wind',
  'tabler',
  'koco',
  'blizzard',
  'house',
  'debris',
  'kid',
  'tornado',
  'sunday',
  'liberal',
  'kansas',
  'weather',
  'service',
  'dozen',
  'home',
  'ksnw',
  'tv',
  'person',
  'injury',
  'station',
  'report',
  'tornado',
  'kansas',
  'oklahoma',
  'texas',
  'bob',
  'oravec',
  'forecaster',
  'weather',
  'service',
  'service',
  'team',
  'storm',
  'damage',
  'monday',
  'strength',
  'tornado',
  'weather',
  'threat',
  'monday',
  'thunderstorm',
  'gust',
  'ohio',
  'valley',
  'storm',
  'prediction',
  'center',
  'tornado',
  'ohio',
  'monday',
  'afternoon',
  'center',
  'winter',
  'storm',
  'northeast',
  'connecticut',
  'new',
  'york',
  'massachusetts',
  'new',
  'jersey',
  'rhode',
  'island',
  'snow',
  'forecast',
  'monday',
  'evening',
  'tuesday',
  'afternoon',
  'boston',
  'inch',
  'tuesday',
  'morning',
  'commute',
  'weather',
  'service',
  'inch',
  'massachusetts',
  'connecticut',
  'vermont',
  'michigan',
  'crew',
  'electricity',
  'leah',
  'thomas',
  'home',
  'north',
  'detroit',
  'power',
  'wednesday',
  'night',
  'sunday',
  'afternoon',
  'power',
  'thomas',
  'year',
  'son',
  'parent',
  'home',
  'power',
  'florida',
  'husband',
  'town',
  'thomas',
  'battery',
  'home',
  'sump',
  'pump',
  'sunday',
  'car',
  'store',
  'cable',
  'task',
  'woman',
  'basement',
  'school',
  'district',
  'midwinter',
  'break',
  'thomas',
  'neighbor',
  'town',
  'mess',
  'water',
  'pipe',
  'basement',
  'michigan',
  'ice',
  'storm',
  'wind',
  'state',
  'utility',
  'dte',
  'energy',
  'consumers',
  'energy',
  'home',
  'business',
  'power',
  'monday',
  'morning',
  'dte',
  'customer',
  'california',
  'break',
  'weather',
  'storm',
  'day',
  'los',
  'angeles',
  'area',
  'river',
  'level',
  'road',
  'snow',
  'elevation',
  'foot',
  'meter',
  'sun',
  'sunday',
  'los',
  'angeles',
  'resident',
  'mountain',
  'north',
  'east',
  'white',
  'suburban',
  'santa',
  'clarita',
  'hill',
  'los',
  'angeles',
  'snowfall',
  'son',
  'snow',
  'resident',
  'cesar',
  'torres',
  'santa',
  'clarita',
  'signal',
  'snow',
  'snowman',
  'wild',
  'north',
  'texas',
  'weather',
  'warm',
  'wind',
  'thunderstorm',
  'car',
  'dust',
  'north',
  'texas',
  'monday',
  'minute',
  'problem',
  'spacex',
  'rocket',
  'astronaut',
  'eeo',
  'public',
  'file',
  'report',
  'fcc',
  'online',
  'public',
  'inspection',
  'file',
  'closed',
  'caption',
  'procedure',
  'personal',
  'information',
  'wfaa',
  'tv',
  'rights',
  'wfaa',
  'notification',
  'news',
  'weather',
  'notification',
  'browser',
  'setting'],
 ['news',
  'sports',
  'rockland',
  'westchester',
  'food',
  'advertise',
  'obituaries',
  'enewspaper',
  'legals',
  'newsny',
  'flood',
  'force',
  'road',
  'closure',
  'rockland',
  'orange',
  'orangemichael',
  'p.',
  'mckinney',
  'nancy',
  'cutler',
  'peter',
  'd.',
  'kramerrockland',
  'westchester',
  'journal',
  'newsdevastating',
  'flooding',
  'sunday',
  'woman',
  'orange',
  'county',
  'road',
  'bridge',
  'monday',
  'westchester',
  'rockland',
  'orange',
  'putnam',
  'metro',
  'north',
  'train',
  'service',
  'rain',
  'deluge',
  'vehicle',
  'sinkhole',
  'home',
  'street',
  'pain',
  'people',
  'eye',
  'loss',
  'fear',
  'anxiety',
  'gov.',
  'kathy',
  'hochul',
  'highland',
  'falls',
  'news',
  'conference',
  'orange',
  'county',
  'monday',
  'woman',
  'apartment',
  'crew',
  'west',
  'point',
  'hochul',
  'year',
  'woman',
  'official',
  'house',
  'water',
  'hochul',
  'rain',
  'flooding',
  'weather',
  'event',
  'state',
  'month',
  'snowstorm',
  'mass',
  'air',
  'wildfire',
  'canada',
  'sky',
  'rain',
  'inch',
  'rain',
  'community',
  'year',
  'event',
  'governor',
  'government',
  'community',
  'climate',
  'change',
  'ravage',
  'orange',
  'county',
  'executive',
  'steve',
  'neuhaus',
  'news',
  'conference',
  'cooperation',
  'level',
  'storm',
  'car',
  'water',
  'duty',
  'army',
  'personnel',
  'water',
  'car',
  'people',
  'neuhaus',
  'woman',
  'ravine',
  'danger',
  'responder',
  'way',
  'debris',
  'land',
  'examiner',
  'office',
  'helphochul',
  'state',
  'emergency',
  'orange',
  'rockland',
  'ontario',
  'county',
  'sunday',
  'neuhaus',
  'order',
  'monday',
  'night',
  'vehicle',
  'pedestrian',
  'road',
  'town',
  'highland',
  'hochul',
  'federal',
  'emergency',
  'management',
  'agency',
  'administrator',
  'help',
  'step',
  'damage',
  'cost',
  'u.s.',
  'rep.',
  'pat',
  'ryan',
  'u.s.',
  'senate',
  'majority',
  'leader',
  'charles',
  'e.',
  'schumer',
  'sen.',
  'gillibrand',
  'mid',
  '-',
  'day',
  'monday',
  'disaster',
  'declaration',
  'state',
  'fema.“there',
  'time',
  'ryan',
  'd-18th',
  'district',
  'statement',
  'fema',
  'disaster',
  'assessment',
  'teams',
  'request',
  'new',
  'york',
  'state',
  'assistance',
  '”a',
  'disaster',
  'declaration',
  'grant',
  'assistance',
  'state',
  'government',
  'nonprofit',
  'repair',
  'cost',
  'rain',
  'monday',
  'representative',
  'action',
  'fema.“this',
  'loss',
  'life',
  'damage',
  'home',
  'business',
  'transportation',
  'infrastructure',
  'million',
  'dollar',
  'cost',
  'month',
  'month',
  'discussion',
  'ground',
  'schumer',
  'u.s.',
  'rep.',
  'mike',
  'lawler',
  'district',
  'rockland',
  'putnam',
  'westchester',
  'action',
  'emergency',
  'status',
  'damage',
  'hudson',
  'valley',
  'ball',
  'republican',
  'west',
  'point',
  'highland',
  'falls',
  'area',
  'red',
  'cross',
  'hudson',
  'valley',
  'chapter',
  'shelter',
  'sacred',
  'heart',
  'jesus',
  'school',
  'cozzens',
  'ave',
  'highland',
  'falls',
  'volunteer',
  'place',
  'water',
  'snack',
  'agency',
  'twitter',
  'nicholas',
  'bassill',
  'university',
  'albany',
  'director',
  'research',
  'development',
  'new',
  'york',
  'state',
  'mesonet',
  'time',
  'weather',
  'datum',
  'field',
  'station',
  'addition',
  'west',
  'point',
  'area',
  'sunday',
  'storm',
  'book',
  'somer',
  'rainfall',
  'record',
  'hurricane',
  'ida',
  'record',
  'rainfall',
  'hour',
  'inch',
  'sunday',
  'storm',
  'inch',
  'record',
  'rainfall',
  'hour',
  'inch',
  'sunday',
  'storm',
  'inch',
  'somers',
  'hochul',
  'storm',
  'level',
  'damage',
  'new',
  'york',
  'sunday',
  'monday',
  'rockland',
  'county',
  'ems',
  'coordinator',
  'desiree',
  'leon',
  '-',
  'stoll',
  'president',
  'stony',
  'point',
  'ambulance',
  'corps',
  'stony',
  'point',
  'group',
  'trail',
  'hiker',
  'perkins',
  'memorial',
  'tower',
  'sunday',
  'injury',
  'trail',
  'flash',
  'flooding',
  'hour',
  'volunteer',
  'ems',
  'staff',
  'bed',
  'truck',
  'westchester',
  'medical',
  'center',
  'valhalla',
  'damage',
  'rockland',
  'stony',
  'point',
  'road',
  'river',
  'place',
  'journal',
  'news',
  'lohud',
  'video',
  'section',
  'lowland',
  'hill',
  'road',
  'rescue',
  'personnel',
  'boat',
  'resident',
  'home',
  'charles',
  's.',
  'eccher',
  'park',
  'lowland',
  'hill',
  'road',
  'sunday',
  'richard',
  'beyer',
  'cindy',
  'beyer',
  'home',
  'cedar',
  'brook',
  'park',
  'piermont',
  'firefighter',
  'boat',
  'water',
  'richard',
  'beyer',
  'brook',
  'hurricane',
  'irene',
  'floyd',
  'monday',
  'afternoon',
  'monday',
  'stony',
  'point',
  'parks',
  'recreation',
  'debris',
  'park',
  'ground',
  'rockland',
  'county',
  'legislator',
  'doug',
  'jobson',
  'r',
  'stony',
  'point',
  'town',
  'summer',
  'camp',
  'eccher',
  'park',
  'lowland',
  'park',
  'tuesday',
  'yorktown',
  'town',
  'hall',
  'sinkholein',
  'yorktown',
  'westchester',
  'town',
  'supervisor',
  'tom',
  'diana',
  'state',
  'emergency',
  'monday',
  'process',
  'emergency',
  'aid',
  'county',
  'state',
  'government',
  'damage',
  'sinkhole',
  'town',
  'hall',
  'culvert',
  'conduit',
  'drain',
  'road',
  'boulder',
  'road',
  'road',
  'point',
  'mohegan',
  'fire',
  'department',
  'firetruck',
  'scene',
  'water',
  'roadway',
  'diana',
  'news',
  'conference',
  'monday',
  'jefferson',
  'valley',
  'hamlet',
  'golf',
  'course',
  'town',
  'official',
  'opening',
  'saturday',
  'police',
  'chief',
  'robert',
  'noble',
  'news',
  'conference',
  'section',
  'town',
  '"diana',
  'advice',
  'public',
  'official',
  'area',
  'road',
  'water',
  'road',
  'undeneath',
  'diana',
  'wash',
  'roadway',
  'roadway',
  'wash',
  'inch',
  'rain',
  'town',
  'diana',
  'statement',
  'water',
  'damage',
  'diana',
  'noble',
  'yorktown',
  'road',
  'police',
  'auto',
  'body',
  'shop',
  'vehicle',
  'stretch',
  'route',
  'corridor',
  'old',
  'crompond',
  'road',
  'lexington',
  'avenue',
  'culvert',
  'old',
  'crompond',
  'road',
  'linette',
  'court',
  'mill',
  'pond',
  'road',
  'noble',
  'town',
  'highway',
  'department',
  'scene',
  'culvert',
  'park',
  'recreation',
  'program',
  'monday',
  'pool',
  'town',
  'camp',
  'pool',
  'tuesday',
  'shrub',
  'oak',
  'pool',
  'tuesday',
  'flooding',
  'town',
  'north',
  'end',
  'garbage',
  'recycling',
  'monday',
  'street',
  'street',
  'collection',
  'attempt',
  'day',
  'road',
  'closure',
  'monday',
  'palisades',
  'interstate',
  'parkway',
  'exit',
  'stony',
  'point',
  'section',
  'route',
  'long',
  'mountain',
  'parkway',
  'bear',
  'mountain',
  'bridge',
  'portion',
  'route',
  '9w',
  'popelopen',
  'bridge',
  '9w',
  'town',
  'highlands',
  'wesley',
  'chapel',
  'road',
  'spook',
  'rock',
  'route',
  'cedar',
  'flats',
  'road',
  'stony',
  'point',
  'state',
  'police',
  'spokesman',
  'trooper',
  'steven',
  'nevel',
  'monday',
  'closure',
  'flooding',
  'debris',
  'roadway',
  'aviation',
  'assessment',
  'area',
  'road',
  'minute',
  '"sunday',
  'flash',
  'flooding',
  'motorist',
  'stretch',
  'palisades',
  'interstate',
  'parkway',
  'trooper',
  'dozen',
  'people',
  'area',
  'northbound',
  'parkway',
  'exit',
  'long',
  'mountain',
  'traffic',
  'circle',
  'ramp',
  'closure',
  'flooding',
  'a.m.',
  'monday',
  'exit',
  '7a',
  'northbound',
  'ramp',
  'new',
  'york',
  'state',
  'thruway',
  'saw',
  'mill',
  'river',
  'parkway',
  'department',
  'transportation',
  'request',
  'spokeswoman',
  'jennifer',
  'givner',
  'yorktown',
  'westchester',
  'police',
  'monday',
  'closed:∎route',
  'north',
  'perry',
  'wood',
  'streets∎wood',
  'street',
  'mountain',
  'road',
  'putnam',
  'county',
  'line∎east',
  'main',
  'street',
  'pine',
  'cour',
  'barger',
  'street∎barger',
  'street',
  'east',
  'main',
  'street',
  'route',
  '6∎new',
  'road∎old',
  'crompond',
  'road',
  'linette',
  'court',
  'mill',
  'pond',
  'road∎white',
  'hill',
  'road',
  'hunterbrook',
  'road',
  'william',
  'court∎brookside',
  'avenue∎breenwood',
  'street',
  'brookside',
  'avenue',
  'veterans',
  'avenue',
  'route',
  'sagamore',
  'avenue∎brook',
  'lane∎north',
  'ridge',
  'road∎robin',
  'road∎granite',
  'springs',
  'road',
  'headwig',
  'drive',
  'gregory',
  'street∎crompond',
  'road',
  'ready',
  'refresh',
  'taconic',
  'vet',
  'crompond',
  'fire',
  'evergreen',
  'court',
  'case',
  'da',
  'plea',
  'deal',
  'order',
  'cornwall',
  'orange',
  'county',
  'town',
  'office',
  'emergency',
  'management',
  'facebook',
  'road',
  'a.m.',
  'closure',
  '9w',
  'cornwall',
  'north',
  'south',
  'cornwall',
  'woodbury∎route',
  'north',
  'south',
  'cornwall',
  'highlands∎route',
  'route',
  'route',
  'central',
  'valley',
  'long',
  'mountain',
  'traffic',
  'palisades',
  'interstate',
  'parkway',
  'bear',
  'mountain',
  'bridge',
  'bear',
  'mountain',
  'bridge',
  'traffic∎the',
  'popolopen',
  'bridge',
  'route',
  '9w',
  'north',
  'bear',
  'mountain',
  'circle',
  'town',
  'highlands∎bear',
  'mountain',
  'state',
  'park',
  'state',
  'police',
  'statement',
  'sunday',
  'dozen',
  'motorist',
  'check',
  'vehicle',
  'area',
  'freight',
  'track',
  'place',
  'neuhaus',
  'site',
  'csx',
  'track',
  'selkirk',
  'new',
  'york',
  'new',
  'jersey',
  'freight',
  'line',
  'monday',
  'delay',
  'reroute',
  'hour',
  'chance',
  'thunderstorm',
  'patchy',
  'fog',
  'humidity',
  'region',
  'today',
  'national',
  'weather',
  'service',
  'chance',
  'rain',
  'evening',
  'metro',
  'north',
  'updatesmetro',
  'north',
  'twitter',
  'service',
  'hudson',
  'line',
  'croton',
  'harmon',
  'station',
  'poughkeepsie',
  'hudson',
  'line',
  'ticket',
  'harlem',
  'line',
  'train',
  'newburgh',
  'beacon',
  'ferry',
  'service',
  'monday',
  'metro',
  'north',
  'tuesday',
  'hudson',
  'line',
  'train',
  'new',
  'york',
  'city',
  'grand',
  'central',
  'terminal',
  'peekskill',
  'hour',
  'bus',
  'service',
  'croton',
  'harmon',
  'poughkeepsie',
  'bus',
  'croton',
  'harmon',
  'load',
  'basis',
  'transit',
  'service',
  'monday',
  'evening',
  'metro',
  'north',
  'storm',
  'track',
  'hudson',
  'line',
  'north',
  'croton',
  'harmon',
  'wassaic',
  'branch',
  'crew',
  'damage',
  'track',
  'metro',
  'north',
  'metropolitan',
  'transportation',
  'authority',
  'website',
  'crew',
  'tree',
  'repair',
  'track',
  'flooding',
  '"since',
  'service',
  'croton',
  'harmon',
  'poughkeepsie',
  'mta',
  'rider',
  'croton',
  'harmon',
  'station',
  'harlem',
  'line',
  'service',
  'southeast',
  'croton',
  'falls',
  'station',
  'line',
  'message',
  'photographer',
  'videographer',
  'seth',
  'harrison',
  'report',
  'michael',
  'mckinney',
  'news',
  'reporter',
  'journal',
  'news',
  'poughkeepsie',
  'journal',
  'times',
  'herald',
  'record',
  'usa',
  'today',
  'network',
  'staff',
  'directory',
  'corrections',
  'careers',
  'accessibility',
  'support',
  'site',
  'map',
  'legals',
  'ethical',
  'principles',
  'subscription',
  'terms',
  'conditions',
  'terms',
  'service',
  'privacy',
  'policy',
  'california',
  'privacy',
  'rights',
  'privacy',
  'policydo',
  'sell',
  'share',
  'target',
  'infocookie',
  'settingscontact',
  'support',
  'business',
  'business',
  'advertising',
  'terms',
  'conditions',
  'event',
  'sell',
  'licensing',
  'reprints',
  'help',
  'center',
  'lohud',
  'store',
  'subscriber',
  'guide',
  'account',
  'feedbacksubscribe',
  'today',
  'newsletters',
  'mobile',
  'app',
  'facebook',
  'twitter',
  'enewspaper',
  'storytellers',
  'archives',
  'rss',
  'feedsjobs',
  'cars',
  'homes',
  'classifieds',
  'education',
  'localiq',
  'digital',
  'marketing',
  'solutions',
  'right'],
 ['woman',
  'fury',
  'rendition',
  'star',
  'spangled',
  'banner',
  'world',
  'cup',
  'holland',
  'player',
  'anthem',
  'arm',
  'moment',
  'naked',
  'woman',
  'fire',
  'driver',
  'police',
  'chase',
  'san',
  'francisco',
  'bay',
  'bridge',
  'beyonce',
  'mom',
  'tina',
  'knowles',
  'divorce',
  'husband',
  'richard',
  'lawson',
  'year',
  'marriage',
  'difference',
  'outdoors',
  'nbc',
  'report',
  'people',
  'space',
  'trauma',
  'people',
  'trump',
  'flag',
  'ohio',
  'cop',
  'fired',
  'footage',
  'k-9',
  'trucker',
  'hand',
  'police',
  'chase',
  'mud',
  'flap',
  'acting',
  'meghan',
  'markle',
  'actor',
  'strike',
  'warning',
  'sign',
  'alzheimer',
  'symptom',
  'study',
  'michael',
  'jackson',
  'abuse',
  'lawsuit',
  'wade',
  'robson',
  'james',
  'safechuck',
  'appeal',
  'court',
  'revealed',
  'california',
  'gov.',
  'gavin',
  'newsom',
  'hollywood',
  'strike',
  'industry',
  'billion',
  'state',
  'economy',
  'chaos',
  'ariana',
  'grande',
  'boyfriend',
  'ethan',
  'slater',
  'divorce',
  'wife',
  'actor',
  'family',
  'vampire',
  'appliance',
  'cash',
  'device',
  'energy',
  'bill',
  'somber',
  'michelle',
  'martha',
  'vineyard',
  'golf',
  'club',
  'game',
  'tennis',
  'outing',
  'chef',
  'paddle',
  'boarding',
  'obamas',
  'home',
  'joe',
  'rogan',
  'critic',
  'jason',
  'aldean',
  'song',
  'small',
  'town',
  'rap',
  'song',
  'revealed',
  'marines',
  'carbon',
  'monoxide',
  'poisoning',
  'car',
  'gas',
  'station',
  'camp',
  'lejeune',
  'search',
  'la',
  'attorney',
  'downtown',
  'area',
  'day',
  'family',
  'moment',
  'judge',
  'hunter',
  'sweetheart',
  'plea',
  'deal',
  'tax',
  'gun',
  'charge',
  'investigation',
  'judge',
  'hunter',
  'job',
  'president',
  'son',
  'drug',
  'alcohol',
  'employment',
  'condition',
  'release',
  'plea',
  'deal',
  'hunter',
  'biden',
  'extent',
  'drug',
  'alcohol',
  'use',
  'president',
  'addict',
  'son',
  'rehab',
  'stint',
  'year',
  'court',
  'appearance',
  'hunter',
  'plea',
  'deal',
  'joe',
  'president',
  'line',
  'son',
  'deal',
  'china',
  'ukraine',
  'republicans',
  'allegation',
  'hunter',
  'biden',
  'prosecutor',
  'crime',
  'deal',
  'china',
  'ukraine',
  'joe',
  'read',
  'email',
  'hunter',
  'biden',
  'lawyer',
  'trick',
  'information',
  'son',
  'sweetheart',
  'plea',
  'deal',
  'falls',
  'apart',
  'karine',
  'jean',
  'pierre',
  'rejects',
  'white',
  'house',
  'story',
  'joe',
  'knowledge',
  'hunter',
  'deal',
  'press',
  'secretary',
  'plea',
  'deal',
  'firearm',
  'possession',
  'speaker',
  'kevin',
  'mccarthy',
  'collapse',
  'hunter',
  'plea',
  'deal',
  'charge',
  'republicans',
  'sweetheart',
  'agreement',
  'prosecutor',
  'reunion',
  'ex',
  'elon',
  'musk',
  'grimes',
  'vacation',
  'portofino',
  'year',
  'child',
  'x',
  'billionaire',
  'dine',
  'son',
  'saxon',
  'killer',
  'tornado',
  'weather',
  'weekend',
  'weather',
  'south',
  'georgia',
  'storm',
  'sundayfour',
  'tornado',
  'hattiesburg',
  'mississippi',
  'saturday',
  'storm',
  'number',
  'state',
  'georgia',
  'texas',
  'louisiana',
  'alabama',
  'mississippithere',
  'report',
  'tornado',
  'weekend',
  'georgiaroughly',
  'weekend',
  'storm',
  'abigail',
  'miller',
  'cheyenne',
  'roundtree',
  'dailymail.com',
  'edt',
  'january',
  'edt',
  'january',
  'e',
  '-',
  'mail',
  'share',
  'view',
  'comment',
  'total',
  'people',
  'storm',
  'tornado',
  'georgia',
  'texas',
  'louisiana',
  'alabama',
  'mississippi',
  'people',
  'southeast',
  'damage',
  'addition',
  'dozen',
  'georgia',
  'people',
  'tornado',
  'home',
  'hattiesburg',
  'mississippi',
  'sunday',
  'united',
  'states',
  'storm',
  'wind',
  'weather',
  'weekend',
  'weather',
  'florida',
  'sunday',
  'official',
  'people',
  'impact',
  'weekend',
  'storm',
  'video',
  'jenny',
  'bullard',
  'parent',
  'life',
  'storm',
  'brick',
  'house',
  'cook',
  'county',
  'georgia',
  'sunday',
  'ann',
  'bell',
  'tornado',
  'son',
  'house',
  'foundation',
  'son',
  'debris',
  'neighbor',
  'maryville',
  'community',
  'thomasville',
  'georgia',
  'report',
  'tornado',
  'weekend',
  'georgia',
  'map',
  'report',
  'tornado',
  'weekend',
  'governor',
  'georgia',
  'state',
  'emergency',
  'county',
  'death',
  'injury',
  'damage',
  'weekend',
  'storm',
  'governor',
  'nathan',
  'deal',
  'office',
  'sunday',
  'emergency',
  'declaration',
  'brooks',
  'cook',
  'berrien',
  'county',
  'people',
  'florida',
  'georgia',
  'line',
  'people',
  'state',
  'emergency',
  'mississippi',
  'tornado',
  'parts',
  'northern',
  'florida',
  'louisiana',
  'texas',
  'tornado',
  'hail',
  'thunderstorm',
  'articles',
  'people',
  'home',
  'swollen',
  'creek',
  'cabin',
  'vehicle',
  'woman',
  'child',
  'farm',
  'tornado',
  'sunday',
  'adel',
  'jeff',
  'bullard',
  'foyer',
  'home',
  'daughter',
  'jenny',
  'bullard',
  'debris',
  'georgia',
  'home',
  'tornado',
  'jeff',
  'bullard',
  'foyer',
  'home',
  'man',
  'adel',
  'ga',
  'state',
  'emergency',
  'weather',
  'florida',
  'official',
  'map',
  'city',
  'north',
  'florida',
  'area',
  'tornado',
  'sunday',
  'round',
  'risk',
  'weather',
  'tornado',
  'head',
  'region',
  'sunday',
  'map',
  'area',
  'region',
  'weather',
  'sunday',
  'total',
  'people',
  'tornado',
  'home',
  'adel',
  'georgia',
  'cook',
  'county',
  'county',
  'coroner',
  'tim',
  'purvis',
  'emergency',
  'responder',
  'victim',
  'jenny',
  'bullard',
  'parent',
  'life',
  'storm',
  'brick',
  'house',
  'cook',
  'county',
  'people',
  'adel',
  'georgia',
  'county',
  'corner',
  'tornado',
  'home',
  'adel',
  'downed',
  'tree',
  'shed',
  'vehicle',
  'mike',
  'herington',
  'baxley',
  'georgia',
  'storm',
  'mississippi',
  'damage',
  'car',
  'home',
  'tree',
  'root',
  'thousand',
  'home',
  'year',
  'wall',
  'door',
  'father',
  'pile',
  'debris',
  'mother',
  'hole',
  'wall',
  'home',
  'office',
  'south',
  'georgia',
  'motorsports',
  'park',
  'grandstand',
  'fox',
  'news',
  'people',
  'home',
  'tornado',
  'yard',
  'georgia',
  'highway',
  'brooks',
  'county',
  'coroner',
  'michael',
  'miller',
  'fox',
  'news',
  'highway',
  'death',
  'toll',
  'outbreak',
  'storm',
  'tornado',
  'south',
  'saturday',
  'sunday',
  'morning',
  'storm',
  'damage',
  'south',
  'georgia',
  'motorsports',
  'park',
  'cecil',
  'georgia',
  'sunday',
  'map',
  'city',
  'weather',
  'danger',
  'zone',
  'sunday',
  'albany',
  'savannah',
  'valdosta',
  'georgia',
  'tallahassee',
  'jacksonville',
  'florida',
  'pictured',
  'murray',
  'structure',
  'hattiesburg',
  'fire',
  'station',
  'city',
  'estimate',
  'building',
  'destroyedpresident',
  'trump',
  'condolence',
  'people',
  'georgia',
  'tornado',
  'press',
  'today',
  'white',
  'house',
  'governor',
  'nathan',
  'deal',
  'georgia',
  'state',
  'people',
  "'florida",
  'alabama',
  'tornado',
  'condolence',
  'life',
  "'the",
  'death',
  'georgia',
  'storm',
  'weather',
  'official',
  'georgia',
  'emergency',
  'management',
  'agency',
  'tornado',
  'cause',
  'death',
  'ren',
  'home',
  'tornado',
  'sunday',
  'adel',
  'georgia',
  'total',
  'people',
  'storm',
  'georgia',
  'tornado',
  'mississippi',
  'weather',
  'havoc',
  'southeast',
  'weekend',
  'margarita',
  'morales',
  'possession',
  'house',
  'people',
  'tornado',
  'residence',
  'hattiesburg',
  'mississippi',
  'saturday',
  'lanada',
  'miller',
  'remain',
  'trailer',
  'home',
  'trailer',
  'damage',
  'hattiesburg',
  'mississippi',
  'tornado',
  'wall',
  'storm',
  'weather',
  'region',
  'rain',
  'condition',
  'official',
  'death',
  'wreckage',
  'tornado',
  'course',
  'weekend',
  'report',
  'tornado',
  'south',
  'georgia',
  'tornado',
  'hattiesburg',
  'mississippi',
  'people',
  'year',
  'mile',
  'path',
  'sunday',
  'morning',
  'forrest',
  'county',
  'coroner',
  'dead',
  'earnest',
  'perkins',
  'cleveland',
  'madison',
  'david',
  'wayne',
  'mccoy',
  'simona',
  'cox',
  'tornado',
  'wind',
  'mph',
  'team',
  'firefighter',
  'door',
  'door',
  'people',
  'home',
  'tornado',
  'hattiesburg',
  'mississippi',
  'saturday',
  'morning',
  'tree',
  'zoar',
  'united',
  'methodist',
  'church',
  'damage',
  'steeple',
  'northern',
  'florida',
  'structure',
  'car',
  'home',
  'lauderdale',
  'mississippi',
  'tornado',
  'area',
  'structure',
  'tree',
  'property',
  'tornado',
  'roof',
  'home',
  'hattiesburg',
  'map',
  'detail',
  'issue',
  'storm',
  'alert',
  'sunday',
  'majority',
  'south',
  'georgia',
  'tornado',
  'georgia',
  'morning',
  'storm',
  'wsb',
  'tv',
  'weather.com/stor',
  'round',
  'tornado',
  'death',
  'toll',
  'southeast',
  'fox',
  'news',
  'share',
  'comment',
  'article',
  'georgia',
  'storm',
  'tornado',
  'man',
  'wrestle',
  'knife',
  'thug',
  'birmingham',
  'road',
  'solicitor',
  'uk',
  'asylum',
  'process',
  'lee',
  'borrett',
  'round',
  'timotej',
  'week',
  'murder',
  'man',
  'rape',
  'charge',
  'year',
  'jail',
  'andrew',
  'malkinson',
  'rape',
  'year',
  'prison',
  'moment',
  'rescuer',
  'man',
  'britain',
  'boat',
  'teen',
  'moment',
  'firefighting',
  'plane',
  'explode',
  'greece',
  'queen',
  'camilla',
  'monica',
  'vinader',
  'design',
  'studio',
  'norfolk',
  'nigel',
  'farage',
  'bbc',
  'apology',
  'george',
  'alagiah',
  'message',
  'bbc',
  'viewer',
  'tourist',
  'group',
  'teenager',
  'ireland',
  'shocking',
  'moment',
  'street',
  'brawl',
  'chair',
  'bottle',
  'spain',
  'ariana',
  'grande',
  'boyfriend',
  'co',
  '-',
  'star',
  'ethan',
  'slater',
  'divorce',
  'wife',
  'jennifer',
  'garner',
  'arm',
  'leg',
  'matching',
  'legging',
  'santa',
  'monica',
  'sinead',
  "o'connor",
  'music',
  'legend',
  'year',
  'health',
  'battle',
  'month',
  'son',
  'sinead',
  "o'connor",
  'video',
  'star',
  'clip',
  'toll',
  'teen',
  'son',
  'suicide',
  'day',
  'summer',
  "lovin'",
  'princess',
  'beatrice',
  'edoardo',
  'mapelli',
  'mozzi',
  'display',
  'board',
  'boat',
  'holiday',
  'saint',
  'tropez',
  'taste',
  'victory',
  'celsius',
  'official',
  'energy',
  'drink',
  'inter',
  'miami',
  'fan',
  'soccer',
  'superstar',
  'lionel',
  'messi',
  'florida',
  'team',
  'ex',
  'elon',
  'musk',
  'grimes',
  'vacation',
  'portofino',
  'musician',
  'year',
  'son',
  'x',
  'resort',
  'russell',
  'crowe',
  'essay',
  'sinead',
  "o'connor",
  'meeting',
  'pub',
  'ireland',
  'height',
  'depression',
  'hero',
  'beyonce',
  'mom',
  'tina',
  'knowles',
  'divorce',
  'husband',
  'richard',
  'lawson',
  'year',
  'marriage',
  'difference',
  'charlie',
  'sheen',
  'outing',
  'son',
  'ex',
  '-',
  'wife',
  'brooke',
  'mueller',
  'pair',
  'head',
  'lunch',
  'father',
  'son',
  'malibu',
  'selena',
  'gomez',
  'birthday',
  'shout',
  'ex',
  '-',
  'bff',
  'francia',
  'raisa',
  'feud',
  'taylor',
  'swift',
  'kidney',
  'transplant',
  'bursting',
  'flavor',
  'tastebud',
  'japan',
  'firework',
  'festivals',
  'tokyotreat',
  'snack',
  'box',
  'treat',
  'tori',
  'kelly',
  'husband',
  'wood',
  'hospitalization',
  'blood',
  'clot',
  'leg',
  'lung',
  'britney',
  'spears',
  'removed',
  'content',
  'mother',
  'sister',
  'book',
  'teresa',
  'giudice',
  'pack',
  'pda',
  'husband',
  'luis',
  'ruelas',
  'bikini',
  'body',
  'devon',
  'windsor',
  'figure',
  'bikini',
  'month',
  'birth',
  'child',
  'jennifer',
  'garner',
  'twin',
  'mom',
  'sweatshirt',
  'pie',
  'instagram',
  'rosalía',
  'ex',
  '-',
  'rauw',
  'alejandro',
  'role',
  'decision',
  'engagement',
  ...],
 ['permission',
  'video',
  'fcc',
  'public',
  'inspection',
  'file',
  'ktvn',
  'log',
  'account',
  'log',
  'account',
  'sign',
  'today',
  'account',
  'dashboard',
  'profile',
  'item',
  'oh',
  'ohio',
  'west',
  'virginia',
  'storm',
  'damage',
  'oh',
  'power',
  'restoration',
  'effort',
  'damage',
  'assessment',
  'weather',
  'red',
  'flag',
  'warning',
  'effect',
  'noon',
  'today',
  'pm',
  'pdt',
  'evening',
  'gusty',
  'wind',
  'low',
  'humidity',
  'desert',
  'northeast',
  'california',
  'portions',
  'northwest',
  'nevada',
  'national',
  'weather',
  'service',
  'reno',
  'red',
  'flag',
  'warning',
  'wind',
  'humidity',
  'effect',
  'noon',
  'today',
  'pm',
  'pdt',
  'evening',
  'fire',
  'weather',
  'watch',
  'effect',
  'changes',
  'fire',
  'weather',
  'watch',
  'red',
  'flag',
  'warning',
  'area',
  'fire',
  'weather',
  'zone',
  'surprise',
  'valley',
  'california',
  'fire',
  'weather',
  'zone',
  'eastern',
  'lassen',
  'county',
  'fire',
  'weather',
  'zone',
  'northern',
  'sierra',
  'carson',
  'city',
  'douglas',
  'storey',
  'southern',
  'washoe',
  'western',
  'lyon',
  'far',
  'southern',
  'lassen',
  'counties',
  'fire',
  'weather',
  'zone',
  'west',
  'humboldt',
  'basin',
  'pershing',
  'county',
  'fire',
  'weather',
  'zone',
  'northern',
  'washoe',
  'county',
  'wind',
  'southwest',
  'mph',
  'gust',
  'mph',
  'ridgelines',
  'gust',
  'mph',
  'impact',
  'combination',
  'wind',
  'humidity',
  'fire',
  'size',
  'intensity',
  'responder',
  'activity',
  'spark',
  'vegetation',
  'yard',
  'work',
  'target',
  'shooting',
  'campfire',
  'fire',
  'restriction',
  'update',
  'livingwithfire.info',
  'preparedness',
  'tip',
  'wind',
  'advisory',
  'effect',
  'noon',
  'pm',
  'pdt',
  'wednesday',
  'southwest',
  'wind',
  'mph',
  'gust',
  'mph',
  'wave',
  'height',
  'pyramid',
  'lake',
  'foot',
  'washoe',
  'pyramid',
  'lahontan',
  'rye',
  'patch',
  'noon',
  'pm',
  'pdt',
  'wednesday',
  'impact',
  'boat',
  'kayak',
  'paddle',
  'board',
  'lake',
  'water',
  'condition',
  'lake',
  'condition',
  'increase',
  'wind',
  'wave',
  'height',
  'activity',
  'lake',
  'day',
  'wind',
  'news',
  'community',
  'nevada',
  'congressman',
  'heat',
  'protections',
  'worker',
  'city',
  'reno',
  'wolf',
  'pack',
  'fridays',
  'wcsd',
  'sex',
  'ed',
  'curriculum',
  'reno',
  'place',
  'study',
  'step',
  'copy',
  'news',
  'story',
  'info',
  'energy',
  'way',
  'reno',
  'nv',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'blox',
  'content',
  'management',
  'system',
  'blox',
  'digital',
  'minute',
  'news',
  'device'],
 ['coastal',
  'scituate',
  'massachusetts',
  'impact',
  "nor'easter",
  'instance',
  'flooding',
  'sea',
  'level',
  'storm',
  'activity',
  'increase',
  'resident',
  'place',
  'tide',
  'p.m.',
  'march',
  'foot',
  'tide',
  'foot',
  'land',
  'â\x80\x9cthe',
  'tide',
  'water',
  'tide',
  'a.m.',
  'march',
  'foot',
  'tide',
  'foot',
  'land',
  'tide',
  'ton',
  'water',
  'tide',
  'a.m.',
  'march',
  'foot',
  'tide',
  'foot',
  'land',
  'life',
  'that.â\x80\x9d',
  'keith',
  'o’callaghan',
  'humarock',
  'massachusetts',
  'resident',
  'business',
  'owner',
  'peggotty',
  'beach',
  'kent',
  'street',
  'marsh',
  'flooding',
  'midday',
  'tide',
  'march',
  'karl',
  'swenson',
  'skywarn',
  'spotter',
  'waves',
  'crest',
  'foot',
  'story',
  'house',
  'wind',
  'gust',
  'mph',
  'tree',
  'ground',
  'power',
  'percent',
  'city',
  'beach',
  'foot',
  'rock',
  'sand',
  'road',
  'street',
  'sign',
  'porch',
  'mailbox',
  'house',
  'water',
  'toilet',
  'bowl',
  'slab',
  'concrete',
  'sidewalk',
  'neighborhood',
  'street',
  'wave',
  'street',
  'time',
  'iâ\x80\x99ve',
  'family',
  'safety',
  'scituate',
  'massachusetts',
  'resident',
  'steve',
  'maguire',
  'itâ\x80\x99s',
  'clock',
  'midnight',
  'darkness',
  'reality',
  'people',
  'scituate',
  'night',
  'home',
  'business',
  'life',
  'barrage',
  'water',
  'nor’easter',
  'massachusetts',
  'ocean',
  'howl',
  'wind',
  'howl',
  'wind',
  'storm',
  'maguire',
  'storm',
  'march',
  'middle',
  'night',
  'door',
  'wife',
  'â\x80\x98jess',
  'howl',
  'point',
  'storms.â\x80\x9d',
  'march',
  'norâ\x80\x99easter',
  'war',
  'zone',
  'â\x80\x9cwe',
  'time',
  'â\x80\x98itâ\x80\x99s',
  'place',
  'day',
  'yearâ\x80\x99',
  'maguire',
  'meteorology',
  'teacher',
  'year',
  'school',
  'day',
  'idea',
  'week',
  'norâ\x80\x99easter',
  'area',
  'winter',
  'tide',
  '.',
  '.',
  'spot',
  'bostonâ\x80\x99s',
  'record',
  'tide',
  'list',
  'time',
  'state',
  'storm',
  'damage',
  'life',
  'blizzard',
  'perfect',
  'storm',
  'peg',
  'storm',
  'level',
  'devastation',
  'resident',
  'weather.com',
  'norâ\x80\x99easter',
  'damage',
  'climate',
  'change',
  'storm',
  'sea',
  'weather',
  'americans',
  'home',
  'area',
  'storm',
  'winter',
  'resident',
  'home',
  'toilet',
  'blizzard',
  'david',
  'l.',
  'ryan',
  'boston',
  'globe',
  'getty',
  'images',
  'history',
  'storms',
  'scituate',
  'mile',
  'boston',
  'city',
  'atlantic',
  'ocean',
  'downtown',
  'character',
  'place',
  'home',
  'year',
  'round',
  'resident',
  'summer',
  'harbor',
  'house',
  'pizza',
  'man',
  'counter',
  'boston',
  'red',
  'sox',
  'hat',
  'fire',
  'chief',
  'order',
  'music',
  'street',
  'speaker',
  'music',
  'store',
  'number',
  'tape',
  'marina',
  'boat',
  'home',
  'â\x80\x9cscituate',
  'maâ\x80\x9d',
  'cedar',
  'point',
  'sliver',
  'mainland',
  'lighthouse',
  'watch',
  'mouth',
  'harbor',
  'dave',
  'ball',
  'parking',
  'lot',
  'chevy',
  'pickup',
  'park',
  'crutch',
  'truck',
  'bed',
  'deck',
  'key',
  'maritime',
  'spanish',
  'mossing',
  'museum',
  'room',
  'light',
  'exhibit',
  'ball',
  'new',
  'england',
  'accent',
  'love',
  'place',
  'president',
  'scituate',
  'historical',
  'society',
  'inch',
  'museum',
  'building',
  'smallpox',
  'hospital',
  'mark',
  'roof',
  'beam',
  'crew',
  'place',
  'museum',
  'model',
  'ship',
  'life',
  'preserver',
  'floor',
  'ceiling',
  'photo',
  'scituate',
  'seaside',
  'history',
  'wall',
  'etrusco',
  'cargo',
  'ship',
  'march',
  'walking',
  'distance',
  'cedar',
  'point',
  'lighthouse',
  'blizzard',
  'wind',
  'ship',
  'scituate',
  'ball',
  'notebook',
  'page',
  'record',
  'tide',
  'height',
  'noaa',
  'database',
  'finger',
  'page',
  'tap',
  'date',
  'â\x80\x9cthe',
  'blizzard',
  'granddaddy',
  'storm',
  'today',
  'â\x80\x9cthe',
  'storm',
  'year',
  'caliber',
  'blizzard',
  'scituate',
  'resident',
  'northeast',
  'snow',
  'highway',
  'massachusetts',
  'resident',
  'bomb',
  'home',
  'resident',
  'pair',
  'photo',
  'aftermath',
  'house',
  'foundation',
  'house',
  'toilet',
  'bowl',
  'people',
  'ocean',
  'house',
  'repair',
  'joe',
  'norton',
  'selectman',
  'article',
  'anniversary',
  'storm',
  'car',
  'roof',
  'mixture',
  'sand',
  'rock',
  'debris',
  'tide',
  'height',
  'foot',
  'record',
  'year',
  'jan.',
  'tide',
  'foot',
  'january',
  'tide',
  'tide',
  'wave',
  'foot',
  'blizzard',
  'week',
  'storm',
  'defense',
  'official',
  'scituate',
  'damage',
  'cityâ\x80\x99s',
  'budget',
  'time',
  'enormity',
  'town',
  'peggotty',
  'beach',
  'â\x80\x98goneâ\x80\x99',
  'travel',
  'street',
  'scituate',
  'avenue',
  'downtown',
  'traffic',
  'circle',
  'edward',
  'foster',
  'road',
  'peggotty',
  'beach',
  'peggotty',
  'barrier',
  'beach',
  'cliff',
  'cliff',
  'local',
  'coast',
  'peggotty',
  'right',
  'parking',
  'lot',
  'dune',
  'marshland',
  'peggotty',
  'end',
  'cliff',
  'beach',
  'malibu',
  'place',
  'winter',
  'storm',
  'damage',
  'wave',
  'shade',
  'roll',
  'shore',
  'house',
  'breeze',
  'cliff',
  'hillside',
  'home',
  'road',
  'seeing',
  'picture',
  'scene',
  'destruction',
  'desertion',
  'week',
  'area',
  'march',
  'inner',
  'harbor',
  'road',
  'street',
  'sign',
  'metal',
  'sign',
  'sand',
  'rock',
  'result',
  'ocean',
  'beach',
  'home',
  'street',
  'mind',
  'youâ\x80\x99ll',
  'sight',
  'peggotty',
  'beach',
  'house',
  'stilt',
  'bed',
  'sand',
  'foot',
  'debris',
  'wind',
  'deck',
  'staircase',
  'sand',
  'step',
  'â\x80\x9cone',
  'home',
  'â\x80',
  '¦',
  'blow',
  'damage',
  'year',
  'homeowner',
  'maguire',
  'resident',
  'family',
  'march',
  'storm',
  'damage',
  'worse.â\x80\x9d',
  'ocean',
  'house',
  'inner',
  'harbor',
  'road',
  'home',
  'foot',
  'stretch',
  'sand',
  'stilt',
  'home',
  'kind',
  'scituate',
  'beach',
  'theyâ\x80\x99re',
  'home',
  'street',
  'storm',
  'blizzard',
  'perfect',
  'storm',
  'ocean',
  'stilt',
  'house',
  'road',
  'house',
  'maguire',
  'sea',
  'marsh',
  'house',
  'town',
  'extension',
  'way',
  'soldier',
  'line',
  'peggotty',
  'beach',
  'pair',
  'strip',
  'oceanside',
  'cottage',
  'access',
  'wave',
  'moment',
  'ocean',
  'job',
  'year',
  'stair',
  'kiss',
  'â\x80\x98i',
  'youâ\x80\x99re',
  'spring',
  'â\x80\x99',
  'sarah',
  'moran',
  'moran',
  'house',
  'road',
  'grandmother',
  'property',
  'cottage',
  'shack',
  'fisherman',
  'telephone',
  'pole',
  'shack',
  'beach',
  'storm',
  'house',
  'marsh',
  'family',
  'house',
  'foot',
  'telephone',
  'pole',
  'stilt',
  'today',
  'moran',
  'summer',
  'house',
  'cliff',
  'kid',
  'tide',
  'yard',
  'house',
  'house',
  'wave',
  'shoreline',
  'peggotty',
  'rate',
  'average',
  'foot',
  'year',
  'foot',
  'total',
  'massachusetts',
  'office',
  'coastal',
  'zone',
  'management',
  'peggotty',
  'area',
  'term',
  'coast',
  'erosion',
  'kirk',
  'bosma',
  'engineer',
  'woods',
  'hole',
  'group',
  'engineering',
  'organization',
  'homeowner',
  'peggotty',
  'beach',
  'spot',
  'option',
  'future',
  'abandonment',
  'bosma',
  'handful',
  'house',
  'peggotty',
  'â\x80\x9cmy',
  'husband',
  'lot',
  'house',
  'marsh',
  'kent',
  'street',
  'water',
  'lifetime',
  'moran',
  'later.â\x80\x9d',
  'inner',
  'harbor',
  'road',
  'foot',
  'rock',
  'sand',
  'debris',
  'nor’easter',
  'scituate',
  'week',
  'andrew',
  'macfarlane',
  'weather.com',
  'concern',
  'future',
  '1970',
  'city',
  'scituate',
  'resident',
  'business',
  'â',
  'femaâ\x80\x99s',
  'national',
  'flood',
  'insurance',
  'program',
  'cityâ\x80\x99s',
  'coastal',
  'advisory',
  'commission',
  'fema',
  'payout',
  'massachusetts',
  'community',
  'marshfield',
  'hull',
  'revere',
  'nantucket',
  'total',
  'thatâ\x80\x99s',
  'scituate',
  'resident',
  'year',
  'storm',
  'coast',
  'pride',
  'town',
  'nose',
  'winter',
  'parade',
  'storm',
  'maura',
  'curran',
  'vice',
  'chairman',
  'scituate',
  'board',
  'selectmen',
  '.',
  'bunch',
  'regard',
  'ferocity',
  'frequency',
  'storm',
  'scituate',
  'noaa',
  'northeast',
  'snowfall',
  'impact',
  'scale',
  'nesis',
  'spike',
  'snowstorm',
  'nesis',
  'fujita',
  'tornado',
  'saffir',
  'simpson',
  'hurricane',
  'ability',
  'impact',
  'snowstorm',
  'northeast',
  'storm',
  'area',
  'foot',
  'snowfall',
  'accumulation',
  'nesis',
  'category',
  'storm',
  'number',
  'snowstorm',
  'decade',
  'record',
  'year',
  'change',
  'dr.',
  'judah',
  'cohen',
  'director',
  'forecasting',
  'atmospheric',
  'environmental',
  'research',
  'aer',
  'weather',
  'risk',
  'assessment',
  'company',
  'snowstorm',
  'northeast',
  'opportunity',
  'pressure',
  'system',
  'coast',
  'number',
  'norâ\x80\x99easter',
  'cohen',
  'chance',
  'norâ\x80\x99easters',
  'climate',
  'change',
  'aspect',
  'arctic',
  'change',
  'climate',
  'change',
  'norâ\x80\x99easters',
  'implication',
  'place',
  'scituate',
  'cohen',
  'weâ\x80\x99ve',
  'type',
  'norâ\x80\x99easter',
  'years.â\x80\x9d',
  'addition',
  'storm',
  'sea',
  'level',
  'rise',
  'scituate',
  'day',
  'nuisance',
  'flooding',
  'area',
  'tide',
  'noaa',
  'flooding',
  'event',
  'percent',
  'community',
  'year',
  'case',
  'scenario',
  'noaa',
  'ocean',
  'foot',
  'average',
  'time',
  'sea',
  'level',
  'century',
  'rate',
  'inch',
  'decade',
  'year',
  'boston',
  'inch',
  'decade',
  'year',
  'inch',
  'decade',
  'end',
  'century',
  'foot',
  'sea',
  'level',
  'change',
  'chris',
  'little',
  'staff',
  'scientist',
  'aer',
  'weather.com',
  'storm',
  'sea',
  'level',
  'little',
  'record',
  'flooding',
  'scituate',
  'future',
  'sea',
  'level',
  'bernadette',
  'woods',
  'placky',
  'meteorologist',
  'climate',
  'central',
  'weâ\x80\x99re',
  'flood',
  'future',
  'storm',
  'itâ\x80\x99s',
  'woods',
  'placky',
  'weather.com',
  'meteorologist',
  'climate',
  'change',
  'woods',
  'placky',
  'volume',
  'water',
  'street',
  'norâ\x80\x99easters',
  'storm',
  'sea',
  'level',
  'scituate',
  'native',
  'future',
  'ocean',
  'land',
  'combination',
  'time',
  'study',
  'june',
  'union',
  'concerned',
  'scientists',
  'carbon',
  'emission',
  'home',
  'flooding',
  'end',
  'century',
  'thatâ\x80\x99s',
  'massachusetts',
  'scituate',
  'home',
  'percent',
  'risk',
  'today',
  'home',
  'house',
  'people',
  'property',
  'tax',
  'base',
  'â\x80\x9ciâ\x80\x99m',
  'curran',
  'steve',
  'maguire',
  'teacher',
  'worry',
  'child',
  'storm',
  'cityâ\x80\x99s',
  'identity',
  'charm',
  'scituate',
  'resident',
  'â\x80\x9ctowniesâ\x80\x9d',
  'people',
  'beach',
  'circle',
  'group',
  'family',
  'beach',
  'fear',
  'kid',
  'beach',
  'left',
  'scituate',
  'â\x80\x9ci',
  'cedar',
  'point',
  'future',
  'jill',
  'pelo',
  'resident',
  'year',
  'pelo',
  'house',
  'cardboard',
  'box',
  'shipping',
  'pod',
  'husband',
  'preparation',
  'storm',
  'year',
  'harborside',
  'lighthouse',
  'road',
  'cedar',
  'point',
  'decision',
  'title',
  'people',
  'scituate',
  'pride',
  'resident',
  'scituate',
  'town',
  'togetherness',
  'â\x80\x9cscituateâ\x80\x99s',
  'community',
  'ball',
  'scituate',
  'historical',
  'society',
  'president',
  'cedar',
  'point',
  'life',
  'â\x80\x9cone',
  'slogan',
  'town',
  'â\x80\x98a',
  'heritage',
  'freedom',
  'town',
  'kind',
  'thing',
  'then.â\x80\x9d',
  'restaurant',
  'owner',
  'resident',
  'keith',
  'o’callaghan',
  'people',
  'people',
  'theyâ\x80\x99re',
  'people',
  'lot',
  'credit',
  'here.â\x80\x9d',
  'march',
  'norâ\x80\x99easter',
  'o’callaghan',
  'rest',
  'tide',
  'day',
  'baseball',
  'rock',
  'storm',
  'drain',
  'water',
  'restaurant',
  'voyage',
  'water',
  'drain',
  'pump',
  'basement',
  'decision',
  'restaurant',
  'â\x80\x9ci',
  'way',
  'way',
  'â\x80\x9ciâ\x80\x99m',
  'here.â\x80\x9d',
  'resident',
  'humarock',
  'sliver',
  ...],
 ['local',
  'news',
  'vallow',
  'daybell',
  'coverage',
  'coronavirus',
  'coverage',
  'crime',
  'tracker',
  'idaho',
  'forward',
  'prevent',
  'child',
  'abuse',
  'scam',
  'alerts',
  'world',
  'utah',
  'wyoming',
  'alerts',
  'alert',
  'vipir',
  'radar',
  'local',
  'forecast',
  'day',
  'forecasts',
  'road',
  'report',
  'ski',
  'report',
  'sky',
  'cams',
  'athlete',
  'week',
  'high',
  'school',
  'athletics',
  'east',
  'idaho',
  'game',
  'night',
  'boise',
  'state',
  'athletics',
  'idaho',
  'state',
  'athletics',
  'byu',
  'athletics',
  'livestream',
  'local',
  'news',
  'livestream',
  'news',
  'livestream',
  'event',
  'videos',
  'entertainment',
  'events',
  'gas',
  'price',
  'yellowstone',
  'teton',
  'territory',
  'travel',
  'tourism',
  'conversation',
  'inl',
  'hire',
  'idaho',
  'obituaries',
  'question',
  'day',
  'banking',
  'business',
  'house',
  'home',
  'money',
  'safe',
  'home',
  'meet',
  'team',
  'contact',
  'advertise',
  'captioning',
  'download',
  'apps',
  'fcc',
  'public',
  'file',
  'kifi',
  'fcc',
  'public',
  'file',
  'kidk',
  'fcc',
  'public',
  'file',
  'k34nc',
  'd',
  'eeo',
  'form',
  'cw',
  'east',
  'idaho',
  'telemundo',
  'east',
  'idaho',
  'jobs',
  'internships',
  'scholarships',
  'translator',
  'information',
  'tv',
  'listing',
  'slight',
  'chance',
  'shower',
  'thursday',
  'red',
  'flag',
  'warning',
  'view',
  'vallow',
  'daybell',
  'coverage',
  'cause',
  'investigation',
  'oxygen',
  'hose',
  'fire',
  'crash',
  'rexburg',
  'greater',
  'idaho',
  'falls',
  'transit',
  'hour',
  'service',
  'central',
  'idaho',
  'fire',
  'restrictions',
  'area',
  'state',
  'fire',
  'restriction',
  'iffd',
  'fire',
  'training',
  'milligan',
  'road',
  'idaho',
  'falls',
  'homeowner',
  'road',
  'flood',
  'damage',
  'share',
  'facebookshare',
  'twitter',
  'share',
  'linkedin',
  'idaho',
  'falls',
  'idaho',
  'kifi',
  'week',
  'flash',
  'flood',
  'idaho',
  'falls',
  'homeowner',
  'remain',
  'storm',
  'wave',
  'water',
  'street',
  'day',
  'homeowner',
  'melody',
  'byers',
  'floodwater',
  'home',
  'melody',
  'basement',
  'time',
  'storm',
  'water',
  'flood',
  'basement',
  'entrance',
  'weight',
  'door',
  'avail',
  'melody',
  'basement',
  'foot',
  'water',
  'living',
  'room',
  'retreat',
  'stud',
  'door',
  'debris',
  'leave',
  'squirrel',
  'melody',
  'furnace',
  'water',
  'heater',
  'damage',
  'ceiling',
  'home',
  'andrew',
  'emily',
  'pope',
  'storm',
  'home',
  'basement',
  'investment',
  'home',
  'loss',
  'emily',
  'damage',
  'ballpark',
  'dollar',
  'andrew',
  'resident',
  'area',
  'history',
  'flood',
  'lawrence',
  'walton',
  'neighborhood',
  'year',
  'street',
  'sewer',
  'system',
  'city',
  'issue',
  'decade',
  'walton',
  'city',
  'emergency',
  'pump',
  'situation',
  'majority',
  'homeowner',
  'area',
  'flood',
  'insurance',
  'damage',
  'insurance',
  'agent',
  'lucy',
  'carrillo',
  'homeowner',
  'idaho',
  'flood',
  'insurance',
  'home',
  'flood',
  'plain',
  'flood',
  'insurance',
  'people',
  'bank',
  'flood',
  'insurance',
  'flood',
  'insurance',
  'carriollo',
  'way',
  'insurance',
  'law',
  'carrillo',
  'homeowner',
  'area',
  'boat',
  'lack',
  'day',
  'flood',
  'homeowner',
  'business',
  'quote',
  'restoration',
  'danielle',
  'stimpson',
  'business',
  'owner',
  'mountain',
  'west',
  'rentals',
  'mark',
  'andrews',
  'misfortune',
  'couple',
  'day',
  'door',
  'stimpson',
  'business',
  'ton',
  'money',
  'lot',
  'people',
  'home',
  'member',
  'community',
  'homeowner',
  'service',
  'labor',
  'cost',
  'insurance',
  'homeowner',
  'melody',
  'idea',
  'claim',
  'city',
  'idaho',
  'falls',
  'response',
  'melody',
  'pocket',
  'seth',
  'reporter',
  'local',
  'news',
  'eyewitness',
  'news',
  'ammon',
  'bundy',
  'idaho',
  'hospital',
  'ceo',
  'staff',
  'member',
  'leader',
  'kim',
  'jong',
  'un',
  'defense',
  'minister',
  'cooperation',
  'journalist',
  'year',
  'prison',
  'opposition',
  'alaska',
  'board',
  'action',
  'proposal',
  'transgender',
  'girl',
  'girl',
  'school',
  'sport',
  'team',
  'conversation',
  'kifi',
  'local',
  'news',
  'forum',
  'conversation',
  'comment',
  'community',
  'guidelines',
  'story',
  'idea',
  'eeo',
  'report',
  'term',
  'use',
  '',
  '',
  'privacy',
  'policy',
  'community',
  'guidelines',
  'fcc',
  'applications',
  '',
  '',
  'personal',
  'information',
  'email',
  'newsletters',
  'daily',
  'news',
  'update',
  'breaking',
  'news',
  'alert',
  'daily',
  'weather',
  'forecast',
  'severe',
  'weather',
  'alert',
  'contests',
  'promotions',
  'apps',
  'android',
  'npg',
  'idaho',
  'inc.',
  'idaho',
  'falls',
  'id',
  'usa'],
 ['abc',
  'newsvideoliveshowselectionsinterest',
  'successfully',
  "addedwe'll",
  'news',
  'desktop',
  'notification',
  'story',
  'interest',
  'offonlog',
  'instream',
  'head',
  'east',
  'coast',
  'death',
  'floridanicole',
  'landfall',
  'hurricane',
  'thursday',
  'morning',
  'bymorgan',
  'winsor',
  'shapirolast',
  'november',
  'pm',
  'etlinkshare',
  'twitteremail',
  'article2:124',
  'florida',
  'nicole',
  'november',
  'storm',
  'trail',
  'destruction',
  'state',
  'people',
  'dozen',
  'home',
  'abcnews.comnicole',
  'landfall',
  'florida',
  'east',
  'coast',
  'category',
  'hurricane',
  'thursday',
  'depression',
  'night',
  'hurricane',
  'landfall',
  'calendar',
  'year',
  'record',
  'united',
  'states',
  'nicole',
  'storm',
  'atlantic',
  'ocean',
  'monday',
  'storm',
  'atlantic',
  'hurricane',
  'season',
  'month',
  'headline',
  'remnant',
  'nicole',
  'east',
  'coastnicole',
  'depressionevacuation',
  'building',
  'florida',
  'county4',
  'orange',
  'county',
  'floridahere',
  'news',
  'time',
  'eastern',
  'nov',
  'pm',
  'estartemis',
  'rocket',
  'damagelinkshare',
  'twitteremail',
  'articlenasa',
  'moon',
  'rocket',
  'artemis',
  'damage',
  'nicole',
  'wind',
  'cape',
  'canaveral',
  'florida',
  'wednesday',
  'night',
  'jim',
  'free',
  'administrator',
  'exploration',
  'systems',
  'development',
  'mission',
  'directorate',
  'nasa.free',
  'damage',
  'nasa',
  'nov.',
  'et',
  'launch',
  'mission',
  'moon',
  'day',
  'splashdown',
  'pacific',
  'ocean',
  'chris',
  "o'meara",
  'apnasa',
  'moon',
  'rocket',
  'launch',
  'pad',
  'b',
  'nov.',
  'cape',
  'canaveral',
  'fla.-abc',
  'news',
  'gina',
  'sunserinov',
  'pm',
  'estremnants',
  'nicole',
  'race',
  'east',
  'coastlinkshare',
  'twitteremail',
  'articlethe',
  'remnant',
  'nicole',
  'east',
  'coast',
  'rain',
  'appalachian',
  'mountains',
  'mid',
  '-',
  'atlantic',
  'northeast',
  'flash',
  'flooding',
  'appalachians',
  'pennsylvania',
  'new',
  'york',
  'state',
  'tornado',
  'watch',
  'effect',
  'virginia',
  'north',
  'carolina',
  'p.m.',
  'rain',
  'mid',
  '-',
  'atlantic',
  'northeast',
  'night',
  'wind',
  'time',
  'coast',
  'rain',
  'friday',
  'night',
  'saturday',
  'morning',
  'new',
  'england.-abc',
  'news',
  'dan',
  'pecknov',
  'estnicole',
  'georgia',
  'facebookshare',
  'twitteremail',
  'depression',
  'nicole',
  'georgia',
  'friday',
  'morning',
  'wind',
  'mile',
  'hour',
  'gust',
  'national',
  'weather',
  'service',
  'center',
  'nicole',
  'georgia',
  'friday',
  'morning',
  'carolinas',
  'day',
  'nicole',
  'cyclone',
  'friday',
  'system',
  'united',
  'states',
  'advisory',
  'friday',
  'national',
  'weather',
  'service',
  'nicole',
  'rainfall',
  'portion',
  'u.s.',
  'watch',
  'warning',
  'effect',
  'nov',
  'pm',
  'esthere',
  'nicole',
  'nextlinkshare',
  'twitteremail',
  'articlearea',
  'rain',
  'wind',
  'southeast',
  'system',
  'east',
  'coast',
  'joe',
  'raedle',
  'getty',
  'imagestina',
  'mcgiley',
  'neighbor',
  'nina',
  'lavigna',
  'home',
  'beach',
  'tropical',
  'storm',
  'nicole',
  'nov.',
  'daytona',
  'beach',
  'fla.',
  'nicole',
  'category',
  'hurricane',
  'storm',
  'tornado',
  'threat',
  'portion',
  'georgia',
  'south',
  'carolina',
  'north',
  'carolina',
  'thursday',
  'night',
  'tornado',
  'watch',
  'effect',
  'savannah',
  'georgia',
  'charleston',
  'south',
  'carolina',
  'wilmington',
  'north',
  'carolina.-abc',
  'news',
  'dan',
  'peckload',
  'morelinkshare',
  'twitteremail',
  'storiesruins',
  'vatican',
  'emperor',
  'nero',
  'theaterjul',
  'pmhouse',
  'ufo',
  'hearing',
  'ex',
  'knowledge',
  'craftjul',
  'amsinead',
  "o'connor",
  'u',
  'singer',
  '56jul',
  'pmmcconnell',
  'press',
  'conference',
  'return',
  'pmwhistleblower',
  'congress',
  'decade',
  'program',
  'ufosjul',
  'pmabc',
  'news',
  'networkprivacy',
  'policyyour',
  'state',
  'privacy',
  'rightschildren',
  'online',
  'privacy',
  'policyinterest',
  'adsabout',
  'nielsen',
  'measurementterms',
  'usedo',
  'sell',
  'informationcontact',
  'uscopyright',
  'abc',
  'news',
  'internet',
  'ventures',
  'right'],
 ['national',
  'world',
  'news',
  'political',
  'news',
  'outdoor',
  'news',
  'health',
  'medical',
  'news',
  'science',
  'technology',
  'business',
  'entertainment',
  'news',
  'current',
  'conditions',
  'seven',
  'day',
  'outlook',
  'interactive',
  'radar',
  'weather',
  'alerts',
  'school',
  'alert',
  'traffic',
  'kstp',
  'tv',
  'schedule',
  'issue',
  'tom',
  'hauser',
  'minnesota',
  'live',
  'twin',
  'cities',
  'sports',
  'home',
  'minnesota',
  'vikings',
  'minnesota',
  'timberwolves',
  'minnesota',
  'wild',
  'minnesota',
  'lynx',
  'minnesota',
  'twins',
  'minnesota',
  'united',
  'college',
  'sports',
  'high',
  'school',
  'sports',
  'link',
  'minnesota',
  'community',
  'event',
  'health',
  'contest',
  'contact',
  'eyewitness',
  'news',
  'news',
  'team',
  'kstp',
  'mobile',
  'apps',
  'news',
  'tip',
  'photo',
  'videos',
  'advertising',
  'marketing',
  'services',
  'viewer',
  'newsletter',
  'question',
  'hubbard',
  'broadcasting',
  'stations',
  'photo',
  'pop',
  'storm',
  'damage',
  'east',
  'metro',
  'wisconsin',
  'storm',
  'damage',
  'north',
  'metro',
  'wisconsin',
  'heattree',
  'roof',
  'apartment',
  'building',
  'north',
  'hudson',
  'crew',
  'power',
  'thousand',
  'people',
  'tuesday',
  'temperature',
  'minnesota',
  'wisconsin',
  'power',
  'outage',
  'tuesday',
  'morning',
  'customer',
  'electricity',
  'a.m.',
  'outage',
  'metro',
  'wisconsin',
  'click',
  'outage',
  'map',
  'company',
  'customer',
  'power',
  'monday',
  'night',
  'storm',
  'tree',
  'roof',
  'apartment',
  'building',
  'hudson',
  'wisc',
  '.',
  'monday',
  'tree',
  'ground',
  'vadnais',
  'heights',
  'tuesday',
  'morning',
  'rain',
  'door',
  'bathroom',
  'bill',
  'schifsky',
  'vadnais',
  'heights',
  'hail',
  'storm',
  'report',
  'addition',
  'downpour',
  'size',
  'golf',
  'ball',
  'report',
  'hudson',
  'hampton',
  'hail',
  'clearwater',
  'size',
  'quarter',
  'temperature',
  'edge',
  'heat',
  'dome',
  'american',
  'southwest',
  'doctor',
  'heat',
  'toll',
  'spike',
  'people',
  'contact',
  'burn',
  'people',
  'pavement',
  'concrete',
  'sidewalk',
  'rock',
  'temperature',
  'surface',
  'degree',
  'bit',
  'temperature',
  'boiling',
  'water',
  'fraction',
  'burn',
  'dr.',
  'kevin',
  'foster',
  'director',
  'arizona',
  'burn',
  'center',
  'phoenix',
  'day',
  'degree',
  'tuesday',
  'city',
  'degree',
  'week',
  'kstp',
  'app',
  'weather',
  'alert',
  'radar',
  'forecast',
  'click',
  'app',
  'version',
  'report',
  'storm',
  'wisconsinstorms',
  'batter',
  'wisconsininitial',
  'report',
  'outburst',
  'storm',
  'monday',
  'afternoon',
  'tree',
  'damage',
  'east',
  'twin',
  'cities',
  'metro',
  'wisconsin',
  'scene',
  'eyewitness',
  'news',
  'viewer',
  'tree',
  'white',
  'bear',
  'lake',
  'vadnais',
  'heights',
  'wisconsin',
  'rain',
  'wind',
  'way',
  'north',
  'hudson',
  'brant',
  'wesolek',
  'house',
  'foot',
  'patio',
  'wesolek',
  'umbrella',
  'patio',
  'storm',
  'cover',
  'neighbor',
  'porch',
  'safety',
  'minute',
  'branch',
  'walnut',
  'tree',
  'moment',
  'wesolek',
  'wind',
  'hail',
  'rain',
  'area',
  'storm',
  'branch',
  'trail',
  'debris',
  'neighborhood',
  'people',
  'hour',
  'mother',
  'nature',
  'lot',
  'cleanup',
  'neighbor',
  'hour',
  'wesolek',
  'people',
  'east',
  'metro',
  'western',
  'wisconsin',
  'power',
  'monday',
  'storm',
  'xcel',
  'energy',
  'crew',
  'member',
  'ground',
  'light',
  'p.m.',
  'customer',
  'power',
  'xcel',
  'power',
  'window',
  'bunch',
  'wind',
  'husband',
  'skylar',
  'north',
  'hudson',
  'resident',
  'skylar',
  'family',
  'ground',
  'floor',
  'apartment',
  'building',
  'apartment',
  'bang',
  'roof',
  'storm',
  'roof',
  'resident',
  'cover',
  'skylar',
  'image',
  'eyewitness',
  'news',
  'viewer',
  'picture',
  'weather',
  'forecast',
  'radar',
  'veronica',
  'frye',
  'north',
  'hudson)(courtesy',
  'veronica',
  'frye',
  'north',
  'hudson)(courtesy',
  'veronica',
  'frye',
  'north',
  'hudson)(courtesy',
  'chris',
  'bickel',
  'vadnais',
  'heights)(courtesy',
  'chris',
  'bickel',
  'vadnais',
  'heights)(courtesy',
  'chris',
  'bickel',
  'vadnais',
  'heights)(courtesy',
  'chris',
  'bickel',
  'vadnais',
  'heights)(courtesy',
  'john',
  'spelman',
  'white',
  'bear',
  'phil',
  'sutherland',
  'cottage',
  'phil',
  'sutherland',
  'cottage',
  'phil',
  'sutherland',
  'cottage',
  'park)courtesy',
  'steve',
  'loftness',
  'kenyoncourtesy',
  'bernice',
  'lock',
  'vadnais',
  'heightscourtesy',
  'bernice',
  'lock',
  'vadnais',
  'heightscourtesy',
  'bernice',
  'lock',
  'vadnais',
  'heightscourtesy',
  'dave',
  'hochstein',
  'bayportcourtesy',
  'james',
  'tarmak',
  'white',
  'bear',
  'lakecourtesy',
  'james',
  'tarmak',
  'white',
  'bear',
  'lake(courtesy',
  'phil',
  'sutherland',
  'cottage',
  'phil',
  'sutherland',
  'cottage',
  'phil',
  'sutherland',
  'cottage',
  'park)nerstrand',
  'minn.',
  'stories',
  'minnesota',
  'storm',
  'damage',
  'storms',
  'weather',
  'news',
  'wisconsin',
  'home',
  'page',
  'watch',
  'newscasts',
  'news',
  'weather',
  'video',
  'programming',
  'sports',
  'contact',
  'kstp',
  'tv',
  'fcc',
  'public',
  'inspection',
  'file',
  'kstc',
  'tv',
  'fcc',
  'public',
  'inspection',
  'file',
  'ksax',
  'tv',
  'fcc',
  'public',
  'inspection',
  'file',
  'krwf',
  'tv',
  'fcc',
  'public',
  'inspection',
  'file',
  'additional',
  'public',
  'information',
  'kstp',
  'tv',
  'kstc',
  'tv',
  'fcc',
  'applications',
  'ksax',
  'tv',
  'fcc',
  'applications',
  'krwf',
  'tv',
  'fcc',
  'applications',
  'terms',
  'use',
  'dmca',
  'notice',
  'contest',
  'rules',
  'hubbard',
  'television',
  'group',
  'privacy',
  'policy',
  'person',
  'disability',
  'help',
  'content',
  'fcc',
  'public',
  'file',
  'kstp',
  'form',
  'website',
  'user',
  'european',
  'economic',
  'area',
  'kstp',
  'tv',
  'llc',
  'hubbard',
  'broadcasting',
  'company'],
 ['north',
  'carolina',
  'news',
  'greensboro',
  'news',
  'winston',
  'salem',
  'news',
  'high',
  'point',
  'news',
  'piedmont',
  'triad',
  'news',
  'charlotte',
  'news',
  'raleigh',
  'news',
  'south',
  'carolina',
  'news',
  'virginia',
  'news',
  'investigations',
  'business',
  'economy',
  'crime',
  'good',
  'news',
  'food',
  'health',
  'entertainment',
  'offbeat',
  'money',
  'matters',
  'border',
  'report',
  'automotive',
  'news',
  'press',
  'millipede',
  'specie',
  'leg',
  'neighbors',
  'lodge',
  'complaint',
  'rundown',
  'house',
  'disneyland',
  'alcohol',
  'option',
  'beer',
  'year',
  'olympics',
  'paris',
  'today',
  'forecast',
  'greensboro',
  'weather',
  'winston',
  'salem',
  'weather',
  'high',
  'point',
  'weather',
  'weather',
  'blog',
  'interactive',
  'radar',
  'hurricane',
  'tracker',
  'closings',
  'delay',
  'watch',
  'warning',
  'atlantic',
  'ocean',
  'current',
  'system',
  'tropics',
  'atlantic',
  'activity',
  'el',
  'niño',
  'fox8',
  'chief',
  'meteorologist',
  'watch',
  'funnel',
  'cloud',
  'capitol',
  'piedmont',
  'triad',
  'resident',
  'summer',
  'heat',
  'north',
  'carolina',
  'politics',
  'national',
  'politics',
  'politics',
  'hill',
  'washington',
  'dc',
  'bureau',
  'north',
  'carolina',
  'rep.',
  'jon',
  'hardister',
  'endorsement',
  'ufo',
  'whistleblower',
  'claim',
  'lawmaker',
  'solution',
  'loss',
  'mcconnell',
  'briefing',
  'colleague',
  'payment',
  'plan',
  'student',
  'loan',
  'whistleblower',
  'congress',
  'united',
  'states',
  'nascar',
  'motorsports',
  'football',
  'carolina',
  'panthers',
  'panthers',
  'games',
  'stats',
  'high',
  'school',
  'football',
  'scoreboard',
  'friday',
  'football',
  'frenzy',
  'college',
  'basketball',
  'wnba',
  'player',
  'bryce',
  'young',
  'carolina',
  'panthers',
  'quarterback',
  'bronny',
  'james',
  'arrest',
  'advice',
  'north',
  'aaron',
  'hernandez',
  'brother',
  'charge',
  'north',
  'carolina',
  'dad',
  'manchin',
  'tuberville',
  'bill',
  'buckley',
  'report',
  'caitlin',
  'community',
  'foundation',
  'destination',
  'vacation',
  'educator',
  'week',
  'forever',
  'family',
  'founder',
  'day',
  'caring',
  'fox8',
  'foodie',
  'fox8',
  'michael',
  'hennessey',
  'desk',
  'katie',
  'nordeen',
  'desk',
  'good',
  'pro',
  'haunting',
  'piedmont',
  'house',
  'black',
  'white',
  'north',
  'carolina',
  'mommy',
  'matters',
  'newsmakers',
  'neill',
  'mcneill',
  'pet',
  'week',
  'podcasts',
  'recipes',
  'roy',
  'folk',
  'chad',
  'tucker',
  'senior',
  'sendoff',
  'small',
  'business',
  'spotlight',
  'social',
  'media',
  'stars',
  'north',
  'carolina',
  'true',
  'crime',
  'nc',
  'van',
  'weather',
  'kids',
  'schools',
  'zoo',
  'filez',
  'fox8',
  'online',
  'fox8',
  'demand',
  'event',
  'fox8',
  'special',
  'presentations',
  'tv',
  'schedule',
  'fox8',
  'antenna',
  'tv',
  'tv',
  'meet',
  'team',
  'fox8',
  'myfox8',
  'mobile',
  'app',
  'email',
  'newsletters',
  'work',
  'advertise',
  'contact',
  'contact',
  'fox',
  'network',
  'contact',
  'captioning',
  'concerns',
  'regional',
  'news',
  'partners',
  'bestreviews',
  'personal',
  'information',
  'community',
  'calendar',
  'lottery',
  'contests',
  'pets',
  'triad',
  'gas',
  'prices',
  'bestreviews',
  'bestreviews',
  'daily',
  'deal',
  'horoscopes',
  'job',
  'css',
  'social',
  'share',
  'icons',
  'story',
  'page',
  'tornado',
  'storm',
  'north',
  'carolina',
  'mar',
  'pm',
  'est',
  'apr',
  'pm',
  'edt',
  'mar',
  'pm',
  'est',
  'apr',
  'pm',
  'edt',
  'article',
  'information',
  'text',
  'national',
  'weather',
  'service',
  'wghp',
  'difference',
  'watch',
  'warning',
  'criterion',
  'thunderstorm',
  'weather',
  'season',
  'dive',
  'way',
  'shelter',
  'storm',
  'wednesday',
  'snow',
  'triad',
  'inch',
  'march',
  'thunderstorm',
  'thunderstorm',
  'storm',
  'lightning',
  'thunder',
  'thunderstorm',
  'rain',
  'wind',
  'hail',
  'thunderstorm',
  'spring',
  'summer',
  'fall',
  'winter',
  'north',
  'carolina',
  'thunderstorm',
  'day',
  'year',
  '%',
  'thunderstorm',
  'thunderstorm',
  'following',
  'hail',
  'inch',
  'diameter',
  'wind',
  'mph',
  'tornado',
  'thunderstorm',
  'weather',
  'threat',
  'wind',
  'tree',
  'branch',
  'object',
  'project',
  'community',
  'tree',
  'item',
  'lightning',
  'mile',
  'storm',
  'sign',
  'thunder',
  'lightning',
  'minute',
  'sign',
  'thunder',
  'lightning',
  'tornado',
  'tornado',
  'nature',
  'storm',
  'thunderstorm',
  'tornado',
  'fatality',
  'neighborhood',
  'second',
  'tornado',
  'funnel',
  'cloud',
  'thunderstorm',
  'ground',
  'whirling',
  'wind',
  'mile',
  'hour',
  'damage',
  'path',
  'excess',
  'mile',
  'mile',
  'tornado',
  'rain',
  'cloud',
  'tornado',
  'advance',
  'warning',
  'difference',
  'watch',
  'thunderstorm',
  'watch',
  'thunderstorm',
  'thunderstorm',
  'warning',
  'action',
  'shelter',
  'building',
  'weather',
  'tornado',
  'tornado',
  'watch',
  'tornado',
  'watch',
  'place',
  'storm',
  'shelter',
  'basement',
  'hallway',
  'wind',
  'plan',
  'place',
  'warning',
  'tornado',
  'warning',
  'tornado',
  'warning',
  'action',
  'shelter',
  'place',
  'place',
  'tornado',
  'warning',
  'place',
  'tornado',
  'warning',
  'storm',
  'shelter',
  'basement',
  'home',
  'level',
  'room',
  'window',
  'option',
  'image',
  'green',
  'area',
  'tornado',
  'warning',
  'closet',
  'bathroom',
  'level',
  'portion',
  'home',
  'place',
  'hallway',
  'option',
  'window',
  'space',
  'blanket',
  'pillow',
  'helmet',
  'mattress',
  'debris',
  'shoe',
  'weather',
  'day',
  'event',
  'damage',
  'injury',
  'warning',
  'tornado',
  'damage',
  'business',
  'school',
  'hospital',
  'shopping',
  'center',
  'factory',
  'tornado',
  'warning',
  'hallway',
  'level',
  'portion',
  'building',
  'wind',
  'room',
  'roof',
  'tornado',
  'home',
  'home',
  'stilt',
  'tornado',
  'warning',
  'shelter',
  'building',
  'storm',
  'shelter',
  'shelter',
  'room',
  'window',
  'bathroom',
  'closet',
  'home',
  'tornado',
  'warning',
  'helmet',
  'pillow',
  'blanket',
  'family',
  'bathtub',
  'item',
  'protection',
  'home',
  'attention',
  'weather',
  'plan',
  'friend',
  'family',
  'member',
  'building',
  'weather',
  'day',
  'place',
  'apartment',
  'complex',
  'apartment',
  'complex',
  'course',
  'action',
  'tornado',
  'warning',
  'level',
  'building',
  'wall',
  'outside',
  'floor',
  'building',
  'friend',
  'neighbor',
  'plan',
  'event',
  'tornado',
  'warning',
  'shelter',
  'level',
  'building',
  'apartment',
  'complex',
  'room',
  'garage',
  'area',
  'event',
  'tornado',
  'warning',
  'wind',
  'event',
  'window',
  'weather',
  'weather',
  'event',
  'day',
  'radio',
  'station',
  'way',
  'weather',
  'alert',
  'phone',
  'notification',
  'emergency',
  'alert',
  'know',
  'weather',
  'area',
  'tornado',
  'warning',
  'tornado',
  'warning',
  'road',
  'option',
  'shelter',
  'basement',
  'gas',
  'station',
  'rest',
  'stop',
  'friend',
  'house',
  'shelter',
  'vehicle',
  'overpass',
  'highway',
  'overpass',
  'risk',
  'injury',
  'debris',
  'wind',
  'typo',
  'error(required',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'taiwan',
  'school',
  'office',
  'typhoon',
  'bomb',
  'threat',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'stock',
  'market',
  'today',
  'share',
  'federal',
  'bluffing',
  'putin',
  'deployment',
  'nuclear',
  'elon',
  'musk',
  'tweet',
  'x',
  '’',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'taiwan',
  'school',
  'office',
  'typhoon',
  'bomb',
  'threat',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'stock',
  'market',
  'today',
  'share',
  'federal',
  'russia',
  'un',
  'meeting',
  'neighbor',
  'lodge',
  'complaint',
  'rundown',
  'house',
  'reich',
  'role',
  'panther',
  'head',
  'coach',
  'north',
  'carolina',
  'town',
  'moon',
  'bryce',
  'young',
  'carolina',
  'panthers',
  'stuff',
  'bus',
  'school',
  'supply',
  'drive',
  'carolina',
  'panthers',
  'fan',
  'training',
  'camp',
  'pilot',
  'mountain',
  'restaurant',
  'sandwich',
  'nc',
  'a&t',
  'student',
  'housing',
  'activity',
  'greensboro',
  'piedmont',
  'academy',
  'influx',
  'camp',
  'lejeune',
  'marines',
  'north',
  'carolina',
  'russia',
  'un',
  'meeting',
  'soldier',
  'niger',
  'e',
  '-',
  'bike',
  'fire',
  'biden',
  'relief',
  'heat',
  'las',
  'vegas',
  'casino',
  'mogul',
  'steve',
  'wynn',
  'm',
  'transgender',
  'intersex',
  'people',
  'biden',
  'prime',
  'minister',
  'trump',
  'jan.',
  'rioter',
  'atlantic',
  'current',
  'atlantic',
  'hurricane',
  'season',
  'ramp',
  'el',
  'niño',
  'watch',
  'funnel',
  'cloud',
  'capitol',
  'piedmont',
  'triad',
  'resident',
  'summer',
  'heat',
  'piedmont',
  'triad',
  'news',
  'day',
  'thunderstorm',
  'warning',
  'caswell',
  'thunderstorm',
  'warning',
  'caswell',
  'wilkes',
  'county',
  'severe',
  'thunderstorm',
  'rockingham',
  'county',
  'heat',
  'body',
  'summer',
  'van',
  'flood',
  'level',
  'obx',
  'north',
  'carolina',
  'news',
  'day',
  'pfizer',
  'ceo',
  'rocky',
  'mount',
  'plant',
  'worker',
  'tropical',
  'wave',
  'hurricane',
  'model',
  'city',
  'july',
  'north',
  'carolina',
  'resident',
  'tornado',
  'terror',
  'north',
  'carolina',
  'news',
  'day',
  'nc',
  'community',
  'road',
  'recovery',
  'tornado',
  'north',
  'carolina',
  'news',
  'day',
  'hazard',
  'assessment',
  'pfizer',
  'plant',
  'north',
  'carolina',
  'news',
  'day',
  'tornado',
  'nc',
  'record',
  'north',
  'carolina',
  'news',
  'day',
  'tornado',
  'damage',
  'pfizer',
  'plant',
  'shortage',
  'north',
  'carolina',
  'news',
  'day',
  'majority',
  'state',
  'august',
  'noaa',
  'map',
  'pfizer',
  'facility',
  'tornado',
  'rocky',
  'mount',
  'north',
  'carolina',
  'news',
  'day',
  'multiple',
  'ef3',
  'tornado',
  'nc',
  'north',
  'carolina',
  'news',
  'week',
  'tornado',
  'video',
  'north',
  'carolina',
  'north',
  'carolina',
  'news',
  'day',
  'tornado',
  'ef3',
  'injury',
  'edgecombe',
  'gift',
  'summer',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'home',
  'depot',
  'foot',
  'skeleton',
  'halloween',
  'deal',
  'day',
  'prime',
  'day',
  'favorite',
  'neighbor',
  'lodge',
  'complaint',
  'rundown',
  'gso',
  'house',
  'object',
  'nc',
  'ocean',
  'car',
  'pet',
  'creature',
  'summer',
  'nc',
  'woman',
  'crash',
  'westridge',
  'road',
  'gso',
  'gso',
  'woman',
  'infant',
  'son',
  'starvation',
  'gso',
  'immigrant',
  'facility',
  'opening',
  'pastor',
  'child',
  'bathroom',
  'video',
  'seagrove',
  'year',
  'nc',
  'man',
  'm',
  'mega',
  'millions',
  'ticket',
  'naacp',
  'suit',
  'nc',
  'voter',
  'id',
  'local',
  'election',
  'hq',
  'hour',
  'year',
  'dead',
  'gso',
  'police',
  'greensboro',
  'news',
  'hour',
  'report',
  'man',
  'facetime',
  'realtor',
  'south',
  'carolina',
  'news',
  'hour',
  'jacksonville',
  'business',
  'vehicle',
  'damage',
  'north',
  'carolina',
  'news',
  'hour',
  'charge',
  'child',
  'death',
  'north',
  'carolina',
  'news',
  'hour',
  'news',
  'weather',
  'sports',
  'fox8',
  'wghp',
  'eeo',
  'fcc',
  'public',
  'file',
  'contact',
  'fcc',
  'applications',
  'android',
  'app',
  'google',
  'play',
  'android',
  'weather',
  'app',
  'google',
  'play',
  'personal',
  'information',
  'personal',
  ...],
 ['discover',
  'thomson',
  'reutersdirectory',
  '-',
  'phone',
  'onlyfor',
  'tablet',
  'portrait',
  'upfor',
  'tablet',
  'landscape',
  'upfor',
  'desktop',
  'desktop',
  'flood',
  'nebraska',
  'bomb',
  'cyclone',
  'stormby',
  'gabriella',
  'borter3',
  'min',
  'read(reuters',
  'nebraska',
  'u.s.',
  'central',
  'plains',
  'saturday',
  'winter',
  'bomb',
  'cyclone',
  'storm',
  'flooding',
  'missouri',
  'platte',
  'river',
  'death',
  'home',
  'roadway',
  'national',
  'weather',
  'service',
  'flooding',
  'weekend',
  'nebraska',
  'west',
  'iowa',
  'missouri',
  'river',
  'flooding',
  'situation',
  'nebraska',
  'mike',
  'wight',
  'spokesman',
  'nebraska',
  'emergency',
  'management',
  'agency',
  'phone',
  'interview',
  'nebraska',
  'flood',
  'fatality',
  'week',
  'wight',
  'person',
  'home',
  'cause',
  'death',
  'authority',
  'car',
  'tractor',
  'missouri',
  'river',
  'saturday',
  'evening',
  'tv',
  'station',
  'kmtv',
  'crest',
  'foot',
  'tuesday',
  'brownville',
  'nebraska',
  'mile',
  'omaha',
  'corner',
  'state',
  'foot',
  'wight',
  'flooding',
  'wake',
  'meteorologist',
  'bomb',
  'cyclone',
  'winter',
  'hurricane',
  'pressure',
  'millibar',
  'hour',
  'storm',
  'rockies',
  'central',
  'plains',
  'week',
  'slideshow',
  'image',
  'water',
  'store',
  'home',
  'chunk',
  'highway',
  'bridge',
  'photo',
  'twitter',
  'nebraska',
  'governor',
  'pete',
  'ricketts',
  'rancher',
  'image',
  'medium',
  'cattle',
  'snowdrift',
  'field',
  'flooding',
  'access',
  'community',
  'river',
  'drinking',
  'water',
  'flood',
  'wight',
  'ricketts',
  'community',
  'saturday',
  'twitter',
  'devastation',
  'state',
  'nebraskaflood',
  'nebraskastrong',
  'governor',
  'reporting',
  'gabriella',
  'borter',
  'richard',
  'changour',
  'standards',
  'thomson',
  'reuters',
  'trust',
  'principles',
  'appsnewslettersadvertise',
  'usadvertising',
  'guidelinescookiesterms',
  'useprivacydo',
  'informationall',
  'quote',
  'minimum',
  'minute',
  'list',
  'exchange',
  'delay',
  'reuters',
  'rights',
  'reserved.for',
  'phone',
  'onlyfor',
  'tablet',
  'portrait',
  'upfor',
  'tablet',
  'landscape',
  'upfor',
  'desktop',
  'desktop'],
 ['bbc',
  'homepageskip',
  'helpyour',
  'accounthomenewssportreelworklifetravelfuturemore',
  'menumore',
  'bbchomenewssportreelworklifetravelfutureculturemusictvweathersoundsclose',
  'newsmenuhomewar',
  'ukraineclimatevideoworldus',
  'canadaukbusinesstechsciencemoreentertainment',
  'artshealthin',
  'picturesbbc',
  'verifyworld',
  'news',
  'tvnewsbeatus',
  'canadahurricane',
  'nicole',
  'power',
  'outage',
  'november',
  'storm',
  'floridapublished10',
  'november',
  'panelshare',
  'video',
  'video',
  'javascript',
  'browser',
  'medium',
  'caption',
  'hurricane',
  'nicole',
  'landfall',
  'florida',
  'thursdayby',
  'alex',
  'binleybbc',
  'newsmore',
  'home',
  'business',
  'florida',
  'power',
  'storm',
  'nicole',
  'state',
  'state',
  'emergency',
  'evacuation',
  'order',
  'place',
  'resident',
  'indoor',
  'rain',
  'storm',
  'people',
  'power',
  'line',
  'orange',
  'county',
  'centre',
  'state',
  'storm',
  'size',
  'year',
  'storm',
  'bahamas',
  'category',
  'hurricane',
  'flooding',
  'nicole',
  'florida',
  'coast',
  'hurricane',
  'est',
  'gmt',
  'wind',
  'mph',
  'km/h',
  'mph',
  'nicole',
  'storm',
  'way',
  'north',
  'west',
  'sunshine',
  'state',
  'storm',
  'hour',
  'home',
  'business',
  'power',
  'electricity',
  'half',
  'service',
  'provider',
  'storm',
  'georgia',
  'carolinas',
  'day',
  'remnant',
  'ohio',
  'pennsylvania',
  'new',
  'york',
  'week',
  'florida',
  'resident',
  'storm',
  'wind',
  'storm',
  'surge',
  'warning',
  'hurricane',
  'statement',
  'people',
  'flooding',
  'image',
  'source',
  'reutersimage',
  'caption',
  'florida',
  'resident',
  'flooding',
  'rain',
  'storm',
  'surgesimage',
  'source',
  'reutersimage',
  'caption',
  'florida',
  'resident',
  'coast',
  'storm',
  'surgesforty',
  'state',
  'county',
  'state',
  'emergency',
  'county',
  'evacuation',
  'order',
  'nhc',
  'flooding',
  'wind',
  'wave',
  'area',
  'wind',
  'tree',
  'power',
  'line',
  'footage',
  'medium',
  'way',
  'emergency',
  'shelter',
  'school',
  'district',
  'establishment',
  'utility',
  'worker',
  'standby',
  'power',
  'image',
  'source',
  'source',
  'reutersimage',
  'caption',
  'storm',
  'nicole',
  'north',
  'west',
  'florida',
  'damage',
  'wakeahead',
  'nicole',
  'arrival',
  'disney',
  'world',
  'universal',
  'orlando',
  'resort',
  'wednesday',
  'orlando',
  'international',
  'airport',
  'flight',
  'arrival',
  'nicole',
  'nasa',
  'rocket',
  'launch',
  'americans',
  'step',
  'moon',
  'image',
  'source',
  'reutersthe',
  'artemis',
  'mission',
  'november',
  'fear',
  'debris',
  'storm',
  'rocket',
  'nicole',
  'arrival',
  'storm',
  'season',
  'time',
  'hurricane',
  'storm',
  'atlantic',
  'basin',
  'august',
  'november',
  'hurricane',
  'florida',
  'record',
  'keeping',
  'sunshine',
  'state',
  'week',
  'hurricane',
  'ian',
  'florida',
  'people',
  '60bn',
  'â£51bn',
  'worth',
  'damage',
  'weathermore',
  'october',
  'storiesniger',
  'soldier',
  'coup',
  'tvpublished1',
  'hour',
  'singer',
  'sinãad',
  "o'connor",
  'hour',
  'agohow',
  'ukraine',
  'offensive',
  'south',
  'hour',
  'agofeaturessinãad',
  "o'connor",
  'obituary',
  'talent',
  'comparehow',
  'sinãad',
  "o'connor",
  'uhow',
  'ukraine',
  'offensive',
  'south',
  'stutteredn',
  'koreaâ\x80\x99s',
  'prisoner',
  'war',
  'plot',
  'flame',
  'buddha',
  'china',
  'videowatch',
  'flame',
  'buddha',
  'chinathe',
  'claim',
  'india',
  'violenceputin',
  'leader',
  'star',
  'role?can',
  'india',
  'chip',
  'powerhouse?world',
  'city',
  'bbcthe',
  'way',
  'homeswhy',
  'brand',
  'mediathe',
  'film',
  'usmost',
  'read1irish',
  'singer',
  'sinãad',
  "o'connor",
  'family',
  "grid'3how",
  'ukraine',
  'offensive',
  'south',
  'stuttered4niger',
  'soldier',
  'coup',
  'national',
  'tv5alien',
  'congress',
  'biden',
  'plea',
  'deal',
  'apart7mastercard',
  'bank',
  'debit',
  'weed8sinãad',
  "o'connor",
  'obituary',
  'talent',
  'koreaâ\x80\x99s',
  'prisoner',
  'war',
  'plot',
  'toy',
  'maker',
  'movie',
  'sale',
  'news',
  'mobileon',
  'news',
  'alertscontact',
  'bbc',
  'newshomenewssportreelworklifetravelfutureculturemusictvweathersoundsterms',
  'useabout',
  'bbcprivacy',
  'policycookiesaccessibility',
  'helpparental',
  'guidancecontact',
  'bbcget',
  'newsletterswhy',
  'bbcadvertise',
  'usâ',
  'bbc',
  'bbc',
  'content',
  'site',
  'approach',
  'linking'],
 ['accessibility',
  'contentdemocracy',
  'darknesssign',
  'article',
  'year',
  'agothe',
  'washington',
  'postdemocracy',
  'darknesscapital',
  'weather',
  'ganghere',
  'derechos',
  'wisconsin',
  'area',
  'time',
  'washington',
  'd.c.',
  'mph',
  'damage',
  'week',
  'hurricane',
  'area',
  'matthew',
  'cappuccijuly',
  'p.m.',
  'edtwinds',
  'mph',
  'tree',
  'damage',
  'intersection',
  'north',
  'mountain',
  'wis.',
  'tony',
  'dello/@wx_td',
  'tony',
  'dello/@wx_td))comment',
  'storycommentgift',
  'articlesharequince',
  'mountain',
  'friday',
  'morning',
  'wisconsin',
  'lunchtime',
  'hurricane',
  'message',
  'friend',
  'meteorologist',
  'mountain',
  'wife',
  'experience',
  'planarrowrightat',
  'storm',
  'prediction',
  'center',
  'norman',
  'okla.',
  'meteorologist',
  'sunrise',
  'risk',
  'weather',
  'potential',
  'wind',
  'hurricane',
  'force',
  'mountain',
  'mind',
  'storm',
  'damage',
  'wisconsin',
  'wife',
  'dog',
  'funeral',
  'town',
  'sunset',
  'storm',
  'people',
  'storm',
  'mountain',
  'wall',
  'wind',
  'weather',
  'service',
  'radar',
  'bow',
  'line',
  'storm',
  'wisconsin',
  'derecho',
  'wind',
  'storm',
  'day',
  'air',
  'monster',
  'derechos',
  'breakneck',
  'speed',
  'wind',
  'gust',
  'mph',
  'friday',
  'night',
  'system',
  'upper',
  'midwest',
  'mph',
  'condition',
  'calm',
  'second',
  '“when',
  'storm',
  'mountain',
  'wife',
  'blair',
  'braverman',
  'round',
  'thing',
  'wind',
  'rain',
  'porch',
  'flashlight',
  'basement',
  'power',
  'time',
  'stair',
  'hour',
  'wind',
  'mark',
  'national',
  'weather',
  'service',
  'green',
  'bay',
  'damage',
  'macroburst',
  'macrobursts',
  'downburst',
  'wind',
  'cloud',
  'ground',
  'zone',
  'mile',
  'derecho',
  'macroburst',
  'mile',
  'fact',
  'datum',
  'mph',
  'wind',
  'zone',
  'cell',
  'coverage',
  'pic',
  'macroburst',
  'northeast',
  'wi',
  'fri',
  'night',
  'pic.twitter.com/f1vjqpklhl',
  'tony',
  'dello',
  '@wx_td',
  'july',
  'phil',
  'kurimski',
  'meteorologist',
  'national',
  'weather',
  'service',
  'office',
  'green',
  'bay',
  'damage',
  'area',
  'wind',
  'damage',
  'kurimski',
  'footage',
  'drone',
  'flyover',
  'tornado',
  'dozen',
  'cottage',
  'mile',
  'mountain',
  'mountain',
  'braverman',
  'power',
  'power',
  'line',
  'ground',
  'house',
  'advertisementthe',
  'damage',
  'langlade',
  'oconto',
  'county',
  'national',
  'weather',
  'service',
  'thousand',
  'tree',
  '”friday',
  'storm',
  'minnesota',
  'lunchtime',
  'afternoon',
  'wisconsin',
  'nightfall',
  'east',
  'lake',
  'michigan',
  'damage',
  'saturday',
  'morning',
  'michigan',
  'derecho',
  'south',
  'dakota',
  'east',
  'minnesota',
  'area',
  'wisconsin',
  'weather',
  'region',
  'today',
  'case',
  'weekend',
  'information',
  'derechoe',
  'midwest',
  'weekend',
  'wiwx',
  'brunt',
  'system',
  'pic.twitter.com/q01yepfzwn',
  'nws',
  'central',
  'region',
  '@nwscentral',
  'july',
  'sunday',
  'morning',
  'customer',
  'power',
  'wisconsin',
  'michigan',
  'derecho',
  'whammy',
  'steve',
  'beylon',
  'meteorologist',
  'wbay',
  'tv',
  'green',
  'bay',
  'scale',
  'damage',
  '”advertisement“i',
  'punch',
  'weather',
  'year',
  'beylon',
  'thousand',
  'tree',
  'mph',
  'wind',
  'area',
  'people',
  'landmark',
  'storm',
  'experience',
  'time',
  '”amid',
  'damage',
  'braverman',
  'storm',
  'people',
  'generator',
  'chain',
  'saw',
  'camping',
  'equipment',
  'wisconsinite',
  'minute',
  '',
  '',
  'goes16',
  'image',
  'spc',
  'storm',
  'look',
  'yesterday',
  'mcs',
  'hail',
  'diameter',
  'mnwx',
  'mph',
  'wind',
  'tornado',
  'wiwx',
  'https://t.co/uiykpjnhyw',
  '@nwsduluth',
  '@nwslacrosse',
  'pic.twitter.com/5gdwisj7wh',
  'scott',
  'bachmeier',
  '@cimss_satellite',
  'july',
  'commentsgift',
  'articlegift',
  'articleloading',
  'view',
  'more2023',
  'heat',
  'tracker1690',
  'degree',
  'day',
  'faraverage',
  'year',
  'date23yearly',
  'average40record',
  'most67',
  'fewest7',
  'year38top',
  'analysis',
  'hill',
  'white',
  'housejudge',
  'brake',
  'hunter',
  'biden',
  'pleagiuliani',
  'statement',
  'georgia',
  'election',
  'workersas',
  'inflation',
  'gop',
  'attack',
  'biden',
  'economyrefreshtry',
  'account',
  'preferencestweet',
  'post',
  'newsroom',
  'policies',
  'standards',
  'diversity',
  'inclusion',
  'careers',
  'media',
  'community',
  'relations',
  'wp',
  'creative',
  'group',
  'accessibility',
  'statement',
  'postgift',
  'subscriptions',
  'mobile',
  'apps',
  'newsletters',
  'alerts',
  'washington',
  'post',
  'live',
  'reprints',
  'permissions',
  'post',
  'store',
  'books',
  'e',
  '-',
  'book',
  'newspaper',
  'education',
  'print',
  'archives',
  'subscribers',
  'today',
  'paper',
  'public',
  'notices',
  'contact',
  'uscontact',
  'newsroom',
  'contact',
  'customer',
  'care',
  'contact',
  'opinions',
  'team',
  'advertise',
  'licensing',
  'syndication',
  'request',
  'correction',
  'news',
  'tip',
  'report',
  'vulnerability',
  'terms',
  'usedigital',
  'products',
  'terms',
  'sale',
  'print',
  'products',
  'term',
  'sale',
  'terms',
  'service',
  'privacy',
  'policy',
  'cookie',
  'settings',
  'submissions',
  'discussion',
  'policy',
  'rss',
  'terms',
  'service',
  'ad',
  'choices',
  'washington',
  'postwashingtonpost.com',
  'washington',
  'postabout',
  'post',
  'contact',
  'newsroom',
  'contact',
  'customer',
  'care',
  'request',
  'correction',
  'news',
  'tip',
  'report',
  'vulnerability',
  'download',
  'washington',
  'post',
  'app',
  'policies',
  'standards',
  'terms',
  'service',
  'privacy',
  'policy',
  'cookie',
  'settings',
  'print',
  'products',
  'terms',
  'sale',
  'digital',
  'products',
  'terms',
  'sale',
  'submissions',
  'discussion',
  'policy',
  'rss',
  'terms',
  'service',
  'ad',
  'choice'],
 ['contentskip',
  'footertrending',
  'ed',
  'sheeran',
  'vegashall',
  'pass',
  'cash',
  'appsteal',
  'dealslive',
  'lakesubmit',
  'birthdayssubmit',
  'psathe',
  'berkshire',
  'musichomeon',
  '-',
  'airall',
  'djsshowslistenlisten',
  'livelive',
  'free',
  'applive',
  'alexalive',
  'google',
  'homeplaylistmonth',
  'playlistrecently',
  'playedcontestsnewslettercontact',
  'ushelp',
  'contact',
  'infosend',
  'song90',
  'noonthrowback',
  'throwdownmorehomeon',
  'airall',
  'djsshowslistenlisten',
  'livelive',
  'free',
  'applive',
  'alexalive',
  'google',
  'homeplaylistmonth',
  'playlistrecently',
  'playedcontestsnewslettercontact',
  'ushelp',
  'contact',
  'infosend',
  'song90',
  'noonthrowback',
  'throwdownvisit',
  'youtubevisit',
  'facebookvisit',
  'massachusetts',
  'brace',
  'winter',
  'storm',
  'january',
  'facebookshare',
  'twitterlast',
  'week',
  'blizzard',
  'massachusetts',
  'folk',
  'boston',
  'area',
  'fact',
  'snowfall',
  'general',
  'berkshire',
  'county',
  'rest',
  'massachusetts',
  'winter',
  'season',
  'skier',
  'boarder',
  'plow',
  'driver',
  'snow',
  'sport',
  'enthusiast',
  'deposit',
  'snow',
  'chance',
  'weekend',
  'winter',
  'storm',
  'keenan',
  'landfall',
  'weekend',
  'massachusetts',
  'bone',
  'doozy',
  'forecaster',
  'inch',
  'thursday',
  'night',
  'inch',
  'friday',
  'day',
  'inch',
  'snow',
  'friday',
  'night',
  'possibility',
  'foot',
  'snow',
  'way',
  'snow',
  'prediction',
  'blog',
  'berkshire',
  'county',
  'greylock',
  'snow',
  'day',
  'range',
  'possibility',
  'moment',
  'berkshire',
  'rain',
  'hour',
  'precipitation',
  'period',
  'snow',
  'boundary',
  'air',
  'masse',
  'moment',
  'model',
  'euro',
  'american',
  'boundary',
  'north',
  'new',
  'york',
  'new',
  'england',
  'foot',
  'snow',
  'thursday',
  'friday',
  'berkshires',
  'rain',
  'storm',
  'week',
  'movement',
  'boundary',
  'south',
  'possibility',
  'greylock',
  'snow',
  'daytips',
  'power',
  'outage',
  'look',
  'weather',
  'climate',
  'disaster',
  'decadesstacker',
  'climate',
  'disaster',
  'billion',
  'cost',
  'damage',
  'inflation',
  'datum',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'noaa',
  'list',
  'hurricane',
  'sally',
  'damage',
  'hurricane',
  'damage',
  'people',
  'climate',
  'disaster',
  'decade',
  'u.s.filed',
  'berkshire',
  'county',
  'pittsfield',
  'western',
  'massachusettscategories',
  'articles',
  'local',
  'newscommentsleave',
  'commentmore',
  'fmtree',
  'house',
  'trail',
  'offers',
  'unique',
  'affordable',
  'family',
  'adventure',
  'western',
  'massachusettstree',
  'house',
  'trail',
  'offers',
  'unique',
  'affordable',
  'family',
  'adventure',
  'western',
  'massachusettsberkshire',
  'humane',
  'society',
  'pets',
  'week',
  'meet',
  'rose',
  'sophia',
  'blancheberkshire',
  'humane',
  'society',
  'pets',
  'week',
  'meet',
  'rose',
  'sophia',
  'blancheberkshire',
  'county',
  'major',
  'diseaseberkshire',
  'county',
  'major',
  'diseasetwo',
  'massachusetts',
  'cities',
  'rate',
  'obesity',
  'u.s.two',
  'massachusetts',
  'cities',
  'rate',
  'obesity',
  'massachusetts',
  'cities',
  'best',
  'small',
  'cities',
  'united',
  'statesseven',
  'massachusetts',
  'cities',
  'best',
  'small',
  'cities',
  'united',
  'statesit',
  'illegal',
  'ice',
  'cream',
  'trucks',
  'music',
  'massachusetts',
  'cityit',
  'illegal',
  'ice',
  'cream',
  'trucks',
  'music',
  'massachusetts',
  'citythree',
  'massachusetts',
  'counties',
  'coolest',
  'summers',
  'statethree',
  'massachusetts',
  'counties',
  'coolest',
  'summers',
  'statepopular',
  'savory',
  'snack',
  'item',
  'recall',
  'list',
  'massachusettspopular',
  'savory',
  'snack',
  'item',
  'recall',
  'list',
  'massachusettsupdated',
  'list',
  'names',
  'massachusettsupdated',
  'list',
  'names',
  'jobsmarketing',
  'advertising',
  'solutionspublic',
  'fileneed',
  'assistancefcc',
  'applicationsreport',
  'rulesprivacy',
  'policyaccessibility',
  'statementexercise',
  'data',
  'rightscontactberkshires',
  'business',
  'listingsfollow',
  'usvisit',
  'youtubevisit',
  'facebookvisit',
  'twitter2023',
  'live',
  'townsquare',
  'media',
  'inc.',
  'right'],
 ['ie',
  'experience',
  'site',
  'browser',
  'skip',
  'news',
  'newsworldbusinesshealthvideoculture',
  'trendsnbc',
  'news',
  'tiplineshare',
  'save',
  'newsmanage',
  'profileemail',
  'preferencessign',
  'outsearchsearchprofile',
  'newssign',
  'sign',
  'increate',
  'profilesectionsu.s.',
  'newspoliticsworldlocalbusinesshealthinvestigationsculture',
  'trendssciencesportstech',
  'mediavideo',
  'featuresphotosweathernbc',
  'selectdecision',
  'blknbc',
  'newsmsnbcmeet',
  'pressdatelinefeaturednbc',
  'news',
  'nowbetternightly',
  'filmsstay',
  'tunedspecial',
  'featuresnewsletterspodcastslisten',
  'nowmore',
  'nbccnbcnbc.comnbcu',
  'learnpeacocknext',
  'steps',
  'vetsparent',
  'news',
  'site',
  'maphelpfollow',
  'nbc',
  'newssearchsearchfacebooktwitteremailsmsprintwhatsappredditpocketflipboardpinterestlinkedinweathercoast',
  'coast',
  'storm',
  'week',
  'snowstorm',
  'northeastat',
  'people',
  'winter',
  'alert',
  'california',
  'midwest',
  'northeast',
  'new',
  'york',
  'new',
  'jersey',
  'prepare',
  'snowstorm',
  "season'01:04get",
  'news',
  'nowprintfeb',
  'utc',
  'feb.',
  'pm',
  'dennis',
  'romero',
  'chantal',
  'da',
  'silva',
  'kathryn',
  'procivforecasters',
  'storm',
  'system',
  'country',
  'week',
  'northeast',
  'inch',
  'snow',
  'tuesday',
  'snowstorm',
  'winter',
  'people',
  'winter',
  'alert',
  'california',
  'midwest',
  'northeast',
  'storm',
  'point',
  'east',
  'snow',
  'national',
  'weather',
  'service',
  'place',
  'new',
  'england',
  'inch',
  'snow',
  'monday',
  'evening',
  'street',
  'vehicle',
  'layer',
  'snow',
  'new',
  'york',
  'city',
  'new',
  'york',
  'snow',
  'half',
  'day',
  'tuesday',
  'new',
  'york',
  'city',
  'snow',
  'snow',
  'total',
  'new',
  'york',
  'city',
  'inch',
  'national',
  'weather',
  'service',
  'snow',
  'people',
  'brooklyn',
  'bridge',
  'new',
  'york',
  'city',
  'monday',
  'night',
  'spencer',
  'platt',
  'getty',
  'images"we',
  'snow',
  'year',
  'new',
  'york',
  'mayor',
  'eric',
  'adams',
  'monday',
  'adams',
  'city',
  'worker',
  'inch',
  'snow',
  'national',
  'weather',
  'service',
  'new',
  'york',
  'city',
  'edge',
  'storm',
  'precipitation',
  'snowstorm',
  'season',
  'hudson',
  'valley',
  'new',
  'jersey',
  'inch',
  'snow',
  'tuesday',
  'morning',
  'inch',
  'bloomingdale',
  'new',
  'jersey',
  'forecaster',
  'buffalo',
  'new',
  'york',
  'storm',
  'inch',
  'blanket',
  'snow',
  'hour',
  'monday',
  'night',
  'tuesday',
  'national',
  'weather',
  'service',
  'office',
  'buffalo',
  'twitter',
  'burst',
  'snow',
  'travel',
  'national',
  'weather',
  'service',
  'driving',
  'condition',
  'new',
  'england',
  'new',
  'york',
  'caution',
  'closing',
  'disruption',
  'infrastructure',
  'tuesday',
  'dozen',
  'flight',
  'u.s.',
  'new',
  'york',
  'airport',
  'cancellation',
  'weather',
  'people',
  'street',
  'monday',
  'hoboken',
  'n.j.eduardo',
  'munoz',
  'alvarez',
  'viewpress',
  'corbis',
  'getty',
  'imagesat',
  'flight',
  'laguardia',
  'airport',
  'john',
  'f.',
  'kennedy',
  'international',
  'airport',
  'flight',
  'tracker',
  'flightaware',
  'newark',
  'liberty',
  'international',
  'airport',
  'new',
  'jersey',
  'u.s.',
  'flight',
  'tuesday',
  'boston',
  'logan',
  'international',
  'airport',
  'flight',
  'tracking',
  'website',
  'state',
  'impact',
  'forecast',
  'gov.',
  'ned',
  'lamont',
  'connecticut',
  'state',
  'building',
  'office',
  'control',
  'tuesday',
  'statement',
  'monday',
  'night',
  'people',
  'road',
  'winter',
  'season',
  'snow',
  'monday',
  'night',
  'snowstorm',
  'connecticut',
  'lamont',
  'state',
  'worker',
  'truck',
  'road',
  'snow',
  'connecticut',
  'roadway',
  'massachusetts',
  'emergency',
  'management',
  'agency',
  'monday',
  'power',
  'outage',
  'region',
  'state',
  'snowfall',
  'forecaster',
  'system',
  'air',
  'place',
  'great',
  'lakes',
  'northeast',
  'edge',
  'new',
  'england',
  'system',
  'winter',
  'storm',
  'warning',
  'winter',
  'weather',
  'advisory',
  'pennsylvania',
  'maine',
  'california',
  'rain',
  'snowfeb',
  'forecaster',
  'new',
  'york',
  'snowfall',
  'state',
  'storm',
  'rainfall',
  'baltimore',
  'washington',
  'monday',
  'allegheny',
  'mountains',
  'west',
  'fog',
  'weather',
  'service',
  '-',
  'country',
  'storm',
  'california',
  'storm',
  'california',
  'tuesday',
  'way',
  'u.s.',
  'day',
  'great',
  'lakes',
  'northeast',
  'region',
  'friday',
  'california',
  'rain',
  'snow',
  'tuesday',
  'sierra',
  'nevada',
  'foot',
  'snow',
  'wednesday',
  'states',
  'arkansas',
  'tennessee',
  'mississippi',
  'thunderstorm',
  'hail',
  'wind',
  'tornado',
  'wednesday',
  'area',
  'country',
  'weather',
  'thursday',
  'people',
  'plains',
  'southeast',
  'risk',
  'hail',
  'wind',
  'tornado',
  'weather',
  'outbreak',
  'system',
  'seaboard',
  'friday',
  'mix',
  'rain',
  'sleet',
  'hail',
  'snow',
  'outage',
  'michigan',
  'californiaother',
  'country',
  'aftermath',
  'weather',
  'utility',
  'customer',
  'power',
  'michigan',
  'tuesday',
  'ice',
  'storm',
  'week',
  'power',
  'day',
  'official',
  'service',
  'people',
  'power',
  'storm',
  'california',
  'blizzard',
  'warning',
  'dennis',
  'romerodennis',
  'romero',
  'news',
  'reporter',
  'nbc',
  'news',
  'digital',
  'chantal',
  'da',
  'silvachantal',
  'da',
  'silva',
  'news',
  'editor',
  'nbc',
  'news',
  'digital',
  'london',
  'kathryn',
  'procivkathryn',
  'prociv',
  'meteorologist',
  'producer',
  'nbc',
  'news',
  'gemma',
  'dicasimirro',
  'doha',
  'madani',
  'aboutcontacthelpcareersad',
  'choicesprivacy',
  'policydo',
  'informationca',
  'noticenew',
  'terms',
  'service',
  'july',
  'news',
  'sitemapadvertiseselect',
  'shoppingselect',
  'personal',
  'finance',
  'nbc',
  'universalnbc',
  'news',
  'logomsnbc',
  'logotoday',
  'logo'],
 ['tulsa',
  'race',
  'massacre',
  'year',
  'oklahoma',
  'kids',
  'help',
  'recap',
  'severe',
  'storm',
  'tornado',
  'warning',
  'oklahoma',
  'saturday',
  'june',
  '17th',
  'pm',
  'saturday',
  'evening',
  'forecast',
  'david',
  'payne',
  'oklahoma',
  'city',
  'weather',
  'possibility',
  'oklahoma',
  'saturday',
  'mode',
  'weather',
  'wind',
  'hail',
  'tornado',
  'flooding',
  'storm',
  'state',
  'saturday',
  'afternoon',
  'evening',
  'tornado',
  'watch',
  'alfalfa',
  'beaver',
  'beckham',
  'blaine',
  'caddo',
  'cimarron',
  'comanche',
  'custer',
  'dewey',
  'ellis',
  'greer',
  'harper',
  'major',
  'roger',
  'mills',
  'texas',
  'washita',
  'woods',
  'woodward',
  'county',
  'p.m.',
  'timing',
  'storm',
  'oklahoma',
  'city',
  'metro',
  'area',
  'midnight',
  'news',
  'chief',
  'meteorologist',
  'david',
  'payne',
  'news',
  'weather',
  'team',
  'weather',
  'update',
  'day',
  'weather',
  'section',
  'news',
  'weather',
  'news',
  'update',
  'news',
  'inbox',
  'recap',
  'severe',
  'storm',
  'tornado',
  'warning',
  'oklahoma',
  'threat',
  'injury',
  'death',
  'amber',
  'alerts',
  'report',
  'claim',
  'colorado',
  'a.i.',
  'benefit',
  'risk',
  'artificial',
  'intelligence',
  'tulsa',
  'public',
  'schools',
  'superintendent',
  'responds',
  'concern',
  'accreditation',
  'rogers',
  'county',
  'school',
  'resource',
  'officers',
  'train',
  'handle',
  'campus',
  'threat',
  'date',
  'world',
  'time',
  'griffin',
  'news',
  'news9.com',
  'oklahomans',
  'news',
  'information',
  'story',
  'picture',
  'love',
  'oklahomans',
  'state',
  'privacy',
  'policy',
  'term',
  'service',
  'legal',
  'notices',
  'eeo',
  'report',
  'ad',
  'choices',
  'public',
  'inspection',
  'file',
  'contact',
  'kwtv',
  'public',
  'inspection',
  'file',
  'ksbi',
  'public',
  'inspection',
  'file',
  'captioning',
  'assistance',
  'fcc',
  'applications'],
 ['fox',
  'news',
  'media',
  'fox',
  'news',
  'mediafox',
  'businessfox',
  'nationfox',
  'news',
  'audiofox',
  'fox',
  'news',
  'expand',
  'collapse',
  'search',
  'login',
  'tv',
  'menu',
  'u.s.',
  'crimemilitaryeducationterrorimmigrationeconomypersonal',
  'freedomsfox',
  'news',
  'investigatesworld',
  'u.n.conflictsterrorismdisastersglobal',
  'politic',
  'executivesenatehousejudiciaryforeign',
  'policypollselectionsentertainment',
  'celebrity',
  'newsmoviestv',
  'newsmusic',
  'newsstyle',
  'newsentertainment',
  'videobusiness',
  'personal',
  'financeeconomymarketswatchlistlifestylereal',
  'estatetechlifestyle',
  'food',
  'drinkcars',
  'truckstravel',
  'outdoorshouse',
  'homefitness',
  'beingstyle',
  'beautyfamilyfaithscience',
  'archaeologyair',
  'spaceplanet',
  'earthwild',
  'naturenatural',
  'sciencedinosaurstech',
  'gamesmilitary',
  'techhealth',
  'coronavirushealthy',
  'livingmedical',
  'researchmental',
  'healthcancerheart',
  'healthchildren',
  'healthtv',
  'showspersonalitieswatch',
  'livefull',
  'episodesshow',
  'clipsnews',
  'clipsabout',
  'contact',
  'worldadvertise',
  'usmedia',
  'relationscorporate',
  'informationcompliance',
  'fox',
  'businessfox',
  'weatherfox',
  'nationwomen',
  'world',
  'cup',
  'news',
  'shopfox',
  'news',
  'gofox',
  'news',
  'radiooutkicknewsletterspodcastsapps',
  'products',
  'fox',
  'news',
  'new',
  'terms',
  'use',
  'new',
  'privacy',
  'policy',
  'privacy',
  'choices',
  'captioning',
  'policy',
  'material',
  'fox',
  'news',
  'network',
  'llc',
  'right',
  'quote',
  'time',
  'minute',
  'market',
  'datum',
  'factset',
  'factset',
  'digital',
  'solutions',
  'statement',
  'mutual',
  'fund',
  'etf',
  'datum',
  'refinitiv',
  'lipper',
  'facebook',
  'twitter',
  'instagram',
  'rss',
  'email',
  'delaware',
  'august',
  '10:17am',
  'edt',
  'weather',
  'delaware',
  'beach',
  'umbrella',
  'ocean',
  'downright',
  'bethany',
  'beach',
  'delaware',
  'beachgoer',
  'weather',
  'area',
  'stephen',
  'sorace',
  'fox',
  'news',
  'facebook',
  'twitter',
  'flipboard',
  'comments',
  'print',
  'email',
  'video',
  'beach',
  'umbrella',
  'ocean',
  'weather',
  'delaware',
  'beach',
  'umbrella',
  'bethany',
  'beach',
  'ocean',
  'weather',
  'delaware',
  'friday',
  'august',
  'wind',
  'delaware',
  'friday',
  'video',
  'dozen',
  'beach',
  'umbrella',
  'sand',
  'air',
  'beachgoer',
  'shane',
  'mannix',
  'video',
  'bethany',
  'beach',
  'rain',
  'wind',
  'coast',
  'visitor',
  'beach',
  'wind',
  'umbrella',
  'ground',
  'ocean',
  'media',
  'user',
  'scene',
  'witness',
  'weather',
  'eastern',
  'kentucky',
  'brace',
  'flooding',
  'thunderstorm',
  'threats',
  'bethany',
  'beach',
  'town',
  'sussex',
  'county',
  'population',
  'summer',
  'month',
  'visitor',
  'shore',
  'weather',
  'day',
  'witness',
  'footage',
  'waterspout',
  'smith',
  'island',
  'chesapeake',
  'bay',
  'maryland',
  'video',
  'amy',
  'daniel',
  'somers',
  'debris',
  'air',
  'waterspout',
  'land',
  'videoclick',
  'fox',
  'news',
  'app',
  'damage',
  'structure',
  'property',
  'smith',
  'island',
  'word',
  'injury',
  'resident',
  'island',
  'fox',
  'news',
  'andrea',
  'vacchiano',
  'report',
  'story',
  'news',
  'thing',
  'morning',
  'inbox',
  'weekday',
  'newsletter',
  'u.s.',
  'crimemilitaryeducationterrorimmigrationeconomypersonal',
  'freedomsfox',
  'news',
  'investigatesworld',
  'u.n.conflictsterrorismdisastersglobal',
  'politic',
  'executivesenatehousejudiciaryforeign',
  'policypollselectionsentertainment',
  'celebrity',
  'newsmoviestv',
  'newsmusic',
  'newsstyle',
  'newsentertainment',
  'videobusiness',
  'personal',
  'financeeconomymarketswatchlistlifestylereal',
  'estatetechlifestyle',
  'food',
  'drinkcars',
  'truckstravel',
  'outdoorshouse',
  'homefitness',
  'beingstyle',
  'beautyfamilyfaithscience',
  'archaeologyair',
  'spaceplanet',
  'earthwild',
  'naturenatural',
  'sciencedinosaurstech',
  'gamesmilitary',
  'techhealth',
  'coronavirushealthy',
  'livingmedical',
  'researchmental',
  'healthcancerheart',
  'healthchildren',
  'healthtv',
  'showspersonalitieswatch',
  'livefull',
  'episodesshow',
  'clipsnews',
  'clipsabout',
  'contact',
  'worldadvertise',
  'usmedia',
  'relationscorporate',
  'informationcompliance',
  'fox',
  'businessfox',
  'weatherfox',
  'nationwomen',
  'world',
  'cup',
  'news',
  'shopfox',
  'news',
  'gofox',
  'news',
  'radiooutkicknewsletterspodcastsapps',
  'products',
  'facebook',
  'twitter',
  'instagram',
  'youtube',
  'flipboard',
  'linkedin',
  'slack',
  'rss',
  'newsletters',
  'spotify',
  'iheartradio',
  'fox',
  'news',
  'new',
  'terms',
  'use',
  'new',
  'privacy',
  'policy',
  'privacy',
  'choices',
  'captioning',
  'policy',
  'accessibility',
  'statement',
  'material',
  'fox',
  'news',
  'network',
  'llc',
  'right',
  'quote',
  'time',
  'minute',
  'market',
  'datum',
  'factset',
  'factset',
  'digital',
  'solutions',
  'statement',
  'mutual',
  'fund',
  'etf',
  'datum',
  'refinitiv',
  'lipper'],
 ['alertheat',
  'advisoryfull',
  'storywatch',
  'livechicago',
  'suburban',
  'cook',
  'co.',
  'north',
  'suburbswest',
  'suburbssouth',
  'suburbsnw',
  'indianaeditlog',
  'inwatchappslocal',
  'news',
  'chicago',
  'suburban',
  'cook',
  'co.',
  'north',
  'suburbswest',
  'suburbssouth',
  'suburbsnw',
  'indianacategories',
  'trafficlocal',
  'newsu.s.',
  'worldi',
  'teampoliticsentertainmentconsumer',
  'businessweathersafety',
  'sportsequity',
  'reportlocalishrace',
  'culturechicago',
  'proudstation',
  'info',
  'abc7',
  'chicagoabc7',
  'newsteam',
  'bioscommunity',
  'jobs',
  'internshipscontests',
  'promotions',
  'rulescommunityshows',
  'abc7',
  'newscastswindy',
  'city',
  'weekendour',
  'chicagoour',
  'americafollow',
  'accountlog',
  'weatherstrong',
  'storm',
  'northwest',
  'indiana',
  'tornado',
  'indianapolisbyabc7',
  'chicago',
  'digital',
  'team',
  'monday',
  'june',
  'videos',
  'iframe',
  'width="476',
  'height="267',
  'src="https://abc7chicago.com',
  'video',
  'storm',
  'chicago',
  'area',
  'saturday',
  'sunday',
  'tornado',
  'town',
  'indianapolis',
  'chicago',
  'wls',
  'weather',
  'northwest',
  'indiana',
  'sunday',
  'tornado',
  'watch',
  'la',
  'porte',
  'county',
  'indiana',
  'thunderstorm',
  'warning',
  'funnel',
  'cloud',
  'indianapolis',
  'sunday',
  'tornado',
  'warnings',
  'area',
  'video',
  'debris',
  'air',
  'damage',
  'assessment',
  'sunday',
  'tornado',
  'bargersville',
  'area',
  'town',
  'fire',
  'chief',
  'twister',
  'path',
  'mile',
  'home',
  'emergency',
  'shelter',
  'school',
  'people',
  'storm',
  'national',
  'weather',
  'service',
  'survey',
  'team',
  'damage',
  'monday',
  'fact',
  'tornado',
  'area',
  'thunderstorm',
  'chicago',
  'suburb',
  'saturday',
  'sunday',
  'damage',
  'area',
  'embed',
  'videos',
  'tree',
  'car',
  'west',
  'suburban',
  'cicero',
  'street',
  'south',
  'cicero',
  'avenue',
  'injury',
  'firefighter',
  'home',
  'lake',
  'county',
  'illinois',
  'plenty',
  'rain',
  'rain',
  'chicago',
  'area',
  'rain',
  'drop',
  'sunday',
  'abc7',
  'chicago',
  'viewer',
  'dashboard',
  'camera',
  'dust',
  'devil',
  'chicago',
  'southwest',
  'saturday',
  'afternoon',
  'embed',
  'videos',
  'p.m.',
  '56th',
  'street',
  'harlem',
  'avenue',
  'storyful',
  'cnn',
  'report',
  'weather',
  'alert',
  'doppler',
  'radar',
  'cook',
  'county',
  'radar',
  'dupage',
  'county',
  'radar',
  '',
  '',
  'county',
  'radar',
  '',
  '',
  'lake',
  'county',
  'radar',
  'il',
  'kane',
  'county',
  'radar',
  'northwest',
  'indiana',
  'radarreport',
  'correction',
  'typocopyright',
  'wls',
  'tv',
  'rights',
  'topic',
  'weather',
  'chicago',
  'cicero',
  'la',
  'porte',
  'michigan',
  'thunderstorm',
  'radar',
  'storm',
  'tornado',
  'rain',
  'storm',
  'damage',
  'severe',
  'weather',
  'storm',
  'recoverysevere',
  'weatherocean',
  'temperature',
  'florida',
  'degree',
  'recordteam',
  'storm',
  'damage',
  'july',
  'flooding',
  'west',
  'sideextreme',
  'weather',
  'record',
  'story',
  'world',
  'scientists39',
  'day',
  'heat',
  'wave',
  'august',
  'recordswatch',
  'liveon',
  'nowtop',
  'stories1',
  'oak',
  'park',
  'explosion',
  'fire2',
  'hour',
  'agowicker',
  'park',
  'church',
  'pride',
  'flag',
  'hour',
  'agofmr',
  'il',
  'national',
  'guardsman',
  'brother',
  'jan.',
  'capitol',
  'riot2',
  'hour',
  'naperville',
  'home',
  'siding1',
  'hour',
  'bronzeville',
  'restaurant',
  'beyoncé',
  'chicago',
  'concertchicago',
  'drug',
  'trafficker',
  'el',
  'chapo',
  'jobsinéad',
  "o'connor",
  'singer',
  'weather',
  'muggy',
  'thursday1',
  'hour',
  'agohomeaccuweathertrafficlocal',
  'newschicago',
  'suburban',
  'cook',
  'co.',
  'north',
  'suburbswest',
  'suburbssouth',
  'suburbsnw',
  'indianacategorieswatchappslocal',
  'newsu.s.',
  'worldi',
  'teampoliticsentertainmentconsumer',
  'businessstation',
  'infoabout',
  'abc7',
  'newsteam',
  'bioscommunity',
  'jobs',
  'internshipscontests',
  'promotions',
  'newscastswindy',
  'city',
  'weekendour',
  'chicagoour',
  'americaappsfollow',
  'homeweathertrafficwatchphotosappschicago',
  'suburban',
  'cook',
  'co.',
  'north',
  'suburbswest',
  'suburbssouth',
  'suburbsnw',
  'indianalocal',
  'newsu.s.',
  'worldi',
  'teampoliticsentertainmentconsumer',
  'businessabout',
  'abc7',
  'chicagoabc7',
  'newsteam',
  'bioscommunity',
  'jobs',
  'internshipscontests',
  'promotions',
  'rulescommunityprivacy',
  'policydo',
  'informationchildren',
  'privacy',
  'policyyour',
  'state',
  'privacy',
  'rightsterms',
  'useinterest',
  'adspublic',
  'inspection',
  'applicationsprivacy',
  'policydo',
  'informationchildren',
  'privacy',
  'policyyour',
  'state',
  'privacy',
  'rightsterms',
  'useinterest',
  'adspublic',
  'inspection',
  'filefcc',
  'applicationscopyright',
  'abc',
  'inc.',
  'wls',
  'tv',
  'chicago',
  'rights'],
 ['account',
  'sign',
  'sign',
  'facebook',
  'climate',
  'kansas',
  'weather',
  'condition',
  'summer',
  'winter',
  'temperature',
  '°',
  'f',
  'january',
  '°',
  'f',
  'july',
  'rain',
  'wind',
  'storm',
  'blizzard',
  'state',
  'climate',
  'kansas',
  'temperature',
  'statewide',
  'high',
  'winter',
  '°',
  'f',
  'december',
  'february',
  'temperature',
  'snowfall',
  'condition',
  'snow',
  'day',
  'year',
  'blizzard',
  'time',
  'summer',
  '°',
  'f',
  'june',
  'august',
  'humidity',
  'level',
  'percent',
  'air',
  'precipitation',
  'spring',
  'summer',
  'condition',
  'west',
  'kansas',
  'america',
  'tornado',
  'alley',
  'swath',
  'midwest',
  'thunderstorm',
  'hail',
  'wind',
  'tornado',
  'time',
  'year',
  'spring',
  'summer',
  'march',
  'condition',
  'tornado',
  'time',
  'weather',
  'september',
  'time',
  'kansas',
  'doubt',
  'weather',
  'kansas',
  'fall',
  'end',
  'september',
  'air',
  '°',
  'f',
  'humidity',
  'level',
  'rain',
  'end',
  'summer',
  'october',
  'beauty',
  'high',
  '°',
  'f',
  'sky',
  'weather',
  'november',
  'fall',
  'harvest',
  'time',
  'lot',
  'fun',
  'festival',
  'color',
  'tree',
  'plenty',
  'food',
  'menu',
  'deal',
  'fall',
  'time',
  'kansas',
  'november',
  'hotel',
  'rate',
  'visitor',
  'winter',
  'spring',
  'season',
  'rock',
  'room',
  'rate',
  'cold',
  'countries',
  'planet',
  'deserts',
  'bloom',
  'spot',
  'springtime',
  'wildflower',
  'luxury',
  'safari',
  'africa',
  'yoho',
  'national',
  'park',
  'incredible',
  'place',
  'source',
  'adventure',
  'tourism',
  'travel',
  'guide'],
 ['dialog',
  'website',
  'datum',
  'cookie',
  'site',
  'functionality',
  'marketing',
  'personalization',
  'analytic',
  'website',
  'consent',
  'cookie',
  'policy',
  'advertise',
  'us(open',
  'window)e',
  'newspaperdaily',
  'news',
  'e',
  '-',
  'newspaper(opens',
  'window)evening',
  'edition(open',
  'window)newsletters(open',
  'window)subscriber',
  'services(open',
  'window)subscriber',
  'services(open',
  'window)ez',
  'pay(opens',
  'window)delivery',
  'issue(open',
  'window)subscriber',
  'window)about',
  'ushelp',
  'centercontact',
  'anniversarybranded',
  'contentadvertising',
  'ascend(open',
  'window)paid',
  'partner',
  'content(opens',
  'window)paid',
  'content',
  'brandpoint(opens',
  'window)comicscoronavirusfun',
  'games(open',
  'daily(open',
  'crush(open',
  'window)daily',
  'window)bubble',
  'shooter',
  'pro(open',
  'window)horoscopesjobsplace',
  'ad(open',
  'window)career',
  'window)find',
  'job(opens',
  'window)freelance',
  'jobs(open',
  'window)justice',
  'storylifestylehealtheatspuzzle',
  'games(open',
  'window)vivanew',
  'yorkmanhattanbronxbrooklynqueensnyc',
  'crimehometown',
  'heroesblack',
  'history',
  'montheducationnew',
  'york',
  'window)obituaries(open',
  'window)weathernewscrimeu.s.politicsworldobituaries(open',
  'new',
  'window)death',
  'notice',
  'listings(opens',
  'window)obits(open',
  'cartoons(open',
  'window)photosphotos(open',
  'window)covers(open',
  'estateplace',
  'ad(open',
  'estate',
  'news',
  'advice(open',
  'estate',
  'listings(open',
  'sectionssportsyankeesmetsgiantsjetsknicksnetslibertyrangersislandersfootballbasketballbaseballhockeysoccermore',
  'sportsthe',
  'hookthe',
  'page(opens',
  'offersu.s.',
  'window)more(open',
  'window)automotiveclassifiedsen',
  'españolphoto',
  'request',
  'reprints(opens',
  'reviewscontestsdaily',
  'news',
  'archives(open',
  'window)privacy',
  'window)public',
  'notices(opens',
  'window)tag',
  'disclosure(opens',
  'window',
  'advertisementu.s.fierce',
  'storm',
  'tornado',
  'blast',
  'georgia',
  'state',
  'emergency',
  'declaredby',
  'theresa',
  'brainenew',
  'york',
  'daily',
  'news•published',
  'mar',
  'pmgeorgia',
  'gov.',
  'brian',
  'kemp',
  'sunday',
  'state',
  'emergency',
  'storm',
  'tornado',
  'state',
  'storm',
  'system',
  'thunderstorm',
  'velocity',
  'line',
  'wind',
  'tornado',
  'peach',
  'state',
  'kemp',
  'declaration',
  'advertisementit',
  'tornado',
  'dozen',
  'life',
  'mississippi',
  'alabama',
  'weather',
  'partner',
  'damage',
  'day',
  'georgians',
  'kemp',
  'advertisementgeorgia',
  'gov.',
  'brian',
  'kemp',
  'state',
  'state',
  'address',
  'house',
  'floor',
  'state',
  'capitol',
  'wednesday',
  'jan.',
  'atlanta',
  'alex',
  'slitz',
  'ap)the',
  'national',
  'weather',
  'service',
  'atlanta',
  'thunderstorm',
  'warning',
  'sunday',
  'evening',
  'lagrange',
  'west',
  'point',
  'pine',
  'mountain',
  'mile',
  'state',
  'capital',
  'nws',
  'inch',
  'rain',
  'region',
  'tuscaloosa',
  'birmingham',
  'atlanta',
  'condition',
  'recipe',
  'flash',
  'flooding',
  'newsas',
  'coronavirus',
  'pandemic',
  'news',
  'news',
  'email',
  'alert',
  'email',
  'newsletter',
  'subscriber',
  'terms',
  'conditions',
  'privacy',
  'policy',
  'sunday',
  'tornado',
  'lagrange',
  'people',
  'official',
  'cnn.“it',
  'lot',
  'home',
  'lagrange',
  'mayor',
  'elect',
  'willie',
  'edmondson',
  'wsb',
  'tv.damage',
  'sunday',
  'march',
  'rolling',
  'fork',
  'miss.',
  'tornado',
  'community',
  'emergency',
  'official',
  'mississippi',
  'people',
  'tornado',
  'state',
  'friday',
  'night',
  'building',
  'power',
  'weather',
  'hail',
  'size',
  'golf',
  'ball',
  'state',
  'julio',
  'cortez',
  'ap)up',
  'home',
  'troup',
  'county',
  'emergency',
  'management',
  'director',
  'zachary',
  'steele',
  'cnn.in',
  'west',
  'point',
  'ga.',
  'house',
  'georgia',
  'mutual',
  'aid',
  'society',
  'facebook',
  'people',
  'people',
  'storm',
  'tiger',
  'wild',
  'animal',
  'safari',
  'enclosure',
  'pine',
  'mountain',
  'wake',
  'tornado',
  'damage',
  'enclosure',
  'park',
  'statement',
  'employee',
  'animal',
  'advertisementwith',
  'news',
  'wire',
  'services',
  'advertisement',
  'march',
  'crimeviolent',
  'staten',
  'island',
  'ex',
  '-',
  'con',
  'death',
  'drug',
  'den16mmetssouthpaw',
  'jose',
  'quintana',
  'spot',
  'mets',
  'subway',
  'series',
  'loss',
  'yorkbefore',
  'nyc',
  'crane',
  'collapse',
  'worker',
  'flame',
  'connecttribune',
  'publishing',
  'chicago',
  'tribuneorlando',
  'sentinelthe',
  'morning',
  'pa.',
  'daily',
  'press',
  'va.',
  'studio',
  'baltimore',
  'sunsun',
  'sentinel',
  'fla.',
  'hartford',
  'courantthe',
  'virginian',
  'pilotcompany',
  'infocareershelp',
  'centermanage',
  'web',
  'notificationsplace',
  'admedia',
  'kitprivacy',
  'policyterms',
  'servicesite',
  'mapdo',
  'sell',
  'share',
  'informationcookie',
  'policycookie',
  'preferencescontact',
  'ussite',
  'mapsubscriber',
  'servicescontestsspecial',
  'sectionsdaily',
  'news',
  'uscalifornia',
  'notice',
  'collectionnotice',
  'financial',
  'incentivecopyright',
  'new',
  'york',
  'daily',
  'news'],
 ['frontiers',
  'reporting',
  'platform',
  'counter',
  'line',
  'industry',
  'standard',
  'west',
  'virginia',
  'university',
  'united',
  'states',
  'bangladesh',
  'university',
  'engineering',
  'technology',
  'bangladesh',
  'abstract',
  'introduction',
  'methods',
  'data',
  'analysis',
  'analysis',
  'result',
  'discussion',
  'principal',
  'component',
  'analysis',
  'pre-',
  'post',
  '-',
  'katrina',
  'conclusion',
  'author',
  'contributions',
  'conflict',
  'interest',
  'statement',
  'acknowledgments',
  'references',
  'environ',
  'sci',
  '.',
  'june',
  'health',
  'exposome',
  'volume',
  'https://doi.org/10.3389/fenvs.2019.00068',
  'impact',
  'hurricane',
  'katrina',
  'coastal',
  'systems',
  'southern',
  'louisiana',
  'wen',
  'ching',
  'tarsha',
  'eason3',
  'ahjond',
  'garmestani2,4',
  'caleb',
  'roberts5',
  'program',
  'miami',
  'university',
  'oxford',
  'oh',
  'united',
  'states',
  'states',
  'environmental',
  'protection',
  'agency',
  'cincinnati',
  'oh',
  'united',
  'states',
  'states',
  'environmental',
  'protection',
  'agency',
  'research',
  'triangle',
  'park',
  'durham',
  'nc',
  'united',
  'states',
  '4utrecht',
  'centre',
  'water',
  'oceans',
  'sustainability',
  'law',
  'utrecht',
  'university',
  'school',
  'law',
  'utrecht',
  'netherlands',
  '5department',
  'agronomy',
  'horticulture',
  'university',
  'nebraska',
  'lincoln',
  'lincoln',
  'ne',
  'united',
  'states',
  'disaster',
  'hurricane',
  'forest',
  'fire',
  'collapse',
  'reorganization',
  'system',
  'face',
  'perturbation',
  'system',
  'capacity',
  'impact',
  'regime',
  'context',
  'system',
  'louisiana',
  'hurricane',
  'katrina',
  'disaster',
  'status',
  'system',
  'paper',
  'community',
  'resilience',
  'hazard',
  'limitation',
  'disaster',
  'resilience',
  'change',
  'new',
  'orleans',
  'louisiana',
  'lens',
  'katrina',
  'change',
  'system',
  'condition',
  'factor',
  'characteristic',
  'system',
  'reorganization',
  'trajectory',
  'result',
  'population',
  'recovery',
  'sign',
  'revitalization',
  'city',
  'area',
  'inequality',
  'vulnerability',
  'disaster',
  'distribution',
  'condition',
  'time',
  'level',
  'change',
  'reorganization',
  'katrina',
  'reorganization',
  'equity',
  'effort',
  'approach',
  'change',
  'pre',
  'disturbance',
  'way',
  'aspect',
  'disaster',
  'resilience',
  'introduction',
  'decade',
  'increase',
  'intensity',
  'frequency',
  'hazard',
  'hurricane',
  'goldenberg',
  'et',
  'al',
  '.',
  'webster',
  'et',
  'al',
  '.',
  'drought',
  'heat',
  'wave',
  'meehl',
  'tebaldi',
  'impact',
  'system',
  'hurricane',
  'katrina',
  'kilometer',
  '%',
  'city',
  'new',
  'orleans',
  'people',
  'outmigration',
  'lewis',
  'et',
  'al',
  '.',
  'scale',
  'degree',
  'devastation',
  'population',
  'relocation',
  'hazard',
  'impact',
  'event',
  'galveston',
  'hurricane',
  'san',
  'francisco',
  'earthquake',
  'mississippi',
  'flood',
  'elliott',
  'pais',
  'hurricane',
  'katrina',
  'devastation',
  'discussion',
  'exploration',
  'equity',
  'impact',
  'recovery',
  'resilience',
  'lens',
  'hazard',
  'research',
  'decade',
  'field',
  'study',
  'research',
  'question',
  'vulnerability',
  'recovery',
  'resilience',
  'opdyke',
  'et',
  'al',
  '.',
  'vulnerability',
  'characteristic',
  'individual',
  'group',
  'capacity',
  'disturbance',
  'hazard',
  'impact',
  'livelihood',
  'kelly',
  'adger',
  'wisner',
  'degree',
  'system',
  'system',
  'component',
  'harm',
  'exposure',
  'hazard',
  'perturbation',
  'stress',
  'turner',
  'ii',
  'et',
  'al',
  '.',
  'assessment',
  'vulnerability',
  'hazard',
  'variable',
  'sensitivity',
  'capacity',
  'entity',
  'index',
  'unit',
  'assessment',
  'baseline',
  'context',
  'decision',
  'action',
  'prevention',
  'planning',
  'mitigation',
  'adaptation',
  'recovery',
  'impact',
  'hazard',
  'kelly',
  'adger',
  'cutter',
  'finch',
  'example',
  'vulnerability',
  'index',
  'sovi',
  'hazard',
  'cutter',
  'et',
  'al',
  'index',
  'housing',
  'neighborhood',
  'variable',
  'u.s.',
  'census',
  'bureau',
  'vulnerability',
  'u.s.',
  'county',
  'hazard',
  'year',
  'discourse',
  'hazard',
  'research',
  'policy',
  'domain',
  'vulnerability',
  'resilience',
  'u.s.',
  'agency',
  'cutter',
  'et',
  'al',
  '.',
  'department',
  'housing',
  'urban',
  'development',
  'stage',
  'fekete',
  'world',
  'bank',
  'reason',
  'shift',
  'resilience',
  'cutter',
  'et',
  'al',
  '.',
  'challenge',
  'disaster',
  'resilience',
  'definition',
  'disaster',
  'resilience',
  'way',
  'attempt',
  'dimension',
  'community',
  'resilience',
  'disaster',
  'lack',
  'metric',
  'variable',
  'disaster',
  'resilience',
  'community',
  'concept',
  'resilience',
  'ecology',
  'measure',
  'persistence',
  'system',
  'ability',
  'change',
  'disturbance',
  'relationship',
  'population',
  'state',
  'variable',
  'holling',
  'resilience',
  'ability',
  'system',
  'change',
  'process',
  'structure',
  'regime',
  'state',
  'resilience',
  'magnitude',
  'disturbance',
  'system',
  'carpenter',
  'et',
  'al',
  '.',
  'resilience',
  'science',
  'context',
  'vulnerability',
  'climate',
  'effect',
  'timmerman',
  'cutter',
  'et',
  'al',
  '.',
  'cutter',
  'et',
  'al',
  'disaster',
  'resilience',
  'framework',
  'community',
  'level',
  'work',
  'vulnerability',
  'hazard',
  'research',
  'disaster',
  'resilience',
  'method',
  'susceptibility',
  'variable',
  'entity',
  'cutter',
  'et',
  'al',
  'framework',
  'disaster',
  'resilience',
  'vulnerability',
  'hazard',
  'assessment',
  'snapshot',
  'time',
  'approach',
  'resilience',
  'angeler',
  'et',
  'al',
  '.',
  'context',
  'hazard',
  'resilience',
  'engineering',
  'perspective',
  'example',
  'national',
  'ocean',
  'service',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'noaa',
  'resilience',
  'ability',
  'community',
  'event',
  'hurricane',
  'storm',
  'flooding',
  'impact',
  'context',
  'hazard',
  'study',
  'system',
  'loss',
  'prevention',
  'action',
  'planning',
  'disaster',
  'impact',
  'bruneau',
  'et',
  'al',
  '.',
  'cutter',
  'et',
  'al',
  '.',
  'overemphasis',
  'engineering',
  'resilience',
  'state',
  'landscape',
  'understanding',
  'system',
  'capacity',
  'disruption',
  'sikula',
  'et',
  'al',
  '.',
  'possibility',
  'recovery',
  'state',
  'regime',
  'process',
  'structure',
  'chuang',
  'et',
  'al',
  '.',
  'vulnerability',
  'resilience',
  'commonality',
  'instance',
  'level',
  'vulnerability',
  'degree',
  'resilience',
  'system',
  'turner',
  'ii',
  'et',
  'al',
  '.',
  'attempt',
  'term',
  'definition',
  'turner',
  'ii',
  'et',
  'al',
  '.',
  'gallopín',
  'cutter',
  'et',
  'al',
  '.',
  'lens',
  'sociology',
  'gotham',
  'campanella',
  'resilience',
  'study',
  'condition',
  'community',
  'response',
  'shock',
  'event',
  'vulnerability',
  'study',
  'root',
  'hazard',
  'system',
  'eakin',
  'et',
  'al',
  '.',
  'capacity',
  'hazard',
  'co',
  '-',
  'existence',
  'coupling',
  'system',
  'gotham',
  'campanella',
  'context',
  'hazard',
  'disaster',
  'cutter',
  'et',
  'al',
  'concept',
  'period',
  'assessment',
  'vulnerability',
  'pre',
  '-',
  'event',
  'characteristic',
  'quality',
  'system',
  'potential',
  'harm',
  'cutter',
  'et',
  'al',
  '.',
  'resilience',
  'ability',
  'system',
  'disaster',
  'cutter',
  'et',
  'al',
  'definition',
  'resilience',
  'condition',
  'system',
  'impact',
  'event',
  'post',
  '-',
  'process',
  'ability',
  'system',
  'threat',
  'disaster',
  'resilience',
  'study',
  'set',
  'capacity',
  'strategy',
  'disaster',
  'readiness',
  'norris',
  'et',
  'al',
  '.',
  'ability',
  'community',
  'event',
  'manner',
  'opdyke',
  'et',
  'al',
  'hazard',
  'study',
  'method',
  'resilience',
  'hazard',
  'approach',
  'modeling',
  'simulation',
  '%',
  'study',
  'literature',
  'review',
  'framework',
  '%',
  'gis',
  'analysis',
  '%',
  'majority',
  'type',
  'research',
  'aspect',
  'resilience',
  'modeling',
  'type',
  'research',
  'narrative',
  'framework',
  'index',
  'resilience',
  'hazard',
  'climate',
  'event',
  'example',
  'summers',
  'et',
  'al',
  'model',
  'resilience',
  'climate',
  'event',
  'environment',
  'society',
  'environment',
  'risk',
  'domain',
  'approach',
  'indicator',
  'metric',
  'baseline',
  'condition',
  'degree',
  'resilience',
  'progress',
  'disaster',
  'indicator',
  'study',
  'goal',
  'community',
  'resilience',
  'community',
  'resilience',
  'hazard',
  'threat',
  'disturbance',
  'characteristic',
  'system',
  'assessment',
  'application',
  'utility',
  'approach',
  'case',
  'contrast',
  'carpenter',
  'et',
  'al',
  'argument',
  'step',
  'resilience',
  'disturbance',
  'system',
  'way',
  'magnitude',
  'capacity',
  'resilience',
  'area',
  'vulnerability',
  'area',
  'resilience',
  'existence',
  'regime',
  'regime',
  'set',
  'condition',
  'carpenter',
  'et',
  'al',
  '.',
  'research',
  'hazard',
  'process',
  'reconstruction',
  'kates',
  'et',
  'al',
  '.',
  'change',
  'reorganization',
  'system',
  'hazard',
  'disturbance',
  'hazard',
  'havoc',
  'system',
  'aftermath',
  'reorganization',
  'phase',
  'opportunity',
  'innovation',
  'development',
  'transformation',
  'folke',
  'panarchy',
  'stage',
  'system',
  'structure',
  'scale',
  'space',
  'time',
  'set',
  'cycle',
  'gunderson',
  'holling',
  'phase',
  'cycle',
  'release',
  'reorganization',
  'exploitation',
  'conservation',
  'gunderson',
  'holling',
  'release',
  'collapse',
  'phase',
  'disturbance',
  'state',
  'system',
  'reorganization',
  'period',
  'disturbance',
  'system',
  'period',
  'resistance',
  'innovation',
  'exploitation',
  'growth',
  'van',
  'der',
  'leeuw',
  'exploitation',
  'resource',
  'system',
  'component',
  'gunderson',
  'holling',
  'conservation',
  'phase',
  'system',
  'component',
  'van',
  'der',
  'leeuw',
  'state',
  'system',
  'disturbance',
  'allen',
  'et',
  'al',
  '.',
  'disturbance',
  'potential',
  'opportunity',
  'innovation',
  'development',
  'folke',
  'improvement',
  'transformation',
  'city',
  'new',
  'orleans',
  'disaster',
  'hope',
  'way',
  'kates',
  'et',
  'al',
  '.',
  'research',
  'goal',
  'condition',
  'time',
  'hurricane',
  'katrina',
  'perturbation',
  'system',
  'effort',
  'process',
  'change',
  'reorganization',
  'hazard',
  'concept',
  'resilience',
  'analysis',
  'approach',
  'assessment',
  'socio',
  'dimension',
  'change',
  'city',
  'hurricane',
  'katrina',
  'question',
  'impact',
  'system',
  'new',
  'orleans',
  'year',
  'hurricane',
  'katrina',
  'hurricane',
  'katrina',
  'window',
  'opportunity',
  'system',
  'system',
  'time',
  'approach',
  'indicator',
  'condition',
  'system',
  'snapshot',
  'component',
  'status',
  'new',
  'orleans',
  'louisiana',
  'disaster',
  'time',
  'step',
  'component',
  'land',
  'cover',
  'change',
  'time',
  'breeding',
  'bird',
  'survey',
  'datum',
  'proxy',
  'ecosystem',
  'variation',
  'change',
  'component',
  'analysis',
  'pca',
  'indicator',
  'variable',
  'gis',
  'pattern',
  'quality',
  'change',
  'trait',
  'system',
  'limitation',
  'work',
  'guidance',
  'disaster',
  'resilience',
  'research',
  'future',
  'study',
  'area',
  'new',
  'orleans',
  'archetype',
  'ecosystem',
  'threat',
  'hazard',
  'change',
  'sea',
  'level',
  'rise',
  'hurricane',
  'gotham',
  'et',
  'al',
  '.',
  'city',
  'kilometer',
  'gulf',
  'mexico',
  'mississippi',
  'river',
  'lake',
  'pontchartrain',
  'city',
  'sea',
  'level',
  'topography',
  'meter',
  'sea',
  'level',
  'dixon',
  'et',
  'al',
  '.',
  'flooding',
  'levee',
  'floodwall',
  'storm',
  'category',
  'carter',
  'katrina',
  'city',
  'population',
  'peak',
  'people',
  'census',
  'bureau',
  'hurricane',
  'katrina',
  'death',
  '%',
  'population',
  'flooding',
  'hurricane',
  'katrina',
  'population',
  'size',
  'city',
  'people',
  '%',
  'reduction',
  'population',
  'city',
  'population',
  'city',
  'katrina',
  'era',
  'city',
  'wage',
  'household',
  'income',
  'population',
  'growth',
  'entrepreneurship',
  'liu',
  'plyer',
  'population',
  'growth',
  'spike',
  'housing',
  'cost',
  'crime',
  'rate',
  'neighborhood',
  'instability',
  'conflict',
  'gotham',
  'campanella',
  'aim',
  'change',
  ...],
 ['chats',
  'weather',
  'traffic',
  'event',
  'guide',
  'pg',
  'store',
  'pge',
  'video',
  'photos',
  'digs',
  'news',
  'home',
  'crimes',
  'courts',
  'politics',
  'education',
  'health',
  'wellness',
  'covid-19',
  'transportation',
  'state',
  'nation',
  'world',
  'weather',
  'news',
  'obituaries',
  'news',
  'obituaries',
  'portfolio',
  'science',
  'environment',
  'faith',
  'religion',
  'social',
  'services',
  'sports',
  'home',
  'steelers',
  'penguins',
  'pirates',
  'sports',
  'columns',
  'gene',
  'collier',
  'ron',
  'cook',
  'joe',
  'starkey',
  'paul',
  'zeise',
  'pitt',
  'penn',
  'state',
  'wvu',
  'north',
  'shore',
  'drive',
  'podcast',
  'riverhounds',
  'maulers',
  'nfl',
  'nhl',
  'mlb',
  'nba',
  'ncaa',
  'college',
  'sports',
  'high',
  'school',
  'sports',
  'opinion',
  'home',
  'editorials',
  'pg',
  'columnists',
  'special',
  'pg',
  'insight',
  'letters',
  'op',
  'ed',
  'columns',
  'a&e',
  'home',
  'celebrities',
  'movies',
  'tv',
  'radio',
  'music',
  'concert',
  'listings',
  'theatre',
  'dance',
  'art',
  'architecture',
  'books',
  'events',
  'life',
  'home',
  'food',
  'dining',
  'recipes',
  'drinks',
  'homes',
  'gardens',
  'goodness',
  'random',
  'act',
  'kindness',
  'outdoors',
  'style',
  'fashion',
  'travel',
  'holidays',
  'business',
  'home',
  'building',
  'pgh',
  'money',
  'business',
  'health',
  'powersource',
  'workzone',
  'tech',
  'news',
  'business',
  'law',
  'business',
  'consumer',
  'alerts',
  'business',
  'pittsburgh',
  'workplaces'],
 ['reader',
  'book',
  'club',
  'cocktail',
  'club',
  'b',
  'start',
  'advertise',
  'classified',
  'ads',
  'customer',
  'support',
  'newsletters',
  'careers',
  'contact',
  'obituaries',
  'mass.',
  'lottery',
  'powerball',
  'mega',
  'millions',
  'horoscopes',
  'comics',
  'today',
  'history',
  'business',
  'partner',
  'reader',
  'book',
  'club',
  'cocktail',
  'club',
  'b',
  'start',
  'advertise',
  'classified',
  'ads',
  'customer',
  'support',
  'newsletters',
  'careers',
  'contact',
  'obituaries',
  'mass.',
  'lottery',
  'powerball',
  'mega',
  'millions',
  'horoscopes',
  'comics',
  'today',
  'history',
  'business',
  'partners',
  'patrice',
  'bergeron',
  'karen',
  'read',
  'jaylen',
  'brown',
  'watch',
  'globe',
  'today',
  'snow',
  'accumulation',
  'mass.',
  'coating',
  'coast',
  'boston',
  'area',
  'rain',
  'dialynn',
  'dwyer',
  'jack',
  'pickell',
  'forecaster',
  'timing',
  'impact',
  'mix',
  'mass.',
  'shovel',
  'wintry',
  'mix',
  'snow',
  'massachusetts',
  'storm',
  'friday',
  'night',
  'mix',
  'snow',
  'sleet',
  'rain',
  'saturday',
  'meteorologist',
  'snow',
  'accumulation',
  'state',
  'elevation',
  'north',
  'mass.',
  'pike',
  'area',
  'massachusetts',
  'region',
  'forecaster',
  'snowfall',
  'storm',
  'nws',
  'boston',
  'nws',
  'gray',
  "nor'easter",
  'snowfall',
  'area',
  'tonight',
  'saturday',
  'march',
  'forecast',
  'location',
  'https://t.co/jeqhtxksdg',
  'pic.twitter.com/hvulet85ia',
  'nws',
  'gray',
  '@nwsgray',
  'march',
  'nws',
  'burlington',
  'winter',
  'storm',
  'warning',
  'effect',
  'vt',
  'ny',
  'snow',
  'evening',
  'sat',
  'morning',
  'sat',
  'afternoon',
  'https://t.co/bwraqa7ukd',
  'storm',
  'snow',
  'vtwx',
  'nywx',
  'pic.twitter.com/8k8bnys5rp',
  'nws',
  'burlington',
  '@nwsburlington',
  'march',
  'dave',
  'epstein',
  'colder',
  'air',
  'afternoon',
  'mix',
  'snow',
  'road',
  'accumulation',
  'coating',
  'inch',
  'surface',
  'pic.twitter.com/pp9p7w4gje',
  'dave',
  'epstein',
  '@growingwisdom',
  'march',
  'change',
  'map',
  'snow',
  'total',
  'set',
  'datum',
  'change',
  'hrs',
  'flake',
  'nature',
  'snow',
  'area',
  'w',
  'total',
  'dave',
  'epstein',
  '@growingwisdom',
  'march',
  'boston',
  'news',
  'message',
  'snow',
  'map',
  'total',
  'elevation',
  'interiormix',
  'rain',
  'cape',
  'islands*we',
  'burst',
  'snow',
  'storm',
  'chance',
  'snow',
  'coast',
  'pic.twitter.com/xln8nj7ixe',
  'vicki',
  'graf',
  '@vickigrafwx',
  'march',
  'snow',
  'sleet',
  'mass.',
  'boston',
  'metrowest',
  'water',
  'content',
  'thank',
  'sleet',
  'drop',
  'lot',
  'weight',
  'pic.twitter.com/ehinqgww5u',
  'chris',
  'lambert',
  '@clamberton7',
  'march',
  'wbz',
  'tv',
  'change',
  'tonight',
  "we'll",
  'tomorrow',
  'accumulation',
  'midnight',
  'sleet',
  'rain',
  'sun',
  'angle',
  'temp',
  'work',
  'day',
  'saturday',
  'wbz',
  'pic.twitter.com/6wchnj6iol',
  'eric',
  'fisher',
  '@ericfisher',
  'march',
  'nbc10',
  'boston',
  'necn',
  'southern',
  'new',
  'england',
  'interior',
  'accumulation',
  'thank',
  'sun',
  'strength',
  'october',
  'burst',
  'north',
  'central',
  'ma',
  'bit',
  'northern',
  'neweng',
  'pic.twitter.com/n88a7cvz25',
  'matt',
  'noyes',
  'nbc10',
  'boston',
  'necn',
  '@mattnbcboston',
  'march',
  'wcvb',
  'snow',
  'forecastheaviest',
  'snow',
  'n&w',
  'snow',
  'pike',
  'sleet',
  'water',
  'coating',
  'coast',
  'boston',
  'area',
  'wcvb',
  'pic.twitter.com/elvs5eiqfz',
  'cindy',
  'fitzgibbon',
  '@met_cindyfitz',
  'march',
  'newsletter',
  'signup',
  'date',
  'news',
  'boston.com',
  'conversationthis',
  'discussion',
  'boston.com',
  'visit',
  'tom',
  'brady',
  'supermodel',
  'irina',
  'shayk',
  'takeaway',
  'red',
  'sox',
  'triumph',
  'mlb',
  'braves',
  'jaylen',
  'brown',
  'contract',
  'celtics',
  'evolution',
  'nba',
  'patrick',
  'mendoza',
  'monica',
  'trattoria',
  'license',
  'thing',
  'patrice',
  'bergeron',
  'year',
  'career',
  'bruin',
  'meteorologist',
  'today',
  'storm',
  'heat',
  'boston',
  'meteorologist',
  'today',
  'weather',
  'weekend',
  'forecast',
  'boston',
  'meteorologist',
  'thunderstorm',
  'forecast',
  'today',
  'boston.com',
  'instagram',
  'opens',
  'new',
  'tab',
  'boston.com',
  'twitter',
  'opens',
  'new',
  'tab',
  'boston.com',
  'facebook',
  'opens',
  'new',
  'tab',
  'sign',
  'newsletter',
  'datum',
  'privacy',
  'policy',
  'gambling',
  'disclaimer',
  'advertise',
  'terms',
  'service',
  'member',
  'agreement',
  'contact',
  'careers',
  'coupon',
  'date',
  'boston',
  'news',
  'breaking',
  'update',
  'newsroom',
  'inbox',
  'thank',
  'window'],
 ['local',
  'news',
  'virginia',
  'news',
  'sign',
  'email',
  'news',
  'alert',
  'virginia',
  'elections',
  'politics',
  'politics',
  'hill',
  'capitol',
  'connection',
  'action',
  'investigates',
  'virginia',
  'lottery',
  'business',
  'washington',
  'huddle',
  'u.s.',
  'world',
  'weird',
  'news',
  'bestreviews',
  'bestreviews',
  'daily',
  'deals',
  'press',
  'automotive',
  'today',
  'outlook',
  'stormtracker',
  'weather',
  'university',
  'vipir',
  'virginia',
  'weather',
  'radar',
  'hourly',
  'day',
  'forecast',
  'temperature',
  'virginia',
  'james',
  'river',
  'downtown',
  'richmond',
  'richmond',
  'weather',
  'cams',
  'closings',
  'delays',
  'report',
  'weather',
  'alerts',
  'sign',
  'stormtracker8',
  'weather',
  'alert',
  'abc',
  'newscasts',
  'event',
  'james',
  'river',
  'downtown',
  'richmond',
  'videos',
  'tv',
  'listing',
  'children',
  'programming',
  'events',
  'calendar',
  'richmond',
  'health',
  'matter',
  'bon',
  'secours',
  'showcase',
  'richmond',
  'lottery',
  'horoscopes',
  'crawl',
  'space',
  'repair',
  'expert',
  'dental',
  'expert',
  'e',
  '-',
  'waste',
  'recycling',
  'expert',
  'financial',
  'services',
  'expert',
  'heating',
  'air',
  'conditioning',
  'expert',
  'home',
  'generator',
  'expert',
  'podiatrist',
  'expert',
  'window',
  'replacement',
  'expert',
  'wood',
  'floor',
  'refinishing',
  'expert',
  'moon',
  'mars',
  'sweepstakes',
  'contest',
  'winners',
  'sign',
  'contest',
  'email',
  'alert',
  'contact',
  'wric',
  'abc',
  'team',
  'advertise',
  'work',
  'sign',
  'email',
  'newsletter',
  '8news',
  'stormtracker',
  'app',
  'regional',
  'news',
  'partners',
  '8new',
  'alexa',
  'bestreviews',
  'privacy',
  'policy',
  'rescan',
  'tv',
  'personal',
  'information',
  'photo',
  'storm',
  'damage',
  'central',
  'virginia',
  'jun',
  'pm',
  'edt',
  'jun',
  'pm',
  'edt',
  'jun',
  'pm',
  'edt',
  'jun',
  'pm',
  'edt',
  'richmond',
  'va.',
  'wric',
  'storm',
  'weather',
  'central',
  'virginia',
  'future',
  'duration',
  'stormtracker8',
  'day',
  'forecast',
  'damage',
  'area',
  'day',
  'summer',
  'note',
  'addition',
  'storm',
  'damage',
  'thousand',
  'dominion',
  'energy',
  'customer',
  'traffic',
  'light',
  'power',
  'tuesday',
  'evening',
  'wednesday',
  'result',
  'storm',
  'cherokee',
  'road',
  'james',
  'river',
  'tree',
  'limb',
  'power',
  'neighborhood',
  'richmond',
  'fire',
  'department',
  'captain',
  'sylvester',
  'henderson',
  'people',
  'area',
  'power',
  'line',
  'area',
  'notification',
  'henderson',
  'dominion',
  'energy',
  'crew',
  'tree',
  'cherokee',
  'road',
  'whitehall',
  'road',
  'photo',
  'madison',
  'moore',
  'energy',
  'crew',
  'tree',
  'cherokee',
  'road',
  'whitehall',
  'road',
  'photo',
  'madison',
  'moore',
  'tree',
  'dwayne',
  'lane',
  'brighton',
  'green',
  'area',
  'chesterfield',
  'june',
  'photo',
  'madison',
  'moore/8news',
  'tree',
  'cherokee',
  'road',
  'chesterfield',
  'weather',
  'commonwealth',
  'june',
  'photo',
  'madison',
  'moore)multiple',
  'tree',
  'cherokee',
  'road',
  'chesterfield',
  'weather',
  'commonwealth',
  'june',
  'photo',
  'madison',
  'moore)multiple',
  'tree',
  'cherokee',
  'road',
  'chesterfield',
  'weather',
  'commonwealth',
  'june',
  'photo',
  'madison',
  'moore',
  'henrico',
  'county',
  'carolyn',
  'nelson',
  'power',
  'p.m.',
  'power',
  'line',
  'power',
  'storm',
  'place',
  'life',
  'year',
  'area',
  'power',
  'nelsen',
  'p.m.',
  'wednesday',
  'people',
  'central',
  'virginia',
  'power',
  'raindrop',
  'puddle',
  'chesterfield',
  'photo',
  'tyler',
  'thrasher/8new',
  'raindrop',
  'glass',
  'chesterfield',
  'photo',
  'tyler',
  'thrasher/8new',
  'thank',
  'inbox',
  'damage',
  'area',
  'photo',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'amazon',
  'school',
  'deal',
  'schooler',
  'school',
  'corner',
  'amazon',
  'supply',
  'school',
  'deal',
  'supply',
  'schooler',
  'august',
  'vegetable',
  'flower',
  'flower',
  'plant',
  'hour',
  'soil',
  'air',
  'temperature',
  'sunshine',
  'august',
  'month',
  'planting',
  'chemical',
  'guys',
  'kit',
  'car',
  'car',
  'care',
  'hour',
  'chemical',
  'guys',
  'car',
  'wash',
  'kit',
  'time',
  'deal',
  'bomb',
  'threat',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'russia',
  'un',
  'meeting',
  'cambodia',
  'hun',
  'sen',
  'asia',
  'leader',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'judge',
  'bluffing',
  'putin',
  'deployment',
  'nuclear',
  'elon',
  'musk',
  'tweet',
  'x',
  '’',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'taiwan',
  'school',
  'office',
  'typhoon',
  'bomb',
  'threat',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'russia',
  'un',
  'meeting',
  'soldier',
  'niger',
  'couch',
  'partner',
  'nascar',
  'year',
  'virginia',
  'man',
  'car',
  'richmond',
  'police',
  'man',
  'rick',
  'edwards',
  'city',
  'richmond',
  'school',
  'class',
  'new',
  'vcu',
  'study',
  'smell',
  'taste',
  'loss',
  'art',
  'night',
  'exhibit',
  'whistleblower',
  'congress',
  'israel',
  'court',
  'challenge',
  'law',
  'automaker',
  'vehicle',
  'ups',
  'contract',
  'judge',
  'desertion',
  'conviction',
  'ohio',
  'voter',
  'abortion',
  'access',
  'november',
  'desantis',
  'campaign',
  'japan',
  'police',
  'arrest',
  'woman',
  'parent',
  'virginia',
  'highway',
  'u.s.',
  'parent',
  'plan',
  'child',
  'king',
  'gas',
  'line',
  'shenandoah',
  'county',
  'chesterfield',
  'ground',
  'school',
  'florida',
  'man',
  'alligator',
  'golf',
  'course',
  'singer',
  'sinead',
  'o’connor',
  'city',
  'colonial',
  'heights',
  'christmas',
  'parade',
  'child',
  'snoopy',
  'kings',
  'dominion',
  'park',
  'community',
  'teen',
  'advocate',
  'clarity',
  'cannabis',
  'legalization',
  'gift',
  'summer',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'home',
  'depot',
  'foot',
  'skeleton',
  'halloween',
  'deal',
  'day',
  'prime',
  'day',
  'favorite',
  'source',
  'news',
  'weather',
  'richmond',
  'central',
  'virginia',
  'news',
  'richmond',
  'weather',
  'stormtracker8',
  'action',
  'investigations',
  'video',
  'community',
  'ads',
  'eeo',
  'fcc',
  'public',
  'file',
  'children',
  'programming',
  'android',
  'app',
  'google',
  'play',
  'personal',
  'information',
  'personal',
  'information',
  'nexstar',
  'media',
  'inc.',
  'rights'],
 ['article',
  'journal',
  'variations',
  'wave',
  'climate',
  'sediment',
  'transport',
  'climate',
  'change',
  'coast',
  'vietnam',
  'article',
  'special',
  'issue',
  'multi',
  'stratification',
  'baltic',
  'sea',
  'insight',
  'modeling',
  'study',
  'reference',
  'environmental',
  'conditions',
  'article',
  'journal',
  'enhancement',
  'protein',
  'pigment',
  'content',
  'chlorella',
  'species',
  'industrial',
  'process',
  'water',
  'article',
  'special',
  'issue',
  'development',
  'hydrodynamic',
  'model',
  'long',
  'term',
  'simulation',
  'water',
  'quality',
  'processes',
  'tidal',
  'james',
  'river',
  'virginia',
  'author',
  'reviewers',
  'editor',
  'librarians',
  'publishers',
  'societies',
  'conference',
  'organizers',
  'open',
  'access',
  'policy',
  'institutional',
  'open',
  'access',
  'program',
  'special',
  'issues',
  'guidelines',
  'editorial',
  'process',
  'research',
  'publication',
  'ethics',
  'article',
  'processing',
  'charges',
  'awards',
  'testimonial',
  'submission',
  'journal',
  'machine',
  'page',
  'order',
  'human',
  'rss',
  'reader',
  'article',
  'mdpi',
  'access',
  'license',
  'permission',
  'article',
  'mdpi',
  'figure',
  'table',
  'article',
  'access',
  'creative',
  'common',
  'cc',
  'license',
  'article',
  'permission',
  'article',
  'information',
  'https://www.mdpi.com/openaccess',
  'feature',
  'paper',
  'research',
  'potential',
  'impact',
  'field',
  'feature',
  'paper',
  'article',
  'technique',
  'approach',
  'outlook',
  'research',
  'direction',
  'research',
  'application',
  'feature',
  'paper',
  'invitation',
  'recommendation',
  'editor',
  'feedback',
  'reviewer',
  'editor',
  'choice',
  'article',
  'recommendation',
  'editor',
  'mdpi',
  'journal',
  'world',
  'editor',
  'number',
  'article',
  'journal',
  'reader',
  'research',
  'area',
  'aim',
  'snapshot',
  'work',
  'research',
  'area',
  'journal',
  'javascript',
  'page',
  'functionality',
  'javascript',
  'big',
  'data',
  'cognitive',
  'computing',
  'bdcc',
  'issues',
  'molecular',
  'biology',
  'cimb',
  'european',
  'journal',
  'investigation',
  'health',
  'psychology',
  'education',
  'ejihpe',
  'gout',
  'urate',
  'crystal',
  'deposition',
  'disease',
  'gucdd',
  'international',
  'journal',
  'environmental',
  'research',
  'public',
  'health',
  'ijerph',
  'international',
  'journal',
  'financial',
  'studies',
  'ijfs',
  'international',
  'journal',
  'molecular',
  'sciences',
  'ijms',
  'international',
  'journal',
  'neonatal',
  'screening',
  'ijns',
  'international',
  'journal',
  'plant',
  'biology',
  'ijpb',
  'international',
  'journal',
  'translational',
  'medicine',
  'ijtm',
  'international',
  'journal',
  'turbomachinery',
  'propulsion',
  'power',
  'ijtpp',
  'isprs',
  'international',
  'journal',
  'geo',
  'information',
  'ijgi',
  'journal',
  'ageing',
  'longevity',
  'jal',
  'journal',
  'cardiovascular',
  'development',
  'disease',
  'jcdd',
  'journal',
  'clinical',
  'translational',
  'ophthalmology',
  'jcto',
  'journal',
  'composites',
  'science',
  'j.',
  'compos',
  'sci',
  'journal',
  'cybersecurity',
  'privacy',
  'jcp',
  'journal',
  'experimental',
  'theoretical',
  'analyses',
  'jeta',
  'journal',
  'functional',
  'morphology',
  'kinesiology',
  'jfmk',
  'journal',
  'intelligence',
  'j.',
  'intell',
  'journal',
  'low',
  'power',
  'electronics',
  'applications',
  'jlpea',
  'journal',
  'manufacturing',
  'materials',
  'processing',
  'jmmp',
  'journal',
  'marine',
  'science',
  'engineering',
  'jmse',
  'journal',
  'otorhinolaryngology',
  'hearing',
  'balance',
  'medicine',
  'ohbm',
  'journal',
  'risk',
  'financial',
  'management',
  'jrfm',
  'journal',
  'sensor',
  'actuator',
  'networks',
  'jsan',
  'journal',
  'theoretical',
  'applied',
  'electronic',
  'commerce',
  'research',
  'jtaer',
  'journal',
  'zoological',
  'botanical',
  'gardens',
  'jzbg',
  'machine',
  'learning',
  'knowledge',
  'extraction',
  'tropical',
  'medicine',
  'infectious',
  'disease',
  'tropicalmed',
  'article',
  'types',
  'article',
  'review',
  'communication',
  'editorial',
  'book',
  'review',
  'brief',
  'report',
  'case',
  'report',
  'comment',
  'commentary',
  'concept',
  'paper',
  'conference',
  'report',
  'correction',
  'creative',
  'data',
  'descriptor',
  'discussion',
  'entry',
  'essay',
  'expression',
  'extended',
  'abstract',
  'guidelines',
  'hypothesis',
  'interesting',
  'images',
  'letter',
  'new',
  'book',
  'received',
  'obituary',
  'opinion',
  'perspective',
  'proceeding',
  'paper',
  'project',
  'report',
  'protocol',
  'registered',
  'report',
  'reply',
  'retraction',
  'short',
  'note',
  'study',
  'protocol',
  'systematic',
  'review',
  'technical',
  'note',
  'tutorial',
  'viewpoint',
  'support',
  'problem',
  'support',
  'section',
  'website',
  'product',
  'service',
  'information',
  'section',
  'mdpi',
  'effect',
  'coastal',
  'erosion',
  'storm',
  'surge',
  'case',
  'study',
  'southern',
  'coast',
  'rhode',
  'island',
  'google',
  'scholar',
  'mohammad',
  'reza',
  'hashemimohammad',
  'reza',
  'hashemi',
  'scilit',
  'google',
  'scholar',
  '*',
  'malcolm',
  'spauldingmalcolm',
  'spaulding',
  'scilit',
  'google',
  'scholar',
  'bryan',
  'oakleybryan',
  'oakley',
  'scilit',
  'google',
  'scholar',
  'chris',
  'baxterchris',
  'baxter',
  'scilit',
  'author',
  'correspondence',
  'j.',
  'mar.',
  'sci',
  'eng',
  '.',
  'https://doi.org/10.3390/jmse4040085',
  'july',
  'october',
  'accepted',
  'november',
  'december',
  'article',
  'special',
  'issue',
  'selected',
  'papers',
  'estuarine',
  'coastal',
  'modeling',
  'conference',
  'abstract',
  'objective',
  'study',
  'effect',
  'shoreline',
  'retreat',
  'erosion',
  'flooding',
  'case',
  'study',
  'coast',
  'rhode',
  'island',
  'usa',
  'dataset',
  'adcirc',
  'model',
  'propagation',
  'storm',
  'surge',
  'area',
  'inlet',
  'pond',
  'methodology',
  'assessment',
  'trend',
  'shoreline',
  'retreat',
  'erosion',
  'area',
  'model',
  'erosion',
  'result',
  'storm',
  'year',
  'event',
  'dune',
  'area',
  'flooding',
  'extent',
  'erosion',
  'failure',
  'dune',
  'increase',
  'flooding',
  'extent',
  'storm',
  'dampening',
  'storm',
  'surge',
  'elevation',
  'pond',
  'storm',
  'inlet',
  'pond',
  'surge',
  'model',
  'shoreline',
  'change',
  'extent',
  'flooding',
  'accuracy',
  'storm',
  'surge',
  'model',
  'ability',
  'inlet',
  'storm',
  'surge',
  'prediction',
  'area',
  'inlet',
  'basin',
  'system',
  'keyword',
  'erosion',
  'pond',
  'storm',
  'surge',
  'flooding',
  'introductionthe',
  'northeast',
  'region',
  'rhode',
  'island',
  'hurricane',
  'past',
  'hurricane',
  'sandy',
  'climate',
  'change',
  'strength',
  'frequency',
  'event',
  'area',
  'risk',
  'sea',
  'level',
  'm',
  'northeast',
  'impact',
  'flooding',
  'flooding',
  'change',
  'bathymetry',
  'topography',
  'region',
  'erosion',
  'storm',
  'surge',
  'propagation',
  'storm',
  'surge',
  'erosion',
  'way',
  'storm',
  'wave',
  'force',
  'erosion',
  'erosion',
  'propagation',
  'storm',
  'surge',
  'extent',
  'flooding',
  'way',
  'interaction',
  'process',
  'model',
  'sediment',
  'transport',
  'bed',
  'level',
  'change',
  'model',
  'model',
  'case',
  'scenario',
  'erosion',
  'shoreline',
  'retreat',
  'rate',
  'method',
  'effect',
  'erosion',
  'flooding',
  'scenario',
  'case',
  'study',
  'coast',
  'rhode',
  'island',
  'figure',
  'pond',
  'barrier',
  'shoreline',
  'rate',
  'area',
  'm',
  'year',
  'dune',
  'storm',
  'event',
  'figure',
  'failure',
  'dune',
  'dynamic',
  'inlet',
  'basin',
  'pond',
  'system',
  'objective',
  'study',
  'effect',
  'erosion',
  'shoreline',
  'retreat',
  'storm',
  'surge',
  'study',
  'modeling',
  'analysis',
  'field',
  'datum',
  'section',
  'source',
  'datum',
  'hindcast',
  'study',
  'datum',
  'storm',
  'surge',
  'modeling',
  'study',
  'region',
  'section',
  'methodology',
  'shoreline',
  'retreat',
  'erosion',
  'detail',
  'adcirc',
  'advanced',
  'circulation',
  'model',
  'study',
  'area',
  'section',
  'scenario',
  'erosion',
  'storm',
  'surge',
  'section',
  'discussion',
  'summary',
  'result',
  'end',
  'datafrom',
  'july',
  'september',
  'woods',
  'hole',
  'group',
  'data',
  'collection',
  'program',
  'army',
  'corp',
  'engineers',
  'usace',
  'new',
  'england',
  'district',
  'wave',
  'tide',
  'current',
  'data',
  'collection',
  'washington',
  'county',
  'rhode',
  'island',
  'purpose',
  'work',
  'site',
  'datum',
  'ri',
  'regional',
  'sediment',
  'management',
  'study',
  'collection',
  'water',
  'elevation',
  'current',
  'wave',
  'datum',
  'study',
  'measurement',
  'water',
  'elevation',
  'pond',
  'figure',
  'wave',
  'current',
  'datum',
  'source',
  'effect',
  'inlet',
  'pond',
  'system',
  'water',
  'elevation',
  'area',
  'hurricane',
  'irene',
  'area',
  'observation',
  'period',
  'model',
  'validation',
  'simulation',
  'storm',
  'year',
  'event',
  'north',
  'atlantic',
  'coast',
  'comprehensive',
  'study',
  'naccs',
  'naccs',
  'system',
  'model',
  'adcirc',
  'wave',
  'model',
  'wam',
  'state',
  'wave',
  'model',
  'stwave',
  'wave',
  'field',
  'storm',
  'storm',
  'atlantic',
  'coast',
  'model',
  'resolution',
  'mesh',
  'm–50',
  'coast',
  'storm',
  'analysis',
  'storm',
  'naccs',
  'model',
  'result',
  'save',
  'point',
  'figure',
  'time',
  'series',
  'wind',
  'wave',
  'water',
  'level',
  'event',
  'period',
  'analysis',
  'storm',
  'datum',
  'model',
  'boundary',
  'storm',
  'year',
  'event',
  'point',
  'naccs',
  'pond',
  'year',
  'event',
  'storm',
  'naccs',
  'storm',
  'surge',
  'event',
  'water',
  'level',
  'year',
  'storm',
  'surge',
  'newport',
  'providence',
  'national',
  'oceanic',
  'atmospheric',
  'adminstration',
  'noaa',
  'water',
  'level',
  'station',
  'storm',
  'surge',
  'm',
  'mean',
  'sea',
  'level',
  'msl',
  'newport',
  'figure',
  'm',
  'msl',
  'm',
  'higher',
  'high',
  'water',
  'mhhw',
  'year',
  'event',
  'year',
  'event',
  '%',
  'confidence',
  'level',
  'erosion',
  'storm',
  'hurricane',
  'study',
  'validation',
  'hurricane',
  'irene',
  'august',
  'datum',
  'hurricane',
  'location',
  'model',
  'domain',
  'storm',
  'event',
  'hurricane',
  'bob',
  'storm',
  'august',
  'hurricane',
  'bob',
  'representation',
  'storm',
  'area',
  'barrier',
  'storm',
  'naccs',
  'storm',
  'year',
  'event',
  'planning',
  'purpose',
  'surge',
  'model',
  'bathymetry',
  'topography',
  'domain',
  'elevation',
  'model',
  'dem',
  'dem',
  'resolution',
  'm',
  'national',
  'geography',
  'data',
  'center',
  'ngdc',
  'bathymetry',
  'data',
  'usace',
  'light',
  'imaging',
  'detection',
  'lidar',
  'survey',
  'lidar',
  'survey',
  'coast',
  'km',
  'datum',
  'adcirc',
  'model',
  'usace',
  'wave',
  'information',
  'study',
  'wis',
  'domain',
  'wis',
  'datum',
  'period',
  'study',
  'wind',
  'field',
  'storm',
  'event',
  'interest',
  'model',
  'domain',
  'coast',
  'ri',
  'variability',
  'wind',
  'area',
  'year',
  'period',
  'hurricane',
  'bob',
  'land',
  'ri',
  'august',
  'hurricane',
  'bob',
  'representation',
  'storm',
  'area',
  'storm',
  'noaa',
  'tide',
  'gauge',
  'newport',
  'ri',
  'year',
  'event',
  'analysis',
  'site',
  'figure',
  'newport',
  'water',
  'elevation',
  'station',
  'station',
  'study',
  'area',
  'w',
  'n',
  'record',
  'hurricane',
  'wind',
  'field',
  'hurricane',
  'bob',
  'wis',
  'figure',
  'coastal',
  'erosion',
  'scenarioscoastal',
  'erosion',
  'scenario',
  'shoreline',
  'retreat',
  'erosion',
  'storm',
  'event',
  'shoreline',
  'retreat',
  'rate',
  'erosion',
  'rate',
  'erosion',
  'scenario',
  'dem',
  'rate',
  'rate',
  'erosion',
  'sea',
  'level',
  'rise',
  'slr',
  'assumption',
  'analysis',
  'research',
  'effect',
  'slr',
  'rate',
  'erosion',
  'shoreline',
  'retreat',
  'rate',
  'photograph',
  'figure',
  'shoreline',
  'storm',
  'weather',
  'trend',
  'shoreline',
  'retreat',
  'decade',
  'region',
  'shoreline',
  'retreat',
  'year',
  'shoreline',
  ...],
 ['arizona',
  'weathermansign',
  'originalbecome',
  'contributorsgo',
  'arizona',
  'weathermannewsbreak',
  'contributorarizona',
  'weatherman',
  'aka',
  'michael',
  'bielas',
  'year',
  'experience',
  'meteorologist',
  'weather',
  'consultant',
  'abundant',
  'sources',
  'llc',
  'az',
  'stem',
  'teacher',
  'news',
  'article',
  'arizona',
  'weather',
  'event',
  'aircraft',
  'benson',
  'az4',
  'k',
  'followersfollowon',
  'newsbreakcorrection',
  'raiden',
  'storm',
  'arizona',
  'monsoon',
  'season',
  'forecastarizona',
  'weatherman2023',
  'hurricane',
  'season',
  'forecast',
  'pacificphoto',
  'bynoaajournalistic',
  'integrity',
  'author',
  'information',
  'article',
  'mistake',
  'fact',
  'quote',
  'article',
  'journalist',
  'story',
  'public',
  'arizona',
  'weatherman',
  'commitment',
  'mistake',
  'arizona',
  'weatherman',
  'article',
  'updated',
  'arizona',
  'monsoon',
  'forecast',
  'discussion',
  'raiden',
  'storm',
  'raiden',
  'storm',
  'quote',
  'article',
  'monsoon',
  'june',
  'thunderstorm',
  'weather',
  'monsoon',
  'article',
  'raiden',
  'storm',
  'average',
  'rainfall',
  'arizona',
  'monsoon',
  'season',
  'raiden',
  'storm',
  'article',
  'quote',
  'article',
  'arizona',
  'monsoon',
  'forecast',
  'strong',
  'hurricane',
  'el',
  'nino',
  'influenced',
  'season',
  'water',
  'season',
  'year',
  'monsoon',
  'monsoon',
  'rainfall',
  'arizona',
  'monsoon',
  'season',
  'arizona',
  'weatherman',
  'monsoon',
  'forecast',
  'likelihood',
  'season',
  'el',
  'nino',
  'event',
  'arizona',
  '%',
  'el',
  'nino',
  'monsoon',
  'average',
  'rainfall',
  'rate',
  'monsoon',
  'arizona',
  'arizona',
  'weatherman',
  'climatologist',
  'meteorologist',
  'experience',
  'weather',
  'week',
  'arizona',
  'hurricane',
  'storm',
  'baja',
  'arizona',
  'rainfall',
  'raiden',
  'storm',
  'case',
  'forecast',
  'noaa',
  'season',
  'eastern',
  'pacific',
  'picture',
  'stage',
  'moisture',
  'arizona',
  'article',
  'noaa',
  'monsoon',
  'summer',
  'forecast',
  'dry',
  'couple',
  'season',
  'opposite',
  'raiden',
  'storm',
  'forecast',
  'monsoon',
  'season',
  'author',
  'arizona',
  'season',
  'year',
  'drought',
  'condition',
  'state',
  'line',
  'arizona',
  'monsoon',
  'season',
  'rainfall',
  'state',
  'raiden',
  'storm',
  'arizona',
  'weatherman',
  'potential',
  'forecasting',
  'event',
  'state',
  'arizona',
  'weatherman',
  'information',
  'public',
  'mistake',
  'future',
  'read',
  'story',
  'newsbreak',
  'appthis',
  'content',
  'newsbreak',
  'creator',
  'program',
  'today',
  'content',
  'comment',
  'thoughts?postcommunity',
  'policypublished',
  'weathermanarizona',
  'weatherman',
  'aka',
  'michael',
  'bielas',
  'year',
  'experience',
  'meteorologist',
  'weather',
  'consultant',
  'abundant',
  'sources',
  'llc',
  'az',
  'stem',
  'teacher',
  'news',
  'article',
  'arizona',
  'weather',
  'event',
  'aircraft',
  'benson',
  'az4',
  'k',
  'followersfollowon',
  'newsbreakmore',
  'arizona',
  'weathermanarizona',
  'state11',
  'hour',
  'trouble',
  'monsoon',
  'thunderstorm',
  'southern',
  'arizona',
  'weather',
  'condition',
  'possiblethe',
  'arizona',
  'weatherman',
  'area',
  'thunderstorm',
  'coverage',
  'arizona',
  'wednesday',
  'july',
  'initiation',
  'activity',
  'time',
  'intensity',
  'story',
  'commentssharephoenix',
  'az2',
  'day',
  'monsoon',
  'thunderstorm',
  'range',
  'outlook',
  'kick',
  'offthe',
  'arizona',
  'weatherman',
  'raiden',
  'storm',
  'arizona',
  'weather',
  'force',
  'discussion',
  'phoenix',
  'thunderstorm',
  'way',
  'metro',
  'area',
  'weekend',
  'change',
  'level',
  'flow',
  'thunderstorm',
  'phoenix',
  'spell',
  'area',
  'monsoon',
  'place',
  'arizona',
  'week',
  'july',
  'southern',
  'arizona',
  'mogollon',
  'rim',
  'southwest',
  'arizona',
  'region',
  'rain',
  'story',
  'commentssharearizona',
  'day',
  'agoarizona',
  'monsoon',
  'thunderstorm',
  'potential',
  'remain',
  'card',
  'arizona',
  'weatherman',
  'continuation',
  'arizona',
  'monsoon',
  'thunderstorm',
  'section',
  'state',
  'shift',
  'today',
  'thunderstorm',
  'bulk',
  'activity',
  'mogollon',
  'rim',
  'hour',
  'southern',
  'arizona',
  'weather',
  'stability',
  'index',
  'story',
  'commentssharearizona',
  'state4',
  'day',
  'agoarizona',
  'monsoon',
  'thunderstorm',
  'weekend',
  'weather',
  'rain',
  'phoenixaccording',
  'arizona',
  'weatherman',
  'arizona',
  'monsoon',
  'thunderstorm',
  'weekend',
  'activity',
  'mogollon',
  'rim',
  'section',
  'state',
  'possibility',
  'weather',
  'thunderstorm',
  'weather',
  'dynamic',
  'phoenix',
  'rain',
  'thunderstorm',
  'activity',
  'story',
  'commentssharearizona',
  'state5',
  'day',
  'agoeast',
  'update',
  'depression',
  'e',
  'impact',
  'arizona',
  'monsoon',
  'arizona',
  'weatherman',
  'east',
  'pacific',
  'basin',
  'update',
  'tropical',
  'depression',
  'e',
  'impact',
  'arizona',
  'monsoon',
  'thunderstorm',
  'depression',
  'mile',
  'tip',
  'baja',
  'california',
  'west',
  'northwest',
  'mph',
  'land',
  'mass',
  'arizona',
  'day',
  'depression',
  'strength',
  'saturday',
  'july',
  'story',
  'commentssharephoenix',
  'az6',
  'day',
  'rain',
  'southeastern',
  'arizona',
  'monsoon',
  'thunderstorm',
  'arizona',
  'weatherman',
  'july',
  'temperature',
  'rain',
  'phoenix',
  'metro',
  'area',
  'southwest',
  'arizona',
  'thunderstorm',
  'coverage',
  'rest',
  'state',
  'southeast',
  'arizona',
  'exception',
  'rule',
  'monsoon',
  'thunderstorm',
  'region',
  'story',
  'commentssharearizona',
  'state8',
  'day',
  'agomonsoon',
  'track',
  'weather',
  'southern',
  'arizona',
  'mogollon',
  'rimaccording',
  'arizona',
  'weatherman',
  'heat',
  'thunderstorm',
  'phoenix',
  'metro',
  'today',
  'monsoon',
  'thunderstorm',
  'picture',
  'area',
  'state',
  'pressure',
  'northeast',
  'change',
  'weather',
  'arizona',
  'thunderstorm',
  'activity',
  'weather',
  'potential',
  'south',
  'mogollon',
  'rim',
  'story',
  'commentssharephoenix',
  'az10',
  'day',
  'heatwave',
  'thunderstorm',
  'section',
  'arizona',
  'beginning',
  'week',
  'arizona',
  'weatherman',
  'heat',
  'thunderstorm',
  'phoenix',
  'metro',
  'monsoon',
  'thunderstorm',
  'tap',
  'section',
  'state',
  'longwave',
  'ridge',
  'pressure',
  'dome',
  'northeast',
  'day',
  'weather',
  'change',
  'arizona',
  'story',
  'commentssharearizona',
  'day',
  'arizona',
  'temperature',
  'pause',
  'monsoon',
  'thunderstorm',
  'weekendaccording',
  'arizona',
  'weatherman',
  'weekend',
  'july',
  'scorcher',
  'southern',
  'central',
  'arizona',
  'monsoon',
  'hold',
  'weekend',
  'thunderstorm',
  'activity',
  'south',
  'mogollon',
  'rim',
  'story',
  'commentssharearizona',
  'day',
  'agoarizona',
  'monsoon',
  'thunderstorm',
  'potential',
  'region',
  'state',
  'arizona',
  'weatherman',
  'arizona',
  'monsoon',
  'thunderstorm',
  'activity',
  'today',
  'july',
  'county',
  'pattern',
  'yesterday',
  'activity',
  'state',
  'coverage',
  'section',
  'state',
  'thunderstorm',
  'instability',
  'area',
  'phoenix',
  'metro',
  'area',
  'southwest',
  'arizona',
  'thunderstorm',
  'activity',
  'today',
  'tucson',
  'vicinity',
  'southeast',
  'evening',
  'hour',
  'story',
  'commentssharearizona',
  'state15',
  'day',
  'agotropical',
  'depression',
  'e',
  'form',
  'east',
  'pacific',
  'basin',
  'arizona',
  'depression',
  '3e',
  'start',
  'system',
  'east',
  'pacific',
  'basin',
  'spin',
  'system',
  'week',
  'national',
  'hurricane',
  'center',
  'nhc',
  'update',
  'system',
  'arizona',
  'story',
  'commentssharearizona',
  'day',
  'spread',
  'monsoon',
  'thunderstorm',
  'arizona',
  'mogollon',
  'rim',
  'arizona',
  'weatherman',
  'monsoon',
  'moisture',
  'thunderstorm',
  'activity',
  'state',
  'today',
  'july',
  'thunderstorm',
  'southeastern',
  'arizona',
  'mogollon',
  'rim',
  'dynamic',
  'activity',
  'state',
  'phoenix',
  'metro',
  'area',
  'southwest',
  'region',
  'thunderstorm',
  'activity',
  'today',
  'story',
  'commentssharearizona',
  'day',
  'agoarizona',
  'dust',
  'storm',
  'haboobs',
  'haboob',
  'term',
  'word',
  'origin',
  'american',
  'meteorological',
  'society',
  'dictionary',
  'sandstorm',
  'duststorm',
  'wind',
  'sand',
  'dust',
  'height',
  'm',
  'ft',
  'wall',
  'dust',
  'edge',
  'haboob',
  'definition',
  'storm',
  'thunderstorm',
  'outflow',
  'wind',
  'dust',
  'sand',
  'distance',
  'line',
  'feature',
  'thunderstorm',
  'activity',
  'visibility',
  'period',
  'minute',
  'hour',
  'story',
  'commentssharearizona',
  'day',
  'agosoutheastern',
  'arizona',
  'brace',
  'round',
  'thunderstorm',
  'rain',
  'wind',
  'arizona',
  'weatherman',
  'southeastern',
  'arizona',
  'area',
  'afternoon',
  'thunderstorm',
  'potential',
  'rain',
  'flooding',
  'wind',
  'thunderstorm',
  'cochise',
  'santa',
  'cruz',
  'southeast',
  'pima',
  'counties',
  'today',
  'story',
  'commentssharearizona',
  'day',
  'agoarizona',
  'impact',
  'weekend',
  'wildfire',
  'potential',
  'temperature',
  'thunderstorm',
  'southeast',
  'arizona',
  'weatherman',
  'wildfire',
  'potential',
  'central',
  'northern',
  'arizona',
  'temperature',
  'southern',
  'arizona',
  'thunderstorm',
  'potential',
  'southeastern',
  'arizona',
  'weekend',
  'pattern',
  'monsoon',
  'week',
  'start',
  'el',
  'nino',
  'year',
  'story',
  'commentssharearizona',
  'state21',
  'day',
  'agoheat',
  'dryness',
  'arizona',
  'monsoon',
  'system',
  'east',
  'pacific',
  'arizona',
  'weatherman',
  'eastern',
  'pacific',
  'basin',
  'start',
  'hurricane',
  'season',
  'storm',
  'week',
  'east',
  'pacific',
  'basin',
  'track',
  'storm',
  'rain',
  'thunderstorm',
  'activity',
  'section',
  'arizona',
  'start',
  'monsoon',
  'season',
  'arizona',
  'rain',
  'relief',
  'summer',
  'temperature',
  'southwest',
  'phoenix',
  'metro',
  'area',
  'story',
  'commentssharearizona',
  'state24',
  'day',
  'agoeast',
  'update',
  'storm',
  'temperature',
  'start',
  'arizona',
  'monsoon',
  'thunderstorm',
  'arizona',
  'weatherman',
  'ridging',
  'place',
  'southern',
  'arizona',
  'temperature',
  'rain',
  'week',
  'formation',
  'system',
  'end',
  'week',
  'chance',
  'thunderstorm',
  'activity',
  'southeastern',
  'arizona',
  'mogollon',
  'rim',
  'week',
  'story',
  'commentssharesierra',
  'vista',
  'az26',
  'agoarmy',
  'eye',
  'sky',
  'rq',
  '7b',
  'shadow',
  'unmanned',
  'aircraft',
  'system',
  'uas',
  'training',
  'unit',
  'fort',
  'huachuca',
  'arizonafor',
  'people',
  'fort',
  'huachuca',
  'sierra',
  'vista',
  'arizona',
  'thing',
  'mind',
  'army',
  'intelligence',
  'mission',
  'aircraft',
  'system',
  'uas',
  'plane',
  'drone',
  'medium',
  'eye',
  'sky',
  'aircraft',
  'battlefield',
  'information',
  'commander',
  'ground',
  'intelligence',
  'surveillance',
  'reconnaissance',
  'isr',
  'information',
  'sort',
  'fact',
  'force',
  'enemy',
  'troop',
  'movement',
  'troop',
  'number',
  'position',
  'terrorist',
  'roadside',
  'bomb',
  'example',
  'isr',
  'information',
  'story',
  'sharearizona',
  'state27',
  'day',
  'agosecond',
  'east',
  'pacific',
  'tropical',
  'storm',
  'beatriz',
  'way',
  'today',
  'monsoon',
  'thunderstorm',
  'impact',
  'arizonathe',
  'arizona',
  'weatherman',
  'east',
  'pacific',
  'tropical',
  'system',
  'update',
  'june',
  'impact',
  'thunderstorm',
  'arizona',
  'week',
  'hurricane',
  'adrian',
  'distance',
  'baja',
  'california',
  'peninsula',
  'west',
  'northwest',
  'mph',
  'impact',
  'arizona',
  'point',
  'land',
  'sea',
  'water',
  'weekend',
  'story',
  'commentssharecochise',
  'county',
  'az28',
  'day',
  'agocochise',
  'county',
  'arizona',
  'brace',
  'afternoon',
  'thunderstorm',
  'wildfire',
  'arizona',
  'weatherman',
  'thunderstorm',
  'cochise',
  'county',
  'southern',
  'graham',
  'county',
  'day',
  'june',
  'pm',
  'pm',
  'activity',
  'lightning',
  'rain',
  'wind',
  'vegetation',
  'wildfire',
  'potential',
  'area',
  'chance',
  'activity',
  'central',
  'cochise',
  'county',
  'naco',
  'douglas',
  'pearce',
  'willcox',
  'arizona',
  'model',
  'southern',
  'graham',
  'county',
  'activity',
  'state',
  'border',
  'story',
  'comment',
  '0closecommunity',
  'policy'],
 ['permission',
  'video',
  'dane',
  'county',
  'board',
  'contract',
  'violation',
  'ssm',
  'health',
  'gender',
  'surgery',
  'fog',
  'tomorrow',
  'day',
  'severe',
  't',
  'storm',
  'friday-',
  'greg',
  'july',
  'pm',
  'forecast',
  'news',
  'watch',
  'warnings',
  'warn',
  'weather',
  'app',
  'e',
  '-',
  'mail',
  'alert',
  'oh',
  'ohio',
  'west',
  'virginia',
  'storm',
  'damage',
  'oh',
  'power',
  'restoration',
  'effort',
  'damage',
  'assessment',
  'weather',
  'face',
  'floor',
  'blood',
  'man',
  'son',
  'cent',
  'complaint',
  'madison',
  'area',
  'marine',
  'marines',
  'car',
  'north',
  'carolina',
  'verona',
  'native',
  'marines',
  'carbon',
  'monoxide',
  'poisoning',
  'authority',
  'sinéad',
  'o’connor',
  'singer',
  'madison',
  'man',
  'child',
  'pornography',
  'charge',
  'jury',
  'green',
  'bay',
  'woman',
  'boyfriend',
  'opening',
  'weekend',
  'barbenheimer',
  'cinema',
  'attorney',
  'm',
  'settlement',
  'water',
  'system',
  'contamination',
  'chemical',
  'crossfit',
  'games',
  'return',
  'madison',
  'week',
  'time',
  'mallards',
  'wisconsin',
  'alumni',
  'association',
  'wisconsin',
  'night',
  'warner',
  'park',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  '',
  '',
  'info',
  'california',
  'privacy',
  'rights',
  'advertise',
  'fcc',
  'public',
  'files',
  'fcc',
  'applications',
  'switch',
  'account',
  'photo',
  'comment',
  'blog',
  'post',
  'email',
  'address',
  'account',
  'password',
  'email',
  'address',
  'account',
  'email',
  'detail',
  'password',
  'account',
  'log',
  'link',
  'form',
  'message',
  'email',
  'link',
  'password',
  'email',
  'message',
  'instruction',
  'password',
  'email',
  'address',
  'account',
  'log',
  'link',
  'switch',
  'account',
  'alabamaalaskaarizonaarkansascaliforniacoloradoconnecticutdelawarefloridageorgiahawaiiidahoillinoisindianaiowakansaskentuckylouisianamainemarylandmassachusettsmichiganminnesotamississippimissourimontananebraskanevadanew',
  'hampshirenew',
  'jerseynew',
  'mexiconew',
  'yorknorth',
  'carolinanorth',
  'dakotaohiooklahomaoregonpennsylvaniarhode',
  'islandsouth',
  'carolinasouth',
  'virginiawisconsinwyomingpuerto',
  'ricous',
  'virgin',
  'islandsarmed',
  'forces',
  'americasarmed',
  'forces',
  'pacificarmed',
  'forces',
  'europenorthern',
  'mariana',
  'islandsmarshall',
  'islandsamerican',
  'samoafederated',
  'states',
  'micronesiaguampalaualberta',
  'canadabritish',
  'columbia',
  'canadamanitoba',
  'canadanew',
  'brunswick',
  'canadanewfoundland',
  'canadanova',
  'scotia',
  'canadanorthwest',
  'territories',
  'canadanunavut',
  'canadaontario',
  'canadaprince',
  'edward',
  'island',
  'canadaquebec',
  'canadasaskatchewan',
  'canadayukon',
  'territory',
  'canada',
  'united',
  'states',
  'virgin',
  'islandsunited',
  'states',
  'minor',
  'outlying',
  'islandscanadamexico',
  'united',
  'mexican',
  'statesbahamas',
  'commonwealth',
  'thecuba',
  'republic',
  'ofdominican',
  'republichaiti',
  'republic',
  'ofjamaicaafghanistanalbania',
  'people',
  'socialist',
  'republic',
  'ofalgeria',
  'people',
  'democratic',
  'republic',
  'samoaandorra',
  'principality',
  'ofangola',
  'republic',
  'ofanguillaantarctica',
  'territory',
  'south',
  'deg',
  's)antigua',
  'barbudaargentina',
  'argentine',
  'republicarmeniaarubaaustralia',
  'commonwealth',
  'ofaustria',
  'republic',
  'ofazerbaijan',
  'republic',
  'ofbahrain',
  'kingdom',
  'ofbangladesh',
  'people',
  'republic',
  'ofbarbadosbelarusbelgium',
  'kingdom',
  'ofbelizebenin',
  'people',
  'republic',
  'ofbermudabhutan',
  'kingdom',
  'ofbolivia',
  'republic',
  'ofbosnia',
  'herzegovinabotswana',
  'republic',
  'ofbouvet',
  'island',
  'bouvetoya)brazil',
  'federative',
  'republic',
  'ofbritish',
  'indian',
  'ocean',
  'territory',
  'chagos',
  'virgin',
  'islandsbrunei',
  'darussalambulgaria',
  'people',
  'republic',
  'ofburkina',
  'fasoburundi',
  'republic',
  'ofcambodia',
  'kingdom',
  'ofcameroon',
  'united',
  'republic',
  'ofcape',
  'verde',
  'republic',
  'islandscentral',
  'african',
  'republicchad',
  'republic',
  'ofchile',
  'republic',
  'ofchina',
  'people',
  'republic',
  'ofchristmas',
  'islandcocos',
  'keeling',
  'islandscolombia',
  'republic',
  'ofcomoros',
  'union',
  'thecongo',
  'democratic',
  'republic',
  'ofcongo',
  'people',
  'republic',
  'ofcook',
  'islandscosta',
  'rica',
  'republic',
  'ofcote',
  "d'ivoire",
  'ivory',
  'coast',
  'republic',
  'thecyprus',
  'republic',
  'ofczech',
  'republicdenmark',
  'kingdom',
  'ofdjibouti',
  'republic',
  'ofdominica',
  'commonwealth',
  'ofecuador',
  'republic',
  'ofegypt',
  'arab',
  'republic',
  'ofel',
  'salvador',
  'republic',
  'ofequatorial',
  'guinea',
  'republic',
  'oferitreaestoniaethiopiafaeroe',
  'islandsfalkland',
  'islands',
  'malvinas)fiji',
  'republic',
  'fiji',
  'islandsfinland',
  'republic',
  'offrance',
  'republicfrench',
  'guianafrench',
  'polynesiafrench',
  'southern',
  'territoriesgabon',
  'gabonese',
  'republicgambia',
  'republic',
  'republic',
  'ofgibraltargreece',
  'hellenic',
  'republicgreenlandgrenadaguadaloupeguamguatemala',
  'republic',
  'ofguinea',
  'revolutionary',
  'people',
  "rep'c",
  'ofguinea',
  'bissau',
  'republic',
  'ofguyana',
  'republic',
  'ofheard',
  'mcdonald',
  'islandsholy',
  'vatican',
  'city',
  'state)honduras',
  'republic',
  'ofhong',
  'kong',
  'special',
  'administrative',
  'region',
  'chinahrvatska',
  'croatia)hungary',
  'people',
  'republiciceland',
  'republic',
  'ofindia',
  'republic',
  'ofindonesia',
  'republic',
  'ofiran',
  'islamic',
  'republic',
  'republic',
  'state',
  'italian',
  'republicjapanjordan',
  'hashemite',
  'kingdom',
  'ofkazakhstan',
  'republic',
  'ofkenya',
  'republic',
  'ofkiribati',
  'republic',
  'ofkorea',
  'democratic',
  'people',
  'republic',
  'ofkorea',
  'republic',
  'ofkuwait',
  'state',
  'ofkyrgyz',
  'republiclao',
  'people',
  'democratic',
  'republiclatvialebanon',
  'lebanese',
  'republiclesotho',
  'kingdom',
  'ofliberia',
  'republic',
  'arab',
  'jamahiriyaliechtenstein',
  'oflithuanialuxembourg',
  'grand',
  'duchy',
  'ofmacao',
  'special',
  'administrative',
  'region',
  'chinamacedonia',
  'yugoslav',
  'republic',
  'ofmadagascar',
  'republic',
  'ofmalawi',
  'republic',
  'ofmalaysiamaldives',
  'republic',
  'ofmali',
  'republic',
  'ofmalta',
  'republic',
  'ofmarshall',
  'islandsmartiniquemauritania',
  'islamic',
  'republic',
  'ofmauritiusmayottemicronesia',
  'federated',
  'states',
  'ofmoldova',
  'republic',
  'ofmonaco',
  'ofmongolia',
  'mongolian',
  'people',
  'republicmontserratmorocco',
  'kingdom',
  'ofmozambique',
  'people',
  'republic',
  'ofmyanmarnamibianauru',
  'republic',
  'ofnepal',
  'kingdom',
  'ofnetherlands',
  'antillesnetherlands',
  'kingdom',
  'thenew',
  'caledonianew',
  'zealandnicaragua',
  'republic',
  'ofniger',
  'republic',
  'thenigeria',
  'federal',
  'republic',
  'ofniue',
  'republic',
  'ofnorfolk',
  'islandnorthern',
  'mariana',
  'islandsnorway',
  'kingdom',
  'ofoman',
  'sultanate',
  'islamic',
  'republic',
  'ofpalaupalestinian',
  'territory',
  'occupiedpanama',
  'republic',
  'ofpapua',
  'new',
  'guineaparaguay',
  'republic',
  'ofperu',
  'republic',
  'ofphilippines',
  'republic',
  'thepitcairn',
  'islandpoland',
  'polish',
  'people',
  'republicportugal',
  'portuguese',
  'republicpuerto',
  'ricoqatar',
  'state',
  'socialist',
  'republic',
  'ofrussian',
  'federationrwanda',
  'rwandese',
  'republicsamoa',
  'independent',
  'state',
  'ofsan',
  'marino',
  'republic',
  'tome',
  'principe',
  'democratic',
  'republic',
  'ofsaudi',
  'arabia',
  'kingdom',
  'ofsenegal',
  'republic',
  'ofserbia',
  'montenegroseychelles',
  'republic',
  'ofsierra',
  'leone',
  'republic',
  'ofsingapore',
  'republic',
  'ofslovakia',
  'slovak',
  'republic)sloveniasolomon',
  'islandssomalia',
  'somali',
  'republicsouth',
  'africa',
  'republic',
  'ofsouth',
  'georgia',
  'south',
  'sandwich',
  'islandsspain',
  'spanish',
  'statesri',
  'lanka',
  'democratic',
  'socialist',
  'republic',
  'ofst',
  'helenast',
  'kitts',
  'nevisst',
  'luciast',
  'pierre',
  'miquelonst',
  'vincent',
  'grenadinessudan',
  'democratic',
  'republic',
  'thesuriname',
  'republic',
  'ofsvalbard',
  'jan',
  'mayen',
  'islandsswaziland',
  'kingdom',
  'ofsweden',
  'kingdom',
  'ofswitzerland',
  'swiss',
  'confederationsyrian',
  'arab',
  'republictaiwan',
  'province',
  'chinatajikistantanzania',
  'united',
  'republic',
  'ofthailand',
  'kingdom',
  'oftimor',
  'leste',
  'democratic',
  'republic',
  'oftogo',
  'togolese',
  'republictokelau',
  'tokelau',
  'islands)tonga',
  'kingdom',
  'oftrinidad',
  'tobago',
  'republic',
  'oftunisia',
  'republic',
  'ofturkey',
  'republic',
  'ofturkmenistanturks',
  'caicos',
  'islandstuvaluuganda',
  'republic',
  'arab',
  'emiratesunited',
  'kingdom',
  'great',
  'britain',
  'n.',
  'irelanduruguay',
  'eastern',
  'republic',
  'ofuzbekistanvanuatuvenezuela',
  'bolivarian',
  'republic',
  'ofviet',
  'nam',
  'socialist',
  'republic',
  'ofwallis',
  'futuna',
  'islandswestern',
  'saharayemenzambia',
  'republic',
  'state',
  'alabamaalaskaarizonaarkansascaliforniacoloradoconnecticutdelawarefloridageorgiahawaiiidahoillinoisindianaiowakansaskentuckylouisianamainemarylandmassachusettsmichiganminnesotamississippimissourimontananebraskanevadanew',
  'hampshirenew',
  'jerseynew',
  'mexiconew',
  'yorknorth',
  'carolinanorth',
  'dakotaohiooklahomaoregonpennsylvaniarhode',
  'islandsouth',
  'carolinasouth',
  'virginiawisconsinwyomingpuerto',
  'ricous',
  'virgin',
  'islandsarmed',
  'forces',
  'americasarmed',
  'forces',
  'pacificarmed',
  'forces',
  'europenorthern',
  'mariana',
  'islandsmarshall',
  'islandsamerican',
  'samoafederated',
  'states',
  'micronesiaguampalaualberta',
  'canadabritish',
  'columbia',
  'canadamanitoba',
  'canadanew',
  'brunswick',
  'canadanewfoundland',
  'canadanova',
  'scotia',
  'canadanorthwest',
  'territories',
  'canadanunavut',
  'canadaontario',
  'canadaprince',
  'edward',
  'island',
  'canadaquebec',
  'canadasaskatchewan',
  'canadayukon',
  'territory',
  'canada',
  'united',
  'states',
  'virgin',
  'islandsunited',
  'states',
  'minor',
  'outlying',
  'islandscanadamexico',
  'united',
  'mexican',
  'statesbahamas',
  'commonwealth',
  'thecuba',
  'republic',
  'ofdominican',
  'republichaiti',
  'republic',
  'ofjamaicaafghanistanalbania',
  'people',
  'socialist',
  'republic',
  'ofalgeria',
  'people',
  'democratic',
  'republic',
  'samoaandorra',
  'principality',
  'ofangola',
  'republic',
  'ofanguillaantarctica',
  'territory',
  'south',
  'deg',
  's)antigua',
  'barbudaargentina',
  'argentine',
  'republicarmeniaarubaaustralia',
  'commonwealth',
  'ofaustria',
  'republic',
  'ofazerbaijan',
  'republic',
  'ofbahrain',
  'kingdom',
  'ofbangladesh',
  'people',
  'republic',
  'ofbarbadosbelarusbelgium',
  'kingdom',
  'ofbelizebenin',
  'people',
  'republic',
  'ofbermudabhutan',
  'kingdom',
  'ofbolivia',
  'republic',
  'ofbosnia',
  'herzegovinabotswana',
  'republic',
  'ofbouvet',
  'island',
  'bouvetoya)brazil',
  'federative',
  'republic',
  'ofbritish',
  'indian',
  'ocean',
  'territory',
  'chagos',
  'virgin',
  'islandsbrunei',
  'darussalambulgaria',
  'people',
  'republic',
  'ofburkina',
  'fasoburundi',
  'republic',
  'ofcambodia',
  'kingdom',
  'ofcameroon',
  'united',
  'republic',
  'ofcape',
  'verde',
  'republic',
  'islandscentral',
  'african',
  'republicchad',
  'republic',
  'ofchile',
  'republic',
  'ofchina',
  'people',
  'republic',
  'ofchristmas',
  'islandcocos',
  'keeling',
  'islandscolombia',
  'republic',
  'ofcomoros',
  'union',
  'thecongo',
  'democratic',
  'republic',
  'ofcongo',
  'people',
  'republic',
  'ofcook',
  'islandscosta',
  'rica',
  'republic',
  'ofcote',
  "d'ivoire",
  'ivory',
  'coast',
  'republic',
  'thecyprus',
  'republic',
  'ofczech',
  'republicdenmark',
  'kingdom',
  'ofdjibouti',
  'republic',
  'ofdominica',
  'commonwealth',
  'ofecuador',
  'republic',
  'ofegypt',
  'arab',
  'republic',
  'ofel',
  'salvador',
  'republic',
  'ofequatorial',
  'guinea',
  'republic',
  'oferitreaestoniaethiopiafaeroe',
  'islandsfalkland',
  'islands',
  'malvinas)fiji',
  'republic',
  'fiji',
  'islandsfinland',
  'republic',
  'offrance',
  'republicfrench',
  'guianafrench',
  'polynesiafrench',
  'southern',
  'territoriesgabon',
  'gabonese',
  'republicgambia',
  'republic',
  'republic',
  'ofgibraltargreece',
  'hellenic',
  'republicgreenlandgrenadaguadaloupeguamguatemala',
  'republic',
  'ofguinea',
  'revolutionary',
  'people',
  "rep'c",
  'ofguinea',
  'bissau',
  'republic',
  'ofguyana',
  'republic',
  'ofheard',
  'mcdonald',
  'islandsholy',
  'vatican',
  'city',
  'state)honduras',
  'republic',
  'ofhong',
  'kong',
  'special',
  'administrative',
  'region',
  'chinahrvatska',
  'croatia)hungary',
  'people',
  'republiciceland',
  'republic',
  'ofindia',
  'republic',
  'ofindonesia',
  'republic',
  'ofiran',
  'islamic',
  'republic',
  'republic',
  'state',
  'italian',
  'republicjapanjordan',
  'hashemite',
  'kingdom',
  'ofkazakhstan',
  'republic',
  'ofkenya',
  'republic',
  'ofkiribati',
  'republic',
  'ofkorea',
  'democratic',
  'people',
  'republic',
  'ofkorea',
  'republic',
  'ofkuwait',
  'state',
  'ofkyrgyz',
  'republiclao',
  'people',
  'democratic',
  'republiclatvialebanon',
  'lebanese',
  'republiclesotho',
  'kingdom',
  'ofliberia',
  'republic',
  'arab',
  'jamahiriyaliechtenstein',
  'oflithuanialuxembourg',
  'grand',
  'duchy',
  'ofmacao',
  'special',
  'administrative',
  'region',
  'chinamacedonia',
  'yugoslav',
  'republic',
  'ofmadagascar',
  'republic',
  'ofmalawi',
  'republic',
  'ofmalaysiamaldives',
  'republic',
  'ofmali',
  'republic',
  'ofmalta',
  'republic',
  'ofmarshall',
  'islandsmartiniquemauritania',
  'islamic',
  'republic',
  'ofmauritiusmayottemicronesia',
  'federated',
  'states',
  'ofmoldova',
  'republic',
  'ofmonaco',
  'ofmongolia',
  'mongolian',
  'people',
  'republicmontserratmorocco',
  'kingdom',
  'ofmozambique',
  'people',
  'republic',
  'ofmyanmarnamibianauru',
  'republic',
  'ofnepal',
  'kingdom',
  'ofnetherlands',
  'antillesnetherlands',
  'kingdom',
  'thenew',
  'caledonianew',
  'zealandnicaragua',
  'republic',
  'ofniger',
  'republic',
  'thenigeria',
  'federal',
  'republic',
  'ofniue',
  'republic',
  'ofnorfolk',
  'islandnorthern',
  'mariana',
  'islandsnorway',
  'kingdom',
  'ofoman',
  'sultanate',
  'islamic',
  'republic',
  'ofpalaupalestinian',
  'territory',
  'occupiedpanama',
  'republic',
  'ofpapua',
  'new',
  'guineaparaguay',
  'republic',
  'ofperu',
  'republic',
  'ofphilippines',
  'republic',
  'thepitcairn',
  'islandpoland',
  'polish',
  'people',
  'republicportugal',
  'portuguese',
  'republicpuerto',
  'ricoqatar',
  'state',
  'socialist',
  'republic',
  'ofrussian',
  'federationrwanda',
  'rwandese',
  'republicsamoa',
  'independent',
  'state',
  'ofsan',
  'marino',
  'republic',
  'tome',
  'principe',
  'democratic',
  'republic',
  ...],
 ['hunter',
  'biden',
  'plea',
  'deal',
  'ufo',
  'takeaway',
  'whistleblower',
  'congress',
  'uap',
  'sinéad',
  "o'connor",
  'grammy',
  'singer',
  'netherlands',
  'u.s.',
  'draw',
  'rematch',
  'world',
  'cup',
  'federal',
  'reserve',
  'interest',
  'rate',
  'level',
  'year',
  'niger',
  'president',
  'guard',
  'coup',
  'ohio',
  'officer',
  'k-9',
  'man',
  'hand',
  'story',
  'tic',
  'tac',
  'ufo',
  'california',
  'rain',
  'round',
  'storm',
  'january',
  'pm',
  'cbs',
  'ap',
  'storm',
  'california',
  'storm',
  'california',
  'flooding',
  'woe',
  'series',
  'storm',
  'river',
  'california',
  'saturday',
  'state',
  'rain',
  'flooding',
  'damage',
  'thousand',
  'news',
  'conference',
  'saturday',
  'merced',
  'county',
  'california',
  'gov.',
  'gavin',
  'newsom',
  'storm',
  'death',
  'series',
  'river',
  'region',
  'atmosphere',
  'transport',
  'water',
  'storm',
  'california',
  'dec.',
  'newsom',
  'saturday',
  'california',
  'river',
  'pedestrian',
  'driftwood',
  'storm',
  'debris',
  'capitola',
  'beach',
  'capitola',
  'california',
  'jan.',
  'nic',
  'coury',
  'bloomberg',
  'getty',
  'images',
  'governor',
  'gallon',
  'rain',
  'state',
  'storm',
  'week',
  'stacking',
  'river',
  'like',
  'lifetime',
  'reality',
  'river',
  'newsom',
  'reporter',
  'point',
  'time',
  'people',
  'vigilance',
  'sense',
  'hour',
  'biden',
  'saturday',
  'night',
  'disaster',
  'declaration',
  'california',
  'thing',
  'declaration',
  'funding',
  'resident',
  'business',
  'merced',
  'sacramento',
  'santa',
  'cruz',
  'county',
  'recovery',
  'effort',
  'home',
  'repair',
  'aid',
  'grant',
  'loan',
  'crews',
  'saturday',
  'search',
  'year',
  'boy',
  'floodwater',
  'monday',
  'san',
  'marcos',
  'creek',
  'san',
  'miguel',
  'water',
  'level',
  'weather',
  'condition',
  'san',
  'luis',
  'obispo',
  'county',
  'sheriff',
  'office',
  'update',
  'search',
  'year',
  'kyle',
  'doanwater',
  'level',
  'weather',
  'condition',
  'type',
  'search',
  'activity',
  'today',
  'decision',
  'day',
  'day',
  'basis',
  'search',
  'weather',
  'condition',
  'pic.twitter.com/tiqha808yy',
  'slo',
  'county',
  'sheriff',
  '@slosheriff',
  'january',
  'customer',
  'california',
  'power',
  'saturday',
  'afternoon',
  'outage',
  'tracking',
  'website',
  'flood',
  'warning',
  'region',
  'san',
  'francisco',
  'bay',
  'marin',
  'napa',
  'sonoma',
  'mendocino',
  'county',
  'warning',
  'county',
  'san',
  'mateo',
  'santa',
  'cruz',
  'community',
  'felton',
  'grove',
  'san',
  'lorenzo',
  'river',
  'evacuation',
  'order',
  'resident',
  'wilton',
  'area',
  'sacramento',
  'county',
  'authority',
  'threat',
  'flooding',
  'cosumnes',
  'river',
  'flooding',
  'sacramento',
  'county',
  'office',
  'emergency',
  'services',
  'resident',
  'san',
  'benito',
  'county',
  'san',
  'jose',
  'salinas',
  'river',
  'farmland',
  'monterey',
  'county',
  'east',
  'flood',
  'warning',
  'effect',
  'merced',
  'county',
  'central',
  'valley',
  'pedestrian',
  'floodwater',
  'aptos',
  'california',
  'jan.',
  'nic',
  'coury',
  'bloomberg',
  'getty',
  'images',
  'slick',
  'road',
  'snow',
  'whiteout',
  'condition',
  'highway',
  'sierra',
  'nevada',
  'uc',
  'berkeley',
  'central',
  'sierra',
  'snow',
  'lab',
  'saturday',
  'morning',
  'inch',
  'snow',
  'hour',
  'snowpack',
  'foot',
  'foot',
  'monday',
  'backcountry',
  'avalanche',
  'warning',
  'sierra',
  'lake',
  'tahoe',
  'area',
  'santa',
  'barbara',
  'county',
  'debris',
  'flow',
  'community',
  'montecito',
  'people',
  'jan.',
  'resident',
  'evacuation',
  'montecito',
  'area',
  'monday',
  'anniversary',
  'debris',
  'flow',
  'community',
  'foothill',
  'mountain',
  'harm',
  'day',
  'week',
  'forecast',
  'california',
  'tuesday',
  'end',
  'month',
  'san',
  'francisco',
  'bay',
  'area',
  'weather',
  'office',
  'ufo',
  'takeaway',
  'whistleblower',
  'congress',
  'uap',
  'hunter',
  'biden',
  'plea',
  'deal',
  'story',
  'tic',
  'tac',
  'ufo',
  'sighting',
  'hammerhead',
  'worm',
  'january',
  'pm',
  'cbs',
  'interactive',
  'inc.',
  'rights',
  'material',
  'associated',
  'press',
  'report',
  'thank',
  'cbs',
  'news',
  'account',
  'feature',
  'email',
  'address',
  'email',
  'address',
  'storm',
  'wind',
  'minnesota',
  'lightning',
  'house',
  'fire',
  'metro',
  'illinois',
  'emergency',
  'team',
  'chicago',
  'area',
  'flood',
  'damage',
  'tuesday',
  'fema',
  'crew',
  'flooding',
  'damage',
  'austin',
  'week',
  'storm',
  'official',
  'damage',
  'flooding',
  'month',
  'west',
  'resident',
  'help',
  'copyright',
  'cbs',
  'interactive',
  'inc.',
  'right',
  'privacy',
  'policy',
  'california',
  'notice',
  'personal',
  'information',
  'terms',
  'use',
  'advertise',
  'captioning',
  'cbs',
  'news',
  'paramount+',
  'cbs',
  'news',
  'store',
  'site',
  'map',
  'contact',
  'browser',
  'notification',
  'news',
  'event',
  'reporting'],
 ['donor',
  'plaza',
  'conference',
  'room',
  'big',
  'brothers',
  'big',
  'sisters',
  'mississippi',
  'valley',
  'rock',
  'falls',
  'police',
  'department',
  'speeder',
  'heat',
  'advisory',
  'friday',
  'temperature',
  '°',
  'heat',
  'week',
  'culprit',
  'weather',
  'weather',
  'service',
  'tornado',
  'friday',
  'night',
  'storm',
  'evidence',
  'ef-2',
  'tornado',
  'damage',
  'wind',
  'mph',
  'grand',
  'mound',
  'charlotte',
  'iowa',
  'example',
  'video',
  'title',
  'video',
  'cdt',
  'april',
  'pm',
  'cdt',
  'april',
  'grand',
  'mound',
  'iowa',
  'team',
  'u.s.',
  'national',
  'weather',
  'service',
  'office',
  'quad',
  'cities',
  'finding',
  'tornado',
  'jackson',
  'clinton',
  'county',
  'iowa',
  'friday',
  'evening',
  'sunday',
  'afternoon',
  'nws',
  'tornado',
  'damage',
  'tornado',
  'wind',
  'mph',
  'dozen',
  'people',
  'injury',
  'storm',
  'tornado',
  'tipton',
  'cedar',
  'county',
  'iowa',
  'p.m.',
  'mile',
  'northeast',
  'bennett',
  'iowa',
  'damage',
  'home',
  'town',
  'semi',
  'interstate',
  'block',
  'silo',
  'damage',
  'people',
  'width',
  'tornado',
  'yard',
  'peak',
  'wind',
  'speed',
  'mph',
  'ef-2',
  'tornado',
  'enhanced',
  'fujita',
  'scale',
  'example',
  'video',
  'title',
  'video',
  'tornado',
  'grand',
  'mound',
  'iowa',
  'p.m.',
  'wind',
  'mph',
  'mile',
  'northeast',
  'charlotte',
  'iowa',
  'weather',
  'service',
  'expert',
  'damage',
  'path',
  'house',
  'charlotte',
  'house',
  'foundation',
  'people',
  'house',
  'grand',
  'mound',
  'person',
  'hospital',
  'injury',
  'tornado',
  'jackson',
  'county',
  'iowa',
  'mile',
  'andrew',
  'p.m.',
  'mile',
  'path',
  'yard',
  'cottonville',
  'p.m.',
  'roof',
  'wall',
  'street',
  'tree',
  'damage',
  'tornado',
  'ef-1',
  'bellevue',
  'iowa',
  'jackson',
  'county',
  'p.m.',
  'wind',
  'mph',
  'tornado',
  'mile',
  'northeast',
  'mississippi',
  'river',
  'hanover',
  'illinois',
  'rv',
  'park',
  'cabin',
  'damage',
  'rv',
  'people',
  'number',
  'tornado',
  'storm',
  'survey',
  'day',
  'update',
  'information',
  'injury',
  'clinton',
  'county',
  'weather',
  'house',
  'people',
  'team',
  'tornado',
  'damage',
  'strength',
  '►',
  'wqad',
  'news',
  'app',
  '►',
  'subscribe',
  'newsletter',
  '►',
  'subscribe',
  'youtube',
  'channel',
  'eeo',
  'public',
  'file',
  'report',
  'fcc',
  'online',
  'public',
  'inspection',
  'file',
  'closed',
  'caption',
  'procedure',
  'personal',
  'information',
  'wqad',
  'tv',
  'rights',
  'notification',
  'news',
  'weather',
  'notification',
  'browser',
  'setting'],
 ['newscommunity',
  'cornercrime',
  'safetypolitics',
  'governmentschoolstraffic',
  'transitobituariespersonal',
  'financebest',
  'ofarts',
  'entertainmentbusinesshealth',
  'wellnesshome',
  'gardensportstravelkids',
  'familypetsrestaurants',
  'barslocalstreamsee',
  'communitiesbaltimore',
  'mdnorth',
  'baltimore',
  'mdarbutus',
  'mddundalk',
  'mdcatonsville',
  'mdtowson',
  'mdparkville',
  'overlea',
  'mdpikesville',
  'mdglen',
  'burnie',
  'mdelkridge',
  'mdstate',
  'editionmarylandnational',
  'editiontop',
  'national',
  'newssee',
  'communities0weatherstorm',
  'bring',
  'tornado',
  'threat',
  'high',
  'wind',
  'md',
  'saturdayforecasters',
  'storm',
  'tornado',
  'risk',
  'maryland',
  'state',
  'wind',
  'warning',
  'saturday',
  'deb',
  'belt',
  'patch',
  'staffposted',
  'sat',
  'apr',
  'pm',
  'etreply',
  'forecasters',
  'storm',
  'tornado',
  'risk',
  'maryland',
  'state',
  'wind',
  'warning',
  'saturday',
  'midnight',
  'wind',
  'gust',
  'mph',
  'system',
  'thunderstorm',
  'tornado',
  'people',
  'friday',
  'midwest',
  'south',
  'wind',
  'weather',
  'threat',
  'maryland',
  'saturday',
  'national',
  'weather',
  'service',
  'forecast',
  'nws',
  'saturday',
  'saturday',
  'evening',
  'shower',
  'thunderstorm',
  'tornado',
  'maryland',
  'forecaster',
  'temperature',
  'week',
  'weather',
  'nws',
  'marylandwith',
  'time',
  'update',
  'patch',
  'subscribea',
  'wind',
  'warning',
  'effect',
  'state',
  'midnight',
  'national',
  'weather',
  'service',
  'wind',
  'mph',
  'gust',
  'mph',
  'day',
  'gust',
  'mph',
  'saturday',
  'marylandwith',
  'time',
  'update',
  'patch',
  'subscribeareas',
  'wind',
  'warning',
  'cecil',
  'baltimore',
  'prince',
  'george',
  'anne',
  'arundel',
  'charles',
  'calvert',
  'montgomery',
  'howard',
  'harford',
  'county',
  'dead',
  'midwest',
  'south',
  'tornado',
  'outbreak',
  'storm',
  'comecommunities',
  'warning',
  'frederick',
  'eldersburg',
  'westminster',
  'reisterstown',
  'cockeysville',
  'elkton',
  'baltimore',
  'bowie',
  'suitland',
  'silver',
  'hill',
  'clinton',
  'college',
  'park',
  'greenbelt',
  'laurel',
  'camp',
  'springs',
  'glen',
  'burnie',
  'annapolis',
  'severn',
  'south',
  'gate',
  'severna',
  'park',
  'arnold',
  'odenton',
  'st.',
  'charles',
  'waldorf',
  'chesapeake',
  'beach',
  'huntingtown',
  'dunkirk',
  'north',
  'beach',
  'lusby',
  'germantown',
  'damascus',
  'bethesda',
  'rockville',
  'gaithersburg',
  'silver',
  'spring',
  'lisbon',
  'columbia',
  'ellicott',
  'city',
  'jarrettsville',
  'aberdeen',
  'wind',
  'tree',
  'power',
  'line',
  'weather',
  'service',
  'power',
  'outage',
  'travel',
  'profile',
  'vehicle',
  'national',
  'weather',
  'service',
  'look',
  'forecast',
  'maryland',
  'weekend',
  'saturday',
  'shower',
  'thunderstorm',
  'pm',
  'breezy',
  'wind',
  'mph',
  'gust',
  'mph',
  'chance',
  'precipitation',
  '%',
  'rainfall',
  'tenth',
  'inch',
  'thunderstorm',
  'saturday',
  'night',
  'shower',
  'thunderstorm',
  'midnight',
  'windy',
  'wind',
  'mph',
  'gust',
  'mph',
  'chance',
  'precipitation',
  '%',
  'sunday',
  'breezy',
  'wind',
  'mph',
  'mph',
  'afternoon',
  'wind',
  'mph',
  'sunday',
  'night',
  'clear',
  'wind',
  'mph',
  'monday',
  'wind',
  'mph',
  'gust',
  'mph',
  'news',
  'inbox',
  'sign',
  'patch',
  'newsletter',
  'alert',
  'sharestorm',
  'brings',
  'tornado',
  'threat',
  'high',
  'wind',
  'md',
  'saturdaythe',
  'rule',
  'space',
  'discussion',
  'language',
  'claim',
  'reply',
  'topic',
  'patch',
  'community',
  'guidelines',
  'reply',
  'articlereplymore',
  'marylandarts',
  'entertainment',
  '6dworld',
  'rubber',
  'duck',
  'waddle',
  'md',
  'special',
  'eventscommunity',
  'm',
  'powerball',
  'ticket',
  'md',
  'ticketsweather',
  'jul',
  'md',
  'drought',
  'watch',
  'resident',
  'watertrending',
  'patchacross',
  'america',
  'newssinéad',
  'o’connor',
  'nj',
  "news'finding",
  'nemo',
  'tiktok',
  'promo',
  'brick',
  'theatre',
  'group',
  'memeacross',
  'america',
  'newsdelta',
  'aquariid',
  'perseid',
  'meteor',
  'showers',
  'ramp',
  'fireballsbaltimore',
  'md',
  'newsmustard',
  'skittle',
  'debut',
  'national',
  'mustard',
  'dayacross',
  'america',
  'newsmodern',
  'homes',
  'pool',
  'art',
  'housebest',
  'marylandacross',
  'maryland',
  'travelmaryland',
  'road',
  'trip',
  'horse',
  'haunted',
  'placesacross',
  'maryland',
  'travel10',
  'maryland',
  'best',
  'summer',
  'activity',
  'photosacross',
  'maryland',
  '',
  '',
  'travelphotos',
  'iconic',
  'landmarks',
  'md',
  'yourcommunity',
  'patch',
  'appcorporate',
  'infoabout',
  'patchcareerspartnershipsadvertise',
  'patchsupportfaqscontact',
  'patchcommunity',
  'guidelinesposting',
  'instructionsterms',
  'useprivacy',
  'policy',
  'patch',
  'media',
  'rights'],
 ['local',
  'news',
  'digital',
  'originals',
  'central',
  'illinois',
  'newsday',
  'record',
  'illinois',
  'news',
  'national',
  'news',
  'political',
  'news',
  'politics',
  'hill',
  'washington',
  'd.c.',
  'bureau',
  'local',
  'election',
  'headquarters',
  'illinois',
  'capitol',
  'news',
  'entertainment',
  'news',
  'business',
  'news',
  'world',
  'news',
  'health',
  'news',
  'wmbd',
  'morning',
  'good',
  'day',
  'central',
  'illinois',
  'mr.',
  'food',
  'automotive',
  'news',
  'press',
  'coronavirus',
  'newsletter',
  'illinois',
  'liquor',
  'commission',
  'citizen',
  'alcohol',
  'imec',
  'peoria',
  'innovation',
  'center',
  'temperature',
  'week',
  'weather',
  'podcast',
  'closings',
  'delay',
  'closings',
  'login',
  'interactive',
  'radar',
  'weather',
  'alerts',
  'weather',
  'blog',
  'weather',
  'cameras',
  'local',
  'sports',
  'high',
  'school',
  'sports',
  'national',
  'sports',
  'extra',
  'effort',
  'award',
  'ciproud',
  'blitz',
  'brimfield',
  'grad',
  'reid',
  'lune',
  'father',
  'prep',
  'sport',
  'recap',
  'july',
  'teammate',
  'tessa',
  'wmbd',
  'sports',
  'recap',
  'team',
  'tessa',
  'tourney',
  'on-7',
  'current',
  'peoria',
  'high',
  'star',
  'lion',
  'highlights',
  'wmbd',
  'holiday',
  'vacations',
  'trip',
  'ci',
  'heroes',
  'ci',
  'road',
  'trip',
  'destination',
  'illinois',
  'community',
  'calendar',
  'horoscopes',
  'lottery',
  'nexstar',
  'digital',
  'bestreviews',
  'bestreviews',
  'daily',
  'deal',
  'open',
  'business',
  'jobs',
  'job',
  'post',
  'job',
  'work',
  'wmbd',
  'tv',
  'sponsored',
  'content',
  'meet',
  'team',
  'newletter',
  'signup',
  'wmbd',
  'wyzz',
  'mobile',
  'apps',
  'tv',
  'schedule',
  'contact',
  'advertise',
  '-',
  'tv',
  'regional',
  'news',
  'partners',
  'bestreviews',
  'storm',
  'weather',
  'damage',
  'central',
  'illinois',
  'jun',
  'pm',
  'cdt',
  'jun',
  'pm',
  'cdt',
  'jun',
  'pm',
  'cdt',
  'jun',
  'pm',
  'cdt',
  'peoria',
  'ill.',
  'wmbd',
  'weather',
  'illinois',
  'thursday',
  'chance',
  'line',
  'wind',
  'baseball',
  'hail',
  'area',
  'national',
  'weather',
  'service',
  'lincoln',
  'storm',
  'missouri',
  'iowa',
  'threat',
  'hail',
  'wind',
  'spot',
  'mph',
  'tornado',
  'timing',
  'storm',
  'illinois',
  'river',
  'p.m.',
  'interstate',
  'condition',
  'wildfire',
  'canada',
  'storm',
  'temperature',
  'mid-80',
  '90',
  'storm',
  'illinois',
  'resident',
  'power',
  'line',
  'tree',
  'branch',
  'picture',
  'viewer',
  'listener',
  'area',
  'apple',
  'hail',
  'congervilledowned',
  'tree',
  'tree',
  'clinton',
  'boulevard',
  'bloomingtontree',
  'clinton',
  'boulevard',
  'bloomingtonminor',
  'storm',
  'damage',
  'springfield',
  'ill.',
  'june',
  '2023a',
  'rain',
  'gauge',
  'dunlap',
  'ill.',
  'p.m.',
  'june',
  'storm',
  'area',
  'tree',
  'branch',
  'road',
  'intersection',
  'school',
  'lincoln',
  'street',
  'normal',
  'june',
  'report',
  'tree',
  'peoria',
  'county',
  'smithville',
  'road',
  'highway',
  'department',
  'crew',
  'roadway',
  'vehicle',
  'debris',
  'highway',
  'department',
  'facebook',
  'page).a',
  'tree',
  'knoxville',
  'avenue',
  'crestwood',
  'drive',
  'trampoline',
  'robein',
  'neighborhood',
  'east',
  'peoria',
  'storm',
  'june',
  'photo',
  'megan',
  'biezepeoria',
  'county',
  'highway',
  'crew',
  'photo',
  'kickapoo',
  'creek',
  'road',
  'june',
  'storm',
  'illinois',
  'tree',
  'west',
  'bridalwood',
  'drive',
  'peoria',
  'storm',
  'thursday',
  'june',
  'photo',
  'tim',
  'rosenburger',
  'tree',
  'wood',
  'street',
  'washington',
  'storm',
  'region',
  'june',
  'photo',
  'kelly',
  'bay',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'amazon',
  'school',
  'deal',
  'schooler',
  'school',
  'corner',
  'amazon',
  'supply',
  'school',
  'deal',
  'supply',
  'schooler',
  'august',
  'vegetable',
  'flower',
  'flower',
  'plant',
  'hour',
  'soil',
  'air',
  'temperature',
  'sunshine',
  'august',
  'month',
  'planting',
  'chemical',
  'guys',
  'kit',
  'car',
  'car',
  'care',
  'hour',
  'chemical',
  'guys',
  'car',
  'wash',
  'kit',
  'time',
  'deal',
  'samsung',
  'galaxy',
  'phone',
  'cell',
  'phones',
  'accessories',
  'hour',
  'samsung',
  'addition',
  'galaxy',
  'family',
  'samsung',
  'hitter',
  'electronic',
  'game',
  'smartphone',
  'smartwatche',
  'tablet',
  'line',
  'quality',
  'gadget',
  'nordstrom',
  'anniversary',
  'sale',
  'school',
  'school',
  'era',
  'blessing',
  'parent',
  'college',
  'student',
  'shop',
  'nordstrom',
  'anniversary',
  'sale',
  'school',
  'purchase',
  'desk',
  'treadmill',
  'computer',
  'accessories',
  'peripherals',
  'hour',
  'home',
  'activity',
  'level',
  'desk',
  'treadmill',
  'solution',
  'wendy',
  'menu',
  'item',
  'taco',
  'bell',
  'coffee',
  'accessories',
  'hour',
  'type',
  'food',
  'taco',
  'bell',
  'doubt',
  'wendy',
  'menu',
  'item',
  'try',
  'end',
  'piece',
  'golf',
  'gear',
  'national',
  'golf',
  'month',
  'august',
  'year',
  'time',
  'end',
  'golf',
  'equipment',
  'apparel',
  'helmet',
  'youth',
  'football',
  'player',
  'sport',
  'tackle',
  'football',
  'step',
  'flag',
  'football',
  'youth',
  'player',
  'helmet',
  'head',
  'school',
  'school',
  'deal',
  'kind',
  'item',
  'workbook',
  'pen',
  'lunch',
  'box',
  'water',
  'bottle',
  'climbing',
  'glove',
  'people',
  'skill',
  'fitness',
  'gear',
  'hour',
  'glove',
  'option',
  'style',
  'glove',
  'climbing',
  'hydration',
  'pack',
  'day',
  'today',
  'hydration',
  'pack',
  'hydration',
  'pack',
  'pick',
  'book',
  'family',
  'audio',
  'video',
  'accessories',
  'hour',
  'team',
  'expert',
  'steam',
  'iron',
  'model',
  'don’t',
  'steam',
  'iron',
  'review',
  'french',
  'eyebrow',
  'debut',
  'mustard',
  'skittles',
  'skittle',
  'french',
  'mustard',
  'candy',
  'skin',
  'care',
  'product',
  'sephora',
  'stocking',
  'skin',
  'treatments',
  'day',
  'sephora',
  'skin',
  'care',
  'product',
  'cleanser',
  'serum',
  'librarian',
  'book',
  'reading',
  'cookbook',
  'diet',
  'fitness',
  'day',
  'book',
  'expert',
  'list',
  'release',
  'eye',
  'year',
  'amazon',
  'school',
  'deal',
  'schooler',
  'child',
  'grade',
  'credit',
  'samsung',
  'galaxy',
  'cell',
  'phones',
  'accessories',
  'day',
  'samsung',
  'spotlight',
  'samsung',
  'galaxy',
  'event',
  'credit',
  'event',
  'self',
  'care',
  'idea',
  'teen',
  'school',
  'massage',
  'relaxation',
  'day',
  'self',
  'care',
  'technique',
  'school',
  'transition',
  'teenager',
  'book',
  'memoir',
  'fiction',
  'book',
  'way',
  'planet',
  'adventure',
  'kid',
  'equipment',
  'sport',
  'fitness',
  'gear',
  'day',
  'tryout',
  'school',
  'team',
  'year',
  'quality',
  'equipment',
  'tablet',
  'accessories',
  'day',
  'school',
  'shopping',
  'college',
  'student',
  'child',
  'section',
  'article',
  'pizza',
  'home',
  'pizza',
  'ingredient',
  'delivery',
  'fee',
  'pizza',
  'home',
  'thing',
  'schooler',
  'need',
  'backpack',
  'essential',
  'schooler',
  'backpack',
  'school',
  'year',
  'netflix',
  'august',
  'tv',
  'video',
  'day',
  'week',
  'netflix',
  'title',
  'genre',
  'amazon',
  'school',
  'deal',
  'school',
  'kid',
  'supply',
  'amazon',
  'school',
  'deal',
  'kid',
  'database',
  'instruction',
  'lego',
  'building',
  'sets',
  'blocks',
  'day',
  'instruction',
  'manual',
  'internet',
  'archive',
  'book',
  'author',
  'book',
  'author',
  'book',
  'author',
  'book',
  'college',
  'grad',
  'graduate',
  'insight',
  'life',
  'word',
  'wisdom',
  'book',
  'college',
  'graduate',
  'caffeine',
  'eye',
  'cream',
  'day',
  'eye',
  'care',
  'day',
  'dab',
  'caffeine',
  'eye',
  'cream',
  'skin',
  'circle',
  'art',
  'bathroom',
  'bathroom',
  'room',
  'bathroom',
  'oasis',
  'art',
  'piece',
  'best',
  'roombas',
  'aug.',
  'bestreview',
  'team',
  'expert',
  'roombas',
  'model',
  'roomba',
  'review',
  'squirrel',
  'garden',
  'lawn',
  'care',
  'day',
  'squirrel',
  'property',
  'task',
  'squirrel',
  'garden',
  'spice',
  'summer',
  'space',
  'patio',
  'patio',
  'furniture',
  'buying',
  'guide',
  'feature',
  'patio',
  'furniture',
  'set',
  'time',
  'summer',
  'ride',
  'bike',
  'storage',
  'idea',
  'bike',
  'ride',
  'bike',
  'place',
  'soup',
  'bowl',
  'comfort',
  'food',
  'mixing',
  'bowls',
  'day',
  'deep',
  'handle',
  'decision',
  'vessel',
  'soup',
  'fact',
  'pedialyte',
  'aid',
  'treatment',
  'day',
  'electrolyte',
  'beverage',
  'pedialyte',
  'pedialyte',
  'delicious',
  'starbucks',
  'drink',
  'coffee',
  'accessories',
  'day',
  'love',
  'starbucks',
  'beverage',
  'dent',
  'latte',
  'habit',
  'wallet',
  'starbucks',
  'drink',
  'home',
  'home',
  'upgrade',
  'energy',
  'smart',
  'home',
  'day',
  'home',
  'bulb',
  'beginning',
  'upgrade',
  'backyard',
  'movie',
  'night',
  'grilling',
  'outdoor',
  'cooking',
  'day',
  'night',
  'couch',
  'experience',
  'family',
  'friend',
  'backyard',
  'movie',
  'night',
  'blender',
  'blenders',
  'food',
  'processors',
  'day',
  'blender',
  'year',
  'model',
  'care',
  'thistle',
  'health',
  'milk',
  'thistle',
  'plant',
  'mediterranean',
  'country',
  'extract',
  'remedy',
  'range',
  'health',
  'concern',
  'cocktail',
  'bar',
  'wine',
  'day',
  'cocktail',
  'home',
  'tip',
  'ingredient',
  'tool',
  'summer',
  'vacation',
  'travel',
  'essential',
  'day',
  'vacation',
  'clothe',
  'sunburn',
  'summer',
  'vacation',
  'packing',
  'list',
  'light',
  'toy',
  'festival',
  'night',
  'music',
  'festival',
  'toy',
  'advantage',
  'technology',
  'moment',
  'notice',
  'product',
  'cult',
  'skin',
  'treatments',
  'day',
  'beauty',
  'product',
  'corner',
  'world',
  'product',
  'cult',
  'pool',
  'vacuum',
  'pool',
  'pools',
  'hot',
  'tubs',
  'day',
  'pool',
  'vacuum',
  'oasis',
  'debris',
  'pool',
  'floor',
  'algae',
  'growth',
  'heater',
  'room',
  'heating',
  'cooling',
  'air',
  'quality',
  'day',
  'wall',
  'model',
  'fireplace',
  'tv',
  'list',
  'heater',
  'room',
  'pool',
  'party',
  'shirts',
  'tops',
  'day',
  'pool',
  'party',
  'outfit',
  'time',
  'pick',
  'style',
  'pool',
  'party',
  'season',
  'art',
  'crafts',
  'day',
  'summer',
  'way',
  'kid',
  'house',
  'list',
  'craft',
  'kid',
  'imec',
  'peoria',
  'innovation',
  'center',
  'temperature',
  'week',
  'siue',
  'professor',
  'amendment',
  'training',
  'woman',
  'covid-19',
  'fraud',
  'sinéad',
  'o’connor',
  'singer',
  'songwriter',
  'bluffing',
  'putin',
  'deployment',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'taiwan',
  'school',
  'office',
  'typhoon',
  'bomb',
  'threat',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'stock',
  'market',
  'today',
  'share',
  'federal',
  'russia',
  'un',
  'meeting',
  'illinois',
  'liquor',
  'commission',
  'citizen',
  'alcohol',
  'peoria',
  'police',
  'help',
  'man',
  'imec',
  'peoria',
  'innovation',
  'center',
  'temperature',
  'week',
  'update',
  'courtroom',
  'mobile',
  'home',
  'fire',
  'damage',
  'tuesday',
  'mclean',
  'county',
  'health',
  'department',
  'parent',
  'resident',
  'animal',
  'dream',
  'center',
  'backpack',
  'pekin',
  'police',
  'share',
  'update',
  'heat',
  'bee',
  'belleville',
  'illinois',
  'peoria',
  'city',
  'council',
  'vision',
  'illinois',
  'liquor',
  ...],
 ['news',
  'headlines',
  'crime',
  'public',
  'safety',
  'california',
  'news',
  'national',
  'news',
  'world',
  'news',
  'politics',
  'education',
  'environment',
  'science',
  'health',
  'mr.',
  'roadshow',
  'transportation',
  'local',
  'news',
  'map',
  'bay',
  'area',
  'san',
  'jose',
  'santa',
  'clara',
  'county',
  'peninsula',
  'san',
  'mateo',
  'county',
  'alameda',
  'county',
  'santa',
  'cruz',
  'county',
  'sal',
  'pizarro',
  'obituaries',
  'news',
  'local',
  'obituaries',
  'place',
  'obituary',
  'opinion',
  'editorials',
  'opinion',
  'columnists',
  'letters',
  'editor',
  'commentary',
  'cartoons',
  'election',
  'endorsements',
  'sports',
  'san',
  'francisco',
  'san',
  'francisco',
  'giants',
  'golden',
  'state',
  'warriors',
  'raiders',
  'oakland',
  'athletics',
  'san',
  'jose',
  'sharks',
  'san',
  'jose',
  'earthquakes',
  'bay',
  'fc',
  'college',
  'sports',
  'pac-12',
  'hotline',
  'high',
  'school',
  'sports',
  'sports',
  'sports',
  'columnists',
  'sports',
  'blogs',
  'entertainment',
  'thing',
  'restaurants',
  'food',
  'drink',
  'celebrities',
  'tv',
  'streaming',
  'movies',
  'music',
  'theater',
  'lifestyle',
  'advice',
  'travel',
  'pets',
  'animals',
  'comics',
  'puzzles',
  'games',
  'horoscopes',
  'event',
  'calendar',
  'morning',
  'report',
  'email',
  'newsletter',
  'share',
  'facebook',
  'opens',
  'window)click',
  'twitter',
  'opens',
  'window)click',
  'opens',
  'window)click',
  'link',
  'friend',
  'opens',
  'window)click',
  'reddit',
  'opens',
  'window',
  'morning',
  'report',
  'email',
  'newsletter',
  'fact',
  'reporter',
  'source',
  'storm',
  'minnesota',
  'december',
  'tornado',
  'share',
  'facebook',
  'opens',
  'window)click',
  'twitter',
  'opens',
  'window)click',
  'opens',
  'window)click',
  'link',
  'friend',
  'opens',
  'window)click',
  'reddit',
  'opens',
  'window',
  'tornado',
  'map',
  'wednesday',
  'dec.',
  'courtesy',
  'twin',
  'cities',
  'office',
  'national',
  'weather',
  'service',
  'staff',
  'wire',
  'report',
  'published',
  'december',
  'a.m.',
  'updated',
  'december',
  'a.m.',
  'season',
  'weather',
  'system',
  'twin',
  'cities',
  'wednesday',
  'night',
  'thunder',
  'lightning',
  'wind',
  'metro',
  'tornado',
  'hartland',
  'freeborn',
  'county',
  'mile',
  'st.',
  'paul',
  'national',
  'weather',
  'service',
  'tornado',
  'minnesota',
  'december',
  'survey',
  'team',
  'freeborn',
  'county',
  'today',
  'tornado',
  'damage',
  'hartland',
  'area',
  'stanley',
  'wi',
  'result',
  'tornado',
  'strength',
  'tornado',
  'afternoon',
  'pic.twitter.com/ynrgnulgw8',
  'nws',
  'twin',
  'cities',
  '@nwstwincitie',
  'december',
  'thursday',
  'morning',
  'metro',
  'twin',
  'cities',
  'office',
  'national',
  'weather',
  'service',
  'wind',
  'gust',
  'mile',
  'hour',
  'a.m.',
  'minneapolis',
  'st.',
  'paul',
  'international',
  'airport',
  'thursday',
  'morning',
  'weather',
  'service',
  'report',
  'wind',
  'morning',
  'gust',
  'mph',
  'snow',
  'inch',
  'wind',
  'today',
  'chance',
  'snow',
  'friday',
  'night',
  'saturday',
  'morning',
  'mnwx',
  'wiwx',
  'pic.twitter.com/s2r94m9k6b',
  'nws',
  'twin',
  'cities',
  '@nwstwincitie',
  'december',
  'line',
  'storm',
  'great',
  'plains',
  'wednesday',
  'thursday',
  'tornado',
  'wind',
  'path',
  'december',
  'storm',
  'northeast',
  'national',
  'weather',
  'service',
  'tornado',
  'thunderstorm',
  'warning',
  'minnesota',
  'wisconsin',
  'wednesday',
  'evening',
  'report',
  'wind',
  'gust',
  'mph',
  'minnesota',
  'power',
  'outage',
  'tree',
  'building',
  'damage',
  'weather',
  'service',
  'tornado',
  'watch',
  'wednesday',
  'minnesota',
  'county',
  'twin',
  'cities',
  'wisconsin',
  'county',
  'watch',
  'p.m.',
  'minnesota',
  'county',
  'p.m.',
  'wisconsin',
  'county',
  'hour',
  'thunderstorm',
  'twin',
  'cities',
  'p.m.',
  'damage',
  'power',
  'grid',
  'infrastructure',
  'p.m.',
  'power',
  'outage',
  'minnesota',
  'fillmore',
  'county',
  'today',
  'record',
  'number',
  'hurricane',
  'force',
  'mph',
  'thunderstorm',
  'wind',
  'day',
  'counting',
  'record',
  'august',
  'pic.twitter.com/bqulyjjew5',
  'nws',
  'storm',
  'prediction',
  'center',
  '@nwsspc',
  'december',
  'storm',
  'wind',
  'warning',
  'a.m.',
  'thursday',
  'gust',
  'mph',
  'wind',
  'risk',
  'tree',
  'power',
  'line',
  'power',
  'outage',
  'xcel',
  'energy',
  'work',
  'crew',
  'wednesday',
  'night',
  'risk',
  'weather',
  'line',
  'fairmont',
  'northfield',
  'ellsworth',
  'wis.',
  'twin',
  'cities',
  'north',
  'graphic',
  'national',
  'weather',
  'service',
  'storm',
  'prediction',
  'center',
  'scale',
  'metro',
  'weather',
  'risk',
  'level',
  'risk',
  'area',
  'weather',
  'service',
  'outbreak',
  'thunderstorm',
  'mid',
  '-',
  'december',
  'addition',
  'minnesota',
  'tornado',
  'december',
  'tornado',
  'record',
  'book',
  'nov.',
  'maple',
  'plain',
  'state',
  'climatology',
  'office',
  'tornado',
  'season',
  'assistant',
  'state',
  'climatologist',
  'pete',
  'boulay',
  'wednesday',
  'boulay',
  'minnesota',
  'thunderstorm',
  'december',
  'year',
  'storm',
  'potential',
  'storm',
  'risk',
  'weather',
  'december',
  'record',
  'temperature',
  'storm',
  'weather',
  'service',
  'high',
  'minneapolis',
  'st.',
  'paul',
  'international',
  'airport',
  'degree',
  'record',
  'day',
  'degree',
  'fog',
  'area',
  'wednesday',
  'fog',
  'advisory',
  'twin',
  'cities',
  'morning',
  'crash',
  'fog',
  'minnesota',
  'state',
  'patrol',
  'chain',
  'reaction',
  'crash',
  'condition',
  'wednesday',
  'morning',
  'u.s.',
  'olmsted',
  'county',
  'pine',
  'island',
  'a.m.',
  'crash',
  'vehicle',
  'passenger',
  'car',
  'closure',
  'northbound',
  'highway',
  'hour',
  'crash',
  'series',
  'crash',
  'road',
  'minnesota',
  'traffic',
  'fog',
  'victim',
  'olmsted',
  'county',
  'crash',
  'ski',
  'hills',
  'temperature',
  '50',
  'thunderstorm',
  'condition',
  'snow',
  'chairlift',
  'number',
  'area',
  'alpine',
  'ski',
  'hill',
  'afton',
  'alps',
  'wild',
  'mountain',
  'welch',
  'village',
  'wednesday',
  'facebook',
  'post',
  'afton',
  'alps',
  'hill',
  'november',
  'minnesota',
  'ski',
  'slope',
  'snow',
  'number',
  'run',
  'weather',
  'system',
  'man',
  'base',
  'hill',
  'influx',
  'skier',
  'snowboarder',
  'winter',
  'holiday',
  'midwest',
  'storm',
  'system',
  'great',
  'plains',
  'midwest',
  'highway',
  'kansas',
  'tornado',
  'nebraska',
  'iowa',
  'concern',
  'fire',
  'temperature',
  'wind',
  'dust',
  'visibility',
  'west',
  'wakeeney',
  'kan.',
  'state',
  'department',
  'transportation',
  'semitrailer',
  'kansas',
  'official',
  'interstate',
  'colorado',
  'border',
  'salina',
  'state',
  'highway',
  'county',
  'kansas',
  'national',
  'weather',
  'service',
  'tornado',
  'report',
  'plains',
  'state',
  'nebraska',
  'iowa',
  'wind',
  'mph',
  'kansas',
  'nebraska',
  'iowa',
  'number',
  'wind',
  'storm',
  'time',
  'anytime',
  'year',
  'brian',
  'barjenbruch',
  'meteorologist',
  'national',
  'weather',
  'service',
  'valley',
  'neb.',
  'december',
  'system',
  'heel',
  'tornado',
  'weekend',
  'path',
  'state',
  'arkansas',
  'missouri',
  'tennessee',
  'illinois',
  'kentucky',
  'people',
  'national',
  'weather',
  'service',
  'wind',
  'warning',
  'area',
  'new',
  'mexico',
  'michigan',
  'wisconsin',
  'illinois',
  'mph',
  'texas',
  'panhandle',
  'kansas',
  'weather',
  'service',
  'observation',
  'site',
  'lamar',
  'colo.',
  'gust',
  'mph',
  'wednesday',
  'morning',
  'wind',
  'gust',
  'mph',
  'russell',
  'kan.',
  'greg',
  'butcher',
  'city',
  'administrator',
  'seward',
  'neb.',
  'office',
  'city',
  'hall',
  'wednesday',
  'wall',
  'cloud',
  'butcher',
  'hit',
  'damage',
  'telephone',
  'pole',
  'butcher',
  'official',
  'fire',
  'risk',
  'edge',
  'weather',
  'system',
  'condition',
  'climate',
  'change',
  'scientist',
  'weather',
  'event',
  'temperature',
  'human',
  'climate',
  'change',
  'event',
  'storm',
  'system',
  'warming',
  'analysis',
  'computer',
  'simulation',
  'time',
  'connection',
  'question',
  'event',
  'climate',
  'change',
  'event',
  'climate',
  'change',
  'northern',
  'illinois',
  'university',
  'meteorology',
  'professor',
  'victor',
  'gensini',
  'extent',
  'climate',
  'change',
  'role',
  'event',
  'absence',
  'climate',
  'change',
  'temperature',
  'wednesday',
  'ocean',
  'temperature',
  'gulf',
  'mexico',
  'warming',
  'jeff',
  'masters',
  'yale',
  'climate',
  'connections',
  'meteorologist',
  'weather',
  'underground',
  'record',
  'heat',
  'heat',
  'today',
  'storm',
  'damage',
  'potential',
  'articles',
  'weather',
  'imagination',
  'tree',
  'california',
  'cost',
  'california',
  'workplace',
  'job',
  'injury',
  'year',
  'california',
  'beaver',
  'nuisance',
  'water',
  'issue',
  'wildfire',
  'california',
  'energy',
  'cost',
  'state',
  'error',
  'policies',
  'standards',
  'contact',
  'morning',
  'report',
  'email',
  'newsletter',
  'popularmost',
  'popularask',
  'amy',
  'neighbor',
  'mistake’?ask',
  'amy',
  'neighbor',
  'cole',
  'home',
  'hoursharriette',
  'cole',
  'home',
  'abby',
  'fiance',
  'start',
  'dear',
  'abby',
  'fiance',
  'start',
  'dear',
  'abby',
  'pickleball',
  'abby',
  'pickleball',
  'partner?ask',
  'amy',
  'bride',
  'wedding',
  'plan',
  'standardsask',
  'amy',
  'bride',
  'wedding',
  'plan',
  'standardspac-12',
  'survival',
  'colorado',
  'conundrum',
  'challenge',
  'boulder',
  'existencepac-12',
  'survival',
  'colorado',
  'conundrum',
  'challenge',
  'boulder',
  'existencedear',
  'abby',
  'abby',
  'manner',
  'moment',
  'forgetfulness',
  'offer',
  'manner',
  'moment',
  'forgetfulness',
  'offer',
  'friendask',
  'amy',
  'boyfriend',
  'business',
  'people',
  'amy',
  'boyfriend',
  'business',
  'people',
  'housebuilt',
  'software',
  'death',
  'date',
  'thousand',
  'school',
  'chromebook',
  'recycling',
  'binbuilt',
  'software',
  'death',
  'date',
  'thousand',
  'school',
  'chromebook',
  'recycling',
  'bin',
  'trending',
  'thing',
  'step',
  'plane',
  'collision',
  'feetthe',
  'business',
  'strip',
  'club',
  'colorado',
  'dancer',
  'way',
  'uncertainties‘funnel',
  'cloud',
  'tree',
  'brooklyn',
  'power',
  'outage',
  'staten',
  'island',
  'nursing',
  'hometaylor',
  'swift',
  'album',
  'swiftie',
  '.',
  'guide',
  'tip',
  'subscribe',
  'today',
  'access',
  'digital',
  'offer',
  'cent',
  'imagination',
  'tree',
  'california',
  'cost',
  'california',
  'workplace',
  'job',
  'injury',
  'year',
  'california',
  'beaver',
  'nuisance',
  'water',
  'issue',
  'wildfire',
  'place',
  'obituary',
  'place',
  'real',
  'estate',
  'ad',
  'lottery',
  'digital',
  'access',
  'faq',
  'team',
  'special',
  'sections',
  'sponsor',
  'group',
  'sponsored',
  'access',
  'privacy',
  'policy',
  'accessibility',
  'network',
  'advertising',
  'daily',
  'ads',
  'place',
  'legal',
  'notice',
  'public',
  'notices',
  'best',
  'bay',
  'area',
  'employers',
  'monster.com',
  'terms',
  'use',
  'cookie',
  'policy',
  'california',
  'notice',
  'collection',
  'notice',
  'financial',
  'incentive',
  'share',
  'personal',
  'information',
  'arbitration',
  'powered',
  'wordpress.com',
  'vip'],
 ['automotive',
  'news',
  'border',
  'report',
  'tour',
  'entertainment',
  'depth',
  'reports',
  'lottery',
  'wjtv',
  'mobile',
  'apps',
  'press',
  'releases',
  'stock',
  'market',
  'today',
  'share',
  'federal',
  'soldier',
  'niger',
  'cambodia',
  'hun',
  'sen',
  'asia',
  'leader',
  'greece',
  'country',
  'millipede',
  'specie',
  'leg',
  'election',
  'mississippi',
  'politics',
  'mississippi',
  'insight',
  'washington',
  'dc',
  'politics',
  'hill',
  'hosemann',
  'mcdaniel',
  'trade',
  'neshoba',
  'county',
  'attorney',
  'general',
  'candidate',
  'neshoba',
  'co.',
  'presley',
  'ms',
  'trans',
  'law',
  'watch',
  'day',
  'neshoba',
  'county',
  'fair',
  'speech',
  'ms',
  'absentee',
  'voting',
  'assistance',
  'neshoba',
  'co.',
  'fair',
  'speech',
  'sports',
  'zone',
  'friday',
  'night',
  'fever',
  'high',
  'school',
  'sports',
  'sec',
  'football',
  'swac',
  'geaux',
  'black',
  'gold',
  'mississippi',
  'braves',
  'pine',
  'belt',
  'storm',
  'team',
  'pine',
  'belt',
  'forecast',
  'k',
  'bestreviews',
  'bestreviews',
  'daily',
  'deals',
  'cool',
  'schools',
  'health',
  'mississippi',
  'keath',
  'killebrew',
  'memorial',
  'rodeo',
  'living',
  'local',
  'videos',
  'morning',
  'sip',
  'hometown',
  'virtual',
  'job',
  'fair',
  'job',
  'post',
  'job',
  'contact',
  'advertise',
  'calendar',
  'team',
  'newsletters',
  'tv',
  'schedule',
  'regional',
  'news',
  'partners',
  'bestreviews',
  'mississippi',
  'structure',
  'storm',
  'jun',
  'cdt',
  'jun',
  'pm',
  'cdt',
  'jun',
  'cdt',
  'jun',
  'pm',
  'cdt',
  'jasper',
  'county',
  'miss.',
  'whlt',
  'home',
  'business',
  'week',
  'storm',
  'mississippi',
  'mississippi',
  'emergency',
  'management',
  'agency',
  'mema',
  'jackson',
  'county',
  'official',
  'structure',
  'june',
  'home',
  'apartment',
  'business',
  'church',
  'school',
  'snap',
  'replacement',
  'benefit',
  'mississippians',
  'storm',
  'mema',
  'official',
  'people',
  'jackson',
  'county',
  'storm',
  'storm',
  'person',
  'dozen',
  'june',
  'jasper',
  'county',
  'county',
  'damage',
  'home',
  'tornado',
  'mema',
  'resident',
  'damage',
  'insurance',
  'claim',
  'photo',
  'damage',
  'report',
  'damage',
  'county',
  'mema',
  'self',
  'report',
  'tool',
  'thank',
  'inbox',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'amazon',
  'school',
  'deal',
  'schooler',
  'school',
  'corner',
  'amazon',
  'supply',
  'school',
  'deal',
  'supply',
  'schooler',
  'august',
  'vegetable',
  'flower',
  'flower',
  'plant',
  'hour',
  'soil',
  'air',
  'temperature',
  'sunshine',
  'august',
  'month',
  'planting',
  'chemical',
  'guys',
  'kit',
  'car',
  'car',
  'care',
  'hour',
  'chemical',
  'guys',
  'car',
  'wash',
  'kit',
  'time',
  'deal',
  'hosemann',
  'mcdaniel',
  'trade',
  'neshoba',
  'county',
  'jpd',
  'officer',
  'feds',
  'jackson',
  'sewer',
  'system',
  'watch',
  'day',
  'neshoba',
  'county',
  'fair',
  'speech',
  'ms',
  'absentee',
  'voting',
  'assistance',
  'sinéad',
  'o’connor',
  'singer',
  'songwriter',
  'bluffing',
  'putin',
  'deployment',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'taiwan',
  'school',
  'office',
  'typhoon',
  'bomb',
  'threat',
  'stock',
  'market',
  'today',
  'share',
  'federal',
  'russia',
  'un',
  'meeting',
  'soldier',
  'niger',
  'mississippi',
  'absentee',
  'voting',
  'assistance',
  'hosemann',
  'mcdaniel',
  'trade',
  'neshoba',
  'county',
  'mdot',
  'job',
  'brandon',
  'death',
  'year',
  'feds',
  'jackson',
  'sewer',
  'system',
  'mississippi',
  'absentee',
  'voting',
  'assistance',
  'brandon',
  'presley',
  'mississippi',
  'voter',
  'speech',
  'neshoba',
  'county',
  'fair',
  'william',
  'carey',
  'student',
  'jpd',
  'officer',
  'hattiesburg',
  'man',
  'vehicle',
  'i-59',
  'hosemann',
  'mcdaniel',
  'trade',
  'neshoba',
  'county',
  'mississippi',
  'absentee',
  'voting',
  'assistance',
  'hosemann',
  'mcdaniel',
  'trade',
  'neshoba',
  'county',
  'mdot',
  'job',
  'brandon',
  'death',
  'year',
  'feds',
  'jackson',
  'sewer',
  'system',
  'mississippi',
  'absentee',
  'voting',
  'assistance',
  'brandon',
  'presley',
  'mississippi',
  'voter',
  'speech',
  'neshoba',
  'county',
  'fair',
  'william',
  'carey',
  'student',
  'jpd',
  'officer',
  'hattiesburg',
  'man',
  'vehicle',
  'i-59',
  'hosemann',
  'mcdaniel',
  'trade',
  'neshoba',
  'county',
  'death',
  'year',
  'atlantic',
  'hurricane',
  'season',
  'ramp',
  'mega',
  'millions',
  'jackpot',
  'number',
  'm',
  'mega',
  'millions',
  'jackpot',
  'mother',
  'infant',
  'death',
  'brandon',
  'day',
  'care',
  'ms',
  'inmate',
  'bathroom',
  'break',
  'neshoba',
  'co.',
  'fair',
  'speech',
  'man',
  'murder',
  'canton',
  'gift',
  'summer',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'home',
  'depot',
  'foot',
  'skeleton',
  'halloween',
  'deal',
  'day',
  'prime',
  'day',
  'favorite',
  'news',
  'weather',
  'jackson',
  'ms',
  'politics',
  'sports',
  'watch',
  'ad',
  'wjtv',
  'fcc',
  'public',
  'files',
  'wjtv',
  'eeo',
  'public',
  'file',
  'whlt',
  'eeo',
  'public',
  'file',
  'whlt',
  'fcc',
  'public',
  'file',
  'nexstar',
  'cc',
  'certification',
  'android',
  'app',
  'google',
  'play',
  'android',
  'weather',
  'app',
  'google',
  'play',
  'personal',
  'information',
  'personal',
  'information',
  'nexstar',
  'media',
  'inc.',
  'rights'],
 ['news',
  'sports',
  'autos',
  'business',
  'michigan',
  'life',
  'home',
  'entertainment',
  'opinion',
  'obituaries',
  "michigan'this",
  'k',
  'power',
  'michigan',
  'storm',
  'day',
  'francis',
  'x.',
  'donnellythe',
  'detroit',
  'newsview',
  'comments',
  'royal',
  'oak',
  'fay',
  'baker',
  'power',
  'great',
  'winter',
  'storm',
  'week',
  'winter',
  'storm',
  'ii',
  'friday',
  'snowman',
  'royal',
  'oak',
  'resident',
  'nightmare',
  'sentence',
  'storm',
  'day',
  'electricity',
  'customer',
  'dte',
  'energy',
  'utility',
  'p.m.',
  'utility',
  'customer',
  'power',
  '%',
  'customer',
  'number',
  'power',
  'outage',
  'wayne',
  'oakland',
  'county',
  'dte',
  'outage',
  'map',
  'dte',
  'statement',
  'p.m.',
  'saturday',
  '%',
  'customer',
  'friday',
  'storm',
  'power',
  'end',
  'day',
  'monday',
  'utility',
  'tree',
  'branch',
  'week',
  'ice',
  'storm',
  'weight',
  'snow',
  'ice',
  'power',
  'line',
  'equipment',
  'outage',
  'wire',
  'field',
  'team',
  'member',
  'state',
  'team',
  'week',
  'ice',
  'storm',
  'clock',
  'dte',
  'consumers',
  'energy',
  'customer',
  'power',
  'a.m.',
  '%',
  'snow',
  'swath',
  'jackson',
  'metro',
  'detroit',
  'suburb',
  'st.',
  'clair',
  'sanilac',
  'county',
  'record',
  'city',
  'inch',
  'detroit',
  'record',
  'date',
  'inch',
  'snowfall',
  'accumulation',
  'kalamazoo',
  'lansing',
  'jackson',
  'inch',
  'snow',
  'weather',
  'service',
  'michigan',
  'community',
  'snowfall',
  'fridayin',
  'royal',
  'oak',
  'neighborhood',
  'home',
  'power',
  'hollywood',
  'market',
  'grocery',
  'store',
  'activity',
  'saturday',
  'afternoon',
  'customer',
  'ice',
  'refrigerator',
  'warmth',
  'stephanie',
  'fowler',
  'good',
  'future',
  'storm',
  'ii',
  'royal',
  'oak',
  'abode',
  'storm',
  'i.“you',
  'fowler',
  'friend',
  'outage',
  'generator',
  'buddy',
  'aisle',
  'supermarket',
  'baker',
  'power',
  'loss',
  'mistake',
  'electricity',
  'nightfall',
  'hotel',
  'dte',
  'national',
  'weather',
  'service',
  'snowfall',
  'inch',
  'hour',
  'thundersnow',
  'site',
  'friday',
  'night',
  'snow',
  'tree',
  'power',
  'line',
  'nws.beside',
  'havoc',
  'utility',
  'storm',
  'lakeshore',
  'flooding',
  'lake',
  'erie',
  'shoreline',
  'weather',
  'service',
  'detroit',
  'metro',
  'airport',
  'storm',
  'flight',
  'airport',
  'midnight',
  'outage',
  'pair',
  'ice',
  'storm',
  'week',
  'power',
  'customer',
  'view',
  'comments',
  'staff',
  'directory',
  'site',
  'map',
  'legals',
  'subscription',
  'terms',
  'conditions',
  'terms',
  'service',
  'privacy',
  'policy',
  'california',
  'privacy',
  'rights',
  'privacy',
  'policydo',
  'sell',
  'share',
  'target',
  'infocookie',
  'settingscontact',
  'business',
  'buy',
  'sell',
  'licensing',
  'reprints',
  'help',
  'center',
  'subscriber',
  'guide',
  'account',
  'feedbacksubscribe',
  'today',
  'newsletters',
  'mobile',
  'app',
  'facebook',
  'twitter',
  'enewspaper',
  'archives',
  'rss',
  'feedsjobs',
  'cars',
  'homes',
  'classifieds',
  'renvy.com',
  'michigan.com',
  'www.detroitnews.com',
  'right'],
 ['owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'fog',
  'tomorrow',
  'day',
  'severe',
  't',
  'storm',
  'friday-',
  'greg',
  'july',
  'pm',
  'forecast',
  'news',
  'watch',
  'warnings',
  'warn',
  'weather',
  'app',
  'e',
  '-',
  'mail',
  'alert',
  'fog',
  'tomorrow',
  'day',
  'severe',
  't',
  'storm',
  'friday-',
  'greg',
  '\u200bcopyright',
  'channel',
  'right',
  'reserved',
  'material',
  'published',
  'broadcast',
  'rewritten',
  'redistributed',
  'tracking',
  'alert',
  'day',
  'forecast',
  'round',
  'thunderstorm',
  'friday',
  'condition',
  'friday',
  'condition',
  'weekend',
  'hour',
  'clearing',
  'sky',
  'evening',
  'temperature',
  '80',
  'degree',
  'pm',
  'area',
  'fog',
  'temperature',
  '60',
  'morning',
  'fog',
  'sky',
  'temperature',
  '90',
  'afternoon',
  'heat',
  'index',
  'degree',
  'afternoon',
  'cloud',
  'thursday',
  'night',
  'chance',
  'shower',
  'thunderstorm',
  'extended',
  'forecast',
  'round',
  'thunderstorm',
  'friday',
  'friday',
  'night',
  'boundary',
  'sag',
  'south',
  'area',
  'storm',
  'wind',
  'hail',
  'rainfall',
  'cooler',
  'air',
  'area',
  'weekend',
  'rise',
  'temperature',
  'humidity',
  'half',
  'week',
  'end',
  'week',
  'rise',
  'temperature',
  'chance',
  'shower',
  'thunderstorm',
  'week',
  'heat',
  'advisory',
  'effect',
  'noon',
  'pm',
  'thursday',
  'dane',
  'county',
  'muggy',
  'area',
  'fog',
  'wind',
  'n',
  'mph',
  'thursday',
  'area',
  'morning',
  'fog',
  'heat',
  'index',
  'wind',
  's',
  'mph',
  'thursday',
  'night',
  'muggy',
  'chance',
  'shower',
  'thunderstorm',
  'wind',
  'se',
  'mph',
  'friday',
  'cloudiness',
  'shower',
  'thunderstorm',
  'afternoon',
  'night',
  'storm',
  'heat',
  'index',
  'wind',
  's',
  'sw',
  'mph',
  'saturday',
  'chance',
  'shower',
  'thunderstorm',
  'sunday',
  'monday',
  'chance',
  'shower',
  'thunderstorm',
  'monday',
  'night',
  'low',
  'tuesday',
  'chance',
  'shower',
  'thunderstorm',
  'tuesday',
  'night',
  'low',
  'wednesday',
  'chance',
  'shower',
  'thunderstorm',
  'low',
  'thursday',
  'friday',
  '82copyright',
  'channel',
  'right',
  'reserved',
  'material',
  'published',
  'broadcast',
  'rewritten',
  'redistributed',
  'air',
  'quality',
  'advisory',
  'madison',
  'wis.',
  'air',
  'quality',
  'advisory',
  'effect',
  'madison',
  'wisconsin',
  'couple',
  'day',
  'smoke',
  'wi',
  'face',
  'floor',
  'blood',
  'man',
  'son',
  'cent',
  'complaint',
  'madison',
  'area',
  'marine',
  'marines',
  'car',
  'north',
  'carolina',
  'verona',
  'native',
  'marines',
  'carbon',
  'monoxide',
  'poisoning',
  'authority',
  'sinéad',
  'o’connor',
  'singer',
  'madison',
  'man',
  'child',
  'pornography',
  'charge',
  'jury',
  'green',
  'bay',
  'woman',
  'boyfriend',
  'opening',
  'weekend',
  'barbenheimer',
  'cinema',
  'attorney',
  'm',
  'settlement',
  'water',
  'system',
  'contamination',
  'chemical',
  'crossfit',
  'games',
  'return',
  'madison',
  'week',
  'time',
  'mallards',
  'wisconsin',
  'alumni',
  'association',
  'wisconsin',
  'night',
  'warner',
  'park',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  '',
  '',
  'info',
  'california',
  'privacy',
  'rights',
  'advertise',
  'fcc',
  'public',
  'files',
  'fcc',
  'applications',
  'switch',
  'account',
  'photo',
  'comment',
  'blog',
  'post',
  'email',
  'address',
  'account',
  'password',
  'email',
  'address',
  'account',
  'email',
  'detail',
  'password',
  'account',
  'log',
  'link',
  'form',
  'message',
  'email',
  'link',
  'password',
  'email',
  'message',
  'instruction',
  'password',
  'email',
  'address',
  'account',
  'log',
  'link',
  'switch',
  'account',
  'alabamaalaskaarizonaarkansascaliforniacoloradoconnecticutdelawarefloridageorgiahawaiiidahoillinoisindianaiowakansaskentuckylouisianamainemarylandmassachusettsmichiganminnesotamississippimissourimontananebraskanevadanew',
  'hampshirenew',
  'jerseynew',
  'mexiconew',
  'yorknorth',
  'carolinanorth',
  'dakotaohiooklahomaoregonpennsylvaniarhode',
  'islandsouth',
  'carolinasouth',
  'virginiawisconsinwyomingpuerto',
  'ricous',
  'virgin',
  'islandsarmed',
  'forces',
  'americasarmed',
  'forces',
  'pacificarmed',
  'forces',
  'europenorthern',
  'mariana',
  'islandsmarshall',
  'islandsamerican',
  'samoafederated',
  'states',
  'micronesiaguampalaualberta',
  'canadabritish',
  'columbia',
  'canadamanitoba',
  'canadanew',
  'brunswick',
  'canadanewfoundland',
  'canadanova',
  'scotia',
  'canadanorthwest',
  'territories',
  'canadanunavut',
  'canadaontario',
  'canadaprince',
  'edward',
  'island',
  'canadaquebec',
  'canadasaskatchewan',
  'canadayukon',
  'territory',
  'canada',
  'united',
  'states',
  'virgin',
  'islandsunited',
  'states',
  'minor',
  'outlying',
  'islandscanadamexico',
  'united',
  'mexican',
  'statesbahamas',
  'commonwealth',
  'thecuba',
  'republic',
  'ofdominican',
  'republichaiti',
  'republic',
  'ofjamaicaafghanistanalbania',
  'people',
  'socialist',
  'republic',
  'ofalgeria',
  'people',
  'democratic',
  'republic',
  'samoaandorra',
  'principality',
  'ofangola',
  'republic',
  'ofanguillaantarctica',
  'territory',
  'south',
  'deg',
  's)antigua',
  'barbudaargentina',
  'argentine',
  'republicarmeniaarubaaustralia',
  'commonwealth',
  'ofaustria',
  'republic',
  'ofazerbaijan',
  'republic',
  'ofbahrain',
  'kingdom',
  'ofbangladesh',
  'people',
  'republic',
  'ofbarbadosbelarusbelgium',
  'kingdom',
  'ofbelizebenin',
  'people',
  'republic',
  'ofbermudabhutan',
  'kingdom',
  'ofbolivia',
  'republic',
  'ofbosnia',
  'herzegovinabotswana',
  'republic',
  'ofbouvet',
  'island',
  'bouvetoya)brazil',
  'federative',
  'republic',
  'ofbritish',
  'indian',
  'ocean',
  'territory',
  'chagos',
  'virgin',
  'islandsbrunei',
  'darussalambulgaria',
  'people',
  'republic',
  'ofburkina',
  'fasoburundi',
  'republic',
  'ofcambodia',
  'kingdom',
  'ofcameroon',
  'united',
  'republic',
  'ofcape',
  'verde',
  'republic',
  'islandscentral',
  'african',
  'republicchad',
  'republic',
  'ofchile',
  'republic',
  'ofchina',
  'people',
  'republic',
  'ofchristmas',
  'islandcocos',
  'keeling',
  'islandscolombia',
  'republic',
  'ofcomoros',
  'union',
  'thecongo',
  'democratic',
  'republic',
  'ofcongo',
  'people',
  'republic',
  'ofcook',
  'islandscosta',
  'rica',
  'republic',
  'ofcote',
  "d'ivoire",
  'ivory',
  'coast',
  'republic',
  'thecyprus',
  'republic',
  'ofczech',
  'republicdenmark',
  'kingdom',
  'ofdjibouti',
  'republic',
  'ofdominica',
  'commonwealth',
  'ofecuador',
  'republic',
  'ofegypt',
  'arab',
  'republic',
  'ofel',
  'salvador',
  'republic',
  'ofequatorial',
  'guinea',
  'republic',
  'oferitreaestoniaethiopiafaeroe',
  'islandsfalkland',
  'islands',
  'malvinas)fiji',
  'republic',
  'fiji',
  'islandsfinland',
  'republic',
  'offrance',
  'republicfrench',
  'guianafrench',
  'polynesiafrench',
  'southern',
  'territoriesgabon',
  'gabonese',
  'republicgambia',
  'republic',
  'republic',
  'ofgibraltargreece',
  'hellenic',
  'republicgreenlandgrenadaguadaloupeguamguatemala',
  'republic',
  'ofguinea',
  'revolutionary',
  'people',
  "rep'c",
  'ofguinea',
  'bissau',
  'republic',
  'ofguyana',
  'republic',
  'ofheard',
  'mcdonald',
  'islandsholy',
  'vatican',
  'city',
  'state)honduras',
  'republic',
  'ofhong',
  'kong',
  'special',
  'administrative',
  'region',
  'chinahrvatska',
  'croatia)hungary',
  'people',
  'republiciceland',
  'republic',
  'ofindia',
  'republic',
  'ofindonesia',
  'republic',
  'ofiran',
  'islamic',
  'republic',
  'republic',
  'state',
  'italian',
  'republicjapanjordan',
  'hashemite',
  'kingdom',
  'ofkazakhstan',
  'republic',
  'ofkenya',
  'republic',
  'ofkiribati',
  'republic',
  'ofkorea',
  'democratic',
  'people',
  'republic',
  'ofkorea',
  'republic',
  'ofkuwait',
  'state',
  'ofkyrgyz',
  'republiclao',
  'people',
  'democratic',
  'republiclatvialebanon',
  'lebanese',
  'republiclesotho',
  'kingdom',
  'ofliberia',
  'republic',
  'arab',
  'jamahiriyaliechtenstein',
  'oflithuanialuxembourg',
  'grand',
  'duchy',
  'ofmacao',
  'special',
  'administrative',
  'region',
  'chinamacedonia',
  'yugoslav',
  'republic',
  'ofmadagascar',
  'republic',
  'ofmalawi',
  'republic',
  'ofmalaysiamaldives',
  'republic',
  'ofmali',
  'republic',
  'ofmalta',
  'republic',
  'ofmarshall',
  'islandsmartiniquemauritania',
  'islamic',
  'republic',
  'ofmauritiusmayottemicronesia',
  'federated',
  'states',
  'ofmoldova',
  'republic',
  'ofmonaco',
  'ofmongolia',
  'mongolian',
  'people',
  'republicmontserratmorocco',
  'kingdom',
  'ofmozambique',
  'people',
  'republic',
  'ofmyanmarnamibianauru',
  'republic',
  'ofnepal',
  'kingdom',
  'ofnetherlands',
  'antillesnetherlands',
  'kingdom',
  'thenew',
  'caledonianew',
  'zealandnicaragua',
  'republic',
  'ofniger',
  'republic',
  'thenigeria',
  'federal',
  'republic',
  'ofniue',
  'republic',
  'ofnorfolk',
  'islandnorthern',
  'mariana',
  'islandsnorway',
  'kingdom',
  'ofoman',
  'sultanate',
  'islamic',
  'republic',
  'ofpalaupalestinian',
  'territory',
  'occupiedpanama',
  'republic',
  'ofpapua',
  'new',
  'guineaparaguay',
  'republic',
  'ofperu',
  'republic',
  'ofphilippines',
  'republic',
  'thepitcairn',
  'islandpoland',
  'polish',
  'people',
  'republicportugal',
  'portuguese',
  'republicpuerto',
  'ricoqatar',
  'state',
  'socialist',
  'republic',
  'ofrussian',
  'federationrwanda',
  'rwandese',
  'republicsamoa',
  'independent',
  'state',
  'ofsan',
  'marino',
  'republic',
  'tome',
  'principe',
  'democratic',
  'republic',
  'ofsaudi',
  'arabia',
  'kingdom',
  'ofsenegal',
  'republic',
  'ofserbia',
  'montenegroseychelles',
  'republic',
  'ofsierra',
  'leone',
  'republic',
  'ofsingapore',
  'republic',
  'ofslovakia',
  'slovak',
  'republic)sloveniasolomon',
  'islandssomalia',
  'somali',
  'republicsouth',
  'africa',
  'republic',
  'ofsouth',
  'georgia',
  'south',
  'sandwich',
  'islandsspain',
  'spanish',
  'statesri',
  'lanka',
  'democratic',
  'socialist',
  'republic',
  'ofst',
  'helenast',
  'kitts',
  'nevisst',
  'luciast',
  'pierre',
  'miquelonst',
  'vincent',
  'grenadinessudan',
  'democratic',
  'republic',
  'thesuriname',
  'republic',
  'ofsvalbard',
  'jan',
  'mayen',
  'islandsswaziland',
  'kingdom',
  'ofsweden',
  'kingdom',
  'ofswitzerland',
  'swiss',
  'confederationsyrian',
  'arab',
  'republictaiwan',
  'province',
  'chinatajikistantanzania',
  'united',
  'republic',
  'ofthailand',
  'kingdom',
  'oftimor',
  'leste',
  'democratic',
  'republic',
  'oftogo',
  'togolese',
  'republictokelau',
  'tokelau',
  'islands)tonga',
  'kingdom',
  'oftrinidad',
  'tobago',
  'republic',
  'oftunisia',
  'republic',
  'ofturkey',
  'republic',
  'ofturkmenistanturks',
  'caicos',
  'islandstuvaluuganda',
  'republic',
  'arab',
  'emiratesunited',
  'kingdom',
  'great',
  'britain',
  'n.',
  'irelanduruguay',
  'eastern',
  'republic',
  'ofuzbekistanvanuatuvenezuela',
  'bolivarian',
  'republic',
  'ofviet',
  'nam',
  'socialist',
  'republic',
  'ofwallis',
  'futuna',
  'islandswestern',
  'saharayemenzambia',
  'republic',
  'state',
  'alabamaalaskaarizonaarkansascaliforniacoloradoconnecticutdelawarefloridageorgiahawaiiidahoillinoisindianaiowakansaskentuckylouisianamainemarylandmassachusettsmichiganminnesotamississippimissourimontananebraskanevadanew',
  'hampshirenew',
  'jerseynew',
  'mexiconew',
  'yorknorth',
  'carolinanorth',
  'dakotaohiooklahomaoregonpennsylvaniarhode',
  'islandsouth',
  'carolinasouth',
  'virginiawisconsinwyomingpuerto',
  'ricous',
  'virgin',
  'islandsarmed',
  'forces',
  'americasarmed',
  'forces',
  'pacificarmed',
  'forces',
  'europenorthern',
  'mariana',
  'islandsmarshall',
  'islandsamerican',
  'samoafederated',
  'states',
  'micronesiaguampalaualberta',
  'canadabritish',
  'columbia',
  'canadamanitoba',
  'canadanew',
  'brunswick',
  'canadanewfoundland',
  'canadanova',
  'scotia',
  'canadanorthwest',
  'territories',
  'canadanunavut',
  'canadaontario',
  'canadaprince',
  'edward',
  'island',
  'canadaquebec',
  'canadasaskatchewan',
  'canadayukon',
  'territory',
  'canada',
  'united',
  'states',
  'virgin',
  'islandsunited',
  'states',
  'minor',
  'outlying',
  'islandscanadamexico',
  'united',
  'mexican',
  'statesbahamas',
  'commonwealth',
  'thecuba',
  'republic',
  'ofdominican',
  'republichaiti',
  'republic',
  'ofjamaicaafghanistanalbania',
  'people',
  'socialist',
  'republic',
  'ofalgeria',
  'people',
  'democratic',
  'republic',
  'samoaandorra',
  'principality',
  'ofangola',
  'republic',
  'ofanguillaantarctica',
  'territory',
  'south',
  'deg',
  's)antigua',
  'barbudaargentina',
  'argentine',
  'republicarmeniaarubaaustralia',
  'commonwealth',
  'ofaustria',
  'republic',
  'ofazerbaijan',
  'republic',
  'ofbahrain',
  'kingdom',
  'ofbangladesh',
  'people',
  'republic',
  'ofbarbadosbelarusbelgium',
  'kingdom',
  'ofbelizebenin',
  'people',
  'republic',
  'ofbermudabhutan',
  'kingdom',
  'ofbolivia',
  'republic',
  'ofbosnia',
  'herzegovinabotswana',
  'republic',
  'ofbouvet',
  'island',
  'bouvetoya)brazil',
  'federative',
  'republic',
  'ofbritish',
  'indian',
  'ocean',
  'territory',
  'chagos',
  'virgin',
  'islandsbrunei',
  'darussalambulgaria',
  'people',
  'republic',
  'ofburkina',
  'fasoburundi',
  'republic',
  'ofcambodia',
  'kingdom',
  'ofcameroon',
  'united',
  'republic',
  'ofcape',
  'verde',
  'republic',
  'islandscentral',
  'african',
  'republicchad',
  'republic',
  'ofchile',
  'republic',
  'ofchina',
  'people',
  'republic',
  'ofchristmas',
  'islandcocos',
  'keeling',
  'islandscolombia',
  'republic',
  'ofcomoros',
  'union',
  'thecongo',
  'democratic',
  'republic',
  'ofcongo',
  'people',
  'republic',
  'ofcook',
  'islandscosta',
  'rica',
  'republic',
  'ofcote',
  "d'ivoire",
  'ivory',
  'coast',
  'republic',
  'thecyprus',
  'republic',
  'ofczech',
  'republicdenmark',
  'kingdom',
  'ofdjibouti',
  'republic',
  'ofdominica',
  'commonwealth',
  'ofecuador',
  'republic',
  'ofegypt',
  'arab',
  'republic',
  'ofel',
  'salvador',
  'republic',
  'ofequatorial',
  'guinea',
  'republic',
  'oferitreaestoniaethiopiafaeroe',
  'islandsfalkland',
  'islands',
  'malvinas)fiji',
  'republic',
  'fiji',
  'islandsfinland',
  'republic',
  'offrance',
  'republicfrench',
  'guianafrench',
  'polynesiafrench',
  'southern',
  'territoriesgabon',
  'gabonese',
  'republicgambia',
  'republic',
  'republic',
  'ofgibraltargreece',
  'hellenic',
  'republicgreenlandgrenadaguadaloupeguamguatemala',
  ...],
 ['fox',
  'news',
  'media',
  'fox',
  'news',
  'mediafox',
  'businessfox',
  'nationfox',
  'news',
  'audiofox',
  'fox',
  'news',
  'expand',
  'collapse',
  'search',
  'login',
  'tv',
  'menu',
  'u.s.',
  'crimemilitaryeducationterrorimmigrationeconomypersonal',
  'freedomsfox',
  'news',
  'investigatesworld',
  'u.n.conflictsterrorismdisastersglobal',
  'politic',
  'executivesenatehousejudiciaryforeign',
  'policypollselectionsentertainment',
  'celebrity',
  'newsmoviestv',
  'newsmusic',
  'newsstyle',
  'newsentertainment',
  'videobusiness',
  'personal',
  'financeeconomymarketswatchlistlifestylereal',
  'estatetechlifestyle',
  'food',
  'drinkcars',
  'truckstravel',
  'outdoorshouse',
  'homefitness',
  'beingstyle',
  'beautyfamilyfaithscience',
  'archaeologyair',
  'spaceplanet',
  'earthwild',
  'naturenatural',
  'sciencedinosaurstech',
  'gamesmilitary',
  'techhealth',
  'coronavirushealthy',
  'livingmedical',
  'researchmental',
  'healthcancerheart',
  'healthchildren',
  'healthtv',
  'showspersonalitieswatch',
  'livefull',
  'episodesshow',
  'clipsnews',
  'clipsabout',
  'contact',
  'worldadvertise',
  'usmedia',
  'relationscorporate',
  'informationcompliance',
  'fox',
  'businessfox',
  'weatherfox',
  'nationwomen',
  'world',
  'cup',
  'news',
  'shopfox',
  'news',
  'gofox',
  'news',
  'radiooutkicknewsletterspodcastsapps',
  'products',
  'fox',
  'news',
  'new',
  'terms',
  'use',
  'new',
  'privacy',
  'policy',
  'privacy',
  'choices',
  'captioning',
  'policy',
  'material',
  'fox',
  'news',
  'network',
  'llc',
  'right',
  'quote',
  'time',
  'minute',
  'market',
  'datum',
  'factset',
  'factset',
  'digital',
  'solutions',
  'statement',
  'mutual',
  'fund',
  'etf',
  'datum',
  'refinitiv',
  'lipper',
  'facebook',
  'twitter',
  'instagram',
  'rss',
  'email',
  'winter',
  'storm',
  'december',
  'est',
  'wyoming',
  'highway',
  'patrol',
  'winter',
  'storm',
  'antarctica',
  'whiteout',
  'condition',
  'video',
  'temperature',
  'greg',
  'norman',
  'fox',
  'news',
  'facebook',
  'twitter',
  'flipboard',
  'comments',
  'print',
  'email',
  'video',
  'wyoming',
  'highway',
  'patrol',
  'winter',
  'blizzard',
  'wyoming',
  'highway',
  'patrol',
  'service',
  'motorist',
  'crash',
  'span',
  'hour',
  'highway',
  'patrol',
  'credit',
  'wyoming',
  'highway',
  'patrol)the',
  'wyoming',
  'highway',
  'patrol',
  'video',
  'whiteout',
  'condition',
  'trooper',
  'winter',
  'storm',
  'state',
  'release',
  'footage',
  'wind',
  'chill',
  'warning',
  'effect',
  'friday',
  'dozen',
  'county',
  'national',
  'weather',
  'service',
  'nope',
  'trooper',
  'turn',
  'antarctica',
  'highway',
  'patrol',
  'facebook',
  'clip',
  'wind',
  'snow',
  'cruiser',
  'hour',
  'trooper',
  'service',
  'wednesday',
  'night',
  'driver',
  'crash',
  'temperature',
  'wyoming',
  'degrees',
  'half',
  'hour',
  'wind',
  'chill',
  'break',
  'record',
  'winter',
  'storm',
  'condition',
  'wednesday',
  'dec.',
  'wyoming',
  'wyoming',
  'highway',
  'patrol)the',
  'hour',
  'temperature',
  'drop',
  'record',
  'cheyenne',
  'wyoming',
  'wednesday',
  'temperature',
  'degree',
  'degree',
  'p.m.',
  'p.m.',
  'national',
  'weather',
  'service',
  'cheyenne',
  'leave',
  'biden',
  'issues',
  'dire',
  'winter',
  'storm',
  'frigid',
  'wind',
  'chill',
  'u.s.',
  'christmas',
  'fox',
  'weather',
  'fox',
  'weather)the',
  'record',
  'degree',
  'drop',
  'hour',
  'click',
  'fox',
  'news',
  'app',
  'national',
  'weather',
  'service',
  'cheyenne',
  'office',
  'thursday',
  'advisory',
  'life',
  'wind',
  'chill',
  'degree',
  'snowfall',
  'total',
  'week',
  'fox',
  'chill',
  'magnitude',
  'frostbite',
  'minute',
  'precaution',
  'hypothermia',
  'death',
  'exposure',
  'cold',
  'livestock',
  'interest',
  'fox',
  'news',
  'stephen',
  'sorace',
  'report',
  'greg',
  'norman',
  'reporter',
  'fox',
  'news',
  'digital',
  'story',
  'news',
  'thing',
  'morning',
  'inbox',
  'weekday',
  'newsletter',
  'u.s.',
  'crimemilitaryeducationterrorimmigrationeconomypersonal',
  'freedomsfox',
  'news',
  'investigatesworld',
  'u.n.conflictsterrorismdisastersglobal',
  'politic',
  'executivesenatehousejudiciaryforeign',
  'policypollselectionsentertainment',
  'celebrity',
  'newsmoviestv',
  'newsmusic',
  'newsstyle',
  'newsentertainment',
  'videobusiness',
  'personal',
  'financeeconomymarketswatchlistlifestylereal',
  'estatetechlifestyle',
  'food',
  'drinkcars',
  'truckstravel',
  'outdoorshouse',
  'homefitness',
  'beingstyle',
  'beautyfamilyfaithscience',
  'archaeologyair',
  'spaceplanet',
  'earthwild',
  'naturenatural',
  'sciencedinosaurstech',
  'gamesmilitary',
  'techhealth',
  'coronavirushealthy',
  'livingmedical',
  'researchmental',
  'healthcancerheart',
  'healthchildren',
  'healthtv',
  'showspersonalitieswatch',
  'livefull',
  'episodesshow',
  'clipsnews',
  'clipsabout',
  'contact',
  'worldadvertise',
  'usmedia',
  'relationscorporate',
  'informationcompliance',
  'fox',
  'businessfox',
  'weatherfox',
  'nationwomen',
  'world',
  'cup',
  'news',
  'shopfox',
  'news',
  'gofox',
  'news',
  'radiooutkicknewsletterspodcastsapps',
  'products',
  'facebook',
  'twitter',
  'instagram',
  'youtube',
  'flipboard',
  'linkedin',
  'slack',
  'rss',
  'newsletters',
  'spotify',
  'iheartradio',
  'fox',
  'news',
  'new',
  'terms',
  'use',
  'new',
  'privacy',
  'policy',
  'privacy',
  'choices',
  'captioning',
  'policy',
  'accessibility',
  'statement',
  'material',
  'fox',
  'news',
  'network',
  'llc',
  'right',
  'quote',
  'time',
  'minute',
  'market',
  'datum',
  'factset',
  'factset',
  'digital',
  'solutions',
  'statement',
  'mutual',
  'fund',
  'etf',
  'datum',
  'refinitiv',
  'lipper'],
 ['cart',
  'checkout',
  'aresamaritan',
  'purseabout',
  'samaritan',
  'pursehistorystatement',
  'faithcomfort',
  'wake',
  'stormboard',
  'directors',
  'key',
  'employeesworldwide',
  'officesfinancial',
  'accountabilitymedia',
  'resourceslegal',
  'permissionscontact',
  'usfranklin',
  'grahamfranklin',
  'grahamfestivalsbiographybibliography',
  'doministry',
  'projectsinternational',
  'crisis',
  'responseoperation',
  'christmas',
  'childthe',
  'greatest',
  'journeyu.s.',
  'disaster',
  'reliefworld',
  'medical',
  'missiongreta',
  'home',
  'academychildren',
  'heart',
  'projectoperation',
  'heal',
  'patriots',
  'crisis',
  'responseu.s.',
  'disaster',
  'reliefoperation',
  'christmas',
  'childoperation',
  'patriotsmedical',
  'ministriesdiscipleship',
  'educationanimals',
  'agricultureconstruction',
  'projectswater',
  'hygienewomen',
  'childrenfeeding',
  'programs',
  'involvedvolunteeru.s.',
  'disaster',
  'reliefconstructionoperation',
  'christmas',
  'childworld',
  'medical',
  'missionemploymentcareer',
  'opportunitiesoperation',
  'christmas',
  'child',
  'processing',
  'center',
  'seasonaldisaster',
  'assistance',
  'response',
  'team',
  'dart)internship',
  'programapprenticeship',
  'programpost',
  'residency',
  'programpartner',
  'uschurch',
  'connectionscreate',
  'fundraising',
  'page',
  '†',
  'gift',
  'mail',
  'samaritan',
  'purse',
  'po',
  'box',
  'boone',
  'nc',
  'gift',
  'catalogrecurring',
  'donationssupport',
  'physicianbookssolicitation',
  'disclosureiras',
  'stocks',
  'willsdonor',
  'fundsmemorial',
  'givingworkplace',
  'givingmatching',
  'cash',
  'givingcryptocurrency',
  'donation',
  'total',
  'samaritan',
  'purse',
  'responds',
  'storm',
  'marked',
  'tree',
  'arkansasjune',
  'united',
  'states',
  'disaster',
  'relief',
  'unit',
  'marked',
  'tree',
  'arkansas',
  'samaritan',
  'purse',
  'jesus',
  'storm',
  'marked',
  'tree',
  'arkansas',
  'corner',
  'state',
  'u.s.',
  'disaster',
  'relief',
  'marked',
  'tree',
  'community',
  'tree',
  'debris',
  'damage',
  'power',
  'temperature',
  'digit',
  'samaritan',
  'purse',
  'disaster',
  'relief',
  'unit',
  'tractor',
  'trailer',
  'relief',
  'equipment',
  'supply',
  'volunteer',
  'team',
  'homeowner',
  'tree',
  'debris',
  'removal',
  'baptist',
  'church',
  'marked',
  'tree',
  'host',
  'church',
  'response',
  'arkansas',
  'family',
  'storm',
  'help',
  'volunteering',
  'hand',
  'foot',
  'jesus',
  'christ',
  'arkansas',
  'volunteer',
  'arkansas',
  'work',
  'marked',
  'tree',
  'response',
  'tulsa',
  'county',
  'oklahoma',
  'homeowner',
  'storm',
  'samaritan',
  'purse',
  'volunteer',
  'staff',
  'jesus',
  'u.s.',
  'disaster',
  'relief',
  'samaritan',
  'purse',
  'thousand',
  'volunteer',
  'emergency',
  'aid',
  'u.s.',
  'victim',
  'wildfire',
  'flood',
  'tornado',
  'hurricane',
  'disaster',
  'aftermath',
  'storm',
  'house',
  'people',
  'help',
  'u.s.',
  'disaster',
  'relief',
  'checkout',
  'u.s.',
  'disaster',
  'relief',
  'new',
  'home',
  'strengthened',
  'faith',
  'tornado',
  'community',
  'mississippi',
  'samaritan',
  'purse',
  'u.s.',
  'disaster',
  'relief',
  'edward',
  'graham',
  'new',
  'yorkers',
  'army',
  'ranger',
  'wife',
  'kristy',
  'homeowner',
  'samaritan',
  'u.s.',
  'disaster',
  'relief',
  'sharing',
  'hope',
  'christ',
  'vermont',
  'homeowners',
  'gospel',
  'jesus',
  'christ',
  'life',
  'vermont',
  'samaritan',
  'purse',
  'samaritan',
  'purse',
  'staff',
  'equipment',
  'thousand',
  'volunteer',
  'emergency',
  'aid',
  'victim',
  'tornado',
  'hurricane',
  'wildfire',
  'flood',
  'disaster',
  'united',
  'states',
  'response',
  'house',
  'family',
  'storiessharing',
  'hope',
  'christ',
  'vermont',
  'homeowners',
  'floodingrestoring',
  'families',
  'futures',
  'new',
  'livelihoodsresponding',
  'new',
  'york',
  'vermontstarting',
  'overedward',
  'graham',
  'mike',
  'pence',
  'samaritan',
  'purse',
  'work',
  'ukraine',
  'copyright',
  'samaritan',
  'purse',
  'right',
  'samaritan',
  'purse',
  'po',
  'box',
  'boone',
  'nc',
  'solicitation',
  'disclosure',
  'privacy',
  'policy',
  'opt',
  'advertising',
  'statement',
  'faith',
  'mission',
  'statement',
  'employment',
  'franklin',
  'graham',
  'worldwide',
  'offices',
  'contact',
  'samaritan',
  'purse',
  'tax',
  'charity',
  'contribution',
  'project',
  'project',
  'percent',
  'gift',
  'contribution',
  'project',
  'project',
  'fund',
  'need',
  'sign',
  'email',
  'update',
  'work',
  'samaritan',
  'purse',
  'prayer',
  'alert',
  'volunteer',
  'opportunity',
  'family',
  'copy',
  'god',
  'word',
  'bible',
  'literature',
  'family',
  'need',
  'christmas',
  'catalog',
  'child',
  'greatest',
  'journey',
  'lesson',
  'book',
  'bible',
  'boy',
  'girl',
  'discipleship',
  'program',
  'samaritan',
  'purse',
  'website',
  'samaritan',
  'purse',
  'united',
  'states',
  'affiliate',
  'site',
  'samaritan',
  'purse',
  'australia',
  'new',
  'zealand',
  'samaritan',
  'purse',
  'canada',
  'samaritan',
  'purse',
  'germany',
  'samaritan',
  'purse',
  'korea',
  'samaritan',
  'purse',
  'united',
  'kingdom'],
 ['son',
  'houston',
  'man',
  'son',
  'charge',
  'content',
  'family',
  'jury',
  'look',
  'jalen',
  'randle',
  'case',
  'man',
  'hpd',
  'officer',
  'houston',
  'forecast',
  'downpour',
  'today',
  'chicken',
  'farm',
  'texas',
  'heat',
  'weather',
  'texas',
  'winter',
  'storm',
  'watch',
  'warning',
  'ice',
  'event',
  'state',
  'winter',
  'storm',
  'texas',
  'coast',
  'air',
  'state',
  'author',
  'pat',
  'cavlin',
  'john',
  'diaz',
  'cory',
  'mccord',
  'khou',
  'chloe',
  'alexander',
  'tim',
  'pandajis',
  'pm',
  'cst',
  'january',
  'pm',
  'cst',
  'january',
  'texas',
  'usa',
  'ice',
  'event',
  'central',
  'north',
  'texas',
  'winter',
  'storm',
  'weather',
  'warning',
  'effect',
  'state',
  'wednesday',
  'morning',
  'south',
  'southeast',
  'texas',
  'week',
  'highway',
  'concern',
  'state',
  'rain',
  'sleet',
  'red',
  'river',
  'valley',
  'monday',
  'day',
  'driving',
  'condition',
  'check',
  'flight',
  'delay',
  'texas',
  'texas',
  'power',
  'grid',
  'condition',
  'real',
  'time',
  'texas',
  'power',
  'grid',
  'real',
  'time',
  'supply',
  'winter',
  'storm',
  'texas',
  'coast',
  'air',
  'state',
  'temperature',
  'million',
  'texans',
  'resident',
  'i-35',
  'ice',
  'accumulation',
  'inch',
  'thursday',
  'accumulation',
  'ice',
  'roadway',
  'bridge',
  'overpass',
  'travel',
  'condition',
  'tuesday',
  'night',
  'power',
  'outage',
  'ice',
  'inch',
  'ice',
  'pound',
  'weight',
  'powerline',
  'span',
  'rain',
  'drizzle',
  'north',
  'texas',
  'rain',
  'road',
  'temperature',
  'freezing',
  'precipitation',
  'rain',
  'sleet',
  'pat',
  'cavlin',
  'medium',
  'facebook',
  '',
  '',
  'twitter',
  'instagram',
  'time',
  'alarm',
  'ice',
  'storm',
  'central',
  'north',
  '',
  '',
  'texasthese',
  'ice',
  'accumulation',
  'wednesday',
  'eveningfor',
  'reference',
  'ice',
  'weight',
  'powerline',
  'span',
  '@khou',
  'khou11',
  '',
  '',
  'txwx',
  'pic.twitter.com/2nup22idco',
  'pat',
  'cavlin',
  '@pcavlin',
  'january',
  'path',
  'tornado',
  'houston',
  'area',
  'video',
  'tornado',
  'baytown',
  'houston',
  'forecast',
  'tonight',
  'example',
  'video',
  'title',
  'video',
  'news',
  'houston',
  'forecast',
  'summer',
  'shower',
  'chance',
  'thursday',
  'eeo',
  'public',
  'file',
  'report',
  'fcc',
  'online',
  'public',
  'inspection',
  'file',
  'closed',
  'caption',
  'procedure',
  'personal',
  'information',
  'khou',
  'tv',
  'rights',
  'khou',
  'notification',
  'news',
  'weather',
  'notification',
  'browser',
  'setting'],
 ['national',
  'parks',
  'northern',
  'utah',
  'cities',
  'towns',
  'parks',
  'outdoors',
  'southern',
  'utah',
  'salt',
  'lake',
  'city',
  'wasatch',
  'dark',
  'sky',
  'parks',
  'winter',
  'southern',
  'utah',
  'ski',
  'resorts',
  'arts',
  'museums',
  'backpacking',
  'camping',
  'cycling',
  'dinosaurs',
  'festivals',
  'events',
  'utah',
  'fishing',
  'food',
  'nightlife',
  'hiking',
  'history',
  'mountain',
  'biking',
  'ohv',
  'road',
  'rafting',
  'road',
  'rock',
  'climbing',
  'skiing',
  'slot',
  'canyons',
  'snowboarding',
  'snowmobiling',
  'snowshoeing',
  'stargazing',
  'tribal',
  'cultures',
  'urban',
  'experiences',
  'travel',
  'guides',
  'maps',
  'international',
  'travel',
  'responsible',
  'travel',
  'travel',
  'guides',
  'outfitters',
  'itineraries',
  'ski',
  'travel',
  'weather',
  'prevent',
  'wildfire',
  'fire',
  'safety',
  'review',
  'location',
  'wildfire',
  'utah',
  'robber',
  'roost',
  'southeastern',
  'utah',
  'andrew',
  'burr',
  'learn',
  'year',
  'utah',
  'weather',
  'average',
  'forecast',
  'utah',
  'adventure',
  'season',
  'utah',
  'seasons',
  'utah',
  'state',
  'n',
  'degree',
  'n',
  'degree',
  'parallel',
  'condition',
  'northern',
  'utah',
  'southern',
  'utah',
  'utah',
  'record',
  'temperature',
  'f',
  '-56',
  'c',
  'peter',
  'sinks',
  'february',
  'f',
  'c',
  'month',
  'july',
  'st.',
  'george',
  'utah',
  'season',
  'weather',
  'pattern',
  'weather',
  'april',
  'mid',
  '-',
  'june',
  'august',
  'mid',
  '-',
  'october',
  'december',
  'february',
  'valley',
  'inversion',
  'level',
  'particulate',
  'pollution',
  'air',
  'quality',
  'group',
  'utah',
  'desert',
  'climate',
  'state',
  'country',
  'humidity',
  'percentage',
  'december',
  'humidity',
  '%',
  'july',
  'humidity',
  '%',
  'people',
  'heat',
  'fahrenheit',
  'utah',
  'c',
  'place',
  'humidity',
  'florida',
  'muggy',
  'utah',
  'air',
  'week',
  'winter',
  'place',
  'new',
  'england',
  'humidity',
  'lack',
  'humidity',
  'moisture',
  'atmosphere',
  'sky',
  'utah',
  'shade',
  'blue',
  'utah',
  'season',
  'weather',
  'pattern',
  'weather',
  'april',
  'mid',
  '-',
  'june',
  'august',
  'mid',
  '-',
  'october',
  'delicate',
  'arch',
  'arches',
  'national',
  'park',
  'photo',
  'rosie',
  'serago',
  'beginning',
  'september',
  'day',
  'temperature',
  'day',
  'rainfall',
  'daylight',
  'hour',
  'color',
  'september',
  'stride',
  'october',
  'october',
  'temperature',
  'leave',
  'color',
  'snow',
  'november',
  'temperature',
  'rain',
  'day',
  'average',
  'month',
  'snow',
  'mountain',
  'ski',
  'resort',
  'end',
  'month',
  'march',
  'weather',
  'start',
  'spring',
  'season',
  'utah',
  'spring',
  'land',
  'temperature',
  'difference',
  'rain',
  'march',
  'rest',
  'form',
  'snow',
  'april',
  'temperature',
  'advance',
  'spring',
  'season',
  'utah',
  'snowfall',
  'ski',
  'resort',
  'operation',
  'mid',
  '-',
  'april',
  'spring',
  'bloom',
  'rain',
  'shower',
  'sunshine',
  'week',
  'april',
  'month',
  'state',
  'temperature',
  'length',
  'day',
  'sunshine',
  'rainstorm',
  'june',
  'summer',
  'temperature',
  'sunshine',
  'rainfall',
  'june',
  'day',
  'year',
  'hour',
  'daylight',
  'summer',
  'solstice',
  'july',
  'august',
  'month',
  'year',
  'range',
  'temperature',
  'month',
  'rainfall',
  'winter',
  'december',
  'february',
  'period',
  'snowfall',
  'temperature',
  'daylight',
  'hour',
  'december',
  'january',
  'month',
  'year',
  'day',
  'december',
  'winter',
  'solstice',
  'hour',
  'daylight',
  'february',
  'mix',
  'winter',
  'spring',
  'weather',
  'peek',
  'temperature',
  'sunshine',
  'utah',
  'regional',
  'averages',
  'winter',
  'spring',
  'temperatures',
  'utah',
  'logan',
  'bear',
  'lake',
  'f-1/-12',
  'c',
  'c',
  'f21/5',
  'c',
  'wasatch',
  'range',
  'ogden',
  'salt',
  'lake',
  'city',
  'provo',
  'park',
  'city',
  'degree',
  'f',
  'cooler',
  'c',
  'f11/-1',
  'c',
  'f22/8',
  'c',
  'eastern',
  'utah',
  'flaming',
  'gorge',
  'dinosaur',
  'national',
  'monument',
  'f3/-11',
  'c',
  'f9/-5',
  'c',
  '68/37',
  'c',
  'central',
  'utah',
  'fishlake',
  'national',
  'forest',
  'bryce',
  'canyon',
  'capitol',
  'reef',
  'national',
  'park',
  '39/9',
  'c',
  'c',
  'f20/2',
  'c',
  'f6/-8',
  'c',
  'f17/1',
  'c',
  'f28/9',
  'c',
  'f12/-4',
  'c',
  'c',
  'f30/11',
  'c',
  'f8/-4',
  'c',
  'f17/2',
  'c',
  'f28/11',
  'c',
  'utahlogan',
  'bear',
  'lake',
  'f32/12',
  'c',
  'f25/6',
  'c',
  'f8/-4',
  'c',
  'wasatch',
  'rangeogden',
  'salt',
  'lake',
  'city',
  'provo',
  'park',
  'city',
  'degree',
  'f',
  'cooler',
  'c',
  'f26/11',
  'c',
  'f10/-2',
  'c',
  'eastern',
  'utahflaming',
  'gorge',
  'dinosaur',
  'national',
  'monument',
  'f31/11',
  'c',
  'f24/5',
  'c',
  'f8/-6',
  'c',
  'central',
  'utahfishlake',
  'national',
  'forest',
  'bryce',
  'canyon',
  'capitol',
  'reef',
  'national',
  'park',
  'f28/9',
  'c',
  'f23/4',
  'c',
  'c',
  'f36/16',
  'c',
  'f30/11',
  'c',
  'c',
  'c',
  'f34/13',
  'c',
  'c',
  'c',
  'f31/14',
  'c',
  'f14/1',
  'c',
  'utahlogan',
  'bear',
  'lake',
  'wasatch',
  'rangeogden',
  'salt',
  'lake',
  'city',
  'provo',
  'park',
  'city',
  'degree',
  'f',
  'cooler',
  'park',
  'city(mountain',
  'resort',
  'snowfall',
  'eastern',
  'utahflaming',
  'gorge',
  'dinosaur',
  'national',
  'monument',
  'central',
  'utahfishlake',
  'national',
  'forest',
  'bryce',
  'canyon',
  'capitol',
  'reef',
  'national',
  'park',
  'arches',
  'national',
  'park',
  'temperatures',
  'arches',
  'national',
  'park',
  'f',
  'c',
  'january',
  '100/67',
  'f',
  'c',
  'july',
  'colorado',
  'plateau',
  'desert',
  'region',
  'temperature',
  'fluctuation',
  'degree',
  'day',
  'information',
  'arches',
  'national',
  'park',
  'page',
  'national',
  'park',
  'service',
  'website',
  'bryce',
  'canyon',
  'national',
  'park',
  'bryce',
  'canyon',
  'national',
  'park',
  'temperature',
  'f',
  'c',
  'january',
  'f',
  'c',
  'july',
  'elevation',
  'feet/2,335',
  'meter',
  'park',
  'weather',
  'park',
  'utah',
  'bryce',
  'canyon',
  'national',
  'park',
  'page',
  'national',
  'park',
  'service',
  'website',
  'detail',
  'canyonlands',
  'national',
  'park',
  'canyonlands',
  'national',
  'park',
  'temperature',
  'f',
  'c',
  'january',
  '100/67',
  'f',
  'c',
  'july',
  'canyonlands',
  'national',
  'park',
  'desert',
  'region',
  'colorado',
  'plateau',
  'temperature',
  'variation',
  'day',
  'canyonlands',
  'national',
  'park',
  'page',
  'national',
  'park',
  'service',
  'website',
  'information',
  'capitol',
  'reef',
  'national',
  'park',
  'capitol',
  'reef',
  'national',
  'park',
  'temperature',
  'f',
  'c',
  'january',
  'f',
  'c',
  'july',
  'environment',
  'capitol',
  'reef',
  'weather',
  'safety',
  'concern',
  'flash',
  'flooding',
  'heat',
  'risk',
  'capitol',
  'reef',
  'national',
  'park',
  'weather',
  'national',
  'park',
  'service',
  'website',
  'zion',
  'national',
  'park',
  'temperatures',
  'zion',
  'national',
  'park',
  'range',
  'f',
  '11/-1.6',
  'c',
  'january',
  'f',
  'c',
  'july',
  'daytime',
  'temperature',
  'degree',
  'area',
  'flash',
  'flooding',
  'zion',
  'national',
  'park',
  'page',
  'national',
  'park',
  'service',
  'website',
  'date',
  'information',
  'park',
  'weather',
  'utah',
  'ski',
  'snowboard',
  'weather',
  'utah',
  'ski',
  'resort',
  'state',
  'resort',
  'end',
  'november',
  'season',
  'snowfall',
  'mid',
  '-',
  'april',
  'cottonwood',
  'canyons',
  'snowfall',
  'inch',
  'cm',
  'snow',
  'density',
  'percent',
  'utah',
  'snow',
  'powdery',
  'dozen',
  'powder',
  'day',
  'season',
  'powder',
  'day',
  'inch',
  'cm',
  'hour',
  'science',
  'greatest',
  'snow',
  'earth',
  'daily',
  'snow',
  'condition',
  'resort',
  'update',
  'condition',
  'link',
  'webcam',
  'look',
  'mountain',
  'condition',
  'weather',
  'alert',
  'weather',
  'report',
  'forecast',
  'utah',
  'television',
  'broadcast',
  'channel',
  'kutv',
  'cbs',
  'channel',
  'ksl',
  'nbc',
  'channel',
  'abc4',
  'abc',
  'channel',
  'kued7',
  'pbs',
  'fox13',
  'fox',
  'channel',
  'news',
  'program',
  'p.m.',
  'p.m.',
  'p.m.',
  'weather',
  'information',
  'noaa',
  'weather',
  'radio',
  'unified',
  'police',
  'department',
  'canyon',
  'alert',
  'system',
  'people',
  'canyon',
  'traffic',
  'information',
  'restriction',
  'tire',
  'chain',
  'requirement',
  'cottonwood',
  'canyons',
  'alert',
  'twitter',
  '@udotcottonwood',
  'facebook',
  'page',
  'transportation',
  'utah',
  'mountain',
  'snowfall',
  'winter',
  'recreation',
  'opportunity',
  'winter',
  'safety',
  'challenge',
  'ski',
  'bus',
  'cottonwood',
  'canyon',
  'resort',
  'alta',
  'snowbird',
  'brighton',
  'solitude',
  'review',
  'practice',
  'cottonwood',
  'canyons',
  'congestion',
  'alta',
  'ski',
  'area',
  'new',
  'snow',
  'base',
  'depth',
  'run',
  'opening',
  'closing',
  'beaver',
  'mountain',
  'new',
  'snow',
  'base',
  'depth',
  'run',
  'opening',
  'closing',
  'brian',
  'head',
  'ski',
  'resort',
  'new',
  'snow',
  'base',
  'depth',
  'run',
  'opening',
  'closing',
  'brighton',
  'new',
  'snow',
  'base',
  'depth',
  'run',
  'opening',
  'closing',
  'cherry',
  'peak',
  'new',
  'snow',
  'base',
  'depth',
  'run',
  'opening',
  'closing',
  'deer',
  'valley',
  'resort',
  'new',
  'snow',
  'base',
  'depth',
  'run',
  'opening',
  'closing',
  'eagle',
  'point',
  'new',
  'snow',
  'base',
  'depth',
  'run',
  'opening',
  'closing',
  'nordic',
  'valley',
  'new',
  'snow',
  'base',
  'depth',
  'run',
  'opening',
  'closing',
  'park',
  'city',
  'mountain',
  'new',
  'snow',
  'base',
  'depth',
  'run',
  'opening',
  'powder',
  'mountain',
  'new',
  'snow',
  'base',
  'depth',
  'run',
  'opening',
  'closing',
  'snowbasin',
  'resort',
  'new',
  'snow',
  'base',
  'depth',
  'run',
  'opening',
  'closing',
  'snowbird',
  'new',
  'snow',
  'base',
  'depth',
  'run',
  'opening',
  'closing',
  'solitude',
  'mountain',
  'resort',
  'new',
  'snow',
  'base',
  'depth',
  'run',
  'opening',
  'sundance',
  'mountain',
  'resort',
  'new',
  'snow',
  'base',
  'depth',
  'run',
  'opening',
  'closing',
  'woodward',
  'park',
  'city',
  'new',
  'snow',
  'base',
  'depth',
  'run',
  'opening',
  'closing',
  'travel',
  'travel',
  'travel',
  'guide',
  'highway',
  'map',
  'sign',
  'newsletter',
  'copyright',
  'utah',
  'office',
  'tourism',
  'rights'],
 ['discover',
  'thomson',
  'reutersdirectory',
  '-',
  'phone',
  'onlyfor',
  'tablet',
  'portrait',
  'upfor',
  'tablet',
  'landscape',
  'upfor',
  'desktop',
  'desktop',
  'south',
  'carolina',
  'dorian',
  'storm',
  'surgeby',
  'nick',
  'carey4',
  'min',
  'readcharleston',
  's.c.',
  'reuters',
  'screen',
  'highway',
  'charleston',
  'south',
  'carolina',
  'warning',
  'resident',
  'wednesday',
  'hurricane',
  'dorian',
  'leave',
  'now.”file',
  'photo',
  'people',
  'waterfront',
  'arrival',
  'hurricane',
  'dorian',
  'charleston',
  'south',
  'carolina',
  'u.s.',
  'september',
  'reuters',
  'randall',
  'hill',
  'file',
  'number',
  'people',
  'warning',
  'gasoline',
  'station',
  'city',
  'outskirt',
  'driver',
  'snack',
  'fuel',
  'journey',
  'storm',
  'dorian',
  'year',
  'chance',
  'family',
  'coast',
  'george',
  'wilson',
  'candy',
  'chocolate',
  'child',
  'thousand',
  'resident',
  'charleston',
  'storm',
  'dorian',
  'bahamas',
  'people',
  'scope',
  'destruction',
  'focus',
  'wednesday',
  'storm',
  'wind',
  'speed',
  'tuesday',
  'category',
  'storm',
  'step',
  'saffir',
  'simpson',
  'intensity',
  'scale',
  'level',
  'wednesday',
  'forecaster',
  'south',
  'carolina',
  'official',
  'storm',
  'surge',
  'foot',
  'metre',
  'gust',
  'mile',
  'hour',
  'kph',
  'thursday',
  'people',
  'coast',
  'dorian',
  'business',
  'owner',
  'resident',
  'shop',
  'wednesday',
  'charleston',
  'district',
  'hurricane',
  'occurrence',
  'ritual',
  'micah',
  'elliott',
  'co',
  '-',
  'founder',
  'charleston',
  'home',
  'business',
  'client',
  'elliot',
  'kevin',
  'leprince',
  'artist',
  'art',
  'gallery',
  'district',
  'leprince',
  'gallery',
  'storm',
  'surge',
  'flooding',
  'rain',
  'artwork',
  'waterfront',
  'mark',
  'huske',
  'sandbag',
  'window',
  'architect',
  'office',
  'huske',
  'storm',
  'surge',
  'office',
  'house',
  '”‘seen',
  'crowd',
  'tourist',
  'resident',
  'charleston',
  'waterfront',
  'rain',
  'photograph',
  'dolphin',
  'ashley',
  'river',
  'danny',
  'davis',
  'wife',
  'octavia',
  'umbrella',
  'view',
  'waterfront',
  'water',
  'supply',
  'preparation',
  'dorian',
  'dorian',
  'danny',
  'davis',
  'charleston',
  'damage',
  'number',
  'storm',
  'year',
  'hurricane',
  'irma',
  'hurricane',
  'matthew',
  'battering',
  'hurricane',
  'hugo',
  'owner',
  'ink',
  'ivy',
  'bar',
  'district',
  'dorian',
  'bar',
  'wednesday',
  'afternoon',
  'bartender',
  'gregory',
  'wilder',
  'crowd',
  'evening',
  'power',
  'city',
  'spokesman',
  'jack',
  'o’toole',
  'city',
  'threat',
  'wind',
  'storm',
  'surge',
  'flooding',
  '”“it',
  'people',
  'o’toole',
  'message',
  'resident',
  'hatch',
  'nick',
  'carey',
  'peter',
  'cooneyour',
  'standards',
  'thomson',
  'reuters',
  'trust',
  'principles',
  'appsnewslettersadvertise',
  'usadvertising',
  'guidelinescookiesterms',
  'useprivacydo',
  'informationall',
  'quote',
  'minimum',
  'minute',
  'list',
  'exchange',
  'delay',
  'reuters',
  'rights',
  'reserved.for',
  'phone',
  'onlyfor',
  'tablet',
  'portrait',
  'upfor',
  'tablet',
  'landscape',
  'upfor',
  'desktop',
  'desktop'],
 ['navigation',
  'menumenustory',
  'savedto',
  'revist',
  'article',
  'profile',
  'view',
  'story',
  'alerta',
  'bomb',
  'cyclone',
  'brings',
  'flooding',
  'new',
  'england',
  'againbackchannelbusinessculturegearideassciencesecuritymorechevronstory',
  'revist',
  'article',
  'profile',
  'view',
  'story',
  'alertsign',
  'insearchsearchbackchannelbusinessculturegearideassciencesecuritypodcastsvideoartificial',
  'intelligenceclimategamesnewslettersmagazineeventswired',
  'insiderjobscouponsmegan',
  'moltenisciencemar',
  'pma',
  'bomb',
  'cyclone',
  'bring',
  'flooding',
  'new',
  'england',
  'againadd',
  'foot',
  'storm',
  'surge',
  'tide',
  'recipe',
  'flooding',
  'foot',
  'storm',
  'surge',
  'tide',
  'recipe',
  'flooding',
  'craig',
  'f.',
  'walker',
  'boston',
  'globe',
  'getty',
  'imagessave',
  'storysavesince',
  'friday',
  'morning',
  'duxbury',
  'fire',
  'department',
  'dispatch',
  'center',
  'barrage',
  'tree',
  'house',
  'mayflower',
  'street',
  'wire',
  'keene',
  'street',
  'congress',
  'massachusetts',
  'town',
  'grip',
  'winter',
  'storm',
  'riley',
  'nor’easter',
  'weekend',
  'mile',
  'swath',
  'new',
  'england',
  'wind',
  'hurricane',
  'force',
  'mile',
  'hour',
  'moon',
  'thursday',
  'night',
  'official',
  'region',
  'flooding',
  'event',
  'superstorm',
  'history',
  'riley',
  'country',
  'year',
  'twitter',
  'content',
  'site',
  'boston',
  'portland',
  'maine',
  'january',
  'bomb',
  'cyclone',
  'flood',
  'record',
  'blizzard',
  'weekend',
  'storm',
  'eastern',
  'massachusetts',
  'inch',
  'rain',
  'foot',
  'storm',
  'surge',
  'flooding',
  'problem',
  'mover',
  'storm',
  'cycle',
  'normal',
  'nor’easter',
  'percent',
  'boston',
  'flood',
  'event',
  'climate',
  'change',
  'ocean',
  'temperature',
  'winter',
  'cyclone',
  'sea',
  'level',
  'storm',
  'home',
  'business',
  'infrastructure',
  'place',
  'duxbury',
  'water',
  'future',
  'week',
  'person',
  'town',
  'water',
  'vehicle',
  'fire',
  'department',
  'fleet',
  'inch',
  'tire',
  'truck',
  'flood',
  'rescue',
  'evacuation',
  'january',
  'storm',
  'vehicle',
  'guard',
  'outpost',
  'duxbury',
  'resident',
  'request',
  'volume',
  'popularculturecritical',
  'role',
  'lays',
  'era',
  'tabletop',
  'games',
  'live',
  'action',
  'role',
  'playlaurence',
  'russellsecuritytwitter',
  'scammers',
  'friend',
  'downselena',
  'larsongearhow',
  'old',
  'comicsomar',
  'l.',
  'gallagacultureoppenheimer',
  'dharma',
  'deathjohn',
  'semleytwitter',
  'content',
  'site',
  'storm',
  'flooding',
  'ambulance',
  'fire',
  'engine',
  'rescue',
  'duxbury',
  'fire',
  'captain',
  'rob',
  'reardon',
  'vehicle',
  'surplus',
  'fort',
  'drum',
  'new',
  'york',
  'capability',
  'time',
  'weekend',
  'storm',
  'reardon',
  'license',
  'plate',
  'yesterday',
  'pm',
  'shift',
  'tonight',
  'peak',
  'tide',
  'flooding',
  'duxbury',
  'municipality',
  'catastrophe',
  'response',
  'competency',
  'face',
  'weather',
  'hurricane',
  'harvey',
  'inadequacy',
  'houston',
  'fire',
  'department',
  'ability',
  'citizen',
  'flood',
  'city',
  'official',
  'water',
  'vehicle',
  'boat',
  'rescue',
  'equipment',
  'kind',
  'disaster',
  'mitigation',
  'technique',
  'city',
  'budget',
  'year',
  'community',
  'investment',
  'infrastructure',
  'flooding',
  'place',
  'course',
  'energy',
  'policy',
  'generation',
  'superstorm',
  'outwondering',
  'bomb',
  'cyclone',
  'thing',
  'term',
  "nor'easter",
  'joke',
  'storm',
  'east',
  'coast',
  'january',
  'jfk',
  'airport',
  'class',
  'weather',
  'climate',
  'change',
  'weather',
  'system',
  'megan',
  'molteni',
  'science',
  'writer',
  'stat',
  'news',
  'staff',
  'writer',
  'wired',
  'biotechnology',
  'health',
  'privacy',
  'biology',
  'frisbee',
  'carleton',
  'college',
  'graduate',
  'degree',
  'journalism',
  'university',
  'california',
  'berkeley',
  'twittertopicsextreme',
  'weatherhurricanesinfrastructuremore',
  'death',
  'destroyer',
  'worlds',
  'story',
  'oppenheimer',
  'infamous',
  'quotethe',
  'line',
  'hindu',
  'text',
  'bhagavad',
  'gita',
  'robert',
  'oppenheimer',
  'meaning',
  'james',
  'tempertoninside',
  'youth',
  'climate',
  'lawsuit',
  'trial',
  'held',
  'montana',
  'resident',
  'state',
  'constitution',
  'guarantee',
  'environment',
  'forbesweird',
  'weather',
  'air',
  'travel',
  'worseflight',
  'delay',
  'cancellation',
  'turbulence',
  'weather',
  'ramp',
  'thing',
  'climate',
  'change',
  'amanda',
  'grid',
  'collapse',
  'heat',
  'wave',
  'far',
  'deadlierclimate',
  'change',
  'summer',
  'blackout',
  'heat',
  'illness',
  'power',
  'system',
  'vulnerability',
  'maryn',
  'care',
  'key',
  'healthy',
  'populationpoverty',
  'housing',
  'availability',
  'space',
  'population',
  'government',
  'christina',
  'pagelok',
  'surfer',
  'wave?how',
  'energy',
  'wave',
  'kelly',
  'slater',
  'math',
  'rhett',
  'allainwhy',
  'scientist',
  'atlantic',
  'currentsis',
  'system',
  'current',
  'atlantic',
  'climate',
  'chaos',
  'matt',
  'simonthe',
  'arctic',
  'freezer',
  'poweras',
  'glacier',
  'methane',
  'groundwater',
  'surface',
  'climate',
  'arctic',
  'decline',
  'matt',
  'simonwired',
  'tomorrow',
  'source',
  'information',
  'idea',
  'sense',
  'world',
  'transformation',
  'wired',
  'conversation',
  'technology',
  'aspect',
  'life',
  'culture',
  'business',
  'science',
  'breakthrough',
  'innovation',
  'lead',
  'way',
  'thinking',
  'connection',
  'industry',
  'staffpress',
  'centercouponseditorial',
  'standardsarchivecontactadvertisecontact',
  'uscustomer',
  'carejobsrssaccessibility',
  'helpcondé',
  'nast',
  'storedo',
  'info',
  'condé',
  'nast',
  'right',
  'use',
  'site',
  'acceptance',
  'user',
  'agreement',
  'privacy',
  'policy',
  'cookie',
  'statement',
  'california',
  'privacy',
  'rights',
  'wired',
  'portion',
  'sale',
  'product',
  'site',
  'affiliate',
  'partnerships',
  'retailer',
  'material',
  'site',
  'permission',
  'condé',
  'nast',
  'ad',
  'choicesselect',
  'stateslargechevronukitaliajapón'],
 ['day',
  'woman',
  'birth',
  'hospital',
  'heart',
  'attack',
  'seizure',
  'kidney',
  'failure',
  'blood',
  'transfusion',
  'problem',
  'death',
  'human',
  'trafficking',
  'sports',
  'entertainment',
  'life',
  'money',
  'tech',
  'travel',
  'opinion',
  'obituariesonly',
  'usa',
  'today',
  'newsletters',
  'subscribers',
  'archives',
  'crossword',
  'enewspaper',
  'magazines',
  'investigations',
  'weather',
  'forecast',
  'video',
  'humankind',
  'curiousbest',
  'booklist',
  'pets',
  'food',
  'reviewed',
  'coupons',
  'blueprint',
  'best',
  'auto',
  'insurance',
  'best',
  'pet',
  'insurance',
  'best',
  'travel',
  'insurance',
  'best',
  'credit',
  'cards',
  'best',
  'cd',
  'rate',
  'best',
  'personal',
  'loans',
  'nationhurricane',
  'weather)add',
  'topicflorida',
  'home',
  'atlantic',
  'ocean',
  'nicole',
  'punchjohn',
  'bacon',
  'greenlee',
  'doyle',
  'rice',
  'thao',
  'nguyenusa',
  'todaystuart',
  'fla.',
  'tropical',
  'depression',
  'nicole',
  'georgia',
  'friday',
  'morning',
  'day',
  'havoc',
  'florida',
  'hurricane',
  'storm',
  'thousand',
  'home',
  'business',
  'power',
  'november',
  'hurricane',
  'inch',
  'rain',
  'blue',
  'ridge',
  'mountains',
  'friday',
  'national',
  'hurricane',
  'center',
  'flash',
  'flooding',
  'rain',
  'ohio',
  'valley',
  'mid',
  '-',
  'atlantic',
  'new',
  'england',
  'saturday',
  'storm',
  'thursday',
  'people',
  'electrocution',
  'power',
  'line',
  'orlando',
  'area',
  'orange',
  'county',
  'sheriff',
  'office',
  'power',
  'line',
  'sheriff',
  'office',
  'tweet',
  'utility',
  'worker',
  'power',
  'county',
  'thursday',
  'power',
  'indian',
  'river',
  'county',
  'p.m.',
  'florida',
  'power',
  'light',
  'customer',
  'power',
  'martin',
  'county',
  'p.m.',
  'p.m.',
  'thursday',
  'nicole',
  'depression',
  'rain',
  'portion',
  'u.s',
  'hurricane',
  'center',
  '"this',
  'life',
  'situation',
  'jack',
  'beven',
  'hurricane',
  'specialist',
  'hurricane',
  'center',
  'advisory',
  'people',
  'region',
  'action',
  'life',
  'property',
  'water',
  'potential',
  'condition',
  'watch',
  'florida',
  'georgia',
  'st.',
  'augustine',
  'bridge',
  'lions',
  'intracoastal',
  'waterway',
  'siege',
  'nicole',
  'tornado',
  'warning',
  'thursday',
  'morning',
  'city',
  'pace',
  'bridge',
  'lions',
  'city',
  'twitter',
  'post',
  'road',
  'area',
  'home',
  'atlantic',
  'oceanflorida',
  'home',
  'atlantic',
  'ocean',
  'thursday',
  'krista',
  'dowling',
  'goodrich',
  'home',
  'wilbur',
  'sea',
  'daytona',
  'beach',
  'shores',
  'backyard',
  'ocean',
  'storm',
  'row',
  'rise',
  'condominium',
  'hurricane',
  'nicole',
  'week',
  'hurricane',
  'ian',
  'seawall',
  'beach',
  'official',
  'volusia',
  'county',
  'mile',
  'orlando',
  'thursday',
  'building',
  'inspector',
  'hotel',
  'condo',
  'daytona',
  'beach',
  'shores',
  'new',
  'smyrna',
  'beach',
  'evacuation',
  'family',
  'home',
  'wilbur',
  'sea',
  'inspector',
  'county',
  'official',
  'damage',
  'coastline',
  'county',
  'manager',
  'george',
  'recktenwald',
  'news',
  'conference',
  'thursday',
  'storm',
  'sea',
  'turtle',
  'egg',
  'treasure',
  'coast',
  'week',
  'hurricane',
  'ian',
  'damage',
  'nest',
  'sea',
  'turtle',
  'egg',
  'debris',
  'boardwalk',
  'beach',
  'access',
  'thursday',
  'santa',
  'lucea',
  'beach',
  'martin',
  'county',
  'resident',
  'sighting',
  'treasure',
  'coast',
  'beach',
  'turtle',
  'nest',
  'storm',
  'surge',
  'wave',
  'hurricane',
  'ian',
  'september',
  'sea',
  'turtle',
  'egg',
  'beach',
  'fort',
  'pierce',
  'treasure',
  'coast',
  'city',
  'community',
  'sigh',
  'relief',
  'nicole',
  'center',
  'fellsmere',
  'town',
  'people',
  'mile',
  'vero',
  'beach',
  'police',
  'facebook',
  'street',
  'tree',
  'flooding',
  'city',
  'time',
  'post',
  'power',
  'line',
  'police',
  'janet',
  'ken',
  'comey',
  'satellite',
  'beach',
  'people',
  'pelican',
  'beach',
  'park',
  'thursday',
  'morning',
  'wave',
  'tide',
  'storm',
  'couple',
  'new',
  'hampshire',
  'satellite',
  'beach',
  'year',
  '"when',
  'thing',
  'house',
  'generator',
  'janet',
  'comey',
  '"what',
  'subtropical',
  'storm',
  'system',
  'nicole',
  'path?nicole',
  'storm',
  'landfall',
  'vero',
  'beach',
  'mile',
  'west',
  'palm',
  'beach',
  'a.m.',
  'thursday',
  'hurricane',
  'center',
  'wind',
  'mph',
  'storm',
  'day',
  'depression',
  'p.m.',
  'wind',
  'mph',
  'forecaster',
  'turn',
  'north',
  'thursday',
  'track',
  'nicole',
  'hurricane',
  'specialist',
  'robbie',
  'berg',
  'storm',
  'hazard',
  'north',
  'center',
  'forecast',
  'cone',
  'center',
  'nicole',
  'gulf',
  'mexico',
  'thursday',
  'storm',
  'florida',
  'panhandle',
  'georgia',
  'carolinas',
  'friday',
  'national',
  'hurricane',
  'center',
  'rain',
  'region',
  'flash',
  'stream',
  'flooding',
  'nicole',
  'georgia',
  'thursday',
  'united',
  'states',
  'appalachians',
  'friday',
  'hurricane',
  'center',
  'warning',
  'watch',
  'florida',
  'gulf',
  'coastline',
  'hurricane',
  'ian',
  'category',
  'storm',
  'sept.',
  'ian',
  'home',
  'crop',
  'grove',
  'state',
  'damage',
  'airport',
  'theme',
  'park',
  'swath',
  'evacuation',
  'president',
  'donald',
  'trump',
  'mar',
  'lago',
  'club',
  '“it',
  'state',
  'florida',
  'day',
  'florida',
  'gov.',
  'ron',
  'desantis',
  'saffir',
  'simpson',
  'hurricane',
  'wind',
  'speed',
  'scale',
  'hurricane',
  'category',
  'scale',
  'mph',
  'wind',
  'gust',
  'kennedy',
  'space',
  'centerobservations',
  'sensor',
  'kennedy',
  'space',
  'center',
  'pad',
  'artemis',
  'rocket',
  'wind',
  'gust',
  'mph',
  'hurricane',
  'nicole',
  'sensor',
  'reading',
  'sensor',
  'reading',
  'lightning',
  'suppression',
  'tower',
  'nasa',
  'rocket',
  'foot',
  'reading',
  'ground',
  'nasa',
  'space',
  'launch',
  'system',
  'rocket',
  'artemis',
  'mission',
  'moon',
  'mph',
  'wind',
  'foot',
  'level',
  'agency',
  'official',
  'weather',
  'expert',
  'range',
  'agency',
  'space',
  'force',
  'storm',
  'accuracy',
  'datum',
  'emre',
  'kelly',
  'florida',
  'comes',
  'nasa',
  'storm',
  'wind',
  'nasa',
  'artemis',
  'nicole',
  'november',
  'hurricanenicole',
  'november',
  'hurricane',
  'florida',
  'recordkeeping',
  'yankee',
  'hurricane',
  'hurricane',
  'kate',
  'desantis',
  'nicole',
  'storm',
  'hurricane',
  'ian',
  "was'desantis",
  'thursday',
  'hurricane',
  'nicole',
  'punch',
  'ian',
  'year',
  'florida',
  'official',
  'mess',
  'nicole',
  'storm',
  'hurricane',
  'ian',
  'desantis',
  'beach',
  'erosion',
  'problem',
  'area',
  'storm',
  'surge',
  'structure',
  'coast',
  'nicole',
  'landfall',
  'vero',
  'beach',
  'volusia',
  'county',
  'nicole',
  'flash',
  'flooding',
  'area',
  '%',
  'state',
  'power',
  'desantis',
  'impact',
  'governor',
  'desantis',
  'utility',
  'worker',
  'standby',
  'storm',
  'electricity',
  'state',
  'national',
  'guardsmen',
  'recovery',
  'crew',
  'florida',
  'department',
  'transportation',
  'roadway',
  'bridge',
  'resource',
  'post',
  '-',
  'storm',
  'need',
  'desantis',
  'zac',
  'anderson',
  'usa',
  'today',
  'network',
  'florida',
  'nicole',
  'storm',
  'nicole',
  'landfall',
  'a.m.',
  'wednesday',
  'great',
  'abaco',
  'island',
  'bahamas',
  'storm',
  'wind',
  'mph',
  'official',
  'bahamas',
  'people',
  'dozen',
  'shelter',
  'flooding',
  'tree',
  'power',
  'line',
  'water',
  'outage',
  'archipelago',
  'region',
  'nicole',
  'category',
  'hurricane',
  'wednesday',
  'florida',
  'wind',
  'mph',
  'hurricane',
  'landfall',
  'year',
  'east',
  'coast',
  'florida',
  'resident',
  'florida',
  'st.',
  'lucie',
  'county',
  'sheriff',
  'office',
  'tweet',
  'storm',
  'surge',
  'nicole',
  'sea',
  'wall',
  'indian',
  'river',
  'drive',
  'atlantic',
  'ocean',
  'martin',
  'county',
  'sheriff',
  'office',
  'seawater',
  'road',
  'hutchinson',
  'island',
  'resident',
  'florida',
  'county',
  'flagler',
  'palm',
  'beach',
  'martin',
  'volusia',
  'barrier',
  'island',
  'area',
  'home',
  'volusia',
  'home',
  'daytona',
  'beach',
  'curfew',
  'bridge',
  'evacuee',
  'wind',
  'mph',
  'people',
  'evacuation',
  'center',
  'palm',
  'beach',
  'county',
  'wednesday',
  'community',
  'florida',
  'east',
  'coast',
  'desantis',
  'shelter',
  'state',
  'coast',
  'florida',
  'national',
  'guard',
  'guardsman',
  'addition',
  'search',
  'rescue',
  'team',
  'standby',
  'florida',
  'county',
  'miccosukee',
  'tribe',
  'seminole',
  'tribe',
  'state',
  'emergency',
  'president',
  'joe',
  'biden',
  'emergency',
  'declaration',
  'seminole',
  'tribe',
  'help',
  'nation',
  'seminoles',
  'reservation',
  'state',
  'nicole',
  'burial',
  'groundsheriff',
  'official',
  'burial',
  'ground',
  'wave',
  'hurricane',
  'nicole',
  'beach',
  'stuart',
  'florida',
  'dakota',
  'brady',
  'stuart',
  'friend',
  'chastain',
  'beach',
  'human',
  'remain',
  'investigator',
  'skull',
  'time',
  'hurricane',
  'human',
  'beach',
  'hurricane',
  'sandy',
  'beach',
  'erosion',
  'bone',
  'hurricane',
  'frances',
  'jeanne',
  'tcpalm',
  'archive',
  'official',
  'remain',
  'ceremony',
  'mauricio',
  'la',
  'plante',
  'tcpalm',
  'treasure',
  'coast',
  'newspapersi',
  'climate',
  'change',
  'fueling',
  'hurricanes',
  'atlantic?:here',
  'science',
  'state',
  'effect',
  'nicole?nicole',
  'florida',
  'portion',
  'region',
  'u.s.',
  'nicole',
  'center',
  'florida',
  'georgia',
  'thursday',
  'night',
  'carolinas',
  'friday',
  'forecaster',
  'tornado',
  'wednesday',
  'night',
  'thursday',
  'florida',
  'southeast',
  'georgia',
  'south',
  'carolina',
  'rainfall',
  'concern',
  'nicole',
  'storm',
  'surge',
  'foot',
  'area',
  'florida',
  'georgia',
  'coast',
  'deadly',
  'mistake',
  'people',
  'hurricane',
  'forecast',
  'graphic',
  'nicole',
  'trackerwill',
  'greenlee',
  'stuart',
  'floridacontributing',
  'john',
  'mccarthy',
  'florida',
  'today',
  'associated',
  'pressfeatured',
  'weekly',
  'adabout',
  'newsroom',
  'staff',
  'ethical',
  'principles',
  'correction',
  'press',
  'accessibility',
  'sitemap',
  'subscription',
  'terms',
  'conditions',
  'terms',
  'service',
  'california',
  'privacy',
  'rights',
  'privacy',
  'policy',
  'privacy',
  'policydo',
  'sell',
  'share',
  'target',
  'infocookie',
  'settingscontact',
  'account',
  'feedback',
  'home',
  'delivery',
  'enewspaper',
  'usa',
  'today',
  'shop',
  'usa',
  'today',
  'print',
  'editions',
  'licensing',
  'reprints',
  'advertise',
  'careers',
  'internships',
  'businessnews',
  'tips',
  'letter',
  'editor',
  'newsletters',
  'mobile',
  'app',
  'facebook',
  'twitter',
  'instagram',
  'linkedin',
  'pinterest',
  'youtube',
  'reddit',
  'flipboard',
  'jobs',
  'sports',
  'betting',
  'sports',
  'weekly',
  'studio',
  'gannett',
  'classifieds',
  'coupons',
  'blueprint',
  'auto',
  'insurance',
  'pet',
  'insurance',
  'travel',
  'insurance',
  'credit',
  'cards',
  'banking',
  'personal',
  'loans',
  'usa',
  'today',
  'division',
  'gannett',
  'satellite',
  'information',
  'network',
  'llc'],
 ['tide',
  'science',
  'actionmobile',
  'green',
  'solutionsout',
  'harm',
  'way?resources',
  'new',
  'jerseyabout',
  'authors',
  'saving',
  'new',
  'jersey',
  'tide',
  'action',
  'science',
  'policy',
  'engineering',
  'planning',
  'future',
  'proof',
  'garden',
  'state',
  'sea',
  'level',
  'new',
  'jersey',
  'oceanfront',
  'bay',
  'foot',
  'turn',
  'century',
  'increase',
  'tide',
  'hurricane',
  'nor’easter',
  'area',
  'storm',
  'surf',
  'wind',
  'flood',
  'year',
  'state',
  'affair',
  'future',
  'storm',
  'surge',
  'new',
  'jersey',
  'foot',
  'sea',
  'level',
  'rise',
  'greenhouse',
  'gas',
  'emission',
  'antarctic',
  'warming',
  'sea',
  'level',
  'foot',
  'foot',
  'end',
  'century',
  'map',
  'flooding',
  'nor’easter',
  'case',
  'scenario',
  'area',
  'thousand',
  'home',
  'flooding',
  'animation',
  'njfloodmapper',
  'staff',
  'future',
  'storm',
  'surge',
  'new',
  'jersey',
  'foot',
  'sea',
  'level',
  'rise',
  'greenhouse',
  'gas',
  'emission',
  'antarctic',
  'warming',
  'sea',
  'level',
  'foot',
  'foot',
  'end',
  'century',
  'map',
  'flooding',
  'nor’easter',
  'case',
  'scenario',
  'area',
  'thousand',
  'home',
  'flooding',
  'animation',
  'njfloodmapper',
  'staff',
  'sea',
  'level',
  'foot',
  'foot',
  'garden',
  'state',
  'trajectory',
  'greenhouse',
  'gas',
  'emission',
  'activity',
  'ice',
  'sheet',
  'decade',
  'water',
  'level',
  'land',
  'wetland',
  'government',
  'business',
  'resident',
  'step',
  'sea',
  'level',
  'rise',
  'flooding',
  'storm',
  'threat',
  'future',
  'storm',
  'surge',
  'map',
  'flooding',
  'nor’easter',
  'half',
  'new',
  'jersey',
  'case',
  'scenario',
  'area',
  'thousand',
  'home',
  'flooding',
  'animation',
  'njfloodmapper',
  'staff',
  'future',
  'storm',
  'surge',
  'map',
  'flooding',
  'nor’easter',
  'half',
  'new',
  'jersey',
  'case',
  'scenario',
  'area',
  'thousand',
  'home',
  'flooding',
  'animation',
  'njfloodmapper',
  'staff',
  'rutgers',
  'expert',
  'science',
  'evidence',
  'recommendation',
  'climate',
  'change',
  'impact',
  'essay',
  'rutgers',
  'expert',
  'insight',
  'science',
  'planning',
  'policy',
  'engineering',
  'perspective',
  'resilience',
  'tool',
  'new',
  'jersey',
  'county',
  'town',
  'business',
  'resident',
  'tide',
  'climate',
  'change',
  'new',
  'jersey',
  'world',
  'damage',
  'greenhouse',
  'gas',
  'emission',
  'bet',
  'illustration',
  'traci',
  'daberko',
  'climate',
  'change',
  'new',
  'jersey',
  'world',
  'damage',
  'greenhouse',
  'gas',
  'emission',
  'bet',
  'illustration',
  'traci',
  'daberko',
  'future',
  'sea',
  'level',
  'new',
  'jersey',
  'foot',
  'foot',
  'foot',
  'robert',
  'kopp',
  'karl',
  'nordstrom',
  'johnny',
  'quispe',
  'sea',
  'level',
  'inch',
  'new',
  'jersey',
  'sea',
  'level',
  'foot',
  'period',
  'land',
  'force',
  'land',
  'ice',
  'sheet',
  'year',
  'groundwater',
  'pumping',
  'record',
  'salt',
  'marsh',
  'new',
  'jersey',
  'site',
  'world',
  'nature',
  'century',
  'rise',
  'sea',
  'level',
  'average',
  'period',
  'year',
  'rise',
  'ocean',
  'mountain',
  'glacier',
  'ice',
  'sheet',
  'effect',
  'sea',
  'level',
  'rise',
  'sea',
  'tide',
  'storm',
  'flooding',
  'sea',
  'level',
  'rise',
  'frequency',
  'flooding',
  'shore',
  'community',
  'new',
  'jerseyans',
  'sandy',
  'floodwater',
  'new',
  'jerseyans',
  'foot',
  'tide',
  'level',
  'term',
  'elevation',
  'area',
  'sea',
  'level',
  'rise',
  'flooding',
  'century',
  'sea',
  'level',
  'rise',
  'community',
  'way',
  'land',
  'use',
  'infrastructure',
  'property',
  'taxis',
  'emergency',
  'management',
  'half',
  'century',
  'jersey',
  'shore',
  'foot',
  'foot',
  'sea',
  'level',
  'rise',
  'study',
  'climate',
  'central',
  'zillow',
  'sea',
  'level',
  'rise',
  'projection',
  'rutgers',
  'home',
  'jersey',
  'shore',
  'ocean',
  'cape',
  'county',
  'area',
  'range',
  'sea',
  'level',
  'rise',
  'unknown',
  'course',
  'greenhouse',
  'gas',
  'emission',
  'sensitivity',
  'ice',
  'sheet',
  'antarctic',
  'ice',
  'sheet',
  'start',
  'industrial',
  'revolution',
  'human',
  'ton',
  'carbon',
  'dioxide',
  'fossil',
  'fuel',
  'fossil',
  'fuel',
  'emission',
  'driver',
  'fever',
  'degree',
  'fahrenheit',
  'climate',
  'level',
  'warming',
  'goal',
  'degree',
  'celsius',
  'degree',
  'fahrenheit',
  'degree',
  'celsius',
  'degree',
  'fahrenheit',
  'greenhouse',
  'gas',
  'emission',
  'world',
  'half',
  'century',
  'chance',
  'sea',
  'level',
  'rise',
  'new',
  'jersey',
  'course',
  'century',
  'foot',
  'foot',
  'emission',
  'growth',
  'trajectory',
  'bet',
  'emission',
  'fever',
  'degree',
  'fahrenheit',
  'end',
  'century',
  'rise',
  'foot',
  'foot',
  'new',
  'jersey',
  'model',
  'antarctic',
  'sensitivity',
  'warming',
  'range',
  'foot',
  'foot',
  'tool',
  'rutgers',
  'njfloodmapper',
  'climate',
  'central',
  'surging',
  'seas',
  'sense',
  'implication',
  'level',
  'rise',
  'foot',
  'sea',
  'level',
  'rise',
  'area',
  'flooding',
  'new',
  'jersey',
  'people',
  'property',
  'foot',
  'rise',
  'people',
  'property',
  'exposure',
  'assessment',
  'people',
  'land',
  'respond',
  'sea',
  'level',
  'change',
  'assumption',
  'condition',
  'environment',
  'sea',
  'level',
  'rise',
  'system',
  'beach',
  'dune',
  'salt',
  'marsh',
  'water',
  'level',
  'landward',
  'area',
  'environment',
  'building',
  'road',
  'shore',
  'protection',
  'structure',
  'movement',
  'erosion',
  'place',
  'new',
  'jersey',
  'squeeze',
  'barrier',
  'island',
  'marsh',
  'place',
  'residence',
  'recreation',
  'provider',
  'service',
  'water',
  'filtration',
  'storage',
  'storm',
  'buffering',
  'bird',
  'habitat',
  'response',
  'hazard',
  'environment',
  'face',
  'sea',
  'level',
  'rise',
  'development',
  'shore',
  'process',
  'occupancy',
  'hazard',
  'example',
  'house',
  'piling',
  'infrastructure',
  'place',
  'state',
  'program',
  'blue',
  'acres',
  'relocation',
  'success',
  'story',
  'climate',
  'central',
  'zillow',
  'analysis',
  'house',
  'area',
  'time',
  'use',
  'shore',
  'protection',
  'structure',
  'seawall',
  'bulkhead',
  'groin',
  'infrastructure',
  'past',
  'beach',
  'nourishment',
  'new',
  'jersey',
  'leader',
  'scale',
  'nourishment',
  'program',
  'volume',
  'sediment',
  'nourishment',
  'operation',
  'new',
  'jersey',
  'availability',
  'future',
  'beach',
  'nourishment',
  'plant',
  'animal',
  'habitat',
  'sea',
  'land',
  'state',
  'community',
  'resilience',
  'plan',
  'range',
  'future',
  'state',
  'approach',
  'science',
  'range',
  'future',
  'coordination',
  'municipality',
  'time',
  'approach',
  'communication',
  'opportunity',
  'collaboration',
  'pooling',
  'resource',
  'scale',
  'project',
  'entity',
  'rutgers',
  'role',
  'effort',
  'fruition',
  'sea',
  'level',
  'rise',
  'effort',
  'state',
  'economy',
  'magnitude',
  'sea',
  'level',
  'rise',
  'magnitude',
  'fever',
  'earth',
  'new',
  'jersey',
  'climate',
  'change',
  'alliance',
  'research',
  'information',
  'new',
  'jerseyans',
  'tide',
  'superstorm',
  'sandy',
  'illustration',
  'traci',
  'daberko',
  'new',
  'jersey',
  'climate',
  'change',
  'alliance',
  'research',
  'information',
  'new',
  'jerseyans',
  'tide',
  'superstorm',
  'sandy',
  'illustration',
  'traci',
  'daberko',
  'new',
  'jersey',
  'tide',
  'science',
  'action',
  'marjorie',
  'kaplan',
  'lisa',
  'auermuller',
  'jeanne',
  'herb',
  'anniversary',
  'superstorm',
  'sandy',
  'autumn',
  'sandy',
  'answer',
  'place',
  'respect',
  'structure',
  'system',
  'storm',
  'issue',
  'preparedness',
  'face',
  'sea',
  'level',
  'rise',
  'new',
  'jersey',
  'superstorm',
  'sandy',
  'event',
  'opportunity',
  'research',
  'dialogue',
  'issue',
  'policymaker',
  'official',
  'rutgers',
  'mission',
  'service',
  'new',
  'jersey',
  'position',
  'continuity',
  'reality',
  'climate',
  'change',
  'politic',
  'pracademic',
  'academician',
  'practitioner',
  'science',
  'policy',
  'action',
  'community',
  'sector',
  'society',
  'sea',
  'level',
  'rise',
  'rutgers',
  'colleague',
  'university',
  'science',
  'engineering',
  'health',
  'planning',
  'policy',
  'law',
  'communication',
  'humanity',
  'approach',
  'work',
  'access',
  'community',
  'field',
  'station',
  'jacques',
  'cousteau',
  'national',
  'estuarine',
  'research',
  'reserve',
  'example',
  'university',
  'community',
  'work',
  'new',
  'jersey',
  'climate',
  'change',
  'alliance',
  'network',
  'evidence',
  'climate',
  'change',
  'strategy',
  'state',
  'level',
  'new',
  'jersey',
  'rutgers',
  'climate',
  'institute',
  'bloustein',
  'school',
  'planning',
  'public',
  'policy',
  'alliance',
  'year',
  'sandy',
  'storm',
  'value',
  'mission',
  'behalf',
  'alliance',
  'research',
  'analysis',
  'user',
  'decision',
  'support',
  'tool',
  'outreach',
  'material',
  'event',
  'new',
  'jerseyans',
  'climate',
  'change',
  'alliance',
  'request',
  'science',
  'technical',
  'advisory',
  'panel',
  'expert',
  'science',
  'sea',
  'level',
  'rise',
  'projection',
  'storm',
  'flood',
  'risk',
  'implication',
  'practice',
  'policy',
  'new',
  'jersey',
  'stakeholder',
  'option',
  'science',
  'risk',
  'decision',
  'process',
  'process',
  'panel',
  'resilience',
  'practitioner',
  'feedback',
  'science',
  'panel',
  'barrier',
  'opportunity',
  'science',
  'panel',
  'conclusion',
  'practice',
  'research',
  'decision',
  'maker',
  'practitioner',
  'hazard',
  'datum',
  'state',
  'framework',
  'degree',
  'climate',
  'change',
  'impact',
  'new',
  'jersey',
  'decision',
  'maker',
  'professional',
  'recognition',
  'sea',
  'level',
  'rise',
  'impact',
  'new',
  'jersey',
  'area',
  'result',
  'awareness',
  'superstorm',
  'sandy',
  'support',
  'measure',
  'approach',
  'resilience',
  'vision',
  'planning',
  'implementation',
  'concern',
  'emphasis',
  'structure',
  'sense',
  'security',
  'term',
  'resiliency',
  'resident',
  'storm',
  'roadway',
  'infrastructure',
  'facility',
  'sea',
  'level',
  'rise',
  'planning',
  'number',
  'state',
  'agency',
  'decision',
  'maker',
  'sea',
  'level',
  'rise',
  'projection',
  'knowledge',
  'flooding',
  'decision',
  'making',
  'flood',
  'datum',
  'reference',
  'point',
  'impact',
  'preparedness',
  'sea',
  'level',
  'rise',
  'flooding',
  'collaboration',
  'actor',
  'state',
  'decision',
  'maker',
  'sector',
  'leader',
  'scientist',
  'resident',
  'business',
  'community',
  'rutgers',
  'research',
  'result',
  'example',
  'resilience',
  'assessment',
  'process',
  'new',
  'jersey',
  'municipality',
  'rivers',
  'future',
  'municipality',
  'resilience',
  'planning',
  'project',
  'monmouth',
  'county',
  'partnership',
  'state',
  'new',
  'jersey',
  'planning',
  'decision',
  'implication',
  'future',
  'decision',
  'factor',
  'hope',
  'evidence',
  'information',
  'new',
  'jerseyans',
  'sea',
  'level',
  'rise',
  'storm',
  'october',
  'time',
  'new',
  'jersey',
  'infrastructure',
  'engineering',
  'illustration',
  'traci',
  'daberko',
  'time',
  'new',
  'jersey',
  'infrastructure',
  'engineering',
  'illustration',
  'traci',
  'daberko',
  'mobile',
  'green',
  'infrastructure',
  'adaptation',
  'sea',
  'level',
  'rise',
  'qizhong',
  'george',
  'guo',
  'new',
  'jersey',
  'effort',
  'sea',
  'level',
  'infrastructure',
  'challenge',
  'deterioration',
  'change',
  'time',
  'infrastructure',
  'mean',
  'consequence',
  'sea',
  'level',
  'rise',
  'flooding',
  'tide',
  'rainfall',
  'area',
  'new',
  'jersey',
  'saltwater',
  'intrusion',
  'aquifer',
  'water',
  'supply',
  'flooding',
  'rainfall',
  'event',
  'storm',
  'drainage',
  'system',
  'river',
  'sea',
  'level',
  'level',
  'water',
  'flooding',
  'erosion',
  'hurricane',
  'nor’easter',
  'storm',
  'surge',
  'sea',
  ...],
 ['wfrv',
  'green',
  'bay',
  'appleton',
  'local',
  'news',
  'national',
  'positively',
  'wisconsin',
  'crime',
  'traffic',
  'coronavirus',
  'healthwatch',
  'newsmaker',
  'sunday',
  'midwest',
  'farm',
  'fox',
  'valley',
  'regional',
  'news',
  'green',
  'bay',
  'area',
  'regional',
  'news',
  'politics',
  'hill',
  'election',
  'center',
  'press',
  'releases',
  'd.c.',
  'bureau',
  'kemps',
  'food',
  'pantry',
  'green',
  'bay',
  'sights',
  'stories',
  'sounds',
  'titletown',
  'update',
  'interstate',
  'northbound',
  'green',
  'bay',
  'fan',
  'globe',
  'green',
  'bay',
  'verdict',
  'taylor',
  'schabusiness',
  'wisconsin',
  'weather',
  'forecast',
  'interactive',
  'radar',
  'road',
  'conditions',
  'skyview',
  'network',
  'closings',
  'delays',
  'report',
  'closing',
  'heat',
  'humidity',
  'peak',
  'tomorrow',
  'chance',
  'rain',
  't',
  'storm',
  'opening',
  'day',
  'training',
  'clouds',
  'increase',
  'tonight',
  'storm',
  'morning',
  'spotty',
  'shower',
  'today',
  'start',
  'smoky',
  'week',
  'high',
  'school',
  'sports',
  'packers',
  'locker',
  'room',
  'green',
  'bay',
  'nation',
  'brewers',
  'bucks',
  'ncaa',
  'freddy',
  'peralta',
  'career',
  'ks',
  'taylor',
  'report',
  'packers',
  'quarterback',
  'aaron',
  'rodgers',
  'sights',
  'stories',
  'sounds',
  'titletown',
  'aaron',
  'rodgers',
  'burke',
  'green',
  'bay',
  'packers',
  'training',
  'camp',
  'edition',
  'wfrv',
  'local',
  '’',
  'green',
  'gold',
  'training',
  'camp',
  'preview',
  'women',
  'hometown',
  'heroes',
  'high',
  'school',
  'theater',
  'sunday',
  'mass',
  'birthday',
  'club',
  'events',
  'pet',
  'saver',
  'dish',
  'wisconsin',
  'supper',
  'clubs',
  'wisconsin',
  'lottery',
  'pizza',
  'card',
  'fish',
  'fry',
  'guide',
  'kemps',
  'food',
  'pantry',
  'green',
  'bay',
  'sights',
  'stories',
  'sounds',
  'titletown',
  'cop',
  'culver',
  'people',
  'need',
  'green',
  'bay',
  'nonprofit',
  'arpa',
  'grant',
  'uw',
  'green',
  'bay',
  'packers',
  'partner',
  'certificate',
  'program',
  'experts',
  'town',
  'road',
  'trip',
  'community',
  'fitness',
  'recipes',
  'live',
  'feature',
  'holiday',
  'spotlight',
  'tension',
  'rock',
  'studio',
  'bellin',
  'health',
  'bike',
  'rodeo',
  'return',
  'year',
  'simple',
  'beef',
  'flank',
  'steak',
  'recipe',
  'wisconsin',
  'food',
  'trucks',
  'firefighter',
  'suamico',
  'plan',
  'strategic',
  'newsletter',
  'sign',
  'video',
  'center',
  'wfrv',
  'wfrv',
  'mobile',
  'apps',
  'cbs',
  'news',
  'cbs',
  'access',
  'contests',
  'pro',
  'football',
  'challenge',
  'contests',
  'holiday',
  'spotlight',
  'giveaway',
  'advertise',
  'local',
  'wfrv',
  'team',
  'wfrv',
  'history',
  'contact',
  'newsletters',
  'tv',
  'schedule',
  'personal',
  'information',
  'regional',
  'news',
  'partners',
  'job',
  'post',
  'job',
  'jobs',
  'wfrv',
  'winter',
  'storm',
  'tonight',
  'thursday',
  'jan',
  'cst',
  'jan',
  'pm',
  'cst',
  'jan',
  'cst',
  'jan',
  'pm',
  'cst',
  'weather',
  'article',
  'wisconsin',
  'weather',
  'forecast',
  'storm',
  'team',
  'storm',
  'wednesday',
  'snow',
  'tonight',
  'spot',
  'water',
  'day',
  'sun',
  'cloud',
  'high',
  '30',
  'tonight',
  'wind',
  'storm',
  'snow',
  'pm',
  'inch',
  'snow',
  'ground',
  'sunrise',
  'thursday',
  'low',
  'degree',
  'plan',
  'morning',
  'commute',
  'thursday',
  'snow',
  'morning',
  'afternoon',
  'snow',
  'area',
  'mixing',
  'drizzle',
  'high',
  'degree',
  'snowfall',
  'accumulation',
  'inch',
  'total',
  'inch',
  'total',
  'inch',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'thank',
  'inbox',
  'amazon',
  'school',
  'deal',
  'schooler',
  'school',
  'corner',
  'amazon',
  'supply',
  'school',
  'deal',
  'supply',
  'schooler',
  'august',
  'vegetable',
  'flower',
  'flower',
  'plant',
  'hour',
  'soil',
  'air',
  'temperature',
  'sunshine',
  'august',
  'month',
  'planting',
  'chemical',
  'guys',
  'kit',
  'car',
  'car',
  'care',
  'hour',
  'chemical',
  'guys',
  'car',
  'wash',
  'kit',
  'time',
  'deal',
  'titletown',
  'business',
  'bomb',
  'kemps',
  'milk',
  'gb',
  'food',
  'pantry',
  'peralta',
  'ks',
  'taylor',
  'homer',
  'brewers',
  'win',
  'report',
  'rodgers',
  'pay',
  'cut',
  'jet',
  'day',
  'packers',
  'training',
  'camp',
  'kemps',
  'milk',
  'gb',
  'food',
  'pantry',
  'samsung',
  'smartphone',
  'bet',
  'people',
  'high',
  'arizona',
  'day',
  'packers',
  'training',
  'camp',
  'arizona',
  'girl',
  'montana',
  'update',
  'i-43',
  'nb',
  'green',
  'bay',
  'vehicle',
  'attorney',
  'm',
  'settlement',
  'water',
  'wfrv',
  'local',
  'green',
  'bay',
  'appleton',
  'video',
  'kemps',
  'food',
  'pantry',
  'green',
  'bay',
  'teardown',
  'main',
  'street',
  'commons',
  'begins',
  'verdict',
  'taylor',
  'schabusiness',
  'fan',
  'training',
  'camp',
  'verdict',
  'taylor',
  'schabusiness',
  'update',
  'courtroom',
  'schabusiness',
  'healthwatch',
  'michelle',
  'story',
  '7/26/2023',
  'brown',
  'county',
  'stride',
  'combating',
  'wisconsin',
  'dairy',
  'brand',
  'k',
  'shelf',
  'packers',
  'training',
  'camp',
  'preview',
  'special',
  'wfrv',
  'local',
  'green',
  'bay',
  'appleton',
  'update',
  'i-43',
  'nb',
  'green',
  'bay',
  'vehicle',
  'fan',
  'arrive',
  'packers',
  'training',
  'camp',
  'verdict',
  'taylor',
  'schabusiness',
  'heat',
  'humidity',
  'peak',
  'tomorrow',
  'chance',
  'rodgers',
  'love',
  'night',
  'training',
  'lightning',
  'strike',
  'wi',
  'total',
  'truck',
  'component',
  'fond',
  'du',
  'lac',
  'man',
  'homicide',
  'update',
  'year',
  'ripon',
  'wfrv',
  'local',
  'green',
  'bay',
  'appleton',
  'thanks',
  'inbox',
  'storm',
  'light',
  'weds',
  '.',
  'thurs',
  'local',
  'news',
  'month',
  'noaa',
  'el',
  'niño',
  'forecast',
  'month',
  'lyrid',
  'meteor',
  'shower',
  'forecast',
  'month',
  'moon',
  'forecast',
  'month',
  'asteroid',
  'earth',
  'saturday',
  'thank',
  'inbox',
  'verdict',
  'taylor',
  'schabusiness',
  'lightning',
  'strike',
  'wi',
  'total',
  'truck',
  'component',
  'update',
  'i-43',
  'nb',
  'green',
  'bay',
  'vehicle',
  'update',
  'year',
  'ripon',
  'rodgers',
  'love',
  'night',
  'training',
  'gift',
  'summer',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'home',
  'depot',
  'foot',
  'skeleton',
  'halloween',
  'deal',
  'day',
  'prime',
  'day',
  'favorite',
  'eeo',
  'nexstar',
  'cc',
  'certification',
  'wfrv',
  'fcc',
  'public',
  'file',
  'android',
  'app',
  'google',
  'play',
  'android',
  'weather',
  'app',
  'google',
  'play',
  'personal',
  'information',
  'personal',
  'information',
  'nexstar',
  'media',
  'inc.',
  'rights'],
 ['livenewsweathergood',
  'expand',
  'collapse',
  'search',
  '☰',
  'search',
  'site',
  'news',
  'philadelphiapennsylvanianew',
  'jerseydelawaremore',
  'newsnational',
  'newsworld',
  'newsfox',
  'news',
  'sundayweather',
  'day',
  'forecastclosingsfox',
  'weatherradartemperatureswatche',
  'warningsweather',
  'appgood',
  'day',
  'digest',
  'newsletterkelly',
  'classroomtrafficwatch',
  'liveya',
  'thisseen',
  'tvsports',
  'fifa',
  'women',
  'world',
  'cupeaglesflyersphillies76ersunionfox',
  'sports',
  'appentertainment',
  'showsthe',
  'classh',
  'roomthings',
  'fox',
  'showswatch',
  'streamnewscasts',
  'replayslivenow',
  'foxnew',
  'specialswebcamsfox',
  'mattersfox',
  'originals',
  'black',
  'history',
  'monthhank',
  'takein',
  'focuskelly',
  'drivesour',
  'race',
  'realitysave',
  'streetsthe',
  'pulsehealth',
  'coronaviruscoronavirus',
  'mapcoronavirus',
  'vaccinedr',
  'mikehealth',
  'careopioid',
  'epidemicpolitics',
  'electioninauguration',
  'dayjoe',
  'bidenkamala',
  'harrisdonald',
  'j.',
  'trumpphilly',
  'city',
  'councilmoney',
  'businesscashing',
  'news',
  'fox',
  'appnew',
  'jersey',
  'news',
  'my9njnew',
  'york',
  'news',
  'fox',
  'nywashington',
  'dc',
  'news',
  'fox',
  'dcabout',
  'appscontact',
  'usfcc',
  'applicationshow',
  'listingswork',
  'heat',
  'watch',
  'fri',
  'edt',
  'fri',
  'pm',
  'edt',
  'delaware',
  'county',
  'eastern',
  'chester',
  'county',
  'eastern',
  'montgomery',
  'county',
  'lower',
  'bucks',
  'county',
  'philadelphia',
  'county',
  'camden',
  'county',
  'gloucester',
  'county',
  'mercer',
  'county',
  'northwestern',
  'burlington',
  'county',
  'somerset',
  'county',
  'new',
  'castle',
  'county',
  'heat',
  'advisory',
  'thu',
  'pm',
  'edt',
  'fri',
  'pm',
  'edt',
  'lancaster',
  'county',
  'lebanon',
  'county',
  'heat',
  'advisory',
  'thu',
  'edt',
  'fri',
  'edt',
  'delaware',
  'county',
  'eastern',
  'chester',
  'county',
  'eastern',
  'montgomery',
  'county',
  'lower',
  'bucks',
  'county',
  'philadelphia',
  'county',
  'camden',
  'county',
  'gloucester',
  'county',
  'mercer',
  'county',
  'northwestern',
  'burlington',
  'county',
  'somerset',
  'county',
  'new',
  'castle',
  'county',
  'heat',
  'advisory',
  'thu',
  'edt',
  'fri',
  'pm',
  'edt',
  'berks',
  'county',
  'lehigh',
  'county',
  'northampton',
  'county',
  'upper',
  'bucks',
  'county',
  'western',
  'chester',
  'county',
  'western',
  'montgomery',
  'county',
  'atlantic',
  'county',
  'cape',
  'county',
  'cumberland',
  'county',
  'salem',
  'county',
  'southeastern',
  'burlington',
  'county',
  'warren',
  'county',
  'hunterdon',
  'county',
  'ocean',
  'county',
  'warren',
  'county',
  'kent',
  'county',
  'inland',
  'sussex',
  'county',
  'cleanup',
  'road',
  'storm',
  'south',
  'jersey',
  'hank',
  'flynn',
  'fox',
  'staff',
  'july',
  'new',
  'jersey',
  'fox',
  'philadelphia',
  'share',
  'copy',
  'link',
  'email',
  'facebook',
  'twitter',
  'linkedin',
  'reddit',
  'cleanup',
  'south',
  'jersey',
  'storm',
  'region',
  'cleanups',
  'new',
  'jersey',
  'storm',
  'area',
  'fox',
  'hank',
  'flynn',
  'detail',
  'marlton',
  'n.j.',
  'cleanup',
  'southern',
  'new',
  'jersey',
  'storm',
  'area',
  'tuesday',
  'evening',
  'storm',
  'rain',
  'wind',
  'thunderstorm',
  'area',
  'delay',
  'fourth',
  'july',
  'event',
  'region',
  'debris',
  'storm',
  'grove',
  'street',
  'coles',
  'mill',
  'road',
  'kings',
  'highway',
  'haddonfield',
  'wednesday',
  'morning',
  'crew',
  'driver',
  'area',
  'burlington',
  'county',
  'weather',
  'condition',
  'tree',
  'home',
  'thousand',
  'resident',
  'power',
  'local',
  'philadelphia',
  'mass',
  'shooting',
  'victim',
  'shooting',
  'custodywawa',
  'gunpoint',
  'minute',
  'home',
  'burglary',
  'suspect',
  'bucks',
  'county',
  'girl',
  'man',
  'atlantic',
  'city',
  'beach',
  'police',
  'fox',
  'scene',
  'marlton',
  'tree',
  'street',
  'power',
  'tuesday',
  'night',
  'neighbor',
  'service',
  'size',
  'tree',
  'news',
  'alicia',
  'navarro',
  'arizona',
  'girl',
  'montana',
  'pd',
  'video',
  'gunshot',
  'south',
  'philly',
  'ambush',
  'shooting',
  'home',
  'security',
  'camera',
  'police',
  'man',
  'argument',
  'septa',
  'market',
  'frankford',
  'line',
  'train',
  'change',
  'wildwood',
  'city',
  'commission',
  'rule',
  'teen',
  'family',
  'vigil',
  'logan',
  'boy',
  'fishing',
  'trip',
  'father',
  'brother',
  'trending',
  'philadelphia',
  'eviction',
  'landlord',
  'tenant',
  'officer',
  'incident',
  'attorneys',
  'man',
  'murder',
  'chester',
  'trial',
  'philly',
  'rapper',
  'yng',
  'cheese',
  'rest',
  'shooting',
  'montgomery',
  'county',
  'man',
  'philadelphia',
  'road',
  'rage',
  'attack',
  'crowbar',
  'da',
  'mom',
  'ambush',
  'street',
  'philly',
  'park',
  'daily',
  'newsletter',
  'news',
  'day',
  'sign',
  'privacy',
  'policy',
  'terms',
  'service',
  'fox',
  'youtube',
  'app',
  'fox',
  'philadelphia',
  'fox',
  'local',
  'click',
  'news',
  'philadelphiapennsylvanianew',
  'jerseydelawaremore',
  'newsnational',
  'newsworld',
  'newsfox',
  'news',
  'sundayweather',
  'day',
  'forecastclosingsfox',
  'weatherradartemperatureswatche',
  'warningsweather',
  'appgood',
  'day',
  'digest',
  'newsletterkelly',
  'classroomtrafficwatch',
  'liveya',
  'thisseen',
  'tvsports',
  'fifa',
  'women',
  'world',
  'cupeaglesflyersphillies76ersunionfox',
  'sports',
  'appentertainment',
  'showsthe',
  'classh',
  'roomthings',
  'fox',
  'showswatch',
  'streamnewscasts',
  'replayslivenow',
  'foxnew',
  'specialswebcamsfox',
  'mattersfox',
  'originals',
  'black',
  'history',
  'monthhank',
  'takein',
  'focuskelly',
  'drivesour',
  'race',
  'realitysave',
  'streetsthe',
  'pulsehealth',
  'coronaviruscoronavirus',
  'mapcoronavirus',
  'vaccinedr',
  'mikehealth',
  'careopioid',
  'epidemicpolitics',
  'electioninauguration',
  'dayjoe',
  'bidenkamala',
  'harrisdonald',
  'j.',
  'trumpphilly',
  'city',
  'councilmoney',
  'businesscashing',
  'news',
  'fox',
  'appnew',
  'jersey',
  'news',
  'my9njnew',
  'york',
  'news',
  'fox',
  'nywashington',
  'dc',
  'news',
  'fox',
  'dcabout',
  'appscontact',
  'usfcc',
  'applicationshow',
  'listingswork',
  'facebooktwitterinstagramyoutubeemail',
  'usnew',
  'privacy',
  'policyterms',
  'serviceyour',
  'privacy',
  'choicesfcc',
  'public',
  'public',
  'fileclosed',
  'captioningwork',
  'uscontact',
  'material',
  'fox',
  'television',
  'stations'],
 ['people',
  'affiliates',
  '',
  '',
  'advertise',
  'talkline',
  'hoppy',
  'kercheval',
  'sportsline',
  'tony',
  'caridi',
  'high',
  'school',
  'game',
  'night',
  'metronews',
  'morning',
  'hotline',
  'dave',
  'weekley',
  'capitol',
  'report',
  'high',
  'school',
  'sportsline',
  'mec',
  'week',
  'high',
  'school',
  'basketball',
  'roundup',
  'west',
  'virginia',
  'outdoors',
  'storm',
  'west',
  'virginia',
  'punch',
  'chris',
  'lawrence',
  'march',
  'pm',
  'charleston',
  'w.va',
  'national',
  'weather',
  'service',
  'wind',
  'rainfall',
  'ohio',
  'ohio',
  'river',
  'flooding',
  'damage',
  'hour',
  'ohio',
  'river',
  'county',
  'west',
  'virginia',
  'flood',
  'watch',
  'effect',
  'section',
  'state',
  'jackson',
  'county',
  'tyler',
  'county',
  'ohio',
  'river',
  'county',
  'elkins',
  'charleston',
  'state',
  'division',
  'emergency',
  'management',
  'state',
  'preparedness',
  'west',
  'virginia',
  'county',
  'declaration',
  'governor',
  'jim',
  'justice',
  'agency',
  'weather',
  'situation',
  'partner',
  'voad',
  'guard',
  'group',
  'kind',
  'situation',
  'sheet',
  'music',
  'lonnie',
  'bryson',
  'chief',
  'preparedness',
  'response',
  'mid',
  '-',
  'afternoon',
  'friday',
  'wind',
  'damage',
  'level',
  'activation',
  'state',
  'emergency',
  'operations',
  'center',
  'weekend',
  'story',
  'storm',
  'rain',
  'wind',
  'area',
  'state',
  'national',
  'weather',
  'service',
  'flood',
  'watch',
  'north',
  'central',
  'west',
  'virginia',
  'saturday',
  'afternoon',
  'worry',
  'potential',
  'training',
  'storm',
  'training',
  'weather',
  'pattern',
  'cloudburst',
  'succession',
  'area',
  'deluge',
  'downpour',
  'area',
  'flooding',
  'bryson',
  'rainfall',
  'tree',
  'root',
  'potential',
  'problem',
  'wind',
  'damage',
  'state',
  'gusty',
  'wind',
  'rain',
  'root',
  'tree',
  'power',
  'storm',
  'threat',
  'saturday',
  'afternoon',
  'west',
  'virginia',
  'nil',
  'guideline',
  'u.s.',
  'senators',
  'manchin',
  'tuberville',
  'playing',
  'field',
  'u.s.',
  'senators',
  'joe',
  'manchin',
  'd',
  'wv',
  'tommy',
  'tuberville',
  'r',
  'al',
  'protecting',
  'athletes',
  'schools',
  'sports',
  'pass',
  'act',
  'tuesday',
  'jarett',
  'lewis',
  'july',
  'pm',
  'child',
  'neglect',
  'case',
  'dunbar',
  'babysitter',
  'jury',
  'brittany',
  'napier',
  'hearing',
  'wednesday',
  'jarett',
  'lewis',
  'july',
  'pm',
  'scout',
  'opportunity',
  'merit',
  'badge',
  'national',
  'jamboree',
  'kind',
  'merit',
  'badge',
  'scout',
  'tent',
  'jamboree',
  'option',
  'katherine',
  'skeldon',
  'july',
  'pm',
  'day',
  'broadband',
  'summit',
  'rollout',
  'plan',
  'west',
  'virginia',
  'summit',
  'focus',
  'allocation',
  'fund',
  'action',
  'rollout',
  'process',
  'katherine',
  'skeldon',
  'july',
  'pm',
  'view',
  'allhoppy',
  'commentaryjuly',
  'covid',
  'deathsjuly',
  'tax',
  'credit',
  'confusionjuly',
  'media',
  'coverage',
  'contact',
  'aliensjuly',
  'democrats',
  'joe',
  'manchin',
  'contact',
  'privacy',
  'policy',
  'employment',
  '',
  '',
  'affiliates',
  'intranet',
  'information',
  'copyright',
  'west',
  'virginia',
  'metronews',
  'network',
  'wv',
  'metronews',
  'home',
  'news',
  'sports',
  'outdoor',
  'podcast',
  'mn',
  'channel'],
 ['insidersign',
  'insearchnewswatch',
  'livelocal',
  'newsfloridageorgianationalcoronavirusfluvaxjaxvote',
  '2024your',
  'voice',
  'matterspoliticsi',
  'teamtrust',
  'indexcommunitysnapjaxhealthmoneyeducationconsumerentertainmentweird',
  'newstrafficsnapjaxskycamsalertshurricanesplan',
  'preparegeorgiast',
  '.',
  'augustinesurf',
  'tidesenvironmentforecasting',
  'changenews4jax+watch',
  'livenews4jax',
  'insiderhow',
  'news4jax+download',
  'news4jax',
  'appsthe',
  'morning',
  'showriver',
  'city',
  'livepodcaststhis',
  'week',
  'jacksonvillesolutionariessomething',
  'goodtv',
  'listingssportssports',
  'videosjaguarsjaguar',
  'statsnews4jags',
  'podcastgators',
  'breakdowngators',
  'statshigh',
  'school',
  'sportsfootball',
  'fridaygoing',
  'ringside',
  'podcastv4rsity',
  'podcastall',
  'star',
  'athletefeaturesnews4jax',
  'insiderpositively',
  'jaxriver',
  'city',
  'livedeals4jaxnews4jax+look',
  'local4',
  'infotravelcommunity',
  'calendarjacksonville',
  'image',
  'awardsfood',
  'recipeslive',
  'healthpetsusay',
  'votingriver',
  'city',
  'livewatch',
  'river',
  'city',
  'liveeats',
  'treatsbeatswellnesslocal',
  'spotlightpetsshoppingjax',
  'bestfoodactivitiesshoppingplacesnewsletterssign',
  'newsletterswjxtcontact',
  'uscareers',
  'wjxt',
  'wcwjsnapjaxmeet',
  'teamadvertise',
  'uscw17cw',
  'program',
  'guidebouncenewsweathernews4jax+sportsfeaturesriver',
  'city',
  'livejax',
  'bestnewsletterswjxtcw17newsweathernews4jax+sportsfeaturesriver',
  'city',
  'livejax',
  'bestnewsletterswjxtcw17weatherdavid',
  'heckard',
  'assistant',
  'chief',
  'july',
  'pmtag',
  'tropic',
  'hurricane',
  'season',
  'georgia',
  'florida',
  'jacksonvillesign',
  'news2',
  'hour',
  'agost',
  'johns',
  'county',
  'man',
  'degree',
  'murder',
  'charge',
  'downtown',
  'jacksonville',
  'shooting3',
  'hour',
  'agoembattled',
  'st.',
  'augustine',
  'doctor',
  'charge',
  'pill',
  'mill',
  'case3',
  'hour',
  'agopleasant',
  'night',
  'moon4',
  'hour',
  'agolake',
  'asbury',
  'road',
  'project',
  'resident',
  'july',
  'jaxmy',
  'petunia',
  'io',
  'appweathercolorado',
  'state',
  'university',
  'forecaster',
  'hurricane',
  'seasondavid',
  'heckard',
  'assistant',
  'chief',
  'july',
  'pmtag',
  'tropic',
  'hurricane',
  'season',
  'georgia',
  'florida',
  'jacksonvillefile',
  'photo',
  'hurricane',
  'ian',
  'international',
  'space',
  'station',
  'september',
  'colorado',
  'state',
  'scientist',
  'hurricane',
  'season',
  'atlantic',
  'nasa',
  'ap',
  'uncredited)jacksonville',
  'fla.',
  'forecaster',
  'colorado',
  'state',
  'university',
  'hurricane',
  'season',
  'forecast',
  'july',
  'season',
  'year',
  'forecastthe',
  'official',
  'forecast',
  'storm',
  'hurricane',
  'hurricane',
  'increase',
  'forecast',
  'update',
  'june',
  'forecast',
  'storm',
  'hurricane',
  'hurricane',
  'colorado',
  'st.',
  'forecaster',
  'hurricane',
  'season',
  'average',
  'atlantic',
  'basin',
  'storm',
  'hurricane',
  'hurricane',
  'atlantic',
  'storm',
  'storm',
  'forecaster',
  'storm',
  'change?scientists',
  'colorado',
  'st.',
  'water',
  'temperature',
  'atlantic',
  'storm',
  'hurricane',
  'surge',
  'water',
  'temperature',
  'wave',
  'storm',
  'hurricane',
  'water',
  'temp',
  'atlantic',
  'forecast',
  'increase',
  'development',
  'el',
  'nino',
  'pacific',
  'el',
  'nino',
  'condition',
  'tendency',
  'wind',
  'shear',
  'atlantic',
  'frequency',
  'storm',
  'hurricane',
  'july',
  'outlookdespite',
  'forecast',
  'increase',
  'month',
  'july',
  'caribbean',
  'gulf',
  'mexico',
  'water',
  'atlantic',
  'national',
  'hurricane',
  'center',
  'development',
  'mid',
  '-',
  'july',
  'range',
  'computer',
  'model',
  'possibility',
  'development',
  'mid',
  'july',
  'signal',
  'time',
  'july',
  'month',
  'atlantic',
  'storm',
  'hurricane',
  'half',
  'hurricane',
  'season',
  'colorado',
  'st.',
  'forecaster',
  'forecast',
  'update',
  'uncertainty',
  'el',
  'nino',
  'water',
  'temperature',
  'peak',
  'hurricane',
  'season',
  'august',
  'october',
  'hurricane',
  'season',
  'nov.',
  'copyright',
  'wjxt',
  'news4jax',
  'right',
  'author',
  'david',
  'heckarddavid',
  'heckard',
  'weather',
  'authority',
  'assistant',
  'chief',
  'meteorologist',
  'emailtwitterclick',
  'moment',
  'community',
  'guidelines',
  'tv',
  'listingscontact',
  'usemail',
  'newslettersrss',
  'feedscontests',
  'rulesclosed',
  'captioning',
  'audio',
  'descriptioncareers',
  'wjxt',
  'wcwjterm',
  'usewjxt',
  'public',
  'filewcwj',
  'applicationsprivacy',
  'policydo',
  'infofollow',
  'usfacebooktwitterinstagramrssget',
  'result',
  'omnefor',
  'assistance',
  'wjxt',
  'wcwj',
  'fcc',
  'inspection',
  'file',
  'news4jax.com',
  'graham',
  'digital',
  'graham',
  'media',
  'group',
  'division',
  'graham',
  'holdings'],
 ['contentweathersportscommunity',
  'calendarwy',
  'road',
  'constructionskycampros',
  'knowlivestreamhomenewsagriculturecaspercheyennecrimeeconomyeducationenergyentertainmentenvironmentinternationalnationalregionalsciencestatetechnologylivestreamwy',
  'road',
  'constructionweatherradarweather',
  'alertsforecastweather',
  'camsclosingssportsscoreboardathlete',
  'weekstats',
  'predictionshow',
  'watchcommunity',
  'calendarpoliticselection',
  'resultsnational',
  'results',
  'mapkgwn',
  'stationmeet',
  'teamemployment',
  'opportunitiesadvertise',
  'uskcwy',
  'stationvideolivestreamclosingsnewsletternbc',
  'nebraskalive',
  'special',
  'eventscovid-19',
  'mapprogramming',
  'schedulesubmit',
  'photo',
  'videoscircle',
  'country',
  'music',
  'lifestylegray',
  'dc',
  'newscastspress',
  'heat',
  'stick',
  'storm',
  'chance',
  'wellupdated',
  'jul.',
  'pm',
  'cdt',
  'austin',
  'feighot',
  'state',
  'storm',
  'chance',
  'weekforecaststorm',
  'today',
  'summer',
  'heat',
  'weekendupdated',
  'jul.',
  'pm',
  'cdt',
  'austin',
  'feigstorms',
  'evening',
  'summer',
  'heat',
  'digit',
  'area',
  'forecastsummer',
  'inupdated',
  'jul.',
  'pm',
  'cdt',
  'austin',
  'feiga',
  'bit',
  'weather',
  'week',
  'summer',
  'heat',
  'return',
  'weather',
  'pattern',
  'summer',
  'temperaturesupdated',
  'jul.',
  'pm',
  'cdt',
  'austin',
  'feigsteady',
  'sunshine',
  'wyoming',
  'today',
  'week',
  'forecastthunderstorms',
  'todayupdated',
  'jul.',
  'pm',
  'cdt',
  'austin',
  'feigstrong',
  'thunderstorm',
  'eveningforecast4th',
  'july',
  'forecastupdated',
  'jul.',
  'pm',
  'cdt',
  'austin',
  'feigyour',
  '4th',
  'july',
  'forecast',
  'timeforecaststorm',
  'todayupdated',
  'jun.',
  'pm',
  'cdt',
  'austin',
  'feigstorms',
  'today',
  'day',
  'storm',
  'today',
  'tomorrowupdated',
  'jun.',
  'pm',
  'cdt',
  'austin',
  'feigstrong',
  'storm',
  'today',
  'tomorrow',
  'thunderstorm',
  'watch',
  'effect',
  'pm',
  'tonight',
  'forecastvery',
  'warm',
  'today',
  'cooler',
  'tomorrowupdated',
  'jun.',
  'pm',
  'austin',
  'feigvery',
  'day',
  'today',
  'area',
  'temperature',
  'tomorrowforecaststormy',
  'day',
  'aheadupdated',
  'jun.',
  'pm',
  'cdt',
  'austin',
  'feigshowers',
  'storm',
  'today',
  'state',
  'storm',
  'rain',
  'cheyenne',
  'extended',
  'forecastforecastslow',
  'moving',
  'storms',
  'heavy',
  'rainupdated',
  'jun.',
  'pm',
  'cdt',
  'austin',
  'feigslow',
  'thunderstorm',
  'chance',
  'rain',
  'todayforecastscattered',
  'showers',
  'storms',
  'weekupdated',
  'jun.',
  'pm',
  'cdt',
  'austin',
  'feigunsettled',
  'weather',
  'return',
  'cowboy',
  'stateforecastrainy',
  'day',
  'weekend',
  'aheadupdated',
  'jun.',
  'pm',
  'austin',
  'feigstormy',
  'day',
  'today',
  'week',
  'aheadforecaststormy',
  'memorial',
  'dayupdated',
  '.',
  'pm',
  'cdt',
  'austin',
  'feiga',
  'memorial',
  'day',
  'today',
  'shower',
  'storm',
  'weekforecastmore',
  'weatherupdated',
  '.',
  'pm',
  'cdt',
  'austin',
  'feigactive',
  'weather',
  'cowboy',
  'stateforecaststorms',
  'week',
  'longupdated',
  '.',
  'pm',
  'austin',
  'feigunsettled',
  'weather',
  'cowboy',
  'state',
  'warning',
  'technical',
  'difficultiesupdated',
  '.',
  'pm',
  'cdt',
  'austin',
  'feigan',
  'article',
  'warning',
  'tornado',
  'forecastscattered',
  'storms',
  'areaupdated',
  '.',
  'pm',
  'cdt',
  'austin',
  'feigshowers',
  'storm',
  'area',
  'evening',
  'today',
  'warmer',
  'tomorrowupdated',
  '.',
  'pm',
  'cdt',
  'austin',
  'feigcool',
  'shower',
  'today',
  'tomorrow',
  'rain',
  'possibleforecaststrong',
  'storm',
  'todayupdated',
  '.',
  'pm',
  'austin',
  'feigstrong',
  'storm',
  'today',
  'storm',
  'tomorrow',
  'forecastunsettled',
  'weather',
  'returnsupdated',
  '.',
  'pm',
  'cdt',
  'austin',
  'feigunsettled',
  'weather',
  'return',
  'area',
  'forecastunstable',
  'weather',
  'today',
  'tomorrowupdated',
  '.',
  'pm',
  'cdt',
  'austin',
  'feigstorms',
  'today',
  'casper',
  'tomorrow',
  'afternoon',
  'cheyenne',
  'forecastunsettled',
  'weather',
  'moving',
  'inupdated',
  '.',
  'pm',
  'austin',
  'feigunsettled',
  'weather',
  'chance',
  'rain',
  'stormsforecastwarm',
  'temperatures',
  'continueupdated',
  'apr.',
  'pm',
  'austin',
  'feigwarm',
  'temperature',
  'week',
  'storm',
  'week',
  'cheyenneforecastwarmer',
  'weekend',
  'aheadupdated',
  'apr.',
  'pm',
  'cdt',
  'austin',
  'feiga',
  'night',
  'temperature',
  'way',
  'weekend',
  'week',
  'aheadforecastrain',
  'continue',
  'warmer',
  'weather',
  'aheadupdated',
  'apr.',
  'pm',
  'cdt',
  'austin',
  'feigrain',
  'state',
  'weather',
  'wayforecaststorms',
  'possible',
  'today',
  'tomorrowupdated',
  'apr.',
  'pm',
  'austin',
  'feigrain',
  'chance',
  'rumble',
  'thunder',
  'today',
  'weather',
  'rain',
  'comingupdated',
  'apr.',
  'pm',
  'cdt',
  'austin',
  'feigcool',
  'air',
  'rain',
  'wellforecastcool',
  'temperatures',
  'aheadupdated',
  'apr.',
  'cdt',
  'austin',
  'feigbelow',
  'temperature',
  'weekforecastcooler',
  'weather',
  'wednesdayupdated',
  'apr.',
  'pm',
  'austin',
  'feigunsettled',
  'weather',
  'way',
  'tuesday',
  'night',
  'wednesday',
  'air',
  'followforecastsnow',
  'return',
  'thunder',
  'todayupdated',
  'apr.',
  'cdt',
  'austin',
  'feiga',
  'chance',
  'rain',
  'rumble',
  'thunder',
  'snow',
  'tomorrow',
  'forecastwarm',
  'weather',
  'continuesupdated',
  'apr.',
  'cdt',
  'austin',
  'feigwarm',
  'weather',
  'cooldown',
  'forecastwarmer',
  'temperatures',
  'comingupdated',
  'apr.',
  'pm',
  'austin',
  'feigmuch',
  'temperature',
  'way',
  'cowboy',
  'state',
  'plenty',
  'sun',
  'forecastsnowfall',
  'year',
  'record',
  'casperupdated',
  'apr.',
  'cdt',
  'matt',
  'entrekinsnowfall',
  'year',
  'record',
  'casperforecast',
  'winter',
  'storm',
  'underwayupdated',
  'apr.',
  'pm',
  'cdt',
  'austin',
  'feiga',
  'winter',
  'storm',
  'area',
  'forecastsnow',
  'storm',
  'mondayupdated',
  'apr.',
  'pm',
  'cdt',
  'austin',
  'feiga',
  'winter',
  'storm',
  'area',
  'tomorrow',
  'night',
  'monday',
  'morning',
  'snow',
  'warmer',
  'weather',
  'snow',
  'wellupdated',
  'mar.',
  'cdt',
  'austin',
  'feigwarm',
  'temperature',
  'snow',
  'wellforecastcooler',
  'night',
  'cool',
  'weekendupdated',
  'mar.',
  'cdt',
  'austin',
  'feigsnow',
  'chance',
  'way',
  'tonight',
  'area',
  'place',
  'inch',
  'snowforecastsnow',
  'way',
  'againupdated',
  'mar.',
  'pm',
  'cdt',
  'austin',
  'feigsnow',
  'way',
  'cowboy',
  'state',
  'forecastwarmer',
  'temperatures',
  'way',
  'againupdated',
  'mar.',
  'pm',
  'austin',
  'feigwarmer',
  'temperature',
  'way',
  'weather',
  'backupdated',
  'mar.',
  'pm',
  'cdt',
  'austin',
  'feigcolder',
  'temperature',
  'cold',
  'frontforecastwarming',
  'trend',
  'begunupdated',
  'mar.',
  'pm',
  'cst',
  'austin',
  'feigwarmer',
  'weather',
  'springforecastsnow',
  'today',
  'spring',
  'soonupdated',
  'mar.',
  'pm',
  'cst',
  'austin',
  'feiga',
  'chance',
  'flurry',
  'today',
  'temperature',
  'weekendforecastspring',
  'way',
  'snow',
  'tomorrowupdated',
  'mar.',
  'pm',
  'cst',
  'austin',
  'feigsome',
  'snow',
  'tomorrow',
  'night',
  'thursday',
  'temperature',
  'way',
  'forecastscattered',
  'flurries',
  'warmer',
  'weather',
  'comingupdated',
  'mar.',
  'pm',
  'cst',
  'austin',
  'feigwarmer',
  'weather',
  'spring',
  'day',
  'firstforecastchange',
  'weekupdated',
  'mar.',
  'pm',
  'cst',
  'austin',
  'feiga',
  'change',
  'way',
  'temperature',
  'snow',
  'chance',
  'week',
  'forecaststeady',
  'weather',
  'continuesupdated',
  'feb.',
  'pm',
  'cst',
  'austin',
  'feigour',
  'weather',
  'trend',
  'weather',
  'tomorrowforecaststeady',
  'weather',
  'pattern',
  'weekupdated',
  'feb.',
  'pm',
  'cst',
  'austin',
  'feigsteady',
  'week',
  'weather',
  'timesforecastwarm',
  'weekend',
  'wind',
  'inupdated',
  'feb.',
  'pm',
  'cst',
  'austin',
  'feiga',
  'weekend',
  'way',
  'wyoming',
  'wind',
  'storm',
  'warmer',
  'weather',
  'wayupdated',
  'feb.',
  'pm',
  'cst',
  'austin',
  'update',
  'winter',
  'storm',
  'afterload',
  'calendarsubmit',
  'photos',
  'videoslivestreamkgwn2923',
  'e.',
  'lincolnwaycheyenne',
  'wy',
  'policyterms',
  'advertisingclosed',
  'captioning',
  'audio',
  'eeo',
  'eeo',
  'statementkgwn',
  'fcc',
  'filekcwy',
  'fcc',
  'gray',
  'journalist',
  'news',
  'content',
  'community',
  'approach',
  'intelligence',
  'gray',
  'media',
  'group',
  'inc.',
  'station',
  'gray',
  'television',
  'inc.'],
 ['mo.gov',
  'state',
  'agency',
  'online',
  'services',
  'social',
  'media',
  'stormaware',
  'video',
  'playlist',
  'youtube',
  'follow',
  'dps',
  'twitter',
  'dps',
  'facebook',
  'home',
  'stormaware',
  'facts',
  'history',
  'myth',
  'alert',
  'medium',
  'tornado',
  'tornado',
  'funnel',
  'cloud',
  'thunderstorm',
  'ground',
  'whirling',
  'wind',
  'mile',
  'hour',
  'damage',
  'path',
  'excess',
  'mile',
  'mile',
  'tornado',
  'rain',
  'cloud',
  'tornado',
  'advance',
  'warning',
  'sky',
  'hail',
  'cloud',
  'roar',
  'freight',
  'train',
  'tornado',
  'wind',
  'air',
  'cloud',
  'debris',
  'location',
  'tornado',
  'funnel',
  'tornado',
  'edge',
  'thunderstorm',
  'sky',
  'tornado',
  'tornado',
  'average',
  'fatality',
  'injury',
  'u.s.',
  'year',
  'tornado',
  'wind',
  'mph',
  'tornado',
  'mile',
  'ground',
  'mile',
  'tornado',
  'dust',
  'debris',
  'cloud',
  'form',
  'funnel',
  'speed',
  'mph',
  'mph',
  'waterspouts',
  'tornado',
  'water',
  'damage',
  'area',
  'tornado',
  'southwest',
  'northeast',
  'tornado',
  'direction',
  'tornado',
  'alley',
  'nickname',
  'area',
  'plain',
  'u.s.',
  'frequency',
  'tornado',
  'year',
  'tornado',
  'region',
  'spring',
  'fall',
  'warning',
  'tornado',
  'storm',
  'hurricane',
  'land',
  'tornado',
  'season',
  'state',
  'march',
  'state',
  'spring',
  'summer',
  'tornado',
  'pm',
  'pm',
  'time',
  'enhanced',
  'fujita',
  'tornado',
  'scale',
  'movie',
  'news',
  'report',
  'f3',
  'tornado',
  'f5',
  'tornado',
  'fujita',
  'scale',
  'dr.',
  't.',
  'theodore',
  'fujita',
  'university',
  'chicago',
  'year',
  'scientist',
  'tornado',
  'f0',
  'f5',
  'scale',
  'damage',
  'tornado',
  'ef0',
  'mph',
  'ef1',
  '>',
  'mph',
  'ef2',
  '>',
  'mph',
  'ef3',
  'mph',
  'ef4',
  '>',
  'mph',
  'ef5',
  'mph',
  'tornado',
  'jarrell',
  'tx',
  'moore',
  'oklahoma',
  'city',
  'engineer',
  'emergency',
  'manager',
  'meteorologist',
  'flaw',
  'fujita',
  'system',
  'national',
  'weather',
  'service',
  'enhanced',
  'fujita',
  'tornado',
  'scale',
  'year',
  'research',
  'ef',
  'scale',
  'f',
  'scale',
  'tornado',
  'damage',
  'survey',
  'united',
  'states',
  'tornado',
  'percent',
  'u.s.',
  'ef0',
  'ef1',
  'percent',
  'u.s.',
  'tornado',
  'ef3',
  'intensity',
  'percentage',
  'tornado',
  'ef3',
  'twister',
  'percent',
  'tornado',
  'ef5',
  'status',
  'wind',
  'mph',
  'destruction',
  'tornado',
  'u.s.',
  'year',
  'ef5',
  'tornado',
  'historymissouri',
  'tornado',
  'united',
  'states',
  'history',
  'joplin',
  'louis',
  'sept.',
  'bluff',
  'state',
  'tornado',
  'march',
  'louis',
  'april',
  'statewide',
  'tornado',
  'drillthe',
  'national',
  'weather',
  'service',
  'missouri',
  'tornado',
  'drill',
  'tuesday',
  'march',
  'opportunity',
  'missourian',
  'plan',
  'readiness',
  'case',
  'weather',
  'emergency',
  'home',
  'work',
  'school',
  'watch',
  'warningstornado',
  'watch',
  'tornado',
  'alert',
  'storm',
  'sky',
  'noaa',
  'weather',
  'radio',
  'radio',
  'television',
  'information',
  'tornado',
  'warning',
  'tornado',
  'weather',
  'radar',
  'shelter',
  'tornado',
  'strikesit',
  'tornado',
  'area',
  'tornado',
  'home',
  'home',
  'school',
  'video',
  'tornado',
  'sirenswhat',
  'tornado',
  'siren',
  'tornado',
  'siren',
  'limitation',
  'warning',
  'system',
  'tornado',
  'siren',
  'sema',
  'noaa',
  'department',
  'public',
  'safety',
  'national',
  'weather',
  'service',
  'mo.gov',
  'official',
  'state',
  'missouri',
  'website',
  'life',
  'organ',
  'tissue',
  'donation',
  'registry'],
 ['maine',
  'hurricane',
  'proof',
  'nancy',
  'griffin',
  'role',
  'weather',
  'maine',
  'life',
  'sun',
  'coast',
  'island',
  'life',
  'boat',
  'ferry',
  'weather',
  'advance',
  'matter',
  'survival',
  'preparation',
  'wind',
  'rain',
  'tide',
  'power',
  'line',
  'boat',
  'building',
  'sea',
  'water',
  'storm',
  'snow',
  'ice',
  'damage',
  'power',
  'line',
  'state',
  'atlantic',
  'region',
  'hurricane',
  'weather',
  'force',
  'new',
  'orleans',
  'devastation',
  'katrina',
  'country',
  'hurricane',
  'storm',
  'new',
  'york',
  'new',
  'jersey',
  'area',
  'superstorm',
  'sandy',
  'storms',
  'cold',
  'shoulder',
  'maine',
  'state',
  'hurricane',
  'power',
  'time',
  'reason',
  'hurricane',
  'coast',
  'john',
  'jensenius',
  'coordination',
  'meteorologist',
  'national',
  'weather',
  'service',
  'gray',
  'temperature',
  'maine',
  'ocean',
  'water',
  'storm',
  'energy',
  'water',
  'degree',
  'fahrenheit',
  'maine',
  'water',
  'temperature',
  'jensenius',
  'water',
  'energy',
  'hurricane',
  'strength',
  'nor’easter',
  'blizzard',
  'maine',
  'storm',
  'state',
  'wind',
  'flooding',
  'rain',
  'aftermath',
  'brunt',
  'hurricane',
  'maine',
  'hurricane',
  'year',
  'hurricane',
  'jensenius',
  'year',
  'hurricane',
  'bob',
  'storm',
  'bob',
  'people',
  'maine',
  'gloria',
  'maine',
  'donna',
  'edna',
  'carol',
  'hurricane',
  'memory',
  'ted',
  'turner',
  'swan',
  'island',
  'story',
  'hurricane',
  'great',
  'new',
  'england',
  'hurricane',
  'long',
  'island',
  'express',
  'hurricane',
  'maine',
  'long',
  'island',
  'new',
  'england',
  'hurricane',
  'property',
  'damage',
  'today',
  'dollar',
  'story',
  'lot',
  'hotel',
  'turner',
  'island',
  'historian',
  'memory',
  'hurricane',
  'carol',
  'edna',
  'day',
  'damage',
  'million',
  'dollar',
  'year',
  'apple',
  'harvest',
  'carol',
  'wind',
  'rain',
  'turner',
  'sun',
  'calm',
  'mean',
  'end',
  'eye',
  'storm',
  'calm',
  'turner',
  'fellow',
  'island',
  'fishing',
  'wharf',
  'boat',
  'storm',
  'vengeance',
  'northwest',
  'turner',
  'wharf',
  'wind',
  'building',
  'george',
  'young',
  'time',
  'boat',
  'family',
  'camp',
  'little',
  'garden',
  'island',
  'white',
  'islands',
  'vinalhaven',
  'mess',
  'hurricane',
  'carol',
  'salt',
  'water',
  'seaweed',
  'camp',
  'afternoon',
  'night',
  'camp',
  'wind',
  'wood',
  'young',
  'boat',
  'mooring',
  'skiff',
  'morning',
  'lobster',
  'shore',
  'vinalhaven',
  'resident',
  'young',
  'skiff',
  'harbor',
  'skiff',
  'boat',
  'rockland',
  'carol',
  'time',
  'hurricane',
  'storm',
  'snow',
  'hurricanes',
  'condition',
  'air',
  'hurricane',
  'remnant',
  'air',
  'snow',
  'hurricane',
  'occurrence',
  'blizzard',
  'great',
  'white',
  'hurricane',
  'destruction',
  'maine',
  'chesapeake',
  'bay',
  'area',
  'maine',
  'nor’easter',
  'storm',
  'coast',
  'october',
  'april',
  'wind',
  'northeast',
  'water',
  'gulf',
  'stream',
  'rain',
  'snow',
  'wind',
  'hurricane',
  'force',
  'tide',
  'flooding',
  'hurricane',
  'storm',
  'hurricane',
  'winter',
  'storm',
  'past',
  'government',
  'winter',
  'storm',
  'impact',
  'location',
  'storm',
  'national',
  'weather',
  'service',
  'spokesperson',
  'weather',
  'service',
  'winter',
  'storm',
  'tv',
  'purpose',
  'language',
  'snowmageddon',
  'snowzilla',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'noaa',
  'national',
  'weather',
  'service',
  'storm',
  'century',
  'storm',
  'storm',
  'halloween',
  'gale',
  'nor’easter',
  'hurricane',
  'grace',
  'course',
  'water',
  'storm',
  'hurricane',
  'record',
  'foot',
  'wave',
  'buoy',
  'nova',
  'scotia',
  'combination',
  'system',
  'condition',
  'perfect',
  'storm',
  'people',
  'florida',
  'canada',
  'man',
  'crew',
  'gloucester',
  'massachusetts',
  'sword',
  'fishing',
  'boat',
  'andrea',
  'gail',
  'plight',
  'book',
  'sebastian',
  'junger',
  'movie',
  'storm',
  'home',
  'maine',
  'summer',
  'home',
  'bush',
  'family',
  'walker',
  'point',
  'kennebunkport',
  'northwest',
  'east',
  'coast',
  'average',
  'nor’easter',
  'year',
  'thousand',
  'mile',
  'nor’easter',
  'coast',
  'hurricane',
  'status',
  'plenty',
  'damage',
  'nor’easter',
  '1970',
  'boat',
  'midcoast',
  'camden',
  'landing',
  'business',
  'water',
  'nor’easter',
  'valentine',
  'day',
  'inch',
  'snow',
  'maine',
  'snowfall',
  'new',
  'england',
  'climate',
  'researcher',
  'lifetime',
  'event',
  'nor’easter',
  'surge',
  'water',
  'penobscot',
  'river',
  'bangor',
  'city',
  'downtown',
  'area',
  'kenduskeag',
  'plaza',
  'underwater',
  'car',
  'ship',
  'load',
  'fry',
  'couple',
  'week',
  'sandbar',
  'storm',
  'jensenius',
  'climate',
  'scientist',
  'warming',
  'ocean',
  'water',
  'storm',
  'storm',
  'intensity',
  'year',
  'hurricane',
  'maine',
  'hurricane',
  'landfall',
  'coast',
  'gulf',
  'maine',
  'jensenius',
  'ocean',
  'water',
  'temperature',
  'maine',
  'water',
  'degree',
  'nancy',
  'griffin',
  'newspaper',
  'wire',
  'service',
  'reporter',
  'thomaston',
  'freelance',
  'writer',
  'fishery',
  'issue',
  'emphasis',
  'atlantic',
  'canada',
  'new',
  'england',
  'author',
  'book',
  'stanley',
  'brothers',
  'maine',
  'whoopie',
  'book',
  'maine',
  'year',
  'year',
  'cleaner',
  'water2022historynatureclimate',
  'war',
  'reviled',
  'century',
  'ago',
  'child',
  'seafood',
  'processors2022historybusiness',
  'unique',
  'environment',
  'island',
  'forests2021naturescience',
  'rockland',
  'island',
  'journal',
  'right'],
 ['accessibility',
  'contentdemocracy',
  'darknesssign',
  'inthe',
  'washington',
  'postdemocracy',
  'darknessextreme',
  'weatherclimate',
  'weather',
  'capital',
  'weather',
  'gang',
  'environment',
  'climate',
  'lab',
  'extreme',
  'weatherclimate',
  'weather',
  'capital',
  'weather',
  'gang',
  'environment',
  'climate',
  'lab',
  'body',
  'tornado',
  'alabama',
  'georgiaby',
  'andrea',
  'salcedo',
  'jason',
  'samenow',
  'danielle',
  'paquette',
  'dan',
  'rosenzweig',
  'ziff',
  'natalie',
  'b.',
  'comptonupdated',
  'january',
  'p.m.',
  'january',
  'estaltharis',
  'threatt',
  'thing',
  'daughter',
  'law',
  'tornado',
  'home',
  'mount',
  'vernon',
  'ala.',
  'thursday',
  'daughter',
  'threatt',
  'dan',
  'anderson',
  'epa',
  'efe',
  'shutterstock)listen9',
  'mincomment',
  'storycommentgift',
  'articleshareat',
  'people',
  'storm',
  'tornado',
  'southeast',
  'thursday',
  'damage',
  'state',
  'emergency',
  'alabama',
  'georgia',
  'state',
  'employee',
  'storm',
  'selma',
  'ala.',
  'town',
  'role',
  'right',
  'movement',
  'wpget',
  'experience',
  'planarrowrightmost',
  'fatality',
  'alabama',
  'autauga',
  'county',
  'death',
  'toll',
  'adult',
  'friday',
  'morning',
  'home',
  'autauga',
  'county',
  'coroner',
  'buster',
  'barber',
  'washington',
  'post',
  'rescuer',
  'rubble',
  'friday',
  'afternoon',
  'cadaver',
  'dog',
  'drone',
  'evidence',
  '“the',
  'pile',
  'debris',
  'home',
  'furniture',
  'garbage',
  'dump',
  'barber',
  'old',
  'kingston',
  'neighborhood',
  'autauga',
  'people',
  'home',
  'home',
  'tornado',
  'home',
  'foot',
  '”on',
  'jan.',
  'reporter',
  'natalie',
  'b.',
  'compton',
  'selma',
  'firefighter',
  'people',
  'home',
  'aftermath',
  'storm',
  'video',
  'monica',
  'rodman',
  'washington',
  'post)a',
  'woman',
  'orrville',
  'ala.',
  'carbon',
  'monoxide',
  'poisoning',
  'tornado',
  'electricity',
  'home',
  'gas',
  'generator',
  'dallas',
  'county',
  'coroner',
  'alan',
  'dailey',
  'p.m.',
  'friday',
  'daily',
  'advertisementin',
  'butts',
  'county',
  'ga.',
  'year',
  'boy',
  'pine',
  'tree',
  'car',
  'coroner',
  'passenger',
  'vehicle',
  'condition',
  'friday',
  'death',
  'state',
  'georgia',
  'department',
  'transportation',
  'employee',
  'storm',
  'damage',
  'official',
  'news',
  'conference',
  'friday',
  'winter',
  'blitz',
  'tornado',
  'georgians',
  'j.',
  'michael',
  'brewer',
  'deputy',
  'manager',
  'butts',
  'county',
  'wind',
  'tree',
  'brick',
  'home',
  'half',
  'storm',
  'tornado',
  'january',
  'kind',
  'weather',
  'gov.',
  'kay',
  'ivey',
  'r',
  'state',
  'emergency',
  'county',
  'tornado',
  'damage',
  'autauga',
  'chambers',
  'coosa',
  'dallas',
  'elmore',
  'tallapoosa',
  'georgia',
  'gov.',
  'brian',
  'kemp',
  'r',
  'state',
  'emergency',
  'state',
  'response',
  'weather',
  'storm',
  'tornado',
  'alabama',
  'georgiathere',
  'report',
  'death',
  'selma',
  'mayor',
  'james',
  'perkins',
  'damage',
  '”advertisement“we’re',
  'power',
  'area',
  'time',
  'distribution',
  'system',
  'perkins',
  'news',
  'conference',
  'friday',
  'afternoon',
  'power',
  'pole',
  'line',
  '”much',
  'damage',
  'east',
  'west',
  'town',
  'right',
  'legacy',
  'town',
  'voting',
  'rights',
  'act',
  'rep.',
  'terri',
  'a.',
  'sewell',
  'd',
  'ala.',
  'news',
  'conference',
  'perkins',
  'town',
  'example',
  'disaster',
  'friday',
  'morning',
  'elizabeth',
  'alexander',
  'community',
  'selma',
  'card',
  'table',
  'church',
  'franklin',
  'street',
  'selma',
  'steeple',
  'cross',
  'storm',
  'tree',
  'roof',
  'neighborhood',
  'advertisementalexander',
  'beef',
  'stew',
  'crock',
  'pot',
  'power',
  'strip',
  'pile',
  'cleansing',
  'wipe',
  'ritz',
  'crackers',
  'tuna',
  'chili',
  'shelf',
  'meal',
  'case',
  'water',
  'bottle',
  'house',
  'people',
  'clothe',
  'shoe',
  'vehicle',
  'need',
  'need',
  'alexander',
  'sister',
  'tornado',
  'house',
  'power',
  'night',
  'co',
  '-',
  'worker',
  'tree',
  'house',
  'vehicle',
  'cousin',
  'rose',
  'sanders',
  'street',
  'alexander',
  'table',
  'house',
  'home',
  'tornado',
  'train',
  'sanders',
  'minute',
  'selma',
  'resident',
  'home',
  'friday',
  'afternoon',
  'barbara',
  'jean',
  'woods',
  'family',
  'home',
  'downtown',
  'salem',
  'furniture',
  'belonging',
  'shard',
  'glass',
  'living',
  'room',
  'porch',
  'power',
  'line',
  'couch',
  'bag',
  'clothe',
  'picture',
  'frame',
  'pickup',
  'truck',
  'u',
  'haul',
  'advertisementjust',
  'year',
  'place',
  'woods',
  'time',
  'tornado',
  'home',
  'woods',
  'tornado',
  'news',
  'son',
  'instruction',
  'bathroom',
  'tub',
  'couch',
  'cushion',
  'head',
  'wham',
  'house',
  'lord',
  '”wood',
  'selma',
  'native',
  'tub',
  'minute',
  'rain',
  'help',
  'neighbor',
  'house',
  'woods',
  'daughter',
  'woods',
  'mother',
  'grandmother',
  'grandmother',
  'god',
  'baby',
  '”schools',
  'dallas',
  'county',
  'selma',
  'friday',
  'engineer',
  'building',
  'damage',
  'leroy',
  'miles',
  'vice',
  'president',
  'county',
  'school',
  'board',
  'advertisementhundreds',
  'student',
  'teacher',
  'classroom',
  'debris',
  'road',
  'bus',
  'kid',
  'trouble',
  'extent',
  'damage',
  'moment',
  'scene',
  'tornado',
  'alabamahis',
  'daughter',
  'grade',
  'teacher',
  'selma',
  'power',
  'roof',
  'leak',
  'lot',
  'water',
  'trees',
  'power',
  'line',
  'transformer',
  'yard',
  'family',
  'house',
  'community',
  'effort',
  'town',
  'road',
  'alexander',
  'city',
  'trooper',
  'alabama',
  'law',
  'enforcement',
  'agency',
  'marine',
  'patrol',
  'division',
  'tree',
  'patrol',
  'car',
  'rear',
  'thursday',
  'customer',
  'power',
  'outage',
  'friday',
  'afternoon',
  'customer',
  'alabama',
  'electricity',
  'storm',
  'path',
  'center',
  'state',
  'georgia',
  'outage',
  'advertisementthe',
  'thunderstorm',
  'supercell',
  'tornado',
  'autauga',
  'county',
  'louisiana',
  'thursday',
  'morning',
  'mile',
  'georgia',
  'storm',
  'tornado',
  'path',
  'debris',
  'foot',
  'tornado',
  'debris',
  'mile',
  'storm',
  'path',
  'tornado',
  'lawrence',
  'county',
  'alabama',
  'north',
  'mobile',
  'county',
  'gulf',
  'coast',
  'noaa',
  'line',
  'report',
  'mississippi',
  'center',
  'state',
  'georgia',
  'storm',
  'central',
  'alabama',
  'national',
  'weather',
  'service',
  'office',
  'birmingham',
  'tornado',
  'emergency',
  'occasion',
  'alert',
  'tornado',
  'population',
  'center',
  'advertisementthe',
  'national',
  'weather',
  'service',
  'office',
  'birmingham',
  'tornado',
  'selma',
  'ef2',
  'scale',
  'intensity',
  'kingston',
  'community',
  'autauga',
  'county',
  'ef3',
  'area',
  'damage',
  'storm',
  'path',
  'damage',
  'weather',
  'service',
  'storm',
  'survey',
  'report',
  'friday',
  'afternoon',
  'thursday',
  'storm',
  'south',
  'air',
  'gulf',
  'mexico',
  'water',
  'temperature',
  'gulf',
  'degree',
  'mid-70',
  'fuel',
  'storm',
  'national',
  'weather',
  'service',
  'dozen',
  'report',
  'tornado',
  'alabama',
  'georgia',
  'kentucky',
  'report',
  'wind',
  'hail',
  'mississippi',
  'carolinas',
  'north',
  'ohio',
  'weather',
  'heel',
  'storm',
  'week',
  'tornado',
  'central',
  'alabama',
  'georgia',
  'south',
  'carolina',
  'tornado',
  'south',
  'winter',
  'month',
  'alabama',
  'fall',
  'spring',
  'year',
  'meteorologist',
  'uptick',
  'tornado',
  'outbreak',
  'month',
  'tie',
  'human',
  'climate',
  'change',
  'weather',
  'service',
  'thunderstorm',
  'tornado',
  'warning',
  'year',
  'january',
  'compton',
  'selma',
  'ala.',
  'salcedo',
  'samenow',
  'paquette',
  'rosenzweig',
  'ziff',
  'washington',
  'kelsey',
  'ables',
  'amudalat',
  'ajasa',
  'ben',
  'brasch',
  'scott',
  'dance',
  'justine',
  'mcdaniel',
  'report',
  'commentsgift',
  'articlegift',
  'articleextreme',
  'image',
  'phoenix',
  'technology',
  'image',
  'phoenix',
  'technology',
  'world',
  'way',
  'world',
  'way',
  'sign',
  'ocean',
  'current',
  'sign',
  'ocean',
  'current',
  'storiesloading',
  'view',
  'storiesworld',
  'newsessential',
  'worldopinion',
  'u.s.',
  'concession',
  'north',
  'koreaopinion',
  'russia',
  'west',
  'grain',
  'appeasement',
  'appeal',
  'pacific',
  'island',
  'apocalypse',
  'preppersrefreshtry',
  'account',
  'post',
  'newsroom',
  'policies',
  'standards',
  'diversity',
  'inclusion',
  'careers',
  'media',
  'community',
  'relations',
  'wp',
  'creative',
  'group',
  'accessibility',
  'statement',
  'postgift',
  'subscriptions',
  'mobile',
  'apps',
  'newsletters',
  'alerts',
  'washington',
  'post',
  'live',
  'reprints',
  'permissions',
  'post',
  'store',
  'books',
  'e',
  '-',
  'book',
  'newspaper',
  'education',
  'print',
  'archives',
  'subscribers',
  'today',
  'paper',
  'public',
  'notices',
  'contact',
  'uscontact',
  'newsroom',
  'contact',
  'customer',
  'care',
  'contact',
  'opinions',
  'team',
  'advertise',
  'licensing',
  'syndication',
  'request',
  'correction',
  'news',
  'tip',
  'report',
  'vulnerability',
  'terms',
  'usedigital',
  'products',
  'terms',
  'sale',
  'print',
  'products',
  'term',
  'sale',
  'terms',
  'service',
  'privacy',
  'policy',
  'cookie',
  'settings',
  'submissions',
  'discussion',
  'policy',
  'rss',
  'terms',
  'service',
  'ad',
  'choices',
  'washington',
  'postwashingtonpost.com',
  'washington',
  'postabout',
  'post',
  'contact',
  'newsroom',
  'contact',
  'customer',
  'care',
  'request',
  'correction',
  'news',
  'tip',
  'report',
  'vulnerability',
  'download',
  'washington',
  'post',
  'app',
  'policies',
  'standards',
  'terms',
  'service',
  'privacy',
  'policy',
  'cookie',
  'settings',
  'print',
  'products',
  'terms',
  'sale',
  'digital',
  'products',
  'terms',
  'sale',
  'submissions',
  'discussion',
  'policy',
  'rss',
  'terms',
  'service',
  'ad',
  'choice'],
 ['news',
  'sports',
  'cedar',
  'city',
  'life',
  'opinion',
  'advertise',
  'obituaries',
  'enewspaper',
  'legals',
  'winter',
  'storm',
  'travel',
  'utah',
  'david',
  'demillest',
  'george',
  'spectrum',
  'daily',
  'newsanother',
  'wave',
  'winter',
  'storm',
  'utah',
  'week',
  'temperature',
  'sky',
  'snowstorm',
  'elevation',
  'area',
  'rain',
  'snow',
  'half',
  'state',
  'half',
  'condition',
  'travel',
  'problem',
  'interstate',
  'corridor',
  'authority',
  'monday',
  'utah',
  'snow',
  'sunday',
  'inch',
  'layton',
  'ogden',
  'bench',
  'north',
  'salt',
  'lake',
  'city',
  'snow',
  'area',
  'wasatch',
  'trace',
  'snow',
  'cedar',
  'city',
  'zion',
  'national',
  'park',
  'national',
  'weather',
  'service',
  'temperature',
  'week',
  'degree',
  'state',
  'air',
  'midweek',
  'pressure',
  'system',
  'great',
  'basin',
  'area',
  'tuesday',
  'thursday',
  'temperature',
  '40',
  'cedar',
  'city',
  '50',
  'st.',
  'george',
  'temperature',
  'end',
  'week',
  'weather',
  'potential',
  'rain',
  'snow',
  'weekend',
  'utah',
  'weather',
  'continuation',
  'system',
  'havoc',
  'u.s.',
  'day',
  'snow',
  'california',
  'ice',
  'storm',
  'midwest',
  'thunderstorm',
  'south',
  'problem',
  'week',
  'storm',
  'snow',
  'mile',
  'stretch',
  'plains',
  'northeast',
  'accuweather',
  'winter',
  'weather',
  'advisory',
  'place',
  'pennsylvania',
  'new',
  'jersey',
  'tuesday',
  'morning',
  'dakota',
  'winter',
  'storm',
  'monday',
  'afternoon',
  'national',
  'weather',
  'service',
  'region',
  'rain',
  'snow',
  'monday',
  'evening',
  'rain',
  'winter',
  'storm',
  'warning',
  'place',
  'california',
  'tuesday',
  'sierra',
  'nevada',
  'mountain',
  'range',
  'foot',
  'snow',
  'midweek',
  'weather',
  'service',
  'region',
  'snowfall',
  'total',
  'average',
  'storm',
  'punch',
  'predecessor',
  'accuweather',
  'weather',
  'travel',
  'problem',
  '"atmospheric',
  'riverforecaster',
  'pacific',
  'storm',
  'week',
  'stream',
  'moisture',
  'river',
  '“an',
  'abundance',
  'moisture',
  'central',
  'california',
  'periphery',
  'storm',
  'system',
  'thursday',
  'night',
  'friday',
  'night',
  'national',
  'weather',
  'service',
  'rainfall',
  'air',
  'mass',
  'snowmelt',
  'area',
  'foot',
  'snow',
  'service',
  'ucla',
  'climate',
  'scientist',
  'daniel',
  'swain',
  'odd',
  'storm',
  'magnitude',
  'friday',
  'saturday',
  'california',
  'magnitude',
  'duration',
  'event',
  'storm',
  'usa',
  'today',
  'report',
  'staff',
  'directory',
  'careers',
  'accessibility',
  'support',
  'site',
  'map',
  'legals',
  'ethical',
  'principles',
  'subscription',
  'terms',
  'conditions',
  'terms',
  'service',
  'privacy',
  'policy',
  'california',
  'privacy',
  'rights',
  'privacy',
  'policydo',
  'sell',
  'share',
  'target',
  'infocookie',
  'settingscontact',
  'support',
  'business',
  'business',
  'advertising',
  'terms',
  'conditions',
  'buy',
  'sell',
  'licensing',
  'reprints',
  'help',
  'center',
  'subscriber',
  'guide',
  'account',
  'feedbacksubscribe',
  'today',
  'newsletters',
  'mobile',
  'app',
  'facebook',
  'twitter',
  'enewspaper',
  'storytellers',
  'archives',
  'rss',
  'feedsjobs',
  'cars',
  'homes',
  'classifieds',
  'education',
  'localiq',
  'digital',
  'marketing',
  'solutions',
  'right'],
 ['news',
  'datum',
  'analytic',
  'market',
  'aboutrefinitivreuter',
  'statesat',
  'tornado',
  'thunderstorm',
  'alabamareutersjanuary',
  'utcupdated',
  'agojan',
  'reuters',
  'people',
  'alabama',
  'thursday',
  'thunderstorm',
  'tornado',
  'region',
  'official',
  'autauga',
  'county',
  'sheriff',
  'spokeswoman',
  'reuters',
  'people',
  'storm',
  'detail',
  'alabamians',
  'storm',
  'state',
  'prayer',
  'community',
  'weather',
  'people',
  'alabama',
  'governor',
  'kay',
  'ivey',
  'friend',
  'justin',
  'amber',
  'wallace',
  'damage',
  'home',
  'tornado',
  'deatsville',
  'alabama',
  'u.s.',
  'january',
  'reuters',
  'evan',
  'garciaautauga',
  'county',
  'coroner',
  'buster',
  'barber',
  'people',
  'debris',
  'tornado',
  'barber',
  'formation',
  'ivey',
  'thursday',
  'state',
  'emergency',
  'alabama',
  'county',
  'storm',
  'autauga',
  'chambers',
  'coosa',
  'dallas',
  'elmore',
  'tallapoosa',
  'wind',
  'rain',
  'home',
  'thousand',
  'customer',
  'power',
  'georgia',
  'mississippi',
  'alabama',
  'flight',
  'hartsfield',
  'jackson',
  'atlanta',
  'international',
  'airport',
  'charlotte',
  'douglas',
  'international',
  'airport',
  'kanishka',
  'singh',
  'alexandra',
  'ulmer',
  'dan',
  'whitcomb',
  'sandra',
  'malerour',
  'standards',
  'thomson',
  'reuters',
  'trust',
  'principles',
  'read',
  'nextarticle',
  'statescategorytop',
  'senate',
  'republican',
  'mitch',
  'mcconnell',
  'press',
  'airline',
  'detail',
  'newark',
  'new',
  'jersey',
  'airport',
  'flight',
  'statescategorypolice',
  'officer',
  'dog',
  'man',
  'ohio',
  'traffic',
  'stopjuly',
  'statescategoryus',
  'base',
  'papua',
  'new',
  'guinea',
  'defense',
  'secretary',
  'says4:48',
  'utc',
  'agomore',
  'reutersworldukraine',
  'sbu',
  'claim',
  'responsibility',
  'year',
  'crimea',
  'bridge',
  'blasteuropecategory',
  'july',
  'intelligence',
  'agency',
  'responsibility',
  'time',
  'wednesday',
  'sabotage',
  'operation',
  'russian',
  'kerch',
  'bridge',
  'crimea',
  'russia',
  'october',
  'explainerexplainer',
  'russia',
  'north',
  'korea',
  'tie',
  'isolation4:04',
  'utc',
  'agoafricacategoryblinken',
  'release',
  'niger',
  'share',
  'fed',
  'stick',
  'utc',
  'agoarticle',
  'salvador',
  'trial',
  'thousand',
  'crime',
  '2023site',
  'indexbrowseworldbusinessmarketssustainabilitylegalbreakingviewstechnologyinvestigations',
  'tabsportssciencelifestyleabout',
  'reutersabout',
  'reuters',
  'tabcareer',
  'tabreuters',
  'news',
  'agency',
  'attribution',
  'guidelines',
  'leadership',
  'fact',
  'check',
  'tabreuters',
  'diversity',
  'report',
  'informeddownload',
  'app',
  'tabnewsletter',
  'tabinformation',
  'trustreuter',
  'news',
  'medium',
  'division',
  'thomson',
  'reuters',
  'world',
  'multimedia',
  'news',
  'provider',
  'billion',
  'people',
  'day',
  'reuters',
  'business',
  'news',
  'professional',
  'desktop',
  'terminal',
  'world',
  'medium',
  'organization',
  'industry',
  'event',
  'consumer',
  'usthomson',
  'reuters',
  'productswestlaw',
  'tabbuild',
  'argument',
  'content',
  'attorney',
  'editor',
  'expertise',
  'industry',
  'technology',
  'onesource',
  'tabthe',
  'solution',
  'tax',
  'compliance',
  'need',
  'checkpoint',
  'tabthe',
  'industry',
  'leader',
  'information',
  'tax',
  'accounting',
  'finance',
  'professional',
  'refinitiv',
  'productsrefinitiv',
  'workspace',
  'tab',
  'access',
  'datum',
  'news',
  'content',
  'workflow',
  'experience',
  'desktop',
  'web',
  'refinitiv',
  'data',
  'catalogue',
  'tab',
  'browse',
  'portfolio',
  'time',
  'market',
  'datum',
  'insight',
  'source',
  'expert',
  'refinitiv',
  'world',
  'check',
  'tabscreen',
  'risk',
  'individual',
  'entity',
  'risk',
  'business',
  'relationship',
  'network',
  'advertise',
  'tabadvertising',
  'guidelines',
  'tabcoupon',
  'tabcookie',
  'tabterms',
  'use',
  'tabprivacy',
  'tabdigital',
  'accessibility',
  'tabcorrection',
  'feedback',
  'taball',
  'quote',
  'minimum',
  'minute',
  'list',
  'exchange',
  'delay',
  'reuters',
  'right'],
 ['newsweatherlivewebcamslinkscontestsfox',
  'local',
  'watch',
  'expand',
  'collapse',
  'search',
  '☰',
  'search',
  'site',
  'news',
  'arizona',
  'headlinesarizona',
  'cool',
  'fox',
  'salutesborder',
  'securityconsumer-',
  'product',
  'recallscrime',
  'public',
  'safety-',
  'neighborhood',
  'alerts-',
  'vallow',
  'daybell',
  'murder',
  'videosnational',
  'newspoll',
  'dayphoto',
  'dayseen',
  'tv',
  'linkstech',
  'artificial',
  'intelligenceweek',
  'reviewworld',
  'news-',
  'russia',
  'ukraine',
  'warfox',
  'news',
  'sundayweather',
  'forecastweather',
  'power',
  'outage',
  'mapsrp',
  'power',
  'outage',
  'mapweather',
  'alertsweather',
  'headlines-',
  'drought-',
  'dust',
  'storms-',
  'monsoon-',
  'severe',
  'wildfiresweather',
  'appweather',
  'teamlive',
  'weather',
  'weathertraffic',
  'flight',
  'delaysfreeway',
  'travel',
  'timesphoenix',
  'metro',
  'maplive',
  'phoenix',
  'metro',
  'traffic',
  'camerasmap',
  'traffic',
  'camerasroad',
  'closuresmoney',
  'arizona',
  'desbusinessconsumereconomyjobs',
  'unemploymentlotterypersonal',
  'financesavingssmall',
  'businessstock',
  'marketpolitics',
  'arizona',
  'newsmakernational',
  'politics-',
  'abortion',
  'laws-',
  'gun',
  'roe',
  'wade2024',
  'electiontrump',
  'indictmentspecial',
  'reports',
  'air',
  'spacecannabisdrone',
  'zoneequity',
  'inclusionfox',
  'explainshomeless',
  'crisisinvestigationslori',
  'vallow',
  'chad',
  'daybell',
  'arizonamilitary-',
  'care',
  'force-',
  'veterans',
  'issuesmissing',
  'arizona-',
  'daniel',
  'robinson',
  'foxopioid',
  'epidemicentertainment',
  'tv',
  'listingsnextgentvfox',
  'xtralifestyle',
  'cars',
  'trucksfamilyfood',
  'drinkheartwarminghouse',
  'homelotteryoffbeat',
  'unusualpets',
  'animalsrecipesrestaurantsstyle',
  'beautythings',
  'dotravel',
  'newsviralsport',
  'arizona',
  'cardinalsarizona',
  'coyotesarizona',
  'diamondbacksfox',
  'bet',
  'super',
  '6phoenix',
  'sunsphoenix',
  'mercurymls',
  'soccer2023',
  'fifa',
  'women',
  'world',
  'cupregional',
  'news',
  'los',
  'angeles',
  'news',
  'fox',
  'los',
  'angelessan',
  'francisco',
  'news',
  'ktvu',
  'fox',
  '2seattle',
  'news',
  'fox',
  'seattleabout',
  'fox',
  'captioningcontact',
  'uscopies',
  'newscastsfcc',
  'applicationsfcc',
  'public',
  'filenews',
  'teamwhere',
  'fox',
  'usmore',
  'seen',
  'tv',
  'linkslive',
  'videolive',
  'webcamscontestseventsfox',
  'faqsfox',
  'news',
  'appfox',
  'appfox',
  'youtubepoll',
  'daysend',
  'photossign',
  'newsletters',
  'excessive',
  'heat',
  'warning',
  'fri',
  'pm',
  'mst',
  'tucson',
  'metro',
  'area',
  'tucson',
  'green',
  'valley',
  'marana',
  'vail',
  'south',
  'central',
  'pinal',
  'county',
  'eloy',
  'picacho',
  'peak',
  'state',
  'park',
  'southeast',
  'pinal',
  'county',
  'kearny',
  'mammoth',
  'oracle',
  'upper',
  'gila',
  'river',
  'aravaipa',
  'valleys',
  'clifton',
  'safford',
  'heat',
  'warning',
  'sun',
  'pm',
  'mst',
  'grand',
  'canyon',
  'country',
  'excessive',
  'heat',
  'warning',
  'fri',
  'pm',
  'mst',
  'lake',
  'havasu',
  'fort',
  'mohave',
  'lake',
  'mead',
  'national',
  'recreation',
  'area',
  'parker',
  'valley',
  'kofa',
  'yuma',
  'county',
  'central',
  'la',
  'paz',
  'aguila',
  'valley',
  'southeast',
  'yuma',
  'county',
  'gila',
  'river',
  'valley',
  'northwest',
  'valley',
  'tonopah',
  'desert',
  'gila',
  'bend',
  'buckeye',
  'avondale',
  'cave',
  'creek',
  'new',
  'river',
  'deer',
  'valley',
  'central',
  'phoenix',
  'north',
  'phoenix',
  'glendale',
  'new',
  'river',
  'mesa',
  'scottsdale',
  'paradise',
  'valley',
  'rio',
  'verde',
  'salt',
  'river',
  'east',
  'valley',
  'fountain',
  'hills',
  'east',
  'mesa',
  'south',
  'mountain',
  'ahwatukee',
  'southeast',
  'valley',
  'queen',
  'creek',
  'superior',
  'northwest',
  'pinal',
  'county',
  'west',
  'pinal',
  'county',
  'apache',
  'junction',
  'gold',
  'canyon',
  'tonto',
  'basin',
  'sonoran',
  'desert',
  'natl',
  'monument',
  'san',
  'carlos',
  'dripping',
  'springs',
  'globe',
  'miami',
  'severe',
  'thunderstorm',
  'wed',
  'pm',
  'mst',
  'wed',
  'pm',
  'mst',
  'maricopa',
  'county',
  'pinal',
  'county',
  'severe',
  'thunderstorm',
  'wed',
  'pm',
  'mst',
  'wed',
  'pm',
  'mst',
  'maricopa',
  'county',
  'heat',
  'advisory',
  'fri',
  'pm',
  'mst',
  'mazatzal',
  'mountains',
  'pinal',
  'superstition',
  'mountains',
  'southeast',
  'gila',
  'county',
  'airport',
  'weather',
  'warning',
  'wed',
  'pm',
  'mst',
  'central',
  'phoenix',
  'southeast',
  'valley',
  'queen',
  'creek',
  'flood',
  'advisory',
  'wed',
  'pm',
  'mst',
  'wed',
  'pm',
  'mst',
  'pima',
  'county',
  'flood',
  'advisory',
  'wed',
  'pm',
  'mst',
  'thu',
  'mst',
  'maricopa',
  'county',
  'pinal',
  'county',
  'air',
  'quality',
  'alert',
  'thu',
  'pm',
  'mst',
  'maricopa',
  'county',
  'dust',
  'advisory',
  'wed',
  'pm',
  'mst',
  'wed',
  'pm',
  'mst',
  'maricopa',
  'county',
  'pinal',
  'county',
  'tornadoes',
  'indiana',
  'sunday',
  'storm',
  'power',
  'k',
  'ohio',
  'valley',
  'south',
  'steven',
  'yablonski',
  'heather',
  'brinkmann',
  'june',
  'fox',
  'weather',
  'share',
  'copy',
  'link',
  'email',
  'facebook',
  'twitter',
  'linkedin',
  'reddit',
  'article',
  'tornado',
  'whiteland',
  'indiana',
  'sunday',
  'afternoon',
  'heather',
  'holeman',
  'fox',
  'weather',
  'tornado',
  'indiana',
  'sunday',
  'building',
  'power',
  'threat',
  'thunderstorm',
  'ohio',
  'valley',
  'south',
  'sunday',
  'tornado',
  'indiana',
  'sunday',
  'building',
  'greenwood',
  'indiana',
  'debris',
  'air',
  'tornado',
  'johnson',
  'county',
  'heather',
  'holeman',
  'tornado',
  'whiteland',
  'size',
  'tennis',
  'ball',
  'indiana',
  'arkansas',
  'storm',
  'tornado',
  'watch',
  'indiana',
  'michigan',
  'ohio',
  'p.m.',
  'et',
  'thunderstorm',
  'watch',
  'evening',
  'hour',
  'tornado',
  'noaa',
  'storm',
  'prediction',
  'center',
  'area',
  'level',
  'thunderstorm',
  'risk',
  'category',
  'scale',
  'thunderstorm',
  'hail',
  'wind',
  'gust',
  'tornado',
  'ohio',
  'valley',
  'south',
  'storm',
  'threat',
  'sunday',
  'june',
  'weather',
  'fox',
  'weather',
  'app',
  'notification',
  'weather',
  'warning',
  'area',
  'power',
  'severe',
  'storm',
  'power',
  'sunday',
  'evening',
  'poweroutage.us',
  'georgia',
  'power',
  'customer',
  'power',
  'outage',
  'u.s.(fox',
  'weather',
  'fox',
  'weather',
  'news',
  'breaking',
  'news',
  'sign',
  'privacy',
  'policy',
  'terms',
  'service',
  'view',
  'acl',
  'injury',
  'woman',
  'state',
  'hotel',
  'property',
  'health',
  'official',
  'treatment',
  'center',
  'dozen',
  'phoenix',
  'soccer',
  'player',
  'arrest',
  'field',
  'arizona',
  'weather',
  'forecast',
  'chance',
  'rain',
  'alicia',
  'navarro',
  'arizona',
  'girl',
  'montana',
  'pd',
  'arrest',
  'tempe',
  'shooting',
  'suspect',
  'gang',
  'member',
  'arizona',
  'school',
  'choice',
  'leader',
  'controversy',
  'program',
  'phoenix',
  'cool',
  'pavement',
  'program',
  'expert',
  'people',
  'phoenix',
  'park',
  'police',
  'phoenix',
  'break',
  'heat',
  'spell',
  'day',
  'mark',
  'videos',
  'view',
  'video',
  'u.s.',
  'vet',
  'ufo',
  'cover',
  'video',
  'hotel',
  'property',
  'state',
  'investigation',
  'video',
  'evening',
  'weather',
  'forecast',
  'video',
  'pyper',
  'midkiff',
  'soccer',
  'arrest',
  'video',
  'food',
  'delivery',
  'heat',
  'wave',
  'watch',
  'fox',
  'news',
  'pm',
  'arizona',
  'headline',
  'news',
  'event',
  'day',
  'sport',
  'weather',
  'update',
  'news',
  'arizona',
  'headlinesarizona',
  'cool',
  'fox',
  'salutesborder',
  'securityconsumer-',
  'product',
  'recallscrime',
  'public',
  'safety-',
  'neighborhood',
  'alerts-',
  'vallow',
  'daybell',
  'murder',
  'videosnational',
  'newspoll',
  'dayphoto',
  'dayseen',
  'tv',
  'linkstech',
  'artificial',
  'intelligenceweek',
  'reviewworld',
  'news-',
  'russia',
  'ukraine',
  'warfox',
  'news',
  'sundayweather',
  'forecastweather',
  'power',
  'outage',
  'mapsrp',
  'power',
  'outage',
  'mapweather',
  'alertsweather',
  'headlines-',
  'drought-',
  'dust',
  'storms-',
  'monsoon-',
  'severe',
  'wildfiresweather',
  'appweather',
  'teamlive',
  'weather',
  'weathertraffic',
  'flight',
  'delaysfreeway',
  'travel',
  'timesphoenix',
  'metro',
  'maplive',
  'phoenix',
  'metro',
  'traffic',
  'camerasmap',
  'traffic',
  'camerasroad',
  'closuresmoney',
  'arizona',
  'desbusinessconsumereconomyjobs',
  'unemploymentlotterypersonal',
  'financesavingssmall',
  'businessstock',
  'marketpolitics',
  'arizona',
  'newsmakernational',
  'politics-',
  'abortion',
  'laws-',
  'gun',
  'roe',
  'wade2024',
  'electiontrump',
  'indictmentspecial',
  'reports',
  'air',
  'spacecannabisdrone',
  'zoneequity',
  'inclusionfox',
  'explainshomeless',
  'crisisinvestigationslori',
  'vallow',
  'chad',
  'daybell',
  'arizonamilitary-',
  'care',
  'force-',
  'veterans',
  'issuesmissing',
  'arizona-',
  'daniel',
  'robinson',
  'foxopioid',
  'epidemicentertainment',
  'tv',
  'listingsnextgentvfox',
  'xtralifestyle',
  'cars',
  'trucksfamilyfood',
  'drinkheartwarminghouse',
  'homelotteryoffbeat',
  'unusualpets',
  'animalsrecipesrestaurantsstyle',
  'beautythings',
  'dotravel',
  'newsviralsport',
  'arizona',
  'cardinalsarizona',
  'coyotesarizona',
  'diamondbacksfox',
  'bet',
  'super',
  '6phoenix',
  'sunsphoenix',
  'mercurymls',
  'soccer2023',
  'fifa',
  'women',
  'world',
  'cupregional',
  'news',
  'los',
  'angeles',
  'news',
  'fox',
  'los',
  'angelessan',
  'francisco',
  'news',
  'ktvu',
  'fox',
  '2seattle',
  'news',
  'fox',
  'seattleabout',
  'fox',
  'captioningcontact',
  'uscopies',
  'newscastsfcc',
  'applicationsfcc',
  'public',
  'filenews',
  'teamwhere',
  'fox',
  'usmore',
  'seen',
  'tv',
  'linkslive',
  'videolive',
  'webcamscontestseventsfox',
  'faqsfox',
  'news',
  'appfox',
  'appfox',
  'youtubepoll',
  'daysend',
  'photossign',
  'newsletters',
  'facebooktwitterinstagramyoutubeemail',
  'new',
  'privacy',
  'policyterms',
  'serviceyour',
  'privacy',
  'choicesfcc',
  'public',
  'fileclosed',
  'captioningcontact',
  'material',
  'fox',
  'television',
  'stations'],
 ['content',
  'skip',
  'sidebar',
  'overview',
  'organization',
  'history',
  'vortex',
  'nssl',
  'awards',
  'scientific',
  'challenges',
  'lab',
  'review',
  'events',
  'visitor',
  'info',
  'overview',
  'anchor',
  'atd',
  'cams',
  'facet',
  'noaa',
  'hwt',
  'mrms',
  'perils',
  'torus',
  'vortex',
  'se',
  'vortex',
  'usa',
  'warn',
  'forecast',
  'field',
  'projects',
  'overview',
  'severe',
  'weather',
  'educator',
  'student',
  'nssl',
  'noaa',
  'national',
  'severe',
  'storms',
  'laboratory',
  'organization',
  'history',
  'vortex',
  'nssl',
  'awards',
  'scientific',
  'challenges',
  'lab',
  'review',
  'events',
  'visitor',
  'info',
  'anchor',
  'atd',
  'cams',
  'facet',
  'noaa',
  'hwt',
  'mrms',
  'perils',
  'torus',
  'vortex',
  'se',
  'vortex',
  'usa',
  'warn',
  'forecast',
  'field',
  'projects',
  'severe',
  'weather',
  'educator',
  'student',
  'home',
  'learning',
  'resources',
  'severe',
  'weather',
  'tornado',
  'basic',
  'player',
  'weather',
  'briefly',
  'tornado',
  'noaa',
  'weather',
  'partners',
  'youtube',
  'channel',
  'tornado',
  'tornado',
  'column',
  'air',
  'thunderstorm',
  'ground',
  'wind',
  'tornado',
  'condensation',
  'funnel',
  'water',
  'droplet',
  'dust',
  'debris',
  'tornado',
  'phenomenon',
  'storm',
  'nssl',
  'tornado',
  'research',
  'tornado',
  'tornado',
  'world',
  'australia',
  'europe',
  'africa',
  'asia',
  'south',
  'america',
  'new',
  'zealand',
  'tornado',
  'year',
  'concentration',
  'tornado',
  'u.s.',
  'argentina',
  'bangladesh',
  'tornado',
  'u.s.',
  'year',
  'tornado',
  'u.s.',
  'tornado',
  'record',
  'date',
  'number',
  'tornado',
  'year',
  'tornado',
  'reporting',
  'method',
  'lot',
  'decade',
  'tornado',
  'tornado',
  'alley',
  'tornado',
  'alley',
  'nickname',
  'medium',
  'area',
  'tornado',
  'occurrence',
  'united',
  'states',
  'tornado',
  'alley',
  'map',
  'tornado',
  'occurrence',
  'way',
  'tornado',
  'tornado',
  'county',
  'segment',
  'tornado',
  'database',
  'time',
  'period',
  'idea',
  'tornado',
  'alley',
  'u.s.',
  'tornado',
  'threat',
  'shift',
  'southeast',
  'month',
  'year',
  'plains',
  'june',
  'plains',
  'midwest',
  'summer',
  'tornado',
  'state',
  'tornado',
  'tornado',
  'alley',
  'year',
  'tornado',
  'tornado',
  'season',
  'time',
  'year',
  'u.s.',
  'tornado',
  'peak',
  'tornado',
  'season',
  'plains',
  'texas',
  'oklahoma',
  'kansas',
  'june',
  'gulf',
  'coast',
  'spring',
  'plains',
  'midwest',
  'north',
  'south',
  'dakota',
  'nebraska',
  'iowa',
  'minnesota',
  'tornado',
  'season',
  'june',
  'july',
  'tornado',
  'time',
  'year',
  'tornado',
  'time',
  'day',
  'night',
  'tornado',
  '4–9',
  'p.m.',
  'difference',
  'tornado',
  'watch',
  'tornado',
  'tornado',
  'watch',
  'noaa',
  'storm',
  'prediction',
  'center',
  'meteorologist',
  'weather',
  '24/7',
  'u.s.',
  'weather',
  'condition',
  'tornado',
  'weather',
  'watch',
  'state',
  'state',
  'weather',
  'noaa',
  'weather',
  'radio',
  'warning',
  'tornado',
  'warning',
  'noaa',
  'national',
  'weather',
  'service',
  'forecast',
  'office',
  'meteorologist',
  'weather',
  '24/7',
  'area',
  'tornado',
  'spotter',
  'radar',
  'threat',
  'life',
  'property',
  'path',
  'tornado',
  'tornado',
  'warning',
  'act',
  'shelter',
  'warning',
  'county',
  'county',
  'path',
  'danger',
  'youtube',
  'video',
  'explanation',
  'tornado',
  'strength',
  'strength',
  'tornado',
  'expert',
  'damage',
  'information',
  'wind',
  'speed',
  'enhanced',
  'fujita',
  'scale',
  'national',
  'weather',
  'service',
  'tornado',
  'manner',
  'ef',
  'scale',
  'account',
  'variable',
  'fujita',
  'scale',
  'f',
  'scale',
  'wind',
  'speed',
  'rating',
  'tornado',
  'damage',
  'indicator',
  'building',
  'type',
  'structure',
  'tree',
  'damage',
  'indicator',
  'degree',
  'damage',
  'beginning',
  'damage',
  'destruction',
  'damage',
  'indicator',
  'f',
  'scale',
  'detail',
  'account',
  'f',
  'scale',
  'data',
  'base',
  'f5',
  'tornado',
  'year',
  'f5',
  'wind',
  'speed',
  'tornado',
  'correlation',
  'f',
  'scale',
  'ef',
  'scale',
  'rating',
  'term',
  'scale',
  'database',
  'tornado',
  'truth',
  'tornado',
  'supercell',
  'thunderstorm',
  'radar',
  'circulation',
  'mesocyclone',
  'supercells',
  'hail',
  'wind',
  'lightning',
  'flash',
  'flood',
  'tornado',
  'formation',
  'thing',
  'storm',
  'scale',
  'mesocyclone',
  'theory',
  'result',
  'vortex2',
  'program',
  'mesocyclone',
  'tornado',
  'development',
  'temperature',
  'difference',
  'edge',
  'downdraft',
  'air',
  'mesocyclone',
  'modeling',
  'study',
  'tornado',
  'formation',
  'temperature',
  'pattern',
  'fact',
  'temperature',
  'variation',
  'tornado',
  'history',
  'lot',
  'work',
  'storm',
  'spotter',
  'tornado',
  'storm',
  'inflow',
  'band',
  'band',
  'cumulus',
  'cloud',
  'storm',
  'tower',
  'southeast',
  'south',
  'presence',
  'inflow',
  'band',
  'storm',
  'level',
  'air',
  'mile',
  'inflow',
  'band',
  'nature',
  'presence',
  'rotation',
  'beaver',
  'tail',
  'cloud',
  'band',
  'edge',
  'rain',
  'base',
  'east',
  'edge',
  'precipitation',
  'area',
  'presence',
  'rotation',
  'wall',
  'cloud',
  'cloud',
  'lowering',
  'rain',
  'base',
  'thunderstorm',
  'wall',
  'cloud',
  'rear',
  'precipitation',
  'area',
  'wall',
  'cloud',
  'tornado',
  'minute',
  'tornado',
  'wall',
  'cloud',
  'surface',
  'wind',
  'motion',
  'cloud',
  'element',
  'rain',
  'base',
  'storm',
  'updraft',
  'level',
  'air',
  'mile',
  'level',
  'air',
  'updraft',
  'rain',
  'area',
  'rain',
  'air',
  'moisture',
  'rain',
  'air',
  'condense',
  'rain',
  'base',
  'wall',
  'cloud',
  'downdraft',
  'rfd',
  'rush',
  'air',
  'storm',
  'tornado',
  'rfd',
  'slot',
  'slot',
  'southwest',
  'wall',
  'cloud',
  'curtain',
  'rain',
  'base',
  'circulation',
  'rfd',
  'surface',
  'wind',
  'downburst',
  'flank',
  'downdraft',
  'motion',
  'storm',
  'hook',
  'echo',
  'feature',
  'radar',
  'condensation',
  'funnel',
  'water',
  'droplet',
  'base',
  'thunderstorm',
  'contact',
  'ground',
  'tornado',
  'funnel',
  'cloud',
  'dust',
  'debris',
  'condensation',
  'funnel',
  'tornado',
  'presence',
  'tornado',
  'contact',
  'ground',
  'funnel',
  'list',
  'question',
  'answer',
  'tornado',
  'nssl',
  'storm',
  'tornado',
  'computer',
  'model',
  'severe',
  'weather',
  'thunderstorm',
  'faq',
  'tornado',
  'types',
  'severe',
  'weather',
  'educator',
  'student',
  'storm',
  'spotter',
  'diagram',
  'thunderstorm',
  'photo',
  'storm',
  'characteristic',
  'diagram',
  'brian',
  'steve',
  'koch',
  'characteristics',
  'thunderstorm',
  'a.',
  'rear',
  'flank',
  'b.',
  'striations',
  'updraft',
  'c.',
  'mesocyclone',
  'd.',
  'tail',
  'cloud',
  'e.',
  'wall',
  'cloud',
  'f.',
  'tornado',
  'wall',
  'cloud',
  'cloud',
  'lowering',
  'rain',
  'base',
  'thunderstorm',
  'wall',
  'cloud',
  'rear',
  'precipitation',
  'area',
  'condensation',
  'funnel',
  'water',
  'droplet',
  'base',
  'thunderstorm',
  'contact',
  'ground',
  'tornado',
  'funnel',
  'cloud',
  'dust',
  'debris',
  'condensation',
  'funnel',
  'tornado',
  'presence',
  'u.s.',
  'department',
  'commerce',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'office',
  'oceanic',
  'atmospheric',
  'research',
  'contact',
  'privacy',
  'policy',
  'accessibility',
  'statement',
  'disclaimer',
  'foia',
  'usa.gov',
  'site',
  'information',
  'site',
  'map',
  'search',
  'nssl',
  'staff'],
 ['associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'death',
  'storm',
  'oregon',
  'washington',
  'state',
  'damage',
  'wind',
  'monday',
  'tuesday',
  'portland',
  'metro',
  'area',
  'wednesday',
  'morning',
  'thousand',
  'power',
  'city',
  'infrastructure',
  'dec',
  'portland',
  'ore.',
  'ap',
  'winter',
  'storm',
  'wind',
  'oregon',
  'tuesday',
  'car',
  'accident',
  'people',
  'police',
  'investigation',
  'condition',
  'crash',
  'person',
  'police',
  'people',
  'year',
  'girl',
  'weather',
  'tree',
  'pickup',
  'truck',
  'u.s.',
  'mile',
  'coastline',
  'oregon',
  'state',
  'police',
  'news',
  'release',
  'passenger',
  'responder',
  'scene',
  'east',
  'u.s.',
  'mount',
  'hood',
  'motorist',
  'tree',
  'cab',
  'truck',
  'snow',
  'wind',
  'control',
  'highway',
  'state',
  'police',
  'year',
  'driver',
  'truck',
  'scene',
  'person',
  'tree',
  'pickup',
  'passenger',
  'interstate',
  'cascade',
  'locks',
  'columbia',
  'river',
  'gorge',
  'agency',
  'driver',
  'hospital',
  'weather',
  'tree',
  'state',
  'police',
  'spokesperson',
  'captain',
  'kyle',
  'kennedy',
  'decade',
  'prison',
  'north',
  'dakota',
  'trafficking',
  'probe',
  'packer',
  'youth',
  'lafleur',
  'feeling',
  'year',
  'coach',
  'training',
  'camp',
  'maternity',
  'ward',
  'oregon',
  'scene',
  'gunfire',
  'wind',
  'tree',
  'power',
  'line',
  'swath',
  'pacific',
  'northwest',
  'tuesday',
  'power',
  'people',
  'point',
  'wind',
  'gust',
  'mph',
  'cape',
  'perpetua',
  'oregon',
  'coast',
  'mph',
  'timberline',
  'lodge',
  'mount',
  'hood',
  'andy',
  'bryant',
  'hydrologist',
  'national',
  'weather',
  'service',
  'portland',
  'office',
  'utility',
  'company',
  'power',
  'people',
  'oregon',
  'outage',
  'p.m.',
  'wednesday',
  'tracker',
  'poweroutage',
  'portland',
  'general',
  'electric',
  'pacific',
  'power',
  'utility',
  'number',
  'outage',
  'service',
  'crew',
  'member',
  'state',
  'damage',
  'washington',
  'state',
  'thousand',
  'resident',
  'seattle',
  'power',
  'wednesday',
  'afternoon',
  'day',
  'wind',
  'storm',
  'damage',
  'power',
  'line',
  'north',
  'bend',
  'snoqualmie',
  'gerald',
  'tracy',
  'spokesperson',
  'puget',
  'sound',
  'energy',
  'komo',
  'tv',
  'power',
  'area',
  'p.m.',
  'wednesday',
  'caveat',
  'problem',
  'timeline',
  'terrain',
  'area',
  'crew',
  'foot',
  'hand',
  'tool',
  'care',
  'situation',
  'tracy',
  'tuesday',
  'storm',
  'system',
  'wave',
  'tide',
  'region',
  'wave',
  'height',
  'foot',
  'oregon',
  'coast',
  'national',
  'weather',
  'service',
  'storm',
  'washington',
  'state',
  'seattle',
  'resident',
  'south',
  'park',
  'neighborhood',
  'street',
  'bucket',
  'home',
  'water',
  'record',
  'tide',
  'foot',
  'meter',
  'state',
  'capital',
  'olympia',
  'jellyfish',
  'shoreline',
  'city',
  'street',
  'official',
  'flood',
  'advisory',
  'effect',
  'seattle',
  'area',
  'friday',
  'press',
  'writer',
  'lisa',
  'baumann',
  'bellingham',
  'wash.___claire',
  'rush',
  'corps',
  'member',
  'associated',
  'press',
  'report',
  'america',
  'statehouse',
  'news',
  'initiative',
  'report',
  'america',
  'service',
  'program',
  'journalist',
  'newsroom',
  'issue',
  'claire',
  'twitter',
  'statehouse',
  'reporter',
  'portland',
  'oregon',
  'associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights'],
 ['sky',
  'news',
  'home',
  'snow',
  'winter',
  'storm',
  'state',
  'arizona',
  'north',
  'dakota',
  'snow',
  'arizona',
  'new',
  'mexico',
  'area',
  'california',
  'north',
  'idaho',
  'monday',
  'december',
  'uk',
  'image',
  'giant',
  'camel',
  'park',
  'city',
  'boise',
  'idaho',
  'monday',
  'pic',
  'ap',
  'sky',
  'news',
  'swathes',
  'snowstorm',
  'temperature',
  'blizzard',
  'rain',
  'forecast',
  'day',
  'storm',
  'system',
  'area',
  'northwest',
  'great',
  'plains',
  'southwest',
  'monday',
  'snow',
  'arizona',
  'new',
  'mexico',
  'california',
  'north',
  'idaho',
  'day',
  'uk',
  'year',
  'weather',
  'updatesthe',
  'storm',
  'northeast',
  'blizzard',
  'warning',
  'place',
  'week',
  'national',
  'weather',
  'service',
  'nws',
  'disruption',
  'thursday',
  'storm',
  'system',
  'weather',
  'hazard',
  'heart',
  'country',
  'week',
  'blizzard',
  'warning',
  'effect',
  'wyoming',
  'montana',
  'south',
  'dakota',
  'nebraska',
  'week',
  'ft',
  'cm',
  'snow',
  'wind',
  'mph',
  'winter',
  'storm',
  'warning',
  'place',
  'north',
  'dakota',
  'official',
  'pennington',
  'county',
  'south',
  'dakota',
  'shovel',
  'grocery',
  'supply',
  'road',
  'idaho',
  'south',
  'dakota',
  'nebraska',
  'start',
  'lesson',
  'monday',
  'snow',
  'content',
  'twitter',
  'cookie',
  'technology',
  'content',
  'permission',
  'cookie',
  'button',
  'preference',
  'twitter',
  'cookie',
  'cookie',
  'setting',
  'time',
  'privacy',
  'options',
  'twitter',
  'cookie',
  'content',
  'button',
  'twitter',
  'cookie',
  'session',
  'friend',
  'boy',
  'leg',
  'solihull',
  'lakeuk',
  'middle',
  'wind',
  'drought',
  'comingwho',
  'uk',
  'government',
  'weather',
  'payment?the',
  'nws',
  'storm',
  'minnesota',
  'wisconsin',
  'rain',
  'inch',
  'ice',
  'building',
  'ice',
  'tree',
  'power',
  'line',
  'power',
  'outage',
  'nws',
  'europe',
  'snow',
  'weekend',
  'uk.snow',
  'london',
  'sunday',
  'night',
  'centimetre',
  'snow',
  'essex',
  'european',
  'germany',
  'lithuania',
  'weekend'],
 ['main',
  'content',
  'sensor',
  'network',
  'maps',
  'radar',
  'severe',
  'weather',
  'news',
  'blogs',
  'mobile',
  'apps',
  'nearest',
  'station',
  'manage',
  'favorite',
  'citieslog',
  'joinsettingsaccount_box',
  'log',
  'person_add',
  'join',
  'setting',
  'settings',
  'sensor',
  'networkmaps',
  'radarsevere',
  'weathernews',
  'blogsmobile',
  'appshistorical',
  'weatherstarnews',
  'blogs',
  'category',
  'news',
  'stories',
  'infographics',
  'posters',
  'news',
  'stories',
  'category',
  'storiesinfographicsposterspublished',
  'weather',
  'company',
  'mission',
  'weather',
  'news',
  'environment',
  'importance',
  'science',
  'life',
  'story',
  'position',
  'parent',
  'company',
  'ibm.recent',
  'storiesweather',
  'articlesour',
  'appsabout',
  'uscontactcareerspws',
  'networkwundermapfeedback',
  'supportterms',
  'useprivacy',
  'policyaccessibility',
  'statementadchoicesdata',
  'vendorswe',
  'responsibility',
  'datum',
  'technology',
  'datum',
  'data',
  'vendor',
  'control',
  'datum',
  'datum',
  'rightspowered',
  'ibm',
  'cloud',
  'copyright',
  'twc',
  'product',
  'technology',
  'llc',
  'javascript',
  'application'],
 ['woman',
  'fury',
  'rendition',
  'star',
  'spangled',
  'banner',
  'world',
  'cup',
  'holland',
  'player',
  'anthem',
  'arm',
  'moment',
  'operator',
  'crane',
  'moment',
  'manhattan',
  'sidewalk',
  'co',
  '-',
  'worker',
  'chant',
  'water',
  'motherf****r',
  'russell',
  'crowe',
  'essay',
  'sinead',
  "o'connor",
  'meeting',
  'pub',
  'ireland',
  'height',
  'depression',
  'hero',
  'warning',
  'sign',
  'alzheimer',
  'symptom',
  'study',
  'ohio',
  'cop',
  'fired',
  'footage',
  'k-9',
  'trucker',
  'hand',
  'police',
  'chase',
  'mud',
  'flap',
  'man',
  'assault',
  'alabama',
  'teen',
  'girlfriend',
  'rock',
  'music',
  'festival',
  'physio',
  '50',
  'kg',
  'body',
  'ache',
  'pain',
  'person',
  'week',
  'revealed',
  'marines',
  'carbon',
  'monoxide',
  'poisoning',
  'car',
  'gas',
  'station',
  'camp',
  'lejeune',
  'nashville',
  'school',
  'shooter',
  'note',
  'pocket',
  'knife',
  'aiden',
  'anklet',
  'number',
  'outdoors',
  'nbc',
  'report',
  'people',
  'space',
  'trauma',
  'people',
  'trump',
  'flag',
  'acting',
  'meghan',
  'markle',
  'actor',
  'strike',
  'ariana',
  'grande',
  'boyfriend',
  'ethan',
  'slater',
  'divorce',
  'wife',
  'romance',
  'singer',
  'set',
  'movie',
  'month',
  'search',
  'la',
  'attorney',
  'downtown',
  'area',
  'day',
  'family',
  'somber',
  'michelle',
  'martha',
  'vineyard',
  'golf',
  'club',
  'game',
  'tennis',
  'outing',
  'chef',
  'paddle',
  'boarding',
  'obamas',
  'home',
  'joe',
  'rogan',
  'critic',
  'jason',
  'aldean',
  'song',
  'small',
  'town',
  'rap',
  'song',
  'revealed',
  'california',
  'gov.',
  'gavin',
  'newsom',
  'hollywood',
  'strike',
  'industry',
  'billion',
  'state',
  'economy',
  'chaos',
  'fiancé',
  'sperm',
  'friend',
  'moment',
  'naked',
  'woman',
  'fire',
  'driver',
  'police',
  'chase',
  'san',
  'francisco',
  'bay',
  'bridge',
  'vampire',
  'appliance',
  'cash',
  'device',
  'energy',
  'bill',
  'uswnt',
  'tie',
  'holland',
  'lindsey',
  'horan',
  'half',
  'equalizer',
  'point',
  'wellington',
  'ladies',
  'view',
  'hunter',
  'biden',
  'joe',
  'pain',
  'loss',
  'republicans',
  'witch',
  'hunt',
  'son',
  'judge',
  'hunter',
  'job',
  'president',
  'son',
  'drug',
  'alcohol',
  'employment',
  'condition',
  'release',
  'plea',
  'deal',
  'hunter',
  'biden',
  'extent',
  'drug',
  'alcohol',
  'use',
  'president',
  'addict',
  'son',
  'rehab',
  'stint',
  'year',
  'court',
  'appearance',
  'hunter',
  'plea',
  'deal',
  'joe',
  'president',
  'line',
  'son',
  'deal',
  'china',
  'ukraine',
  'republicans',
  'tornado',
  'mississippi',
  'weather',
  'storm',
  'thousand',
  'biden',
  'state',
  'service',
  'resident',
  'supercell',
  "thunderstorms'these",
  'tornado',
  'hail',
  'mississippiby',
  'miriam',
  'kuepper',
  'edt',
  'march',
  'edt',
  'march',
  'e',
  '-',
  'mail',
  'share',
  'view',
  'comment',
  'tornado',
  'mississippi',
  'weather',
  'storm',
  'thousand',
  'biden',
  'state',
  'emergency',
  'tornado',
  'mississippi',
  'alabama',
  'friday',
  'night',
  'trail',
  'havoc',
  'mile',
  'kilometer',
  'state',
  'people',
  'mississippi',
  'person',
  'alabama',
  'victim',
  'year',
  'dad',
  'tornado',
  'home',
  'wren',
  'mississippi',
  'rolling',
  'fork',
  'mississippi',
  'town',
  'pile',
  'rubble',
  'couple',
  'arm',
  'tornado',
  'neighbor',
  'wheeler',
  'house',
  'middle',
  'night',
  'president',
  'joe',
  'biden',
  'disaster',
  'aid',
  'national',
  'weather',
  'service',
  'nws',
  'resident',
  'mississippi',
  'alabama',
  'supercell',
  'thunderstorm',
  'monday',
  'tornado',
  'hail',
  'sunday',
  'mississippi',
  'governor',
  'tate',
  'reeves',
  'risk',
  'sky',
  'news',
  'risk',
  'interstate',
  'south',
  'highway',
  'mississippi',
  'governor',
  'tate',
  'reeves',
  'sunday',
  'risk',
  'national',
  'weather',
  'service',
  'weather',
  'mississippi',
  'alabama',
  'weather',
  'alabama',
  'search',
  'rescue',
  'team',
  'member',
  'tornado',
  'victim',
  'march',
  'rolling',
  'fork',
  'mississippi',
  'satellite',
  'image',
  'maxar',
  'technologies',
  'business',
  'home',
  'blues',
  'highway',
  'rolling',
  'fork',
  'weather',
  'forecast',
  'weather',
  'official',
  'rescue',
  'worker',
  'damage',
  'home',
  'building',
  'car',
  'rolling',
  'fork',
  'town',
  'nature',
  'wrath',
  'couple',
  'arm',
  'mph',
  'mississippi',
  'tornado',
  'wheeler',
  'home',
  'survivor',
  'war',
  'zone',
  'twister',
  'advertisement',
  'nws',
  'friday',
  'tornado',
  'rating',
  'enhanced',
  'fujita',
  'scale',
  'wind',
  'mile',
  'kilometer',
  'hour',
  'dozen',
  'people',
  'official',
  'death',
  'toll',
  'spring',
  'sunshine',
  'sky',
  'resident',
  'home',
  'debris',
  'crew',
  'fire',
  'search',
  'emergency',
  'route',
  'satellite',
  'image',
  'sunday',
  'ruin',
  'rolling',
  'fork',
  'home',
  'tree',
  'earth',
  'american',
  'red',
  'cross',
  'national',
  'guard',
  'building',
  'rolling',
  'fork',
  'hour',
  'storm',
  'town',
  'people',
  'area',
  'infirmary',
  'box',
  'food',
  'supply',
  'storm',
  'victim',
  'john',
  'brown',
  'red',
  'cross',
  'official',
  'alabama',
  'mississippi',
  'anna',
  'krisuta',
  'year',
  'son',
  'alvaro',
  'llecha',
  'shelter',
  'site',
  'house',
  'piece',
  'weather',
  'man',
  'alabama',
  'trailer',
  'sheriff',
  'office',
  'morgan',
  'county',
  'official',
  'secretary',
  'homeland',
  'security',
  'alejandro',
  'mayorkas',
  'rolling',
  'fork',
  'sunday',
  'afternoon',
  'rescue',
  'effort',
  'support',
  'haul',
  "''it",
  'loss',
  'life',
  'devastation',
  'firsthand',
  'mayorkas',
  'press',
  'conference',
  'governor',
  'tate',
  'reeves',
  'federal',
  'emergency',
  'management',
  'agency',
  'fema',
  'head',
  'deanne',
  'criswell',
  'debris',
  'tornado',
  'home',
  'sunday',
  'march',
  'rolling',
  'fork',
  'mississippi',
  'tornado',
  'mississippi',
  'neighbouring',
  'state',
  'alabama',
  'friday',
  'night',
  'trail',
  'havoc',
  'mile',
  'kilometer',
  'state',
  'national',
  'weather',
  'service',
  'tornado',
  'rating',
  'enhanced',
  'fujita',
  'scale',
  'combination',
  'satellite',
  'image',
  'walnut',
  'street',
  'rolling',
  'fork',
  'mississippi',
  'tornado',
  'town',
  'march',
  'people',
  'essential',
  'relief',
  'center',
  'silver',
  'city',
  'mississippi',
  'aftermath',
  'tornado',
  'james',
  'brown',
  'standing',
  'damage',
  'home',
  'sister',
  'melissa',
  'pierce',
  'husband',
  'l.a.',
  'pierce',
  'street',
  'rolling',
  'fork',
  'wheeler',
  'background',
  'house',
  'son',
  'dave',
  'brown',
  'ground',
  'country',
  'weather',
  'event',
  'gravity',
  'severity',
  'frequency',
  'community',
  "'earlier",
  'sunday',
  'criswell',
  'abc',
  'tornado',
  'zone',
  'life',
  'life',
  'mode',
  'responder',
  'home',
  'fema',
  'team',
  'way',
  'recovery',
  'process',
  "'biden",
  'emergency',
  'order',
  'recovery',
  'effort',
  'grant',
  'housing',
  'home',
  'repair',
  'cost',
  'loan',
  'property',
  'loss',
  'white',
  'house',
  'sunday',
  'reeves',
  'biden',
  'twitter',
  'scale',
  'damage',
  'mississippi',
  'disaster',
  'declaration',
  'step',
  'disaster',
  'response',
  "'electricity",
  'repair',
  'sunday',
  'service',
  'evening',
  'number',
  'customer',
  'power',
  'total',
  'thunderstorm',
  'mississippi',
  'alabama',
  'resident',
  'emergency',
  'responder',
  'fire',
  'home',
  'rolling',
  'fork',
  'state',
  'mississippi',
  'tornado',
  'arealarge',
  'hail',
  'lauderdale',
  'ms',
  'hwy',
  'east',
  'nas',
  'meridian',
  '.@nwsmobile',
  '@nwsjacksonms',
  'mssx',
  'nicholas',
  'herboso',
  '@knbhwx',
  'march',
  'view',
  'destruction',
  'rolling',
  'fork',
  'tornado',
  'storm',
  'state',
  'mississippi',
  'united',
  'states',
  'march',
  'town',
  'lauren',
  'hoda',
  'mile',
  'vicksburg',
  "'when",
  'morning',
  'people',
  'town',
  'time',
  'tornado',
  'saturday',
  'night',
  'rolling',
  'fork',
  'donation',
  'water',
  'food',
  'good',
  'diaper',
  'wipe',
  'medicine',
  'toothpaste',
  'collection',
  'point',
  "'everything",
  'state',
  'destruction',
  'jarrod',
  'kunze',
  'mississippi',
  'town',
  'rolling',
  'fork',
  'home',
  'alabama',
  'capacity',
  "'kunze",
  'volunteer',
  'sunday',
  'staging',
  'area',
  'water',
  'supply',
  'distribution',
  'storm',
  'sheriff',
  'department',
  'rolling',
  'fork',
  'time',
  'siren',
  'community',
  'resident',
  'mayor',
  'eldridge',
  'walker',
  'storm',
  'sheriff',
  'department',
  'rolling',
  'fork',
  'time',
  'siren',
  'community',
  'resident',
  'mayor',
  'eldridge',
  'walkerthis',
  'evening',
  'lauderdale',
  'ms',
  '.',
  '@realbenhenkel',
  '@weatherboytrev',
  '@nwsjacksonms',
  'mswx',
  'pic.twitter.com/x7c4kwmvou',
  'brianna',
  'salazar',
  '@bree_wx',
  'march',
  'mayor',
  'rolling',
  'fork',
  'mississippi',
  'town',
  'man',
  'man',
  'windshield',
  'car',
  'house',
  'rolling',
  'fork',
  'mississippi',
  'tornado',
  'area',
  'time',
  'siren',
  'storm',
  'siren',
  'walker',
  'area',
  'block',
  'downtown',
  'mayor',
  'town',
  "'sharkey",
  'county',
  'mississippi',
  'county',
  'state',
  'mississippi',
  'way',
  'prayer',
  'community',
  "'in",
  'twister',
  'silver',
  'city',
  'resident',
  'home',
  'tornado',
  'weather',
  'phenomenon',
  'united',
  'states',
  'country',
  'share',
  'comment',
  'article',
  'tornado',
  'mississippi',
  'weather',
  'storm',
  'kylie',
  'jenner',
  'plastic',
  'surgery',
  'confession',
  'kardashians',
  'star',
  'finally',
  'boob',
  'job',
  'teen',
  'breast',
  'ariana',
  'grande',
  'boyfriend',
  'co',
  '-',
  'star',
  'ethan',
  'slater',
  'divorce',
  'wife',
  'russell',
  'crowe',
  'tribute',
  'singer',
  'sinead',
  "o'connor",
  'pub',
  'dublin',
  'opportunity',
  'hero',
  'sinead',
  "o'connor",
  'video',
  'star',
  'clip',
  'toll',
  'teen',
  'son',
  'suicide',
  'day',
  'jennifer',
  'garner',
  'arm',
  'leg',
  'matching',
  'legging',
  'santa',
  'monica',
  'kim',
  'kardashian',
  'hermes',
  'birkin',
  'bag',
  'k',
  'paris',
  'saint',
  'germain',
  'al',
  'nassr',
  'soccer',
  'match',
  'japan',
  'khloe',
  'kardashian',
  'tristan',
  'thompson',
  'shock',
  'death',
  'mom',
  'sinead',
  "o'connor",
  'music',
  'legend',
  'year',
  'health',
  'battle',
  'month',
  'son',
  'summer',
  "lovin'",
  'princess',
  'beatrice',
  'edoardo',
  'mapelli',
  'mozzi',
  'display',
  'board',
  'boat',
  'holiday',
  'saint',
  'tropez',
  'beyonce',
  'mom',
  'tina',
  'knowles',
  'divorce',
  'husband',
  'richard',
  'lawson',
  'year',
  'marriage',
  'difference',
  'tom',
  'hanks',
  'son',
  'chet',
  'hanks',
  'tattoo',
  'chest',
  'convert',
  'life',
  'purpose',
  'god',
  'bursting',
  'flavor',
  'tastebud',
  'japan',
  'firework',
  'festivals',
  'tokyotreat',
  'snack',
  'box',
  'treat',
  'kylie',
  'jenner',
  'shower',
  'son',
  'wolf',
  'hormone',
  'struggle',
  'aire',
  'kim',
  'kardashian',
  'beauty',
  'christmas',
  'morning',
  'mom',
  'family',
  'dolly',
  'parton',
  'queen',
  'champions',
  'music',
  'video',
  'olympics',
  'paris',
  'john',
  'travolta',
  'video',
  'image',
  'family',
  'trip',
  'japan',
  'daughter',
  'ella',
  'son',
  'benjamin',
  'family',
  'friend',
  'hilary',
  'duff',
  'figure',
  'afternoon',
  'stroll',
  'daughter',
  'banks',
  'mae',
  'la',
  'mark',
  'wahlberg',
  'washboard',
  'ab',
  'success',
  'tequila',
  'brand',
  'flecha',
  'azul',
  'justin',
  'timberlake',
  'timbaland',
  'studio',
  'nelly',
  'furtado',
  'facetime',
  'collaboration',
  'ex',
  'elon',
  'musk',
  'grimes',
  'vacation',
  'portofino',
  'musician',
  ...],
 ['storm',
  'baltimore',
  'area',
  'tuesday',
  'afternoon',
  'maryland',
  'weather',
  'severe',
  'storm',
  'baltimore',
  'area',
  'tuesday',
  'afternoon',
  'july',
  'chris',
  'montcalmo',
  'update',
  'thunderstorm',
  'watch',
  'flood',
  'watch',
  'baltimore',
  'area',
  'story',
  'baltimore',
  'md',
  'condition',
  'baltimore',
  'area',
  'storm',
  'tuesday',
  'afternoon',
  'national',
  'weather',
  'service',
  'thunderstorm',
  'wind',
  'hail',
  'instance',
  'flooding',
  'heat',
  'humidity',
  'area',
  'remainder',
  'week',
  'resident',
  'forecast',
  'day',
  'graphic',
  'carneychasefifth',
  'districtfullertonglen',
  'armgolden',
  'ringhillendalekingsvillelinovermiddle',
  'rivernational',
  'weather',
  'servicenottinghamoverleaparkvilleperry',
  'hallrosedalerossvillesixth',
  'districtstormswhite',
  'marsh',
  'previous',
  'articlegovernor',
  'moore',
  'grant',
  'access',
  'recreation',
  'spacenext',
  'articlemaryland',
  'partner',
  'usda',
  'barrier',
  'food',
  'agriculture',
  'supply',
  'chain',
  'heat',
  'watch',
  'friday',
  'baltimore',
  'heat',
  'index',
  'degree',
  'baltimore',
  'county',
  'meeting',
  'plan',
  'park',
  'perry',
  'hall',
  'farm',
  'education',
  'foundation',
  'bcps',
  'tools',
  'school',
  'campaign',
  'governor',
  'moore',
  'energy',
  'efficiency',
  'retrofit',
  'pilot',
  'program',
  'mega',
  'millions',
  'ticket',
  'maryland',
  'ticket',
  'towson',
  'subscribe',
  'advertise',
  'contact',
  'terms',
  'service',
  'privacy',
  'policy',
  'account',
  'login',
  'password',
  'reset',
  'profile',
  'register',
  'subscribe',
  'advertise',
  'contact',
  'terms',
  'service',
  'privacy',
  'policy',
  'copyright',
  'nottinghammd.com',
  'marsoly',
  'media',
  'llc',
  'company',
  'wordpress',
  'theme',
  'athemeart',
  'website',
  'cookie',
  'experience',
  'reject',
  'read',
  'moreprivacy',
  'cookies',
  'policy',
  'privacy',
  'overview',
  'website',
  'cookie',
  'experience',
  'website',
  'cookie',
  'cookie',
  'browser',
  'working',
  'functionality',
  'website',
  'party',
  'cookie',
  'website',
  'cookie',
  'browser',
  'consent',
  'option',
  'cookie',
  'cookie',
  'effect',
  'experience',
  'cookie',
  'website',
  'category',
  'cookie',
  'functionality',
  'security',
  'feature',
  'website',
  'cookie',
  'information'],
 ['abc',
  'newsvideoliveshowselectionsinterest',
  'successfully',
  "addedwe'll",
  'news',
  'desktop',
  'notification',
  'story',
  'interest',
  'offonlog',
  'instream',
  'ontexas',
  'ice',
  'storm',
  'customer',
  'powermillion',
  'people',
  'alert',
  'weather',
  'ice',
  'flooding',
  'byemily',
  'shapiro',
  'andmorgan',
  'winsorlast',
  'february',
  'pm',
  'twitteremail',
  'article3:43ice',
  'storm',
  'power',
  'ice',
  'storm',
  'texas',
  'west',
  'virginia',
  'losing',
  'power',
  'abcnews.coma',
  'ice',
  'storm',
  'texas',
  'united',
  'states',
  'wednesday',
  'people',
  'state',
  'new',
  'mexico',
  'maine',
  'alert',
  'weather',
  'ice',
  'flooding',
  'rain',
  'sleet',
  'forecast',
  'texas',
  'tennessee',
  'rain',
  'temperature',
  'wednesday',
  'thursday',
  'headline',
  'power',
  'texasdallas',
  'airport',
  'flight',
  'news',
  'time',
  'eastern',
  'feb',
  'pm',
  'power',
  'texaslinkshare',
  'twitteremail',
  'customer',
  'power',
  'texas',
  'wednesday',
  'afternoon',
  'ice',
  'storm',
  'south',
  'brandon',
  'bell',
  'getty',
  'imagesfrozen',
  'power',
  'line',
  'sidewalk',
  'feb.',
  'austin',
  'brandon',
  'bell',
  'getty',
  'imagesfrozen',
  'power',
  'line',
  'sidewalk',
  'feb.',
  'austin',
  'texas',
  'feb',
  'pm',
  'estlatest',
  'forecastlinkshare',
  'twitteremail',
  'articleofficial',
  'resident',
  'travel',
  'texas',
  'oklahoma',
  'arkansas',
  'tennessee',
  'mississippi',
  'ice',
  'storm',
  'coat',
  'roadway',
  'brandon',
  'bell',
  'getty',
  'imagestina',
  'yeung',
  'paramedic',
  'lyft',
  'ride',
  'vehicle',
  'feb.',
  'austin',
  'ricardo',
  'b.',
  'brazziell',
  'austin',
  'american',
  'statesman',
  'usa',
  'todayan',
  'accident',
  'wheeler',
  'toll',
  'road',
  'north',
  'austin',
  'traffic',
  'way',
  'jan.',
  'austin',
  'texas',
  'wednesday',
  'evening',
  'wave',
  'rain',
  'sleet',
  'texas',
  'ice',
  'accumulation',
  'travel',
  'concern',
  'thursday',
  'morning',
  'ice',
  'rain',
  'texas',
  'mississippi',
  'forecast',
  'inch',
  'rain',
  'flood',
  'alert',
  'mississippi',
  'river',
  'valley',
  'feb',
  'pm',
  'estpiston',
  'dallas',
  'wizards',
  'pistons',
  'game',
  'postponedlinkshare',
  'twitteremail',
  'night',
  'basketball',
  'game',
  'washington',
  'wizards',
  'detroit',
  'pistons',
  'ice',
  'storm',
  'pistons',
  'dallas',
  'pistons',
  'texas',
  'monday',
  'night',
  'game',
  'weather',
  'condition',
  'team',
  'nba.shelby',
  'tauber',
  'reutersbank',
  'america',
  'plaza',
  'employee',
  'ice',
  'snow',
  'sidewalk',
  'weather',
  'dallas',
  'jan.',
  'pm',
  'estdallas',
  'airport',
  'flight',
  'cancellationslinkshare',
  'twitteremail',
  'flight',
  'storm',
  'dallas',
  'fort',
  'worth',
  'international',
  'airport',
  '%',
  'flight',
  'dallas',
  'love',
  'field',
  'airport',
  '%',
  'flights.-abc',
  'news',
  'sam',
  'sweeneyload',
  'morelinkshare',
  'twitteremail',
  'storieshouse',
  'ufo',
  'hearing',
  'ex',
  'knowledge',
  'craftjul',
  'amruin',
  'vatican',
  'emperor',
  'nero',
  'theaterjul',
  'pmfather',
  'car',
  'child',
  'heat',
  'hour',
  'agosinead',
  "o'connor",
  'u',
  'singer',
  '56jul',
  'claim',
  'transparency',
  'center',
  'house',
  'hearingjul',
  'pmabc',
  'news',
  'networkprivacy',
  'policyyour',
  'state',
  'privacy',
  'rightschildren',
  'online',
  'privacy',
  'policyinterest',
  'adsabout',
  'nielsen',
  'measurementterms',
  'usedo',
  'sell',
  'informationcontact',
  'uscopyright',
  'abc',
  'news',
  'internet',
  'ventures',
  'right'],
 ['owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'today',
  'low',
  '74f.',
  'wind',
  'light',
  'tonight',
  'low',
  '74f.',
  'wind',
  'light',
  'july',
  'pm',
  'erika',
  'barrett',
  'joe',
  'benedict',
  'dgcnews@dailygate.com',
  'editordgc@dailygate.com',
  'jun',
  'jul',
  'storm',
  'keokuk',
  'thursday',
  'morning',
  'devastation',
  'wake',
  'semis',
  'power',
  'pole',
  'score',
  'tree',
  'power',
  'outage',
  'south',
  'lee',
  'county',
  'road',
  'community',
  'debris',
  'aftermath',
  'tempest',
  'semis',
  'lee',
  'county',
  'connable',
  'road',
  'hamilton',
  'extent',
  'damage',
  'leecomm',
  'assistance',
  'state',
  'trooper',
  'hancock',
  'county',
  'deputy',
  'storm',
  'wind',
  'mph',
  'lee',
  'county',
  'board',
  'supervisors',
  'friday',
  'state',
  'emergency',
  'iowa',
  'state',
  'statute',
  'expenditure',
  'emergency',
  'fund',
  'source',
  'invoking',
  'aid',
  'agreement',
  'applying',
  'state',
  'iowa',
  'assistance',
  '”the',
  'national',
  'weather',
  'service',
  'storm',
  'derecho',
  'service',
  'f1',
  'tornado',
  'kahoka',
  'missouri',
  'tornado',
  'keokuk',
  'service',
  'mph',
  'wind',
  'storm',
  'taco',
  'tonight',
  'huh',
  'woman',
  'friend',
  'keokuk',
  'yard',
  'debris',
  'tree',
  'wreckage',
  'sense',
  'camaraderie',
  'resilience',
  'community',
  'city',
  'keokuk',
  'citizen',
  'facebook',
  'page',
  'help',
  'debris',
  'roadway',
  'alley',
  'alliant',
  'energy',
  'power',
  'restoration',
  'p.m.',
  'friday',
  'local',
  'damage',
  'home',
  'result',
  'tree',
  'ronnie',
  'braggs',
  'property',
  'tree',
  'child',
  'shake',
  'braggs',
  'basement',
  'extent',
  'damage',
  'home',
  'braggs',
  'home',
  'decision',
  'home',
  'family',
  'job',
  'boss',
  'point',
  'job',
  'today',
  'day',
  'today',
  '”todd',
  'miller',
  'storm',
  'lifetime',
  'buddy',
  'today',
  'golf',
  'course',
  'quarter',
  'morning',
  'hole',
  'noon',
  'todd',
  'miller',
  '“we',
  'thing',
  'storm',
  'miller',
  'sight',
  'cable',
  'line',
  'pool',
  'telephone',
  'pole',
  'windshield',
  'tree',
  'melissa',
  'derr',
  'storm',
  'car',
  'street',
  'driveway',
  'storm',
  'derr',
  'kitchen',
  'door',
  'tree',
  '”the',
  'tree',
  'oak',
  'yard',
  'trunk',
  'derr',
  'home',
  'roof',
  'car',
  'situation',
  'hyvee',
  'supermarket',
  'community',
  'resourcefulness',
  'compassion',
  'customer',
  'employee',
  'shelter',
  'cooler',
  'storm',
  'shopper',
  'lindsy',
  'swindler',
  'gratitude',
  'store',
  'blanket',
  'safety',
  'tempest',
  'aftermath',
  'sight',
  'john',
  'davis',
  'hyvee',
  'tree',
  'home',
  'wife',
  'helen',
  'basement',
  'time',
  'extent',
  'destruction',
  'helen',
  'confetti',
  'fixture',
  'insulation',
  'water',
  'floor',
  'addition',
  'garage',
  'report',
  'tree',
  'route',
  'n.',
  '13th',
  'hilton',
  'rd',
  '16th',
  'carroll',
  'roof',
  'beck',
  'powerline',
  'tree',
  'n.',
  'street',
  'kilbourne',
  'mckinley',
  'tree',
  'town',
  'rand',
  'park',
  '%',
  'tree',
  'keokuk',
  'resident',
  'mike',
  'merrick',
  'city',
  'keokuk',
  'damage',
  'rand',
  'park',
  'notice',
  'tree',
  'car',
  'windshield',
  'light',
  'baseball',
  'field',
  'metal',
  'plastic',
  'sheds',
  'neighboring',
  'property',
  'building',
  'half',
  'wall',
  'indian',
  'hill',
  'neighborhood',
  'keokuk',
  'fire',
  'department',
  'wind',
  'storm',
  'tornado',
  'report',
  'storm',
  'derecho',
  'kfd',
  'resident',
  'power',
  'line',
  'community',
  'emergency',
  'need',
  'electricity',
  'lee',
  'county',
  'sheriff',
  'office',
  'statement',
  'folk',
  'travel',
  'crew',
  'debris',
  'power',
  'line',
  'effort',
  'swing',
  'power',
  'storm',
  'impact',
  'keokuk',
  'circumstance',
  'sense',
  'community',
  'spirit',
  'perseverance',
  'melissa',
  'derr',
  'word',
  'bit',
  'cleanup',
  'thing',
  'subscriber',
  'image',
  'e',
  '-',
  'edition',
  'subscription',
  'subscription',
  'option',
  'nowthe',
  'daily',
  'gate',
  'app',
  'news',
  'update',
  'daily',
  'gate',
  'device',
  'print',
  'iowa',
  'wesleyan',
  'property',
  'auction',
  'august',
  'fort',
  'madison',
  'man',
  'felony',
  'drug',
  'charge',
  'lee',
  'county',
  'republicans',
  'banquet',
  'road',
  'survey',
  'city',
  'plan',
  'action',
  'keokuk',
  'street',
  'humidity',
  '%',
  'cloud',
  'coverage',
  '%',
  'wind',
  'mph',
  'uv',
  'index',
  'sunrise',
  'sunset',
  'today',
  'low',
  '74f.',
  'wind',
  'light',
  'tonight',
  'low',
  '74f.',
  'wind',
  'light',
  'tomorrow',
  'cloud',
  'time',
  'time',
  '99f.',
  'wind',
  'sse',
  'mph',
  'munoz',
  'operators',
  'trailer',
  'hopper',
  'indiana',
  'fountain',
  'co.',
  'neighbor',
  'herald',
  'journal',
  'kv',
  'post',
  'news',
  'newton',
  'co.',
  'enterprise',
  'rensselaer',
  'republican',
  'review',
  'republican',
  'iowa',
  'atlantic',
  'news',
  'telegraph',
  'audubon',
  'advocate',
  'journal',
  'barr',
  'post',
  'card',
  'news',
  'burlington',
  'hawk',
  'eye',
  'collector',
  'journal',
  'fayette',
  'county',
  'union',
  'ft',
  '.',
  'madison',
  'daily',
  'democrat',
  'independence',
  'bulletin',
  'journal',
  'keokuk',
  'daily',
  'gate',
  'city',
  'oelwein',
  'daily',
  'register',
  'vinton',
  'newspapers',
  'newspapers',
  'michigan',
  'iosco',
  'county',
  'news',
  'herald',
  'ludington',
  'daily',
  'news',
  'oceana',
  'herald',
  'journal',
  'oscoda',
  'press',
  'white',
  'lake',
  'beacon',
  'new',
  'york',
  'finger',
  'lakes',
  'times',
  'olean',
  'times',
  'herald',
  'salamanca',
  'press',
  'pennsylvania',
  'bradford',
  'era',
  'clearfield',
  'progress',
  'courier',
  'express',
  'free',
  'press',
  'courier',
  'jeffersonian',
  'democrat',
  'leader',
  'vindicator',
  'potter',
  'leader',
  'enterprise',
  'wellsboro',
  'gazette',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'daily',
  'gate',
  'po',
  'box',
  'keokuk',
  'ia',
  'term',
  'use',
  'blox',
  'content',
  'management',
  'system',
  'blox',
  'digital'],
 ['trouble',
  'page',
  'help',
  'feature',
  'politic',
  'sports',
  'square',
  'mile',
  'search',
  'account',
  'air',
  'schedule',
  'donate',
  'term',
  'use',
  'privacy',
  'policy',
  'corrections',
  'contest',
  'rules',
  'amazon',
  'alexa',
  'app',
  'air',
  'schedule',
  'storm',
  'outage',
  'ri',
  'ma',
  'temperature',
  'weekend',
  'fri',
  'dec',
  'gmt+0000',
  'coordinated',
  'universal',
  'time',
  'winter',
  'storm',
  'condition',
  'holiday',
  'travel',
  'midwest',
  'new',
  'england',
  'forecaster',
  'wind',
  'gust',
  'storm',
  'surge',
  'rain',
  'temperature',
  'weekend',
  'official',
  'winter',
  'storm',
  'rain',
  'wind',
  'flooding',
  'new',
  'england',
  'friday',
  'temperature',
  'weekend',
  'forecaster',
  'temperature',
  'friday',
  'night',
  'providence',
  'pm',
  'low',
  'temperature',
  'evening',
  'driving',
  'condition',
  'â\x80\x9d',
  'rhode',
  'island',
  'gov.',
  'dan',
  'mckee',
  'friday',
  'afternoon',
  'temperature',
  'weekend',
  'official',
  'new',
  'england',
  'warming',
  'center',
  'providence',
  'mayor',
  'jorge',
  'elorza',
  'city',
  'hour',
  'warming',
  'center',
  'crossroads',
  'broad',
  'st.',
  'providence',
  'rescue',
  'mission',
  'cranston',
  'st.',
  'rhode',
  'island',
  'emergency',
  'management',
  'agency',
  'list',
  'warming',
  'center',
  'state',
  'stormâ\x80\x99s',
  'wind',
  'power',
  'thousand',
  'rhode',
  'island',
  'massachusetts',
  'utility',
  'customer',
  'power',
  'rhode',
  'island',
  'p.m.',
  'friday',
  'customer',
  'power',
  'bristol',
  'county',
  'massachusetts',
  'national',
  'weather',
  'service',
  'tide',
  'surge',
  'foot',
  'friday',
  'morning',
  'providence',
  'nuisance',
  'fox',
  'point',
  'hurricane',
  'barrier',
  'anticipation',
  'storm',
  'warwick',
  'wind',
  'gust',
  'mph',
  'friday',
  'morning',
  'national',
  'weather',
  'serviceâ\x80\x99s',
  'boston',
  'office',
  'station',
  'new',
  'bedford',
  'gust',
  'mph',
  'block',
  'island',
  'ferry',
  'ferry',
  'friday',
  'sea',
  'condition',
  'million',
  'americans',
  'bone',
  'temperature',
  'blizzard',
  'condition',
  'power',
  'outage',
  'holiday',
  'gathering',
  'friday',
  'winter',
  'storm',
  'forecaster',
  'scope',
  '%',
  'population',
  'sort',
  'winter',
  'weather',
  'advisory',
  'warning',
  'people',
  '%',
  'u.s.',
  'population',
  'form',
  'winter',
  'weather',
  'advisory',
  'warning',
  'friday',
  'national',
  'weather',
  'service',
  'weather',
  'service',
  'map',
  'â\x80\x9cdepict',
  'extent',
  'winter',
  'weather',
  'warning',
  'advisory',
  'â\x80\x9d',
  'forecaster',
  'statement',
  'friday',
  'flight',
  'u.s.',
  'friday',
  'tracking',
  'site',
  'flightaware',
  'mayhem',
  'traveler',
  'holiday',
  'home',
  'business',
  'power',
  'friday',
  'morning',
  'storm',
  'border',
  'border',
  'canada',
  'westjet',
  'flight',
  'friday',
  'toronto',
  'pearson',
  'international',
  'airport',
  'a.m.',
  'mexico',
  'migrant',
  'u.s.',
  'border',
  'temperature',
  'u.s.',
  'supreme',
  'court',
  'decision',
  'era',
  'restriction',
  'snow',
  'day',
  'kid',
  'president',
  'joe',
  'biden',
  'thursday',
  'oval',
  'office',
  'briefing',
  'official',
  'stuff.â\x80\x9dforecasters',
  'bomb',
  'cyclone',
  'pressure',
  'storm',
  'great',
  'lakes',
  'blizzard',
  'condition',
  'wind',
  'snow',
  'flight',
  'ashley',
  'sherrod',
  'nashville',
  'tennessee',
  'flint',
  'michigan',
  'thursday',
  'afternoon',
  'sherrod',
  'risk',
  'saturday',
  'flight',
  'canceled.â\x80\x9cmy',
  'family',
  'christmas',
  'sherrod',
  'bag',
  'grinch',
  'pajama',
  'family',
  'party',
  'door',
  'â\x80\x9cchristmas',
  'lack',
  'word',
  'suck.â\x80\x9d',
  'park',
  'ave',
  'portsmouth',
  'r.i.',
  'friday',
  'dec.'],
 ['permission',
  'video',
  'dane',
  'county',
  'board',
  'contract',
  'violation',
  'ssm',
  'health',
  'gender',
  'surgery',
  'fog',
  'tomorrow',
  'day',
  'severe',
  't',
  'storm',
  'friday-',
  'greg',
  'july',
  'pm',
  'forecast',
  'news',
  'watch',
  'warnings',
  'warn',
  'weather',
  'app',
  'e',
  '-',
  'mail',
  'alert',
  'oh',
  'ohio',
  'west',
  'virginia',
  'storm',
  'damage',
  'oh',
  'power',
  'restoration',
  'effort',
  'damage',
  'assessment',
  'weather',
  'face',
  'floor',
  'blood',
  'man',
  'son',
  'cent',
  'complaint',
  'madison',
  'area',
  'marine',
  'marines',
  'car',
  'north',
  'carolina',
  'verona',
  'native',
  'marines',
  'carbon',
  'monoxide',
  'poisoning',
  'authority',
  'sinéad',
  'o’connor',
  'singer',
  'madison',
  'man',
  'child',
  'pornography',
  'charge',
  'jury',
  'green',
  'bay',
  'woman',
  'boyfriend',
  'opening',
  'weekend',
  'barbenheimer',
  'cinema',
  'attorney',
  'm',
  'settlement',
  'water',
  'system',
  'contamination',
  'chemical',
  'crossfit',
  'games',
  'return',
  'madison',
  'week',
  'time',
  'mallards',
  'wisconsin',
  'alumni',
  'association',
  'wisconsin',
  'night',
  'warner',
  'park',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  '',
  '',
  'info',
  'california',
  'privacy',
  'rights',
  'advertise',
  'fcc',
  'public',
  'files',
  'fcc',
  'applications',
  'switch',
  'account',
  'photo',
  'comment',
  'blog',
  'post',
  'email',
  'address',
  'account',
  'password',
  'email',
  'address',
  'account',
  'email',
  'detail',
  'password',
  'account',
  'log',
  'link',
  'form',
  'message',
  'email',
  'link',
  'password',
  'email',
  'message',
  'instruction',
  'password',
  'email',
  'address',
  'account',
  'log',
  'link',
  'switch',
  'account',
  'alabamaalaskaarizonaarkansascaliforniacoloradoconnecticutdelawarefloridageorgiahawaiiidahoillinoisindianaiowakansaskentuckylouisianamainemarylandmassachusettsmichiganminnesotamississippimissourimontananebraskanevadanew',
  'hampshirenew',
  'jerseynew',
  'mexiconew',
  'yorknorth',
  'carolinanorth',
  'dakotaohiooklahomaoregonpennsylvaniarhode',
  'islandsouth',
  'carolinasouth',
  'virginiawisconsinwyomingpuerto',
  'ricous',
  'virgin',
  'islandsarmed',
  'forces',
  'americasarmed',
  'forces',
  'pacificarmed',
  'forces',
  'europenorthern',
  'mariana',
  'islandsmarshall',
  'islandsamerican',
  'samoafederated',
  'states',
  'micronesiaguampalaualberta',
  'canadabritish',
  'columbia',
  'canadamanitoba',
  'canadanew',
  'brunswick',
  'canadanewfoundland',
  'canadanova',
  'scotia',
  'canadanorthwest',
  'territories',
  'canadanunavut',
  'canadaontario',
  'canadaprince',
  'edward',
  'island',
  'canadaquebec',
  'canadasaskatchewan',
  'canadayukon',
  'territory',
  'canada',
  'united',
  'states',
  'virgin',
  'islandsunited',
  'states',
  'minor',
  'outlying',
  'islandscanadamexico',
  'united',
  'mexican',
  'statesbahamas',
  'commonwealth',
  'thecuba',
  'republic',
  'ofdominican',
  'republichaiti',
  'republic',
  'ofjamaicaafghanistanalbania',
  'people',
  'socialist',
  'republic',
  'ofalgeria',
  'people',
  'democratic',
  'republic',
  'samoaandorra',
  'principality',
  'ofangola',
  'republic',
  'ofanguillaantarctica',
  'territory',
  'south',
  'deg',
  's)antigua',
  'barbudaargentina',
  'argentine',
  'republicarmeniaarubaaustralia',
  'commonwealth',
  'ofaustria',
  'republic',
  'ofazerbaijan',
  'republic',
  'ofbahrain',
  'kingdom',
  'ofbangladesh',
  'people',
  'republic',
  'ofbarbadosbelarusbelgium',
  'kingdom',
  'ofbelizebenin',
  'people',
  'republic',
  'ofbermudabhutan',
  'kingdom',
  'ofbolivia',
  'republic',
  'ofbosnia',
  'herzegovinabotswana',
  'republic',
  'ofbouvet',
  'island',
  'bouvetoya)brazil',
  'federative',
  'republic',
  'ofbritish',
  'indian',
  'ocean',
  'territory',
  'chagos',
  'virgin',
  'islandsbrunei',
  'darussalambulgaria',
  'people',
  'republic',
  'ofburkina',
  'fasoburundi',
  'republic',
  'ofcambodia',
  'kingdom',
  'ofcameroon',
  'united',
  'republic',
  'ofcape',
  'verde',
  'republic',
  'islandscentral',
  'african',
  'republicchad',
  'republic',
  'ofchile',
  'republic',
  'ofchina',
  'people',
  'republic',
  'ofchristmas',
  'islandcocos',
  'keeling',
  'islandscolombia',
  'republic',
  'ofcomoros',
  'union',
  'thecongo',
  'democratic',
  'republic',
  'ofcongo',
  'people',
  'republic',
  'ofcook',
  'islandscosta',
  'rica',
  'republic',
  'ofcote',
  "d'ivoire",
  'ivory',
  'coast',
  'republic',
  'thecyprus',
  'republic',
  'ofczech',
  'republicdenmark',
  'kingdom',
  'ofdjibouti',
  'republic',
  'ofdominica',
  'commonwealth',
  'ofecuador',
  'republic',
  'ofegypt',
  'arab',
  'republic',
  'ofel',
  'salvador',
  'republic',
  'ofequatorial',
  'guinea',
  'republic',
  'oferitreaestoniaethiopiafaeroe',
  'islandsfalkland',
  'islands',
  'malvinas)fiji',
  'republic',
  'fiji',
  'islandsfinland',
  'republic',
  'offrance',
  'republicfrench',
  'guianafrench',
  'polynesiafrench',
  'southern',
  'territoriesgabon',
  'gabonese',
  'republicgambia',
  'republic',
  'republic',
  'ofgibraltargreece',
  'hellenic',
  'republicgreenlandgrenadaguadaloupeguamguatemala',
  'republic',
  'ofguinea',
  'revolutionary',
  'people',
  "rep'c",
  'ofguinea',
  'bissau',
  'republic',
  'ofguyana',
  'republic',
  'ofheard',
  'mcdonald',
  'islandsholy',
  'vatican',
  'city',
  'state)honduras',
  'republic',
  'ofhong',
  'kong',
  'special',
  'administrative',
  'region',
  'chinahrvatska',
  'croatia)hungary',
  'people',
  'republiciceland',
  'republic',
  'ofindia',
  'republic',
  'ofindonesia',
  'republic',
  'ofiran',
  'islamic',
  'republic',
  'republic',
  'state',
  'italian',
  'republicjapanjordan',
  'hashemite',
  'kingdom',
  'ofkazakhstan',
  'republic',
  'ofkenya',
  'republic',
  'ofkiribati',
  'republic',
  'ofkorea',
  'democratic',
  'people',
  'republic',
  'ofkorea',
  'republic',
  'ofkuwait',
  'state',
  'ofkyrgyz',
  'republiclao',
  'people',
  'democratic',
  'republiclatvialebanon',
  'lebanese',
  'republiclesotho',
  'kingdom',
  'ofliberia',
  'republic',
  'arab',
  'jamahiriyaliechtenstein',
  'oflithuanialuxembourg',
  'grand',
  'duchy',
  'ofmacao',
  'special',
  'administrative',
  'region',
  'chinamacedonia',
  'yugoslav',
  'republic',
  'ofmadagascar',
  'republic',
  'ofmalawi',
  'republic',
  'ofmalaysiamaldives',
  'republic',
  'ofmali',
  'republic',
  'ofmalta',
  'republic',
  'ofmarshall',
  'islandsmartiniquemauritania',
  'islamic',
  'republic',
  'ofmauritiusmayottemicronesia',
  'federated',
  'states',
  'ofmoldova',
  'republic',
  'ofmonaco',
  'ofmongolia',
  'mongolian',
  'people',
  'republicmontserratmorocco',
  'kingdom',
  'ofmozambique',
  'people',
  'republic',
  'ofmyanmarnamibianauru',
  'republic',
  'ofnepal',
  'kingdom',
  'ofnetherlands',
  'antillesnetherlands',
  'kingdom',
  'thenew',
  'caledonianew',
  'zealandnicaragua',
  'republic',
  'ofniger',
  'republic',
  'thenigeria',
  'federal',
  'republic',
  'ofniue',
  'republic',
  'ofnorfolk',
  'islandnorthern',
  'mariana',
  'islandsnorway',
  'kingdom',
  'ofoman',
  'sultanate',
  'islamic',
  'republic',
  'ofpalaupalestinian',
  'territory',
  'occupiedpanama',
  'republic',
  'ofpapua',
  'new',
  'guineaparaguay',
  'republic',
  'ofperu',
  'republic',
  'ofphilippines',
  'republic',
  'thepitcairn',
  'islandpoland',
  'polish',
  'people',
  'republicportugal',
  'portuguese',
  'republicpuerto',
  'ricoqatar',
  'state',
  'socialist',
  'republic',
  'ofrussian',
  'federationrwanda',
  'rwandese',
  'republicsamoa',
  'independent',
  'state',
  'ofsan',
  'marino',
  'republic',
  'tome',
  'principe',
  'democratic',
  'republic',
  'ofsaudi',
  'arabia',
  'kingdom',
  'ofsenegal',
  'republic',
  'ofserbia',
  'montenegroseychelles',
  'republic',
  'ofsierra',
  'leone',
  'republic',
  'ofsingapore',
  'republic',
  'ofslovakia',
  'slovak',
  'republic)sloveniasolomon',
  'islandssomalia',
  'somali',
  'republicsouth',
  'africa',
  'republic',
  'ofsouth',
  'georgia',
  'south',
  'sandwich',
  'islandsspain',
  'spanish',
  'statesri',
  'lanka',
  'democratic',
  'socialist',
  'republic',
  'ofst',
  'helenast',
  'kitts',
  'nevisst',
  'luciast',
  'pierre',
  'miquelonst',
  'vincent',
  'grenadinessudan',
  'democratic',
  'republic',
  'thesuriname',
  'republic',
  'ofsvalbard',
  'jan',
  'mayen',
  'islandsswaziland',
  'kingdom',
  'ofsweden',
  'kingdom',
  'ofswitzerland',
  'swiss',
  'confederationsyrian',
  'arab',
  'republictaiwan',
  'province',
  'chinatajikistantanzania',
  'united',
  'republic',
  'ofthailand',
  'kingdom',
  'oftimor',
  'leste',
  'democratic',
  'republic',
  'oftogo',
  'togolese',
  'republictokelau',
  'tokelau',
  'islands)tonga',
  'kingdom',
  'oftrinidad',
  'tobago',
  'republic',
  'oftunisia',
  'republic',
  'ofturkey',
  'republic',
  'ofturkmenistanturks',
  'caicos',
  'islandstuvaluuganda',
  'republic',
  'arab',
  'emiratesunited',
  'kingdom',
  'great',
  'britain',
  'n.',
  'irelanduruguay',
  'eastern',
  'republic',
  'ofuzbekistanvanuatuvenezuela',
  'bolivarian',
  'republic',
  'ofviet',
  'nam',
  'socialist',
  'republic',
  'ofwallis',
  'futuna',
  'islandswestern',
  'saharayemenzambia',
  'republic',
  'state',
  'alabamaalaskaarizonaarkansascaliforniacoloradoconnecticutdelawarefloridageorgiahawaiiidahoillinoisindianaiowakansaskentuckylouisianamainemarylandmassachusettsmichiganminnesotamississippimissourimontananebraskanevadanew',
  'hampshirenew',
  'jerseynew',
  'mexiconew',
  'yorknorth',
  'carolinanorth',
  'dakotaohiooklahomaoregonpennsylvaniarhode',
  'islandsouth',
  'carolinasouth',
  'virginiawisconsinwyomingpuerto',
  'ricous',
  'virgin',
  'islandsarmed',
  'forces',
  'americasarmed',
  'forces',
  'pacificarmed',
  'forces',
  'europenorthern',
  'mariana',
  'islandsmarshall',
  'islandsamerican',
  'samoafederated',
  'states',
  'micronesiaguampalaualberta',
  'canadabritish',
  'columbia',
  'canadamanitoba',
  'canadanew',
  'brunswick',
  'canadanewfoundland',
  'canadanova',
  'scotia',
  'canadanorthwest',
  'territories',
  'canadanunavut',
  'canadaontario',
  'canadaprince',
  'edward',
  'island',
  'canadaquebec',
  'canadasaskatchewan',
  'canadayukon',
  'territory',
  'canada',
  'united',
  'states',
  'virgin',
  'islandsunited',
  'states',
  'minor',
  'outlying',
  'islandscanadamexico',
  'united',
  'mexican',
  'statesbahamas',
  'commonwealth',
  'thecuba',
  'republic',
  'ofdominican',
  'republichaiti',
  'republic',
  'ofjamaicaafghanistanalbania',
  'people',
  'socialist',
  'republic',
  'ofalgeria',
  'people',
  'democratic',
  'republic',
  'samoaandorra',
  'principality',
  'ofangola',
  'republic',
  'ofanguillaantarctica',
  'territory',
  'south',
  'deg',
  's)antigua',
  'barbudaargentina',
  'argentine',
  'republicarmeniaarubaaustralia',
  'commonwealth',
  'ofaustria',
  'republic',
  'ofazerbaijan',
  'republic',
  'ofbahrain',
  'kingdom',
  'ofbangladesh',
  'people',
  'republic',
  'ofbarbadosbelarusbelgium',
  'kingdom',
  'ofbelizebenin',
  'people',
  'republic',
  'ofbermudabhutan',
  'kingdom',
  'ofbolivia',
  'republic',
  'ofbosnia',
  'herzegovinabotswana',
  'republic',
  'ofbouvet',
  'island',
  'bouvetoya)brazil',
  'federative',
  'republic',
  'ofbritish',
  'indian',
  'ocean',
  'territory',
  'chagos',
  'virgin',
  'islandsbrunei',
  'darussalambulgaria',
  'people',
  'republic',
  'ofburkina',
  'fasoburundi',
  'republic',
  'ofcambodia',
  'kingdom',
  'ofcameroon',
  'united',
  'republic',
  'ofcape',
  'verde',
  'republic',
  'islandscentral',
  'african',
  'republicchad',
  'republic',
  'ofchile',
  'republic',
  'ofchina',
  'people',
  'republic',
  'ofchristmas',
  'islandcocos',
  'keeling',
  'islandscolombia',
  'republic',
  'ofcomoros',
  'union',
  'thecongo',
  'democratic',
  'republic',
  'ofcongo',
  'people',
  'republic',
  'ofcook',
  'islandscosta',
  'rica',
  'republic',
  'ofcote',
  "d'ivoire",
  'ivory',
  'coast',
  'republic',
  'thecyprus',
  'republic',
  'ofczech',
  'republicdenmark',
  'kingdom',
  'ofdjibouti',
  'republic',
  'ofdominica',
  'commonwealth',
  'ofecuador',
  'republic',
  'ofegypt',
  'arab',
  'republic',
  'ofel',
  'salvador',
  'republic',
  'ofequatorial',
  'guinea',
  'republic',
  'oferitreaestoniaethiopiafaeroe',
  'islandsfalkland',
  'islands',
  'malvinas)fiji',
  'republic',
  'fiji',
  'islandsfinland',
  'republic',
  'offrance',
  'republicfrench',
  'guianafrench',
  'polynesiafrench',
  'southern',
  'territoriesgabon',
  'gabonese',
  'republicgambia',
  'republic',
  'republic',
  'ofgibraltargreece',
  'hellenic',
  'republicgreenlandgrenadaguadaloupeguamguatemala',
  'republic',
  'ofguinea',
  'revolutionary',
  'people',
  "rep'c",
  'ofguinea',
  'bissau',
  'republic',
  'ofguyana',
  'republic',
  'ofheard',
  'mcdonald',
  'islandsholy',
  'vatican',
  'city',
  'state)honduras',
  'republic',
  'ofhong',
  'kong',
  'special',
  'administrative',
  'region',
  'chinahrvatska',
  'croatia)hungary',
  'people',
  'republiciceland',
  'republic',
  'ofindia',
  'republic',
  'ofindonesia',
  'republic',
  'ofiran',
  'islamic',
  'republic',
  'republic',
  'state',
  'italian',
  'republicjapanjordan',
  'hashemite',
  'kingdom',
  'ofkazakhstan',
  'republic',
  'ofkenya',
  'republic',
  'ofkiribati',
  'republic',
  'ofkorea',
  'democratic',
  'people',
  'republic',
  'ofkorea',
  'republic',
  'ofkuwait',
  'state',
  'ofkyrgyz',
  'republiclao',
  'people',
  'democratic',
  'republiclatvialebanon',
  'lebanese',
  'republiclesotho',
  'kingdom',
  'ofliberia',
  'republic',
  'arab',
  'jamahiriyaliechtenstein',
  'oflithuanialuxembourg',
  'grand',
  'duchy',
  'ofmacao',
  'special',
  'administrative',
  'region',
  'chinamacedonia',
  'yugoslav',
  'republic',
  'ofmadagascar',
  'republic',
  'ofmalawi',
  'republic',
  'ofmalaysiamaldives',
  'republic',
  'ofmali',
  'republic',
  'ofmalta',
  'republic',
  'ofmarshall',
  'islandsmartiniquemauritania',
  'islamic',
  'republic',
  'ofmauritiusmayottemicronesia',
  'federated',
  'states',
  'ofmoldova',
  'republic',
  'ofmonaco',
  'ofmongolia',
  'mongolian',
  'people',
  'republicmontserratmorocco',
  'kingdom',
  'ofmozambique',
  'people',
  'republic',
  'ofmyanmarnamibianauru',
  'republic',
  'ofnepal',
  'kingdom',
  'ofnetherlands',
  'antillesnetherlands',
  'kingdom',
  'thenew',
  'caledonianew',
  'zealandnicaragua',
  'republic',
  'ofniger',
  'republic',
  'thenigeria',
  'federal',
  'republic',
  'ofniue',
  'republic',
  'ofnorfolk',
  'islandnorthern',
  'mariana',
  'islandsnorway',
  'kingdom',
  'ofoman',
  'sultanate',
  'islamic',
  'republic',
  'ofpalaupalestinian',
  'territory',
  'occupiedpanama',
  'republic',
  'ofpapua',
  'new',
  'guineaparaguay',
  'republic',
  'ofperu',
  'republic',
  'ofphilippines',
  'republic',
  'thepitcairn',
  'islandpoland',
  'polish',
  'people',
  'republicportugal',
  'portuguese',
  'republicpuerto',
  'ricoqatar',
  'state',
  'socialist',
  'republic',
  'ofrussian',
  'federationrwanda',
  'rwandese',
  'republicsamoa',
  'independent',
  'state',
  'ofsan',
  'marino',
  'republic',
  'tome',
  'principe',
  'democratic',
  'republic',
  ...],
 ['login',
  'home',
  'advertise',
  'magazine',
  'podcast',
  'idealio',
  'event',
  'local',
  'news',
  'local',
  'business',
  'technology',
  'nata',
  'sports',
  'local',
  'places',
  'real',
  'estate',
  'real',
  'estate',
  'columns',
  'ideal',
  'ability',
  'remodeling',
  'mountain',
  'gardener',
  'healthy',
  'animals',
  'community',
  'connections',
  'recreation',
  'travel',
  'retirement',
  'prescott',
  'education',
  'finances',
  'body',
  'soul',
  'señales',
  'photos',
  'jobs',
  'news',
  'submit',
  'event',
  'contact',
  'news',
  'recreation',
  'travel',
  'dining',
  'leisure',
  'entertainment',
  'residential',
  'commercial',
  'real',
  'estate',
  'community',
  'connections',
  'business',
  'finance',
  'technology',
  'education',
  'mountain',
  'gardener',
  'chief',
  'desk',
  'week',
  'history',
  'mind',
  'body',
  'soul',
  'retirement',
  'prescott',
  'arizona',
  'monsoon',
  'summer',
  'rain',
  'staff',
  '',
  '',
  'june',
  'article',
  'audio',
  'prescott',
  'podcast',
  'network',
  'glass',
  'media',
  'production',
  'july',
  'condition',
  'arizona',
  'monsoon',
  'summer',
  'rainfall',
  'arizona',
  'winter',
  'level',
  'precipitation',
  'year',
  'news',
  'drought',
  'coverage',
  'arizona',
  'winter',
  'precipitation',
  'soil',
  'moisture',
  'corners',
  'arizona',
  'start',
  'monsoon',
  'circulation',
  'arizona',
  'monsoon',
  'stats',
  'precipitation',
  'range',
  'approx',
  'desert',
  'elevation',
  'monsoon',
  'area',
  'arizona',
  'day',
  'rainfall',
  'area',
  'day',
  'rain',
  'monsoon',
  'season',
  'arizona',
  'lightning',
  'strike',
  'monsoon',
  'monsoon',
  'activity',
  'mid',
  '-',
  'afternoon',
  'elevation',
  'elevation',
  'phoenix',
  'area',
  'activity',
  'afternoon',
  'evening',
  'national',
  'weather',
  'service',
  'odd',
  'arizona',
  'precipitation',
  'western',
  'arizona',
  'lake',
  'havasu',
  'kingman',
  'yuma',
  'chance',
  'monsoon',
  'season',
  'addition',
  'arizona',
  'temperature',
  'july',
  'august',
  'september',
  'odd',
  'moisture',
  'summer',
  'weather',
  'monsoon',
  'storm',
  'national',
  'weather',
  'service',
  'video',
  'arizona',
  'monsoon',
  'outlook',
  'arizona',
  'monsoon',
  'common',
  'weather',
  'occurences',
  'storm',
  'tip',
  'summer',
  'hats',
  'arizona',
  'monsoon',
  'season',
  'date',
  'prescott',
  'valley',
  'outdoor',
  'summit',
  'date',
  'prescott',
  'valley',
  'outdoor',
  'summit',
  'sign',
  'text',
  'email',
  'update',
  'arizona',
  'event',
  'text',
  'message',
  'glass',
  'media',
  'story',
  'signal',
  'update',
  'entertainment',
  'events',
  'news',
  'reply',
  'cancel',
  'email',
  'address',
  'field',
  'comment',
  'email',
  'website',
  'email',
  'website',
  'browser',
  'time',
  'δ',
  'site',
  'akismet',
  'spam',
  'comment',
  'data',
  'advertise',
  'advertise',
  'online',
  'advertise',
  'print',
  'submit',
  'submit',
  'event',
  'news',
  'team',
  'privacy',
  'policy',
  'contact',
  'contact',
  'asst',
  'editor',
  'contact',
  'advertising',
  'rep',
  'hometown',
  'dmca',
  'noticesnewspaper',
  'web',
  'site',
  'content',
  'management',
  'software',
  'service',
  'signal',
  'glass',
  'media',
  'llc',
  'rights',
  'hometown',
  'inc.'],
 ['news',
  'sports',
  'downtown',
  'talk',
  'advertise',
  'obituaries',
  'enewspaper',
  'legals',
  'localhurricane',
  'ian',
  'update',
  'storm',
  'sc',
  'thousand',
  'power',
  'water',
  'myrtle',
  'beachjoanna',
  'johnson',
  'clare',
  'amariherald',
  'journalas',
  'service',
  'greenville',
  'news',
  'spartanburg',
  'herald',
  'journal',
  'anderson',
  'independent',
  'mail',
  'storm',
  'coverage',
  'reader',
  'region',
  'update',
  'day',
  'subscription',
  'news',
  'herald',
  'journal',
  'independent',
  'mail',
  'strength',
  'wallop',
  'state',
  'florida',
  'ian',
  'category',
  'hurricane',
  'coast',
  'south',
  'carolina',
  'friday',
  'storm',
  'u.s.',
  'landfall',
  'p.m.',
  'georgetown',
  'wind',
  'mph',
  'hurricane',
  'force',
  'wind',
  'mile',
  'center',
  'storm',
  'storm',
  'force',
  'wind',
  'mile',
  'center',
  'report',
  'damage',
  'south',
  'carolina',
  'coast',
  'landfall',
  'recovery',
  'hurricane',
  'ian',
  'sc',
  'survey',
  'damage',
  'recovery',
  'pawleys',
  'island',
  'police',
  'department',
  'p.m.',
  'end',
  'pawleys',
  'island',
  'pier',
  'south',
  'surf',
  'p.m.',
  'water',
  'murrells',
  'inlet',
  'marshwalk',
  'storm',
  'surge',
  'foot',
  'flood',
  'charleston',
  'area',
  'period',
  'rain',
  'afternoon',
  'band',
  'ian',
  'president',
  'joe',
  'biden',
  'emergency',
  'assistance',
  'south',
  'carolina',
  'white',
  'house',
  'a.m.',
  'friday',
  'ian',
  'mile',
  'charleston',
  'wind',
  'p.m.',
  'mph',
  'greenville',
  'municipal',
  'airport',
  'greenville',
  'spartanburg',
  'airport',
  'look',
  'south',
  'carolina',
  'coastline',
  'hurricane',
  'ian',
  'u.s.',
  'national',
  'weather',
  'service',
  'upstate',
  'rainfall',
  'friday',
  'afternoon',
  'saturday',
  'morning',
  'intensity',
  'wind',
  'gust',
  'friday',
  'morning',
  'rain',
  'ian',
  'upstate',
  'noon',
  'friday',
  'people',
  'power',
  'ian',
  'landfallin',
  'south',
  'carolina',
  'p.m.',
  'customer',
  'power',
  'ian',
  'landfall',
  'record',
  'aggregate',
  'power',
  'outage',
  'datum',
  'utility',
  'country',
  'horry',
  'county',
  'customer',
  'santee',
  'cooper',
  'horry',
  'electric',
  'cooperative',
  'duke',
  'energy',
  'power',
  'p.m.',
  'customer',
  'charleston',
  'county',
  'power',
  'georgetown',
  'williamsburg',
  'county',
  'power',
  'outage',
  'greenville',
  'area',
  'ian',
  'status',
  'hurricane',
  'national',
  'hurricane',
  'center',
  'ian',
  'status',
  'hurricane',
  'p.m.',
  'conway',
  'north',
  'carolina',
  'wind',
  'mph',
  'wind',
  'mph',
  'measurement',
  'system',
  'hurricane',
  'storm',
  'force',
  'wind',
  'course',
  'damage',
  'official',
  'caution',
  'region',
  'storm',
  'greensboro',
  'north',
  'carolina',
  'area',
  'a.m.',
  'saturday',
  'south',
  'carolina',
  'emergency',
  'management',
  'post',
  'safety',
  'alertcondition',
  'hurricane',
  'ian',
  'landfall',
  'south',
  'carolina',
  'coast',
  'wind',
  'flooding',
  'storm',
  'surge',
  'damage',
  'road',
  'community',
  'hour',
  'safety',
  'flash',
  'flooding',
  'storm',
  'surge',
  'possibility',
  'flash',
  'flood',
  'ground',
  'move.*monitor',
  'official',
  'source',
  'emergency',
  'information',
  'battery',
  'solar',
  'hand',
  'crank',
  'radio',
  'television',
  'use',
  'power',
  'outage',
  'building',
  'window',
  'door',
  'floor',
  'room',
  'closet',
  'stair',
  'tornado',
  'hurricane',
  'eye',
  'storm',
  'area',
  'condition',
  'wind',
  'direction',
  'time',
  'water',
  'inch',
  'water',
  'water',
  'safety',
  'water',
  'stick',
  'firmness',
  'ground',
  'area',
  'floodwater',
  'car',
  'car',
  'ground',
  'vehicle',
  'limit',
  'non',
  '-',
  'network',
  'congestion',
  'second',
  'non',
  '-',
  'emergency',
  'text',
  'message',
  'emergency',
  'shelter',
  'red',
  'cross',
  'shelter',
  'north',
  'charleston',
  'schoolfriday',
  'charleston',
  'a.m.',
  'morning',
  'drizzle',
  'sheet',
  'rain',
  'wind',
  'car',
  'road',
  'floodwater',
  'weather',
  'north',
  'charleston',
  'thursday',
  'red',
  'cross',
  'shelter',
  'matilda',
  'dunston',
  'elementary',
  'school',
  'friday',
  'afternoon',
  'people',
  'storm',
  'janie',
  'hamilton',
  'school',
  'friday',
  'morning',
  'disability',
  'town',
  'flooding',
  'daughter',
  'charlotte',
  'hamilton',
  'matilda',
  'dunston',
  'cafeteria',
  'crossword',
  'puzzle',
  'news',
  'florida',
  'phone',
  'faith',
  'trust',
  'god',
  'hurricane',
  'head',
  'hamilton',
  'thought',
  'family',
  'charleston',
  'area',
  'edward',
  'william',
  'matilda',
  'dunston',
  'thursday',
  'night',
  'william',
  'charleston',
  'nashville',
  'day',
  'person',
  'weather',
  'hurricane',
  'shelter',
  'william',
  'gas',
  'station',
  'wall',
  'option',
  'dumpster',
  'hurricane?“the',
  'goal',
  'rain',
  'william',
  'water',
  'sc',
  'gov.',
  'henry',
  'mcmaster',
  'friday',
  'afternoon',
  'press',
  'conference',
  'south',
  'carolina',
  'power',
  'outage',
  'map',
  'hurricane',
  'ianmap',
  'hurricane',
  'ian',
  'power',
  'outagesas',
  'p.m.',
  'greenville',
  'county',
  'power',
  'spartanburg',
  'county',
  'duke',
  'energy',
  'outage',
  'downtown',
  'spartanburg',
  'business',
  'crowd',
  'friday',
  'afternoonlance',
  'sprouse',
  'employee',
  'tulip',
  'tree',
  'downtown',
  'spartanburg',
  'service',
  'industry',
  'sprouse',
  'restaurant',
  'customer',
  'town',
  'towner',
  'area',
  'area',
  'surge',
  'people',
  'lot',
  'folk',
  'storm',
  'tonight',
  'reservation',
  'sprouse',
  'lunch',
  'table',
  'seating',
  'airport',
  'carolinas',
  'hurricane',
  'ianalex',
  'brevik',
  'bond',
  'street',
  'wine',
  'manager',
  'business',
  'friday',
  'night',
  'night',
  'spartanburg',
  'basement',
  'brevik',
  'elizabeth',
  'malone',
  'manager',
  'bar',
  'miyako',
  'friday',
  'lunch',
  'crowd',
  'people',
  'lunch',
  'customer',
  'malone',
  'ear',
  'employee',
  'campobello',
  'area',
  'outside',
  'wind',
  'rain',
  'order',
  'staff',
  'charleston',
  'sc',
  'hurricane',
  'iandark',
  'cloud',
  'charleston',
  'friday',
  'morning',
  'holy',
  'city',
  'impact',
  'hurricane',
  'ian',
  'wind',
  'gust',
  'harbor',
  'sailboat',
  'charleston',
  'aquarium',
  'child',
  'toy',
  'rain',
  'flooding',
  'sam',
  'weinick',
  'charleston',
  'way',
  'waterfront',
  'storm',
  'friend',
  'seth',
  'ensley',
  'agreement',
  'rainstorm',
  'sign',
  'city',
  'trouble',
  'ravenel',
  'bridge',
  'sight',
  'weinick',
  'car',
  'time',
  'weinick',
  'ensley',
  'people',
  'storm',
  'vickie',
  'neighbour',
  'charleston',
  'native',
  'block',
  'harbor',
  'schnauzer',
  'abby',
  'walk',
  'condition',
  'neighbour',
  'home',
  'ground',
  'flooding',
  'concern',
  'wind',
  'damage',
  'story',
  'abby',
  'owner',
  'gust',
  'abby',
  'hurricane',
  'neighbour',
  'joe',
  'biden',
  'emergency',
  'declaration',
  'sc',
  'fema',
  'emergency',
  'aid',
  'state',
  'south',
  'carolina',
  'state',
  'response',
  'effort',
  'emergency',
  'condition',
  'hurricane',
  'ian',
  'press',
  'release',
  'president',
  'action',
  'fema',
  'disaster',
  'relief',
  'effort',
  'hardship',
  'suffering',
  'emergency',
  'population',
  'assistance',
  'life',
  'property',
  'health',
  'safety',
  'threat',
  'catastrophe',
  'south',
  'carolina',
  'county',
  'fema',
  'discretion',
  'equipment',
  'resource',
  'impact',
  'emergency',
  'emergency',
  'measure',
  'assistance',
  'assistance',
  'program',
  '%',
  'funding',
  'ian',
  'trek',
  'impact',
  'upstate',
  'south',
  'carolinanws',
  'meteorologist',
  'clay',
  'chaney',
  'ian',
  'shift',
  'rainfall',
  'impact',
  'greenville',
  'spartanburg',
  'area',
  'trend',
  'rainfall',
  'rainfall',
  'noon',
  'flash',
  'flooding',
  'rain',
  'area',
  'daybreak',
  'saturday',
  'saturday',
  'afternoon',
  'percent',
  'chance',
  'rain',
  'sunday',
  'friday',
  'midnight',
  'tonight',
  'wind',
  'hurricane',
  'ian',
  'east',
  'advisory',
  '"from',
  'lowcountry',
  'hurricane',
  'warning',
  'jasper',
  'beaufort',
  'county',
  'tropical',
  'storm',
  'iangreenville',
  'spartanburg',
  'school',
  'event',
  'canceledas',
  'greenville',
  'spartanburg',
  'county',
  'effect',
  'hurricane',
  'ian',
  'sept.',
  'event',
  'cancellation',
  'postponement',
  'closing',
  'area',
  'school',
  'greenville',
  'spartanburg',
  'anderson',
  'pickens',
  'oconee',
  'county',
  'friday',
  'elearning',
  'day',
  'concern',
  'condition',
  'kickoffs',
  'football',
  'game',
  'school',
  'event',
  'south',
  'carolina',
  'football',
  'game',
  'sc',
  'state',
  'thursday',
  'night',
  'clemson',
  'showdown',
  'death',
  'valley',
  'nc',
  'state',
  'saturday',
  'night',
  'week',
  'official',
  'espn',
  'college',
  'gameday',
  'option',
  'pregame',
  'list',
  'festival',
  'thing',
  'change',
  'story',
  'updates.-',
  'usa',
  'today',
  'report',
  'story',
  'staff',
  'directory',
  'careers',
  'accessibility',
  'support',
  'site',
  'map',
  'legals',
  'ethical',
  'principles',
  'subscription',
  'terms',
  'conditions',
  'terms',
  'service',
  'privacy',
  'policy',
  'california',
  'privacy',
  'rights',
  'privacy',
  'policydo',
  'sell',
  'share',
  'target',
  'infocookie',
  'settingscontact',
  'support',
  'local',
  'business',
  'business',
  'advertising',
  'terms',
  'conditions',
  'buy',
  'sell',
  'help',
  'center',
  'subscriber',
  'guide',
  'account',
  'feedback',
  'licensing',
  'reprintssubscribe',
  'today',
  'newsletters',
  'mobile',
  'app',
  'facebook',
  'twitter',
  'enewspaper',
  'storytellers',
  'archives',
  'rss',
  'feedsjobs',
  'cars',
  'homes',
  'classifieds',
  'education',
  'moonlighting',
  'localiq',
  'digital',
  'marketing',
  'solutions',
  'right'],
 ['sign',
  'welcome',
  'account',
  'password',
  'privacy',
  'policy',
  'password',
  'home',
  'utah',
  'news',
  'national',
  'weather',
  'service',
  'utah',
  'winter',
  'storm',
  'national',
  'weather',
  'service',
  'utah',
  'winter',
  'storm',
  'tim',
  'gurrister',
  'february',
  'photo',
  'salt',
  'lake',
  'city',
  'national',
  'weather',
  'service',
  'salt',
  'city',
  'utah',
  'feb.',
  'gephardt',
  'daily',
  'march',
  'national',
  'weather',
  'service',
  'swat',
  'winter',
  'tuesday',
  'wednesday',
  'winter',
  'storm',
  'dark',
  'tuesday',
  'utah',
  'tuesday',
  'afternoon',
  'nws',
  'inch',
  'snow',
  'valley',
  'inch',
  'mountain',
  'winter',
  'visibility',
  'snow',
  'traction',
  'restriction',
  'mountain',
  'road',
  'snowfall',
  'wednesday',
  'nws',
  'temperature',
  'day',
  'low',
  'degree',
  'cache',
  'valley',
  'degree',
  'zion',
  'canyon',
  'national',
  'park',
  'area',
  'bryce',
  'canyon',
  'national',
  'park',
  'area',
  'degree',
  'extreme',
  'nws',
  'skin',
  'time',
  'emergency',
  'kit',
  'condition',
  'weather.gov/slc',
  'photo',
  'salt',
  'lake',
  'city',
  'national',
  'weather',
  'service',
  'previous',
  'article3',
  'michigan',
  'state',
  'university',
  'year',
  'boy',
  'ice',
  'tooele',
  'reservoir',
  'tim',
  'gurrister',
  'utah',
  'dwr',
  'winter',
  'closure',
  'wildlife',
  'management',
  'area',
  'utah',
  'record',
  'snow',
  'water',
  'roof',
  'collapse',
  'hour',
  'mountain',
  'green',
  'email',
  'address',
  'email',
  'address',
  'email',
  'website',
  'browser',
  'time',
  'hunter',
  'biden',
  'tax',
  'case',
  'plea',
  'agreement',
  'arrest',
  'man',
  'stoplight',
  'suv',
  'drug',
  'provo',
  'police',
  'man',
  'stockton',
  'police',
  'chief',
  'theft',
  'fraud',
  'feds',
  'damage',
  'utah',
  'grocer',
  'labor',
  'violation',
  'hunter',
  'biden',
  'tax',
  'case',
  'plea',
  'agreement',
  'arrest',
  'man',
  'stoplight',
  'suv',
  'drug',
  'provo',
  'police',
  'man',
  'stockton',
  'police',
  'chief',
  'theft',
  'fraud',
  'feds',
  'damage',
  'utah',
  'grocer',
  'labor',
  'violation',
  'grand',
  'county',
  'sheriff',
  'office',
  'arrest',
  'crime',
  'child',
  'clearfield',
  'pd',
  'suspect',
  'vehicle',
  'dog',
  'inmate',
  'weber',
  'county',
  'jail',
  'man',
  'hammer',
  'police',
  'officer',
  'man',
  'connection',
  'slc',
  'robbery',
  'gun',
  'jordan',
  'river',
  'covid-19',
  'fact',
  'checking',
  'policy',
  'code',
  'ethics',
  'correction',
  'policy',
  'terms',
  'conditions',
  'ownership',
  'funding',
  'advertise',
  'privacy',
  'policy',
  'sitemap',
  'usgephardt',
  'daily',
  '',
  '',
  'national',
  'utah',
  'news',
  'gephardt',
  'daily',
  'utah',
  'news',
  'team',
  'news',
  'service',
  'rocky',
  'mountain',
  'west',
  'home',
  'team',
  'emmy',
  'award',
  'journalist',
  'veteran',
  'news',
  'producer',
  'reporter',
  'writer',
  'videographer',
  'medium',
  'expert',
  'covid-19',
  'fact',
  'checking',
  'policy',
  'code',
  'ethics',
  'correction',
  'policy',
  'terms',
  'conditions',
  'ownership',
  'funding',
  'advertise',
  'privacy',
  'policy',
  'sitemap'],
 ['main',
  'content',
  'sensor',
  'network',
  'maps',
  'radar',
  'severe',
  'weather',
  'news',
  'blogs',
  'mobile',
  'apps',
  'nearest',
  'station',
  'manage',
  'favorite',
  'citieslog',
  'joinsettingsaccount_box',
  'log',
  'person_add',
  'join',
  'setting',
  'settings',
  'sensor',
  'networkmaps',
  'radarsevere',
  'weathernews',
  'blogsmobile',
  'appshistorical',
  'weatherstarnews',
  'blogs',
  'category',
  'news',
  'stories',
  'infographics',
  'posters',
  'news',
  'stories',
  'category',
  'storiesinfographicsposterspublished',
  'weather',
  'company',
  'mission',
  'weather',
  'news',
  'environment',
  'importance',
  'science',
  'life',
  'story',
  'position',
  'parent',
  'company',
  'ibm.recent',
  'storiesweather',
  'articlesour',
  'appsabout',
  'uscontactcareerspws',
  'networkwundermapfeedback',
  'supportterms',
  'useprivacy',
  'policyaccessibility',
  'statementadchoicesdata',
  'vendorswe',
  'responsibility',
  'datum',
  'technology',
  'datum',
  'data',
  'vendor',
  'control',
  'datum',
  'datum',
  'rightspowered',
  'ibm',
  'cloud',
  'copyright',
  'twc',
  'product',
  'technology',
  'llc',
  'javascript',
  'application'],
 ['contentskip',
  'navigationskip',
  'navigationprint',
  'subscription',
  'sign',
  'insearch',
  'jobssearchus',
  'editionus',
  'editionuk',
  'editionaustralia',
  'guardian',
  'guardiannewsopinionsportculturelifestyleshowmoreshow',
  'morenewsview',
  'newsus',
  'newsworld',
  'politicsbusinesstechsciencenewslettersfight',
  'democracyopinionview',
  'opinionthe',
  'guardian',
  'viewcolumnistslettersopinion',
  'videoscartoonssportview',
  'sportsoccernfltennismlbmlsnbanhlf1golfcultureview',
  'culturefilmbooksmusicart',
  'designtv',
  'radiostageclassicalgameslifestyleview',
  'lifestylefashionfoodrecipeslove',
  'sexhome',
  'gardenhealth',
  'fitnessfamilytravelmoneysearch',
  'input',
  'google',
  'search',
  'searchsupport',
  'usprint',
  'subscriptionsus',
  'editionuk',
  'editionaustralia',
  'editionsearch',
  'jobsdigital',
  'archiveguardian',
  'puzzles',
  'licensingthe',
  'guardian',
  'guardianguardian',
  'weeklycrosswordswordiplycorrectionsfacebooktwittersearch',
  'jobsdigital',
  'archiveguardian',
  'puzzles',
  'licensingusworldenvironmentsoccerus',
  'democracy',
  'snowplow',
  'patrol',
  'colorado',
  'saturday',
  'hour',
  'winter',
  'storm',
  'meteorologist',
  'foot',
  'snow',
  'state',
  'photograph',
  'kevin',
  'mohatt',
  'reutersa',
  'snowplow',
  'patrol',
  'colorado',
  'saturday',
  'hour',
  'winter',
  'storm',
  'meteorologist',
  'foot',
  'snow',
  'state',
  'photograph',
  'kevin',
  'mohatt',
  'reutersus',
  'weather',
  'article',
  'year',
  'oldpowerful',
  'snow',
  'storm',
  'wind',
  'usthis',
  'article',
  'year',
  'oldblizzard',
  'warning',
  'wyoming',
  'nebraska',
  'ft',
  'snow',
  'colorado',
  'weekendreuterssat',
  'mar',
  'estlast',
  'sun',
  'mar',
  'edta',
  'spring',
  'snow',
  'storm',
  'day',
  'rockies',
  'plain',
  'forecaster',
  'condition',
  'power',
  'outage',
  'avalanche',
  'national',
  'weather',
  'service',
  'nws',
  'blizzard',
  'warning',
  'wyoming',
  'nebraska',
  'snowfall',
  'ft',
  'cm',
  'wind',
  'mph',
  'km',
  'hour',
  'condition',
  'saturday',
  'monday',
  'weather',
  'service',
  'traveler',
  'road',
  'emergency',
  'supply',
  'flashlight',
  'wind',
  'snow',
  'damage',
  'tree',
  'power',
  'line',
  '“we’re',
  'winter',
  'storm',
  'east',
  'wyoming',
  'mark',
  'gordon',
  'wyoming',
  'governor',
  'twitter',
  'option',
  'road',
  'weekend',
  'south',
  'colorado',
  'condition',
  'day',
  'saturday',
  'i-25',
  'corridor',
  'people',
  'city',
  'denver',
  'ft',
  'snow',
  'mph',
  'wind',
  'weekend',
  'denver',
  'rain',
  'snow',
  'saturday',
  'morning',
  'temperature',
  'freezing',
  'air',
  'pattern',
  'city',
  'afternoon',
  'rate',
  'snowfall',
  'nws',
  'twitter',
  'snow',
  'afternoon',
  'evening',
  'sunday',
  'weather',
  'service',
  'denver',
  'airport',
  'weekend',
  'flight',
  'nation',
  'airport',
  'storm',
  'aviation',
  'tracking',
  'web',
  'site',
  'flight',
  'aware',
  'utility',
  'company',
  'xcel',
  'energy',
  'week',
  'number',
  'crew',
  'power',
  'outage',
  'snow',
  'nws',
  'traveler',
  'skier',
  'elevation',
  'avalanche',
  'snow',
  'total',
  'jared',
  'polis',
  'colorado',
  'governor',
  'state',
  'guard',
  'search',
  'rescue',
  'request',
  'weekend',
  'viewedusworldenvironmentsoccerus',
  'politicsbusinesstechsciencenewslettersfight',
  'reporting',
  'analysis',
  'guardian',
  'ushelpcomplaint',
  'correctionssecuredropwork',
  'usprivacy',
  'policycookie',
  'policyterms',
  'conditionscontact',
  'usall',
  'topicsall',
  'newspaper',
  'archivefacebookyoutubeinstagramlinkedintwitternewslettersadvertise',
  'labssearch',
  'guardian',
  'news',
  'media',
  'limited',
  'company',
  'right'],
 ['fox',
  'news',
  'jayland',
  'walker',
  'east',
  'palestine',
  'train',
  'derailment',
  'powerball',
  'mega',
  'millions',
  'voices',
  'unity',
  'ohio',
  'news',
  'coronavirus',
  'sign',
  'fox',
  'newsletters',
  'fox',
  'team',
  'washington',
  'dc',
  'bureau',
  'politics',
  'hill',
  'video',
  'missing',
  'bestreviews',
  'bestreviews',
  'daily',
  'deals',
  'automotive',
  'news',
  'press',
  'horan',
  'goal',
  'draw',
  'ohio',
  'student',
  'access',
  'motorcyclist',
  'teen',
  'driver',
  'burglar',
  'land',
  'bin',
  'cop',
  'forecast',
  'discussion',
  'akron',
  'canton',
  'radar',
  'maps',
  'radar',
  'weather',
  'alerts',
  'weather',
  'guide',
  'fox',
  'app',
  'vermilion',
  'woollybear',
  'cam',
  'cool',
  'schools',
  'recipe',
  'box',
  'kickin',
  'kenny',
  'dukes',
  'n',
  'boots',
  'southern',
  'food',
  'japanese',
  'beetles',
  'yard',
  'aj',
  'tip',
  'fox',
  'morning',
  'anchor',
  'kenny',
  'time',
  'day',
  'shark',
  'cleveland',
  'browns',
  'cleveland',
  'guardians',
  'cleveland',
  'cavaliers',
  'friday',
  'night',
  'touchdown',
  'big',
  'game',
  'horan',
  'goal',
  'draw',
  'guardians',
  'trade',
  'shortstop',
  'rosario',
  'dodgers',
  'pitcher',
  'way',
  'jose',
  'guardian',
  'royals',
  'ramirez',
  'joe',
  'thomas',
  'wife',
  'hall',
  'fame',
  'pro',
  'football',
  'hall',
  'fame',
  'enshrinement',
  'contest',
  'calendar',
  'team',
  'sponsored',
  'content',
  'sign',
  'news',
  'update',
  'nexstar',
  'news',
  'partners',
  'closed',
  'caption',
  'questions',
  'problem',
  'fox',
  'antenna',
  'public',
  'file',
  'assistance',
  'advertise',
  'fox',
  'nexstar',
  'job',
  'opportunities',
  'fox',
  'program',
  'guide',
  'antenna',
  'tv',
  'program',
  'guide',
  'information',
  'bestreviews',
  'ohio',
  'emergency',
  'road',
  'official',
  'winter',
  'storm',
  'dec',
  'pm',
  'est',
  'dec',
  'est',
  'dec',
  'pm',
  'est',
  'dec',
  'est',
  'article',
  'information',
  'article',
  'time',
  'stamp',
  'story',
  'columbus',
  'ohio',
  'wjw',
  'winter',
  'storm',
  'temperature',
  'flash',
  'freeze',
  'northeast',
  'ohio',
  'friday',
  'state',
  'official',
  'ohio',
  'emergency',
  'operations',
  'center',
  'preparation',
  'storm',
  'county',
  'ohio',
  'gov.',
  'mike',
  'dewine',
  'winter',
  'storm',
  'warning',
  'mph',
  'wind',
  '°',
  'wind',
  'chill',
  'crisis',
  'today',
  'recommendation',
  'christmas',
  'holiday',
  'people',
  'thing',
  'situation',
  'medium',
  'briefing',
  'thursday',
  'afternoon',
  'dewine',
  'ohio',
  'department',
  'transportation',
  'director',
  'jack',
  'marchbanks',
  'ohio',
  'emergency',
  'management',
  'agency',
  'executive',
  'director',
  'sima',
  'merick',
  'ohio',
  'state',
  'highway',
  'patrol',
  'superintendent',
  'col',
  '.',
  'charles',
  'a.',
  'jones',
  'briefing',
  'player',
  'national',
  'weather',
  'service',
  'winter',
  'weather',
  'warning',
  'effect',
  'winter',
  'storm',
  'wind',
  'temperature',
  'snow',
  'snow',
  'snow',
  'accumulation',
  'inch',
  'wind',
  'gust',
  'mph',
  'wind',
  'chill',
  'value',
  'ohioans',
  'morning',
  'road',
  'dewine',
  'threat',
  'storm',
  'wind',
  'wind',
  'chill',
  'temperature',
  'fox',
  'meteorologist',
  'flash',
  'freeze',
  'northeast',
  'ohio',
  'merick',
  'ohioans',
  'holiday',
  'travel',
  'family',
  'member',
  'jones',
  'travel',
  'vehicle',
  'battery',
  'tire',
  'wiper',
  'defroster',
  'working',
  'order',
  'washer',
  'fluid',
  'road',
  'state',
  'road',
  'crew',
  'storm',
  'road',
  'condition',
  'marchbanks',
  'road',
  'snow',
  'truck',
  'closing',
  'cancellation',
  'winter',
  'storm',
  'marchbanks',
  'motorist',
  'lot',
  'time',
  'destination',
  'sign',
  'mph',
  'highway',
  'road',
  'salt',
  'effectiveness',
  'temperature',
  'degree',
  'marchbanks',
  'temperature',
  'storm',
  'motorist',
  'road',
  'power',
  'outage',
  'state',
  'merick',
  'resident',
  'phone',
  'tonight',
  'contact',
  'power',
  'weather',
  'ohio',
  'company',
  'information',
  'outage',
  'state',
  'emergency',
  'management',
  'agency',
  'ohio',
  'county',
  'merick',
  'power',
  'problem',
  'power',
  'case',
  'dewine',
  'time',
  'ohioans',
  'care',
  'ohioan',
  'resident',
  'neighbor',
  'equipment',
  'center',
  'state',
  'northeast',
  'ohio',
  'merick',
  'resident',
  'pet',
  'home',
  'typo',
  'error(required',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'amazon',
  'school',
  'deal',
  'schooler',
  'school',
  'corner',
  'amazon',
  'supply',
  'school',
  'deal',
  'supply',
  'schooler',
  'august',
  'vegetable',
  'flower',
  'flower',
  'plant',
  'hour',
  'soil',
  'air',
  'temperature',
  'sunshine',
  'august',
  'month',
  'planting',
  'chemical',
  'guys',
  'kit',
  'car',
  'car',
  'care',
  'hour',
  'chemical',
  'guys',
  'car',
  'wash',
  'kit',
  'time',
  'deal',
  'thank',
  'inbox',
  'bomb',
  'threat',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'russia',
  'un',
  'meeting',
  'e',
  '-',
  'bike',
  'fire',
  'transgender',
  'intersex',
  'people',
  'sinéad',
  'o’connor',
  'singer',
  'songwriter',
  'elon',
  'musk',
  'tweet',
  'x',
  '’',
  'bomb',
  'threat',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'russia',
  'un',
  'meeting',
  'e',
  '-',
  'bike',
  'fire',
  'transgender',
  'intersex',
  'people',
  'cambodia',
  'hun',
  'sen',
  'asia',
  'leader',
  'ohio',
  'student',
  'access',
  'watch',
  'burglar',
  'land',
  'bin',
  'cop',
  'round',
  'thunderstorm',
  'tonight',
  'cloud',
  'cleveland',
  'wednesday',
  'thunderstorm',
  'vermilion',
  'sand',
  'wednesday',
  'storm',
  'video',
  'ohio',
  'student',
  'access',
  'watch',
  'burglar',
  'land',
  'bin',
  'cop',
  'round',
  'thunderstorm',
  'tonight',
  'cloud',
  'cleveland',
  'wednesday',
  'thunderstorm',
  'vermilion',
  'sand',
  'wednesday',
  'storm',
  'video',
  'prosecutor',
  'accountability',
  'kid',
  'video',
  'pd',
  'break',
  'garage',
  'cleveland',
  'woman',
  'police',
  'fox',
  'cleveland',
  'wjw',
  'cambodia',
  'hun',
  'sen',
  'asia',
  'leader',
  'draw',
  'netherlands',
  'california',
  'gov.',
  'gavin',
  'newsom',
  'millipede',
  'specie',
  'leg',
  'sesame',
  'food',
  'fda',
  'pop',
  'star',
  'shijiro',
  'atae',
  'ohio',
  'student',
  'access',
  'period',
  'product',
  'motorcyclist',
  'teen',
  'driver',
  'fox',
  'cleveland',
  'wjw',
  'sign',
  'fox',
  'recall',
  'round',
  'safety',
  'alerts',
  'fox',
  'cleveland',
  'weather',
  'link',
  'weather',
  'link',
  'maps',
  'radar',
  'akron',
  'canton',
  'weather',
  'fox',
  'forecast',
  'weather',
  'alert',
  'fox',
  'cam',
  'closing',
  'traffic',
  'weather',
  'news',
  'apps',
  'sign',
  'today',
  'cleveland',
  'browns',
  'gift',
  'summer',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'home',
  'depot',
  'foot',
  'skeleton',
  'halloween',
  'deal',
  'day',
  'prime',
  'day',
  'favorite',
  'amazon',
  'essentials',
  'clothe',
  'future',
  'police',
  'k-9',
  'controversy',
  'motorcyclist',
  'teen',
  'driver',
  'shower',
  'storm',
  'video',
  'pd',
  'break',
  'garage',
  'girl',
  'brother',
  'death',
  'mom',
  'episode',
  'year',
  'man',
  'crash',
  'fox',
  'weather',
  'app',
  'cleveland',
  'source',
  'news',
  'weather',
  'browns',
  'guardians',
  'cavs',
  'contact',
  'fox',
  'jobs',
  'weather',
  'news',
  'sign',
  'fox',
  'newsletter',
  'public',
  'file',
  'eeoc',
  'report',
  'public',
  'file',
  'help',
  'terms',
  'service',
  'faq',
  'fcc',
  'applications',
  'android',
  'app',
  'google',
  'play',
  'android',
  'weather',
  'app',
  'google',
  'play',
  'personal',
  'information',
  'personal',
  'information',
  'nexstar',
  'media',
  'inc.',
  'rights'],
 ['fox',
  'news',
  'media',
  'fox',
  'news',
  'mediafox',
  'businessfox',
  'nationfox',
  'news',
  'audiofox',
  'fox',
  'news',
  'expand',
  'collapse',
  'search',
  'login',
  'tv',
  'menu',
  'u.s.',
  'crimemilitaryeducationterrorimmigrationeconomypersonal',
  'freedomsfox',
  'news',
  'investigatesworld',
  'u.n.conflictsterrorismdisastersglobal',
  'politic',
  'executivesenatehousejudiciaryforeign',
  'policypollselectionsentertainment',
  'celebrity',
  'newsmoviestv',
  'newsmusic',
  'newsstyle',
  'newsentertainment',
  'videobusiness',
  'personal',
  'financeeconomymarketswatchlistlifestylereal',
  'estatetechlifestyle',
  'food',
  'drinkcars',
  'truckstravel',
  'outdoorshouse',
  'homefitness',
  'beingstyle',
  'beautyfamilyfaithscience',
  'archaeologyair',
  'spaceplanet',
  'earthwild',
  'naturenatural',
  'sciencedinosaurstech',
  'gamesmilitary',
  'techhealth',
  'coronavirushealthy',
  'livingmedical',
  'researchmental',
  'healthcancerheart',
  'healthchildren',
  'healthtv',
  'showspersonalitieswatch',
  'livefull',
  'episodesshow',
  'clipsnews',
  'clipsabout',
  'contact',
  'worldadvertise',
  'usmedia',
  'relationscorporate',
  'informationcompliance',
  'fox',
  'businessfox',
  'weatherfox',
  'nationwomen',
  'world',
  'cup',
  'news',
  'shopfox',
  'news',
  'gofox',
  'news',
  'radiooutkicknewsletterspodcastsapps',
  'products',
  'fox',
  'news',
  'new',
  'terms',
  'use',
  'new',
  'privacy',
  'policy',
  'privacy',
  'choices',
  'captioning',
  'policy',
  'material',
  'fox',
  'news',
  'network',
  'llc',
  'right',
  'quote',
  'time',
  'minute',
  'market',
  'datum',
  'factset',
  'factset',
  'digital',
  'solutions',
  'statement',
  'mutual',
  'fund',
  'etf',
  'datum',
  'refinitiv',
  'lipper',
  'facebook',
  'twitter',
  'instagram',
  'rss',
  'email',
  'weather',
  'july',
  'edt',
  'storm',
  'thousand',
  'power',
  'wisconsin',
  'michigan',
  'travis',
  'fedschun',
  'fox',
  'news',
  'facebook',
  'twitter',
  'flipboard',
  'comments',
  'print',
  'email',
  'video',
  'storm',
  'thousand',
  'power',
  'michigan',
  'summer',
  'storm',
  'damage',
  'michigan',
  'thousand',
  'power',
  'series',
  'thunderstorm',
  'weekend',
  'midwest',
  'reprieve',
  'heat',
  'wave',
  'half',
  'country',
  'thousand',
  'michigan',
  'wisconsin',
  'power',
  'resident',
  'damage',
  'thunderstorm',
  'hurricane',
  'force',
  'wind',
  'gust',
  'round',
  'friday',
  'night',
  'saturday',
  'south',
  'dakota',
  'minnesota',
  'cluster',
  'storm',
  'wisconsin',
  'michigan',
  'lisa',
  'gast',
  'fox11',
  'storm',
  'cloud',
  'wind',
  'drop',
  'temperature',
  'flint',
  'mich.',
  'saturday',
  'july',
  'kathryn',
  'ziesig',
  'flint',
  'journal',
  'ap)gast',
  'work',
  'home',
  'mountain',
  'round',
  'storm',
  'year',
  'community',
  'mile',
  'green',
  'bay',
  'storm',
  'friday',
  'night',
  'family',
  'heat',
  'wave',
  'feels',
  'temps',
  'reach',
  'triple',
  'digit',
  'weekend',
  'nws',
  'warnsas',
  'sunday',
  'morning',
  'power',
  'outage',
  'wisconsin',
  'michigan',
  'result',
  'weather',
  'majority',
  'outage',
  'michigan',
  'dte',
  'energy',
  'customer',
  'power',
  'a.m.',
  'sunday',
  'wave',
  'weather',
  'michigan',
  'friday',
  'saturday',
  'scope',
  'power',
  'outage',
  'southeast',
  'michigan',
  'sunday',
  'morning',
  'dte',
  'energy)"i',
  'power',
  'time',
  'today',
  'heat',
  'level',
  'spokesperson',
  'heather',
  'rivard',
  'fox2',
  'storm',
  'wind',
  'drop',
  'temperature',
  'flint',
  'mich.',
  'saturday',
  'july',
  'kathryn',
  'ziesig',
  'mlive.com',
  'flint',
  'journal',
  'ap)rivard',
  'crew',
  'hour',
  'shift',
  'clock',
  'crew',
  'saturday',
  'afternoon',
  'indiana',
  'official',
  'power',
  'line',
  'storm',
  'heat',
  'wave',
  'energy',
  'demand',
  'blackout',
  'utilities',
  'brace',
  'summer',
  'heat',
  'wave',
  'forecast',
  'u.s.',
  'insight',
  'energy',
  'analyst',
  'phil',
  'flynn',
  'wire',
  'line',
  'dte',
  'rivard',
  'fox2',
  'service',
  'customer',
  'end',
  'day',
  'tuesday',
  'dte',
  'heat',
  'weather',
  'metro',
  'detroit',
  'michigan',
  'area',
  'flooding',
  'mph',
  'wind',
  'egg',
  'hail',
  'alex',
  'hutchens',
  'pine',
  'tree',
  'piece',
  'yard',
  'storm',
  'line',
  'wind',
  'mile',
  'hour',
  'mankato',
  'area',
  'saturday',
  'july',
  'minn.',
  'jackson',
  'forderer',
  'free',
  'press',
  'ap)temperatures',
  'week',
  'illinois',
  'massachusetts',
  'police',
  'department',
  'criminal',
  'inside',
  'heat',
  'wavein',
  'wisconsin',
  'utility',
  'company',
  'power',
  'day',
  'fox',
  'valley',
  'area',
  'infrastructure',
  'tree',
  'morning',
  'storm',
  'vehicle',
  'apartment',
  'building',
  'mankato',
  'minn.',
  'saturday',
  'july',
  'jackson',
  'forderer',
  'free',
  'press',
  'ap)matt',
  'cullen',
  'spokesman',
  'wps',
  'energy',
  'fox11',
  'priority',
  'power',
  'line',
  'energy',
  'twitter',
  'power',
  'customer',
  'saturday',
  'afternoon',
  'damage',
  'fox',
  'news',
  'app',
  'line',
  'thunderstorm',
  'south',
  'dakota',
  'minnesota',
  'derecho',
  'line',
  'windstorm',
  'group',
  'thunderstorm',
  'accuweather',
  'derecho',
  'thunderstorm',
  'midwest',
  'saturday',
  'heat',
  'humidity',
  'nation',
  'accuweather',
  'senior',
  'meteorologist',
  'kristina',
  'pydynowski',
  'story',
  'news',
  'thing',
  'morning',
  'inbox',
  'weekday',
  'newsletter',
  'u.s.',
  'crimemilitaryeducationterrorimmigrationeconomypersonal',
  'freedomsfox',
  'news',
  'investigatesworld',
  'u.n.conflictsterrorismdisastersglobal',
  'politic',
  'executivesenatehousejudiciaryforeign',
  'policypollselectionsentertainment',
  'celebrity',
  'newsmoviestv',
  'newsmusic',
  'newsstyle',
  'newsentertainment',
  'videobusiness',
  'personal',
  'financeeconomymarketswatchlistlifestylereal',
  'estatetechlifestyle',
  'food',
  'drinkcars',
  'truckstravel',
  'outdoorshouse',
  'homefitness',
  'beingstyle',
  'beautyfamilyfaithscience',
  'archaeologyair',
  'spaceplanet',
  'earthwild',
  'naturenatural',
  'sciencedinosaurstech',
  'gamesmilitary',
  'techhealth',
  'coronavirushealthy',
  'livingmedical',
  'researchmental',
  'healthcancerheart',
  'healthchildren',
  'healthtv',
  'showspersonalitieswatch',
  'livefull',
  'episodesshow',
  'clipsnews',
  'clipsabout',
  'contact',
  'worldadvertise',
  'usmedia',
  'relationscorporate',
  'informationcompliance',
  'fox',
  'businessfox',
  'weatherfox',
  'nationwomen',
  'world',
  'cup',
  'news',
  'shopfox',
  'news',
  'gofox',
  'news',
  'radiooutkicknewsletterspodcastsapps',
  'products',
  'facebook',
  'twitter',
  'instagram',
  'youtube',
  'flipboard',
  'linkedin',
  'slack',
  'rss',
  'newsletters',
  'spotify',
  'iheartradio',
  'fox',
  'news',
  'new',
  'terms',
  'use',
  'new',
  'privacy',
  'policy',
  'privacy',
  'choices',
  'captioning',
  'policy',
  'accessibility',
  'statement',
  'material',
  'fox',
  'news',
  'network',
  'llc',
  'right',
  'quote',
  'time',
  'minute',
  'market',
  'datum',
  'factset',
  'factset',
  'digital',
  'solutions',
  'statement',
  'mutual',
  'fund',
  'etf',
  'datum',
  'refinitiv',
  'lipper'],
 ['cbs',
  'news',
  'boston',
  'free',
  '24/7',
  'news',
  'saturday',
  'morning',
  'snow',
  'afternoon',
  'march',
  'pm',
  'cbs',
  'boston',
  'boston',
  'happy',
  'saturday!no',
  'surprise',
  'change',
  'morning',
  'winter',
  'storm',
  'snow',
  'accumulation',
  'mass',
  'pike',
  'snow',
  'total',
  'event',
  'massachusetts',
  'new',
  'hampshire',
  'morning',
  'hour',
  'saturday',
  'mix',
  'sleet',
  'snow',
  'area',
  'sleet',
  'rain',
  'coast',
  'area',
  'pike',
  'midday',
  'afternoon',
  'precipitation',
  'snow',
  'accumulation',
  'wind',
  'afternoon',
  'coast',
  'cape',
  'midday',
  'rain',
  'sleet',
  'snow',
  'wind',
  'wbz',
  'tv',
  'graphic',
  'evening',
  'snow',
  'flurry',
  'coastline',
  'wbz',
  'tv',
  'graphic',
  'snow',
  'accumulation',
  'a.m.',
  'saturday',
  'wbz',
  'tv',
  'graphic',
  'wind',
  'day',
  'today',
  'wind',
  'damage',
  'power',
  'outage',
  'coast',
  'wbz',
  'tv',
  'graphic',
  'wind',
  'today',
  'tonight',
  'wbz',
  'tv',
  'graphic',
  'travel',
  'condition',
  'day',
  'road',
  'snow',
  'coating',
  'spot',
  'afternoon',
  'wbz',
  'tv',
  'graphic',
  'high',
  'tomorrow',
  '40',
  'sunshine',
  'wbz',
  'tv',
  'graphic',
  'winter',
  'lot',
  'spring',
  'milestone',
  'arrival',
  'daylight',
  'saving',
  'time',
  'weekend',
  'wbz',
  'tv',
  'graphic',
  'february',
  'pm',
  'cbs',
  'broadcasting',
  'inc.',
  'rights',
  'thank',
  'cbs',
  'news',
  'account',
  'feature',
  'email',
  'address',
  'email',
  'address',
  'weather',
  'alert',
  'thunderstorm',
  'warning',
  'heat',
  'index',
  'degree',
  'alert',
  'forecast',
  'building',
  'heat',
  'week',
  'alert',
  'weather',
  'yellow',
  'alert',
  'thunderstorm',
  'chicago',
  'alert',
  'weather',
  'term',
  'use',
  'privacy',
  'policy',
  'california',
  'notice',
  'personal',
  'information',
  'wbz',
  'tv',
  'news',
  'sports',
  'weather',
  'contests',
  'program',
  'guide',
  'sitemap',
  'advertise',
  'paramount+',
  'cbs',
  'television',
  'jobs',
  'public',
  'file',
  'wbz',
  'tv',
  'public',
  'file',
  'wsbk',
  'tv',
  'mytv38',
  'public',
  'inspection',
  'file',
  'fcc',
  'applications',
  'eeo',
  'browser',
  'notification',
  'news',
  'event',
  'reporting'],
 ['nps',
  'navigation',
  'skip',
  'park',
  'navigation',
  'content',
  'park',
  'information',
  'section',
  'footer',
  'section',
  'storm',
  'storm',
  "nor'easter",
  'storm',
  'hurricane',
  'coast',
  'storm',
  'park',
  'overwash',
  'erosion',
  'closure',
  'park',
  'news',
  'release',
  'storm(s',
  'impact',
  'island',
  'park',
  'operation',
  'storm',
  'page',
  'medium',
  'account',
  'facebook',
  'twitter',
  'conditions',
  'page',
  'information',
  'park',
  'condition',
  'storm',
  'coastal',
  'low',
  'moving',
  'pressure',
  'system',
  'south',
  'carolina',
  'saturday',
  'sunday',
  'low',
  'shower',
  'thunderstorm',
  'wind',
  'nc',
  'thursday',
  'night',
  'memorial',
  'day',
  'weekend',
  'impact',
  'system',
  'rainfall',
  'memorial',
  'day',
  'monday',
  'gale',
  'force',
  'wind',
  'sea',
  'ft',
  'friday',
  'night',
  'saturday',
  'wind',
  'surf',
  'flooding',
  'ocean',
  'ocean',
  'wash',
  'cape',
  'lookout',
  'rip',
  'risk',
  'beach',
  'flood',
  'concern',
  'cape',
  'lookout',
  'pamlico',
  'sound',
  'neuse',
  'bay',
  'pamlico',
  'pungo',
  'rivers',
  'passenger',
  'ferry',
  'service',
  'shackleford',
  'banks',
  'lighthouse',
  'area',
  'beaufort',
  'nc',
  'harkers',
  'island',
  'thursday',
  'saturday',
  'gale',
  'warning',
  'wind',
  'speed',
  'mph',
  'area',
  'thursday',
  'saturday',
  '27th',
  'credit',
  'image',
  'credit',
  'google',
  'maps',
  'satellite',
  'imagery',
  'core',
  'banks',
  'long',
  'point',
  'cabin',
  'camp',
  'damage',
  'hurricane',
  'dorian',
  'cows',
  'north',
  'core',
  'banks',
  'images',
  'cow',
  'september',
  'photo',
  'gallery',
  'image',
  'roundup',
  'effort',
  'november',
  'cow',
  'home',
  'range',
  'video',
  'ferry',
  'north',
  'core',
  'banks',
  'mainland',
  'cow',
  'equipment',
  'cow',
  'north',
  'core',
  'banks',
  'hurricane',
  'dorian',
  'september',
  'storm',
  'surge',
  'pamlico',
  'sound',
  'atlantic',
  'ocean',
  'home',
  'range',
  'cedar',
  'island',
  'barrier',
  'island',
  'cape',
  'lookout',
  'national',
  'seashore',
  'cow',
  'barrier',
  'island',
  'storm',
  'nps',
  'jeff',
  'west',
  'horse',
  'shackleford',
  'banks',
  'end',
  'park',
  'cattle',
  'cedar',
  'island',
  'human',
  'photographer',
  'nps',
  'jeff',
  'west',
  'narration',
  'sound',
  'video',
  'keyboard',
  'shortcut',
  'doc',
  'detail',
  'cow',
  'home',
  'range',
  'storm',
  'surge',
  'hurricane',
  'dorian',
  'north',
  'core',
  'banks',
  'cape',
  'lookout',
  'national',
  'seashore',
  'ferry',
  'mainland',
  'herd',
  'nps',
  'app',
  'visit',
  'national',
  'park',
  'service',
  'u.s.',
  'department',
  'interior'],
 ['contentskip',
  'navigationskip',
  'navigationprint',
  'subscription',
  'sign',
  'insearch',
  'jobssearchus',
  'editionus',
  'editionuk',
  'editionaustralia',
  'guardian',
  'guardiannewsopinionsportculturelifestyleshowmoreshow',
  'morenewsview',
  'newsus',
  'newsworld',
  'politicsbusinesstechsciencenewslettersfight',
  'democracyopinionview',
  'opinionthe',
  'guardian',
  'viewcolumnistslettersopinion',
  'videoscartoonssportview',
  'sportsoccernfltennismlbmlsnbanhlf1golfcultureview',
  'culturefilmbooksmusicart',
  'designtv',
  'radiostageclassicalgameslifestyleview',
  'lifestylefashionfoodrecipeslove',
  'sexhome',
  'gardenhealth',
  'fitnessfamilytravelmoneysearch',
  'input',
  'google',
  'search',
  'searchsupport',
  'usprint',
  'subscriptionsus',
  'editionuk',
  'editionaustralia',
  'editionsearch',
  'jobsdigital',
  'archiveguardian',
  'puzzles',
  'licensingthe',
  'guardian',
  'guardianguardian',
  'weeklycrosswordswordiplycorrectionsfacebooktwittersearch',
  'jobsdigital',
  'archiveguardian',
  'puzzles',
  'licensingusworldenvironmentsoccerus',
  'democracy',
  'couple',
  'lifeguard',
  'tower',
  'passage',
  'hurricane',
  'nicole',
  'vero',
  'beach',
  'florida',
  'thursday',
  'photograph',
  'ricardo',
  'arduengo',
  'couple',
  'lifeguard',
  'tower',
  'passage',
  'hurricane',
  'nicole',
  'vero',
  'beach',
  'florida',
  'thursday',
  'photograph',
  'ricardo',
  'arduengo',
  'reutersflorida',
  'article',
  'month',
  'oldat',
  'tropical',
  'storm',
  'nicole',
  'wind',
  'rain',
  'floridathis',
  'article',
  'month',
  'oldstorm',
  'hurricane',
  'force',
  'georgia',
  'carolinas',
  'thursday',
  'fridayrichard',
  'luscombe',
  'miami@richluscthu',
  'nov',
  'estfirst',
  'thu',
  'nov',
  'estthe',
  'death',
  'toll',
  'tropical',
  'storm',
  'nicole',
  'thursday',
  'november',
  'hurricane',
  'florida',
  'wind',
  'flooding',
  'rainmaker',
  'course',
  'georgia',
  'carolinas',
  'season',
  'cyclone',
  'landfall',
  'vero',
  'beach',
  'florida',
  'east',
  'coast',
  'mph',
  'wind',
  'storm',
  'surge',
  'building',
  'ocean',
  'road',
  'north',
  'daytona',
  'beach',
  'florida',
  'police',
  'man',
  'cane',
  'gunread',
  'moreat',
  'afternoon',
  'press',
  'conference',
  'jerry',
  'demings',
  'orange',
  'county',
  'mayor',
  'people',
  'orlando',
  'neighborhood',
  'electricity',
  'line',
  'vehicle',
  'accident',
  'storm',
  'storm',
  'height',
  'customer',
  'power',
  'area',
  'hurricane',
  'ian',
  'damage',
  'florida',
  'september',
  'nicole',
  'category',
  'hurricane',
  'strength',
  'wednesday',
  'afternoon',
  'bahamas',
  'hour',
  'florida',
  'landfall',
  'intensity',
  'mph',
  'predecessor',
  'storm',
  'wind',
  'mph',
  'path',
  'orlando',
  'tampa',
  'gulf',
  'mexico',
  'national',
  'hurricane',
  'center',
  'nhc',
  'miami',
  'afternoon',
  'update',
  'storm',
  'power',
  'day',
  'rainfall',
  'inland',
  'risk',
  'remnant',
  'north',
  'east',
  'path',
  'georgia',
  'carolinas',
  'new',
  'york',
  'florida',
  'peninsula',
  'portion',
  'nhc',
  'hurricane',
  'specialist',
  'jack',
  'beven',
  'bulletin',
  'rainfall',
  'evening',
  'florida',
  'peninsula',
  'flooding',
  'friday',
  'south',
  'east',
  'appalachians',
  'blue',
  'ridge',
  'mountain',
  'ohio',
  'west',
  'pennsylvania',
  'new',
  'york',
  'friday',
  'night',
  'saturday',
  '”nicole',
  'hurricane',
  'mainland',
  'november',
  'month',
  'storm',
  'season',
  'kate',
  'florida',
  'panhandle',
  'nicole',
  'hurricane',
  'season',
  'storm',
  'resident',
  'florida',
  'east',
  'coast',
  'barrier',
  'island',
  'waterfront',
  'community',
  'donald',
  'trump',
  'mar',
  'lago',
  'resort',
  'palm',
  'beach',
  'staff',
  'club',
  'president',
  'wednesday',
  'midterm',
  'election',
  'result',
  'reporter',
  'trump',
  'daytona',
  'beach',
  'building',
  'shoreline',
  'sea',
  'number',
  'block',
  'hurricane',
  'ian',
  'authority',
  'door',
  'door',
  'people',
  'possession',
  'lauderdale',
  'sea',
  'section',
  'fishing',
  'pier',
  'ocean',
  'home',
  'wilbur',
  'sea',
  'property',
  'risk',
  'volusia',
  'county',
  'sheriff',
  'mike',
  'chitwood',
  'medium',
  'message',
  'night',
  'time',
  'curfew',
  'school',
  'dozen',
  'florida',
  'district',
  'theme',
  'park',
  'orlando',
  'governor',
  'ron',
  'desantis',
  'emergency',
  'declaration',
  'dozen',
  'county',
  'joe',
  'biden',
  'emergency',
  'resource',
  'assistance',
  'state',
  'response',
  'effort',
  'federal',
  'emergency',
  'management',
  'agency',
  'personnel',
  'state',
  'hurricane',
  'ian',
  '“the',
  'storm',
  'impact',
  'center',
  'track',
  'state',
  'storm',
  'force',
  'wind',
  'desantis',
  'briefing',
  'tallahassee',
  'thursday',
  'tree',
  'power',
  'line',
  'road',
  'washout',
  'wind',
  'storm',
  'surge',
  'beach',
  'erosion',
  'area',
  'erosion',
  'hurricane',
  'ian',
  '”engineers',
  'kennedy',
  'space',
  'center',
  'damage',
  'nasa',
  'artemis',
  'moon',
  'rocket',
  'launchpad',
  'storm',
  'blast',
  'november',
  'nicole',
  'mission',
  'manager',
  'launch',
  'attempt',
  'day',
  'engineer',
  'artemis',
  'pad',
  'space',
  'launch',
  'system',
  'rocket',
  'orion',
  'capsule',
  'wind',
  '85mph',
  'orlando',
  'sentinel',
  'sensor',
  'launchpad',
  'tower',
  'cape',
  'canaveral',
  'gust',
  'walkdowns',
  'inspection',
  'pad',
  'status',
  'rocket',
  'spacecraft',
  'space',
  'agency',
  'statement',
  'associated',
  'press',
  'reportingtopicsfloridahurricanesus',
  'viewedmost',
  'viewedusworldenvironmentsoccerus',
  'politicsbusinesstechsciencenewslettersfight',
  'reporting',
  'analysis',
  'guardian',
  'ushelpcomplaint',
  'correctionssecuredropwork',
  'usprivacy',
  'policycookie',
  'policyterms',
  'conditionscontact',
  'usall',
  'topicsall',
  'newspaper',
  'archivefacebookyoutubeinstagramlinkedintwitternewslettersadvertise',
  'labssearch',
  'guardian',
  'news',
  'media',
  'limited',
  'company',
  'right'],
 ['local',
  'news',
  'brooklyn',
  'bronx',
  'manhattan',
  'queens',
  'staten',
  'island',
  'long',
  'island',
  'northern',
  'suburbs',
  'new',
  'jersey',
  'gilgo',
  'beach',
  'killings',
  'world',
  'news',
  'crime',
  'missing',
  'lottery',
  'thing',
  'destination',
  'ny',
  'marijuana',
  'legalization',
  'ny',
  'nj',
  'traffic',
  'automotive',
  'news',
  'monica',
  'pix',
  'politics',
  'politics',
  'hill',
  'newsletters',
  'press',
  'releases',
  'lawmaker',
  'pot',
  'pet',
  'heat',
  'wave',
  'crane',
  'company',
  'owner',
  'manslaughter',
  'livery',
  'cab',
  'nyc',
  'pix11',
  'news',
  'tv',
  'replay',
  'interactive',
  'radar',
  'daily',
  'hourly',
  'forecast',
  'maps',
  'radar',
  'weather',
  'science',
  'weather',
  'alerts',
  'heat',
  'mr.',
  'g',
  'byron',
  'miranda',
  'stacy',
  'ann',
  'gooden',
  'chris',
  'cimino',
  'dan',
  'mannarino',
  'hazel',
  'sanchez',
  'vanessa',
  'freeman',
  'craig',
  'treadway',
  'kirstin',
  'cole',
  'ben',
  'aaron',
  'byron',
  'miranda',
  'alex',
  'lee',
  'justin',
  'walters',
  'long',
  'island',
  'organization',
  'difference',
  'year',
  'upper',
  'west',
  'shooting',
  'nypd',
  'jeremy',
  'jordan',
  'shop',
  'horrors',
  'nyc',
  'tout',
  'rat',
  'complaint',
  'storm',
  'tree',
  'brooklyn',
  'marysol',
  'castro',
  'alex',
  'lee',
  'ben',
  'aaron',
  'star',
  'harvey',
  'pix11',
  'partner',
  'new',
  'leash',
  'life',
  'flower',
  'friday',
  'people',
  'kindness',
  'comedian',
  'birthday',
  'national',
  'wine',
  'cheese',
  'day',
  'pairing',
  'tequila',
  'cocktail',
  'taste',
  'occasion',
  'barbie',
  'party',
  'ny',
  'sportsnation',
  'mlb',
  'nba',
  'nhl',
  'nfl',
  'liv',
  'golf',
  'pga',
  'championship',
  'pix11',
  'sports',
  'nation',
  'marc',
  'malusis',
  'justin',
  'walters',
  'joe',
  'mauceri',
  'perry',
  'sook',
  'moose',
  'loose',
  'hope',
  'giants',
  'training',
  'rodgers',
  'pay',
  'cut',
  'year',
  'deal',
  'giants',
  'tackle',
  'andrew',
  'thomas',
  'lebron',
  'james',
  'son',
  'arrest',
  'moose',
  'loose',
  'sauce',
  'gardner',
  'ny',
  'mets',
  'livestream',
  'mets',
  'livestream',
  'pix11',
  'mets',
  'livestream',
  'faq',
  'mets',
  'owner',
  'trade',
  'deadline',
  'selloff',
  'contact',
  'pix11',
  'pix11',
  'news',
  'team',
  'pix11',
  'tv',
  'listing',
  'pix11',
  'pix11',
  'news',
  'app',
  'press',
  'releases',
  'advertise',
  'pix11',
  'careers',
  'post',
  'job',
  'job',
  'sharing',
  'medium',
  'pix11',
  'woman',
  'hispanic',
  'heritage',
  'month',
  'broadway',
  'g',
  'thing',
  'changemakers',
  'small',
  'business',
  'spotlight',
  'calendar',
  'pix11',
  'contests',
  'aaa',
  'automotive',
  'impact',
  'new',
  'leash',
  'life',
  'marysol',
  'castro',
  'bestreviews',
  'bestreviews',
  'daily',
  'deals',
  'regional',
  'news',
  'partners',
  'walgreens',
  'myw',
  'days',
  'member',
  'event',
  'new',
  'leash',
  'life',
  'swallow',
  'tail',
  'yellow',
  'jacket',
  'new',
  'leash',
  'life',
  'otter',
  'sand',
  'dollar',
  'japan',
  'cuts',
  'festival',
  'new',
  'japanese',
  'cinema',
  'amazon',
  'prime',
  'day',
  'business',
  'storm',
  'flooding',
  'new',
  'jersey',
  'matthew',
  'euzarraga',
  'video',
  'credit',
  'magee',
  'hickey',
  'apr',
  'pm',
  'edt',
  'apr',
  'pm',
  'edt',
  'matthew',
  'euzarraga',
  'video',
  'credit',
  'magee',
  'hickey',
  'apr',
  'pm',
  'edt',
  'apr',
  'pm',
  'edt',
  'new',
  'york',
  'pix11',
  'national',
  'weather',
  'service',
  'flooding',
  'advisory',
  'saturday',
  'storm',
  'area',
  'rain',
  'wind',
  'p.m.',
  'flood',
  'watch',
  'new',
  'jersey',
  'county',
  'atlantic',
  'atlantic',
  'coastal',
  'cape',
  'camden',
  'cape',
  'coastal',
  'atlantic',
  'coastal',
  'ocean',
  'cumberland',
  'eastern',
  'monmouth',
  'gloucester',
  'northwestern',
  'burlington',
  'ocean',
  'salem',
  'southeastern',
  'burlington',
  'western',
  'monmouth',
  'new',
  'jersey',
  'rainwater',
  'flooding',
  'flood',
  'watch',
  'p.m.',
  'queens',
  'long',
  'island',
  'flooding',
  'flood',
  'alert',
  'sunday',
  'night',
  'southern',
  'queens',
  'far',
  'rockaway',
  'nassau',
  'southwest',
  'suffolk',
  'county',
  'alert',
  'typo',
  'error(required',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'amazon',
  'school',
  'deal',
  'schooler',
  'school',
  'corner',
  'amazon',
  'supply',
  'school',
  'deal',
  'supply',
  'schooler',
  'august',
  'vegetable',
  'flower',
  'flower',
  'plant',
  'hour',
  'soil',
  'air',
  'temperature',
  'sunshine',
  'august',
  'month',
  'planting',
  'chemical',
  'guys',
  'kit',
  'car',
  'car',
  'care',
  'hour',
  'chemical',
  'guys',
  'car',
  'wash',
  'kit',
  'time',
  'deal',
  'bomb',
  'threat',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'russia',
  'un',
  'meeting',
  'transgender',
  'intersex',
  'people',
  'cambodia',
  'hun',
  'sen',
  'asia',
  'leader',
  'bomb',
  'threat',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'russia',
  'un',
  'meeting',
  'transgender',
  'intersex',
  'people',
  'cambodia',
  'hun',
  'sen',
  'asia',
  'leader',
  'millipede',
  'specie',
  'leg',
  'lawmaker',
  'pot',
  'pet',
  'heat',
  'wave',
  'lawmaker',
  'pot',
  'pet',
  'heat',
  'wave',
  'crane',
  'company',
  'owner',
  'manslaughter',
  'livery',
  'cab',
  'owner',
  'crane',
  'manhattan',
  'ny',
  'nj',
  'forecast',
  'heat',
  'thunderstorm',
  'firefighter',
  'newark',
  'fire',
  'department',
  'moose',
  'loose',
  'hope',
  'giants',
  'training',
  'gilgo',
  'body',
  'year',
  'owner',
  'crane',
  'new',
  'york',
  'city',
  'giants',
  'tackle',
  'andrew',
  'thomas',
  'year',
  'upper',
  'west',
  'shooting',
  'nypd',
  'new',
  'millipede',
  'specie',
  'leg',
  'lawmaker',
  'pot',
  'pet',
  'heat',
  'wave',
  'crane',
  'company',
  'owner',
  'manslaughter',
  'samsung',
  'smartphone',
  'bet',
  'livery',
  'cab',
  'nyc',
  'firefighter',
  'newark',
  'fire',
  'department',
  'pix11',
  'online',
  'catch',
  'mets',
  'queens',
  'lottery',
  'player',
  'powerball',
  'drawing',
  'gilgo',
  'victim',
  'hunter',
  'mta',
  'boss',
  'fla.',
  'shift',
  'exhibit',
  'jay',
  'z',
  'brooklyn',
  'public',
  'nyc',
  'library',
  'book',
  'crane',
  'company',
  'owner',
  'manslaughter',
  'pet',
  'heat',
  'wave',
  'lawmaker',
  'pot',
  'gift',
  'summer',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'home',
  'depot',
  'foot',
  'skeleton',
  'halloween',
  'deal',
  'day',
  'prime',
  'day',
  'favorite',
  'heat',
  'nyc',
  'heat',
  'nyc',
  'resource',
  'tenant',
  'rent',
  'nyc',
  'tenant',
  'suicide',
  'prevention',
  'health',
  'resource',
  'pix11',
  'news',
  'tv',
  'replay',
  'mets',
  'game',
  'rain',
  'news',
  'nyc',
  'news',
  'covid-19',
  'pix11',
  'morning',
  'news',
  'nyc',
  'weather',
  'nyc',
  'sports',
  'contact',
  'report',
  'android',
  'app',
  'google',
  'play',
  'personal',
  'information',
  'personal',
  'information',
  'nexstar',
  'media',
  'inc.',
  'rights'],
 ['home',
  'mail',
  'news',
  'finance',
  'sports',
  'entertainment',
  'life',
  'search',
  'shopping',
  'yahoo',
  'plus',
  'yahoo',
  'news',
  'app',
  'yahoo',
  'news',
  'yahoo',
  'news',
  'search',
  'query',
  'sign',
  'mail',
  'sign',
  'mail',
  'news',
  'politics',
  'world',
  'covid-19',
  'climate',
  'change',
  'health',
  'science',
  'originals',
  'skullduggery',
  'podcast',
  'conspiracyland',
  'contact',
  'herald',
  'leadermore',
  'weather',
  'kentucky',
  'community',
  'article',
  'graphic',
  'national',
  'weather',
  'servicechristopher',
  'leachjune',
  'min',
  'readmore',
  'storm',
  'kentucky',
  'end',
  'week',
  'day',
  'thunderstorm',
  'tornado',
  'damage',
  'county',
  'storm',
  'region',
  'thursday',
  'friday',
  'national',
  'weather',
  'service',
  'severity',
  'timeline',
  'storm',
  'wednesday',
  'morning',
  'rain',
  'wind',
  'excess',
  'mph',
  'lightning',
  'nws',
  'weather',
  'way',
  'warning',
  'nws',
  'round',
  'thunderstorm',
  'region',
  'thursday',
  'friday',
  'rainfall',
  'wind',
  'excess',
  'mph',
  'lightning',
  'weather',
  'hazard',
  'kywx',
  'inwx',
  'pic.twitter.com/oweyjyxjdz',
  'nws',
  'louisville',
  '@nwslouisville',
  'june',
  'forecast',
  'wednesday',
  'nws',
  'temperature',
  '80',
  '90',
  'day',
  'region',
  'high',
  '80',
  'condition',
  'thursday',
  'friday',
  'threat',
  'thunderstorm',
  'weather',
  'kywx',
  '',
  '',
  'inwx',
  'pic.twitter.com/j0fh3ei2hr',
  'nws',
  'louisville',
  '@nwslouisville',
  'june',
  'chief',
  'meteorologist',
  'chris',
  'bailey',
  'threat',
  'storm',
  'thursday',
  'sunday',
  'wind',
  'rain',
  'hail',
  'storm',
  'bailey',
  'nws',
  'surveyor',
  'tornado',
  'damage',
  'hardin',
  'russell',
  'county',
  'line',
  'wind',
  'damage',
  'bullitt',
  'madison',
  'grayson',
  'edmonson',
  'warren',
  'county',
  'survey',
  'wednesday',
  'thursday',
  'customer',
  'wednesday',
  'morning',
  'storm',
  'website',
  'power',
  'outage',
  'country',
  'outage',
  'grayson',
  'edmonson',
  'hart',
  'russell',
  'county',
  'storiesin',
  'know',
  'yahoohow',
  'ac',
  'heatwave',
  'genius',
  'this’as',
  'record',
  'heatwave',
  'southwest',
  'midwest',
  'northeast',
  'people',
  'tiktok',
  'hack',
  'cool.15h',
  'agothe',
  'florida',
  'times',
  'unionnational',
  'hurricane',
  'center',
  'system',
  'atlantic',
  'basin',
  'east',
  'floridasome',
  'model',
  'disturbance',
  'east',
  'coast',
  'florida',
  'week',
  'florida',
  'public',
  'radio',
  'emergency',
  'network.2d',
  'agonbc',
  'newslike',
  'tub',
  'water',
  'temperature',
  'florida',
  'degreeson',
  'monday',
  'country',
  'heat',
  'boiling',
  'milestone',
  'buoy',
  'florida',
  'jaw',
  'degree',
  'fahrenheit',
  'water',
  'temperature.1d',
  'agowftv2',
  'disturbance',
  'atlantic',
  'oceanthe',
  'national',
  'hurricane',
  'center',
  'monday',
  'disturbance',
  'atlantic',
  'ocean.2d',
  'agopalm',
  'beach',
  'daily',
  'newshere',
  'list',
  'county',
  'hurricane',
  'florida',
  'statesof',
  'county',
  'loss',
  'hurricane',
  'florida.13h',
  'agoreuterssaguaro',
  'arizona',
  'heat',
  'scientist',
  'saysarizona',
  'symbol',
  'u.s.',
  'west',
  'arm',
  'case',
  'state',
  'record',
  'streak',
  'heat',
  'scientist',
  'tuesday',
  'summer',
  'monsoon',
  'cacti',
  'desert',
  'giant',
  'ability',
  'wild',
  'city',
  'temperature',
  'degree',
  'fahrenheit',
  'celsius',
  'day',
  'phoenix',
  'tania',
  'hernandez',
  'plant',
  'heat',
  'point',
  'heat',
  'water',
  'hernandez',
  'research',
  'scientist',
  'phoenix',
  'acre',
  'hectare',
  'desert',
  'botanical',
  'garden',
  'cactus',
  'specie',
  'sahuaro',
  'foot',
  'agodetroit',
  'free',
  'pressweather',
  'service',
  'threat',
  'michigan',
  'powerfrom',
  'grand',
  'rapids',
  'saginaw',
  'thunderstorm',
  'michigan',
  'rain',
  'wind',
  'power',
  'outages.18h',
  'agothe',
  'telegraphpowerful',
  'mph',
  'wind',
  'philippineswinds',
  'excess',
  'mile',
  'hour',
  'philippines',
  'person',
  'typhoon',
  'doksuri',
  'landfall.19h',
  'agothe',
  'bergen',
  'recordtemperatures',
  'century',
  'mark',
  'north',
  'jersey',
  'brace',
  'heat',
  'wavea',
  'forecast',
  'national',
  'weather',
  'service',
  'office',
  'new',
  'york',
  'city',
  'state',
  'friday',
  'day',
  'week.21h',
  'agomiami',
  'heraldstormy',
  'weather',
  'south',
  'florida',
  'keys',
  'relief',
  'last?heat',
  'advisory',
  'effect',
  'wednesday',
  'rain',
  'bit',
  'weekend.14h',
  'agobuzzfeed13',
  'hot',
  'weather',
  'hack',
  'easy"if',
  'button',
  'second',
  'car',
  'window',
  'agola',
  'timesgiant',
  'crack',
  'santa',
  'monica',
  'pch',
  'emergency',
  'repairsa',
  'portion',
  'bluff',
  'pacific',
  'coast',
  'highway',
  'santa',
  'monica',
  'danger',
  'roadway',
  'below.2d',
  'agostylecasterhere',
  'type',
  'weather',
  'zodiac',
  'sign',
  'moods',
  'emotionsit',
  'calm',
  'storm.1d',
  'wave',
  'coast',
  'africa',
  '%',
  'chance',
  'developinga',
  'piece',
  'energy',
  'bahamas',
  'rain',
  'florida.18h',
  'agoidaho',
  'statesmanweak',
  'bobcat',
  'kitten',
  'tree',
  'search',
  'sibling“each',
  'day',
  'kitten',
  'wild',
  'mother',
  'chance',
  'survival',
  'decrease',
  '”6h',
  'agokansas',
  'city',
  'starflying',
  'squirrel',
  'missouri',
  'birdhouse',
  'face',
  'instant',
  'image',
  'state',
  'wildlife',
  'official',
  'said.11h',
  'agowhiochance',
  'thunderstorm',
  'evening',
  'heat',
  'advisory',
  'region',
  'noon',
  'thursdaymild',
  'tonight',
  'friday',
  'temperature',
  'storm',
  'center',
  'says.5h',
  'agostate',
  'college',
  'centre',
  'daily',
  'timespennsylvania',
  'explosion',
  'motion',
  'plant',
  'lookalikes.2d',
  'agocbs',
  'chicagochicago',
  'alert',
  'weather',
  'storm',
  'wednesdaycbs',
  'chief',
  'meteorologist',
  'albert',
  'ramon',
  'weather',
  'way',
  'chicago',
  'area.1d',
  'agonbc',
  'sports',
  'chicagocould',
  'rain',
  'storm',
  'crosstown',
  'classic',
  'forecastthe',
  'potential',
  'afternoon',
  'rain',
  'storm',
  'game',
  'crosstown',
  'classic',
  'stories',
  'trendingone',
  'family',
  'bottle',
  'arizona',
  'california',
  'fraud',
  'prosecutor',
  'business',
  'insider·2',
  'min',
  'read‘overwhelmed',
  'teen',
  'walks',
  'police',
  'stationthe',
  'daily',
  'beast·5',
  'min',
  'readmitch',
  'mcconnell',
  'press',
  'conference',
  'news·2',
  'min',
  'family',
  'member',
  "grid'bbc·2",
  'min',
  'readamericans',
  'visa',
  'europe',
  'yahoo',
  'news·3',
  'min',
  'popularappleton',
  'oshkosh',
  'thunderstorm',
  'lightning',
  'rain',
  'wednesday',
  'morningthe',
  'post',
  '-',
  'crescentsoutheastern',
  'sd',
  'thunderstorm',
  'watch',
  'argus',
  'leaderstrong',
  'thunderstorm',
  'chicago',
  'wednesdaychicago',
  'tribunesevere',
  'storm',
  'heat',
  'index',
  'news',
  'leaderupdate',
  'national',
  'weather',
  'service',
  'issue',
  'times',
  'herald',
  'yahoo!uspoliticsworldcovid-19climate',
  'usterms',
  'privacy',
  'policyprivacy',
  'dashboardhelpshare',
  'usabout',
  'adssite',
  'app',
  'yahoo',
  'right'],
 ['yearssummer',
  "escapeswe're",
  'hiringshare',
  'itlive',
  'newscastadvertise',
  'ushomelive',
  'newscastwggb',
  'yearsnewsa',
  'western',
  'mass',
  'newsconsumer',
  'newsbig',
  'ehealth',
  'tips',
  'tuesdayus',
  'world',
  'newsweatherweather',
  'alertsclosingsradarhurricane',
  'trackerjanna',
  'critter',
  'cornerski',
  'reportrequest',
  'meteorologist',
  'visitweather',
  'camssummer',
  'escapesgetting',
  'answerssurprise',
  'squadnominate',
  'cool',
  "schoolwe're",
  'hiring',
  'wednesdayshare',
  'ittrafficsportsfriday',
  'night',
  'frenzystats',
  'predictionshow',
  'watcharea',
  'gas',
  'priceslocal',
  'eventscontestsstation',
  'informationadvertise',
  'uscontact',
  'usmeet',
  'teamcopies',
  'news',
  'storiescareersfuture',
  'media',
  'leaderstv',
  'scheduleclosed',
  'captioning',
  'audio',
  'descriptionnewsletterslatest',
  'newscastsgray',
  'dc',
  'releasespowernation6',
  'weather',
  'alert',
  'weather',
  'alerts',
  'alerts',
  'baralert',
  'breaking',
  'news',
  'alerts',
  'bar',
  'deerfield',
  'firefighter',
  'woman',
  'car',
  'flood',
  'firefighter',
  'action',
  'flood',
  'water',
  'woman',
  'car',
  'deerfield',
  'week',
  'news',
  'surprise',
  'squad',
  'springfield',
  'teacher',
  'student',
  'joylocal',
  'concern',
  'uptick',
  'mosquito',
  'pioneer',
  'valleymassachusetts',
  'state',
  'lawmaker',
  'bill',
  'ghost',
  'guns’top',
  'gillette',
  'stadium',
  'renovation',
  'nfl',
  'hour',
  'ago',
  'matt',
  'sottile',
  'ty',
  'coneythe',
  'new',
  'england',
  'patriots',
  'field',
  'field',
  'kickoff',
  'world',
  'news',
  'sinéad',
  'o’connor',
  'singer',
  'hour',
  'ago',
  'associated',
  'press',
  'sylvia',
  'huirock',
  'icon',
  'sinead',
  'o’connor',
  'hit',
  'u',
  'age',
  'forecast',
  'hot',
  'humid',
  'thursday',
  'thunderstorm',
  'threat',
  'hour',
  'ago',
  'janna',
  'brownhot',
  'humid',
  'weather',
  'threat',
  'thursday',
  'world',
  'news',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'judge',
  'concern',
  'term',
  'agreement',
  'hour',
  'ago',
  'associated',
  'press',
  'claudia',
  'lauer',
  'randall',
  'chase',
  'colleen',
  'longhe',
  'agreement',
  'prosecutor',
  'year',
  'probation',
  'deal',
  'hold',
  'news',
  'residents',
  'power',
  'grid',
  'temperaturesupdated',
  'hour',
  'ago',
  'daniel',
  'santiago',
  'photojournalist',
  'kevin',
  'culverhouse',
  'ryan',
  'trowbridgethe',
  'heat',
  'wednesday',
  'day',
  'potential',
  'degree',
  'news',
  'senate',
  'gop',
  'leader',
  'mcconnell',
  'news',
  'conference',
  'mid',
  '-',
  'sentenceupdated',
  'hour',
  'ago',
  'associated',
  'pressearlier',
  'year',
  'mitch',
  'mcconnell',
  'senate',
  'week',
  'day',
  'forecastfirst',
  'alert',
  'weather',
  'hot',
  'humid',
  'thursday',
  'thunderstorm',
  'threat',
  'weather',
  'threat',
  'thursday',
  'video',
  'news',
  'updatelatest',
  'videonewsjanna',
  'thursday',
  'temperature',
  'impact',
  'medicationsnewssurprise',
  'squad',
  'springfield',
  'teacher',
  'student',
  'joynewsspringfield',
  'dragon',
  'boat',
  'festival',
  'floodingmore',
  'newsnew',
  'temperature',
  'impact',
  'hour',
  'ago',
  'glenn',
  'kittle',
  'ryan',
  'string',
  'day',
  'massachusetts',
  'professional',
  'prescription',
  'drug',
  'medication',
  'news',
  'springfield',
  'holyoke',
  'agawam',
  'chicopee',
  'opening',
  'cooling',
  'hour',
  'ago',
  'ryan',
  'trowbridgeofficials',
  'springfield',
  'center',
  'weather',
  'week',
  'news',
  'dragon',
  'boat',
  'festival',
  'springfield',
  'river',
  'conditionsupdated',
  'hour',
  'ago',
  'matt',
  'price',
  'photojournalist',
  'rich',
  'crane',
  'ryan',
  'trowbridgethe',
  'rain',
  'flooding',
  'connecticut',
  'river',
  'event',
  'weekend',
  'sport',
  'fans',
  'foxboro',
  'day',
  'patriots',
  'training',
  'campupdated',
  'hour',
  'ago',
  'matt',
  'sottile',
  'ryan',
  'trowbridgepatriots',
  'football',
  'world',
  'news',
  'jury',
  'kevin',
  'spacey',
  'assault',
  'charge',
  'allegation',
  'man',
  'year',
  'hour',
  'ago',
  'associated',
  'pressspacey',
  'assault',
  'wednesday',
  'star',
  'turn',
  'witness',
  'defense',
  'prison',
  'term',
  'shot',
  'career',
  'comeback',
  'newswoman',
  'air',
  'car',
  'window',
  'police',
  'hour',
  'ago',
  'rob',
  'polanskya',
  'woman',
  'explosion',
  'vehicle',
  'weekend',
  'police',
  'world',
  'news5',
  'woman',
  'quarter',
  'hour',
  'ago',
  'cnn',
  'u.s.',
  'mint',
  'quarter',
  'honoree',
  'week',
  'world',
  'newsgas',
  'price',
  'day',
  'increase',
  'hour',
  'ago',
  'cnn',
  'newsource',
  'staffgas',
  'price',
  'year',
  'news',
  'wilbraham',
  'crew',
  'power',
  'outage',
  'tree',
  'jul.',
  'pm',
  'abigail',
  'murillo',
  'villacortacrews',
  'wilbraham',
  'scene',
  'tree',
  'wire',
  'power',
  'outage',
  'area',
  'springfield',
  'street',
  'tuesday',
  'evening',
  'news',
  'heavy',
  'downpour',
  'wind',
  'hampden',
  'countyupdated',
  'jul.',
  'pm',
  'maria',
  'wilson',
  'photojournalist',
  'marcos',
  'figueroa',
  'abigail',
  'murillo',
  'villacortawhile',
  'rain',
  'springfield',
  'tuesday',
  'afternoon',
  'sky',
  'thunder',
  'distance',
  'news',
  'town',
  'town',
  'paper',
  'board',
  'packaging',
  'competition',
  'teen',
  'leadership',
  'experience',
  'jul.',
  'pm',
  'edt',
  'addie',
  'patterson',
  'abigail',
  'murillo',
  'villacorta',
  'photojournalist',
  'kevin',
  'culverhouse',
  'photojournalist',
  'john',
  "o'donoghuetown",
  'town',
  'springfield',
  'west',
  'springfield',
  'news',
  'mgm',
  'springfield',
  'sport',
  'bettingupdated',
  'jul.',
  'pm',
  'edt',
  'addie',
  'patterson',
  'ryan',
  'trowbridgethe',
  'massachusetts',
  'gaming',
  'commission',
  'fine',
  'mgm',
  'springfield',
  'sport',
  'wager',
  'event',
  'massachusetts',
  'college',
  'team',
  'baystate',
  'midwife',
  'importance',
  'world',
  'ivf',
  'dayupdated',
  'jul.',
  'pm',
  'edt',
  'abbey',
  'carnivale',
  'photojournalist',
  'erik',
  'rosario',
  'ryan',
  'trowbridgetuesday',
  'july',
  'date',
  'birthdate',
  'movement',
  'newsformer',
  'chicopee',
  'school',
  'superintendent',
  'court',
  'case',
  'place',
  'evidence',
  'jul.',
  'pm',
  'matt',
  'sottile',
  'photojournalist',
  'kevin',
  'culverhouse',
  'abigail',
  'murillo',
  'villacortalynn',
  'clark',
  'chicopee',
  'school',
  'superintendent',
  'jury',
  'fbi',
  'police',
  'chief',
  'candidate',
  'phone',
  'number',
  'place',
  'text',
  'message',
  'evidence',
  'question',
  'news',
  'trainer',
  'bronny',
  'james',
  'cardiac',
  'jul.',
  'pm',
  'glenn',
  'kittle',
  'ryan',
  'trowbridgebronny',
  'james',
  'son',
  'nba',
  'superstar',
  'lebron',
  'james',
  'arrest',
  'basketball',
  'practice',
  'monday',
  'news',
  'union',
  'confidence',
  'hampshire',
  'regional',
  'school',
  'superintendentupdated',
  'jul.',
  'pm',
  'daniel',
  'santiago',
  'ryan',
  'trowbridgethere',
  'vote',
  'confidence',
  'school',
  'superintendent',
  'hampshire',
  'regional',
  'school',
  'district',
  'member',
  'teacher',
  'union',
  'concern',
  'world',
  'newseducation',
  'department',
  'investigation',
  'harvard',
  'legacy',
  'jul.',
  'pm',
  'associated',
  'press',
  'michael',
  'college',
  'treatment',
  'child',
  'alumnus',
  'scrutiny',
  'supreme',
  'court',
  'month',
  'use',
  'action',
  'tool',
  'college',
  'campus',
  'news',
  'hadley',
  'woman',
  'powerball',
  'prizeupdated',
  'jul.',
  'pm',
  'edt',
  'ryan',
  'trowbridgethe',
  'winner',
  'powerball',
  'prize',
  'hadley',
  'prize',
  'news',
  'easthampton',
  'teen',
  'family',
  'needupdated',
  'jul.',
  'pm',
  'wesley',
  'days',
  'ryan',
  'trowbridgewhat',
  'business',
  'boy',
  'easthampton',
  'summer',
  'news',
  'hampden',
  'county',
  'sheriff',
  'warning',
  'scam',
  'jul.',
  'pm',
  'matt',
  'price',
  'ryan',
  'trowbridgethe',
  'hampden',
  'county',
  'sheriff',
  'department',
  'phone',
  'law',
  'enforcement',
  'title',
  'money',
  'world',
  'news',
  'ups',
  'contract',
  'worker',
  'strike',
  'jul.',
  'pm',
  'associated',
  'pressthe',
  'agreement',
  'ups',
  'teamsters',
  'negotiating',
  'table',
  'tuesday',
  'point',
  'sector',
  'contract',
  'north',
  'america',
  'world',
  'news',
  'lebron',
  'james',
  'son',
  'arrest',
  'basketball',
  'jul.',
  'pm',
  'associated',
  'pressthe',
  'spokesman',
  'staff',
  'james',
  'site',
  'hospital',
  'condition',
  'care',
  'unit',
  'newsweathersportscontact',
  'liberty',
  'streetspringfield',
  'ma',
  'serviceprivacy',
  'policyfcc',
  'applicationspublic',
  'inspection',
  'reportclosed',
  'captioning',
  'audio',
  'descriptionnewspublic',
  'file',
  '0118advertisingdigital',
  'advertisingat',
  'gray',
  'journalist',
  'news',
  'content',
  'community',
  'approach',
  'intelligence',
  'gray',
  'media',
  'group',
  'inc.',
  'station',
  'gray',
  'television',
  'inc.'],
 ['hunter',
  'biden',
  'plea',
  'deal',
  'ufo',
  'takeaway',
  'whistleblower',
  'congress',
  'uap',
  'sinéad',
  "o'connor",
  'grammy',
  'singer',
  'netherlands',
  'u.s.',
  'draw',
  'rematch',
  'world',
  'cup',
  'federal',
  'reserve',
  'interest',
  'rate',
  'level',
  'year',
  'niger',
  'president',
  'guard',
  'coup',
  'ohio',
  'officer',
  'k-9',
  'man',
  'hand',
  'story',
  'tic',
  'tac',
  'ufo',
  'rain',
  'road',
  'new',
  'york',
  'u.s.',
  'road',
  'weather',
  'july',
  'pm',
  'cbs',
  'news',
  'vermont',
  'flooding',
  'vermont',
  'flooding',
  'northeast',
  'section',
  'u.s.',
  'deluge',
  'storm',
  'sunday',
  'condition',
  'road',
  'flooding',
  'new',
  'york',
  'road',
  'cbs',
  'news',
  'correspondent',
  'errol',
  'barnett',
  'chunk',
  'route',
  'rainfall',
  'downpour',
  'drainage',
  'pipe',
  'dirt',
  'debris',
  'drainage',
  'pipe',
  'asphalt',
  'example',
  'storm',
  'system',
  'place',
  'view',
  'post',
  'instagram',
  'post',
  'planet',
  'cbs',
  'news',
  '@cbsnewsplanet',
  'time',
  'weather',
  'concrete',
  'temperature',
  'road',
  'summer',
  'texas',
  'highway',
  'damage',
  'digit',
  'temperature',
  'weather',
  'road',
  'u.s.',
  'weather',
  'temperature',
  'u.s.',
  'environmental',
  'protection',
  'agency',
  'nation',
  'transportation',
  'system',
  'weather',
  'climate',
  'change',
  'system',
  'time',
  'u.s.',
  'road',
  'u.s.',
  'country',
  'world',
  'mile',
  'land',
  'lot',
  'space',
  'road',
  'mile',
  'road',
  'u.s.',
  'u.s.',
  'geological',
  'survey',
  'interstate',
  'highway',
  'system',
  'agency',
  'material',
  'road',
  'maintenance',
  'tear',
  'u.s.',
  'highway',
  'layer',
  'agency',
  'soil',
  'soil',
  'inch',
  'aggregate',
  'middle',
  'inch',
  'concrete',
  'layer',
  'combinate',
  'material',
  '%',
  'aggregate',
  '%',
  'water',
  '%',
  'cement',
  '%',
  'air',
  'dr.',
  'klaus',
  'hans',
  'jacob',
  'geophysicist',
  'columbia',
  'university',
  'lamont',
  'doherty',
  'earth',
  'observatory',
  'year',
  'disaster',
  'risk',
  'management',
  'climate',
  'change',
  'cbs',
  'news',
  'road',
  'highway',
  'embankment',
  'problem',
  'stream',
  'river',
  'issue',
  'datum',
  'decade',
  'road',
  'weather',
  'climate',
  'condition',
  'climate',
  'condition',
  'road',
  'highway',
  'settlement',
  'flash',
  'flood',
  'effect',
  'climate',
  'change',
  'heat',
  'precipitation',
  'sea',
  'level',
  'risejacob',
  'cbs',
  'news',
  'atmosphere',
  'ocean',
  'moisture',
  'air',
  'precipitation',
  'moisture',
  'body',
  'water',
  'force',
  'gravel',
  'sand',
  'rock',
  'pebble',
  'road',
  'air',
  'cat',
  'dog',
  'rainfall',
  'land',
  'rate',
  'datum',
  'kind',
  'flash',
  'flood',
  'embankment',
  'bank',
  'road',
  'course',
  'sea',
  'level',
  'storm',
  'climate',
  'change',
  'toll',
  'road',
  'epa',
  'road',
  'material',
  'impact',
  'jacob',
  'result',
  'people',
  'trouble',
  'home',
  'school',
  'store',
  'appointment',
  'epa',
  'precipitation',
  'road',
  'impact',
  'storm',
  'flooding',
  'mudslide',
  'route',
  'cornwall',
  'west',
  'point',
  'pic.twitter.com/zdxmjakq7',
  'm',
  'nsfwwx',
  'july',
  'exposure',
  'flooding',
  'snow',
  'event',
  'life',
  'expectancy',
  'highway',
  'road',
  'epa',
  'road',
  'infrastructure',
  'area',
  'flooding',
  'sea',
  'level',
  'rise',
  'storm',
  'heat',
  'road',
  'road',
  'u.s.',
  'asphalt',
  'concrete',
  'material',
  'asphalt',
  'cement',
  'sand',
  'rock',
  'u.s.',
  'department',
  'transportation',
  'problem',
  'temperature',
  'pavement',
  'epa',
  'view',
  'damage',
  'parking',
  'lot',
  'rainfall',
  'new',
  'york',
  'city',
  'dozen',
  'water',
  'rescue',
  'roadway',
  'foot',
  'rain',
  'hour',
  'sunday',
  'orange',
  'county',
  'new',
  'york',
  'united',
  'states',
  'july',
  'lokman',
  'vural',
  'elibol',
  'anadolu',
  'agency',
  'getty',
  'images',
  'pavement',
  'contract',
  'temperature',
  'wisconsin',
  'department',
  'transportation',
  'video',
  'impact',
  'change',
  'heat',
  'moisture',
  'content',
  'pavement',
  'design',
  'limit',
  'pavement',
  '"jacob',
  'asphalt',
  'heat',
  'road',
  'road',
  'car',
  'truck',
  'paste',
  'heat',
  'issue',
  'u.s.',
  'year',
  'week',
  'segment',
  'interstate',
  'texas',
  'temperature',
  'texas',
  'department',
  'transporation',
  'lane',
  'traffic',
  'segment',
  'road',
  'barrier',
  'txdot',
  'crew',
  'scene',
  'segment',
  'east',
  'freeway',
  'frontage',
  'road',
  'wayside',
  'heat',
  'road',
  'wayside',
  'entrance',
  'ramp',
  'wayside',
  'detour',
  'mainlane',
  'pic.twitter.com/0k151prehk',
  'hou',
  'district',
  '@txdothouston',
  'june',
  'road',
  'emergency',
  'u.s.',
  'government',
  'accountability',
  'office',
  'report',
  'point',
  'danger',
  'road',
  'climate',
  'change',
  'u.s.',
  'road',
  'change',
  'climate',
  'route',
  'emergency',
  'evacuation',
  'disaster',
  'agency',
  'climate',
  'damage',
  'road',
  'end',
  'century',
  'jacob',
  'precipitation',
  'damage',
  'effect',
  'weather',
  'funding',
  'engineering',
  'problem',
  'issue',
  'government',
  'agency',
  'option',
  'department',
  'transportation',
  'climate',
  'resilience',
  'federal',
  'highways',
  'administration',
  'policy',
  'design',
  'standard',
  'building',
  'code',
  'climate',
  'resilience',
  'action',
  'incentive',
  'penalty',
  'jacob',
  'cement',
  'material',
  'road',
  'material',
  'expertise',
  'funding',
  'design',
  'information',
  'datum',
  'infrastructure',
  'climate',
  'change',
  'loss',
  'billion',
  'nation',
  'federal',
  'highway',
  'administration',
  'approach',
  'state',
  'road',
  'bridge',
  'event',
  'weather',
  'department',
  'biden',
  'administration',
  'emergency',
  'relief',
  'program',
  'fund',
  'state',
  'district',
  'columbia',
  'puerto',
  'rico',
  'department',
  'administration',
  'goal',
  'infrastructure',
  'bipartisan',
  'infrastructure',
  'law',
  'resiliency',
  'transportation',
  'infrastructure',
  'face',
  'climate',
  'change',
  'program',
  'eligibility',
  'promoting',
  'resilient',
  'operations',
  'transformative',
  'cost',
  'transportation',
  'protect',
  'formula',
  'discretionary',
  'grant',
  'program',
  'highway',
  'administration',
  'application',
  'grant',
  'resilience',
  'climate',
  'change',
  'impact',
  'question',
  'investment',
  'jacob',
  'issue',
  'adaptation',
  'fuel',
  'use',
  'thing',
  'future',
  'planet',
  'climate',
  'change',
  'news',
  'features',
  'greece',
  'fire',
  'july',
  'emission',
  'record',
  'week',
  'death',
  'toll',
  'wildfire',
  'char',
  'europe',
  'north',
  'africa',
  'florida',
  'ocean',
  'temperature',
  'degree',
  'fahrenheit',
  'extreme',
  'heat',
  'shift',
  'sport',
  'u.s.',
  'city',
  'heat',
  'island',
  'expert',
  'weather',
  'forecast',
  'climate',
  'change',
  'road',
  'conditions',
  'infrastructure',
  'new',
  'york',
  'li',
  'cohen',
  'media',
  'producer',
  'content',
  'writer',
  'cbs',
  'news',
  'july',
  'pm',
  'cbs',
  'interactive',
  'inc.',
  'rights',
  'thank',
  'cbs',
  'news',
  'account',
  'feature',
  'email',
  'address',
  'email',
  'address',
  'weather',
  'heat',
  'human',
  'climate',
  'change',
  'weather',
  'extreme',
  'study',
  'chicago',
  'weather',
  'alert',
  'storm',
  'threat',
  'humid',
  'thursday',
  'climate',
  'change',
  'role',
  'weather',
  'world',
  'copyright',
  'cbs',
  'interactive',
  'inc.',
  'right',
  'privacy',
  'policy',
  'california',
  'notice',
  'personal',
  'information',
  'terms',
  'use',
  'advertise',
  'captioning',
  'cbs',
  'news',
  'paramount+',
  'cbs',
  'news',
  'store',
  'site',
  'map',
  'contact',
  'browser',
  'notification',
  'news',
  'event',
  'reporting'],
 ['transfer',
  'student',
  'university',
  'arkansas',
  'speech',
  'democracy',
  'washington',
  'county',
  'sheriff',
  'office',
  'arrest',
  'man',
  'gun',
  'drug',
  'gang',
  'charge',
  'week',
  'weekend',
  'new',
  'washington',
  'county',
  'flood',
  'map',
  'severe',
  'weather',
  'photo',
  'gallery',
  'damage',
  'storm',
  'arkansas',
  'oklahoma',
  'night',
  'storm',
  'thousand',
  'power',
  'fence',
  'tree',
  'example',
  'video',
  'title',
  'video',
  'cdt',
  'june',
  'pm',
  'cdt',
  'june',
  'arkansas',
  'usa',
  'weather',
  'arkansas',
  'oklahoma',
  'lot',
  'storm',
  'damage',
  'debris',
  'thousand',
  'power',
  'area',
  'damage',
  'tree',
  'fence',
  'chicken',
  'house',
  'damage',
  'home',
  'business',
  'photo',
  'viewer',
  'photo',
  'day',
  'photo',
  '5news',
  'app',
  'facebook',
  'storm',
  'debris',
  'arkansas',
  'oklahoma',
  'river',
  'valley',
  'tornado',
  'father',
  'day',
  'morning',
  'overnight',
  'weather',
  'thousand',
  'power',
  'download',
  '5news',
  'app',
  'smartphone',
  'stream',
  '5news',
  '24/7',
  'app',
  '+',
  'app',
  'streaming',
  'device',
  'typo',
  'error',
  'kfsmdigitalteam@tegna.com',
  'detail',
  'story',
  'eeo',
  'public',
  'file',
  'report',
  'fcc',
  'online',
  'public',
  'inspection',
  'file',
  'closed',
  'caption',
  'procedure',
  'personal',
  'information',
  'kfsm',
  'tv',
  'rights',
  'kfsm',
  'notification',
  'news',
  'weather',
  'notification',
  'browser',
  'setting'],
 ['view',
  'calendarsubmit',
  'eventmeet',
  'teamadvertise',
  'us!subscribesubscribegovernmentculturebusinesseducationhealthpolice',
  'firesportsweekly',
  'review',
  'delaware',
  'hurricane',
  'season',
  'jarek',
  'rutz',
  'june',
  'headline',
  'health',
  'atlantic',
  'hurricane',
  'season',
  'june',
  'midst',
  'haze',
  'smoke',
  'northeast',
  'wildfire',
  'state',
  'challenge',
  'mother',
  'nature',
  'hurricane',
  'season',
  'delaware',
  'emergency',
  'management',
  'agency',
  'tip',
  'delaware',
  'resident',
  'visitor',
  'zone',
  'start',
  'hurricane',
  'season',
  'june',
  'agency',
  'delaware',
  'storm',
  'delmarva',
  'peninsula',
  'elevation',
  'state',
  'foot',
  'sea',
  'level',
  'history',
  'tropical',
  'storm',
  'isaias',
  'august',
  'state',
  'tornado',
  'delaware',
  'ef2',
  'tornado',
  'dover',
  'kent',
  'county',
  'southwest',
  'glasgow',
  'new',
  'castle',
  'county',
  'milford',
  'woman',
  'tree',
  'storm',
  'ef2',
  'tornado',
  'damage',
  'wind',
  'mile',
  'hour',
  'september',
  'remnant',
  'hurricane',
  'ida',
  'rainfall',
  'brandywine',
  'creek',
  'area',
  'downtown',
  'wilmington',
  'people',
  'flooding',
  'million',
  'dollar',
  'property',
  'damage',
  'disaster',
  'declaration',
  'new',
  'castle',
  'county',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'hurricane',
  'season',
  'storm',
  'hurricane',
  'hurricane',
  'wind',
  'mile',
  'hour',
  'hurricane',
  'gust',
  'mile',
  'hour',
  'administration',
  'preparede',
  'ready.gov',
  'national',
  'weather',
  'service',
  'national',
  'hurricane',
  'center',
  'hurricanestrong',
  'information',
  'resource',
  'action',
  'resource',
  'zone',
  'user',
  'location',
  'state',
  'evacuation',
  'zone',
  'user',
  'zone',
  'evacuation',
  'zone',
  'lookup',
  'tool',
  'evacuation',
  'zone',
  'map',
  'address',
  'evacuation',
  'zone',
  'event',
  'hurricane',
  'evacuation',
  'zones',
  'delaware',
  'b',
  'c',
  'd.',
  'zone',
  'area',
  'flooding',
  'storm',
  'surge',
  'emergency',
  'disaster',
  'state',
  'evacuation',
  'warning',
  'order',
  'community',
  'evacuation',
  'zone',
  'delaware',
  'hurricane',
  'zone',
  'preparede',
  'tip',
  'resident',
  'safety',
  'plan',
  'hurricane',
  'flood',
  'risk',
  'step',
  'evacuation',
  'zone',
  'flood',
  'zone',
  'coast',
  'risk',
  'remnant',
  'system',
  'tornado',
  'rainfall',
  'life',
  'flooding',
  'area',
  'mile',
  'coast',
  'hurricane',
  'area',
  'family',
  'community',
  'emergency',
  'plan',
  'declutter',
  'drain',
  'gutter',
  'water',
  'tree',
  'property',
  'tree',
  'limb',
  'flood',
  'insurance',
  'policy',
  'day',
  'policy',
  'effect',
  'homeowner',
  'policy',
  'flooding',
  'account',
  'senior',
  'need',
  'preparedness',
  'buddy',
  'program',
  'individual',
  'office',
  'animal',
  'welfare',
  'delaware',
  'animal',
  'response',
  'program',
  'resource',
  'pet',
  'emergency',
  'plan',
  'family',
  'child',
  'plan',
  'family',
  'emergency',
  'management',
  'agency',
  'safety',
  'rescue',
  'kit',
  'supply',
  'week',
  'member',
  'family',
  'food',
  'water',
  'medication',
  'infant',
  'formula',
  'diaper',
  'child',
  'aid',
  'kit',
  'flashlight',
  'radio',
  'match',
  'container',
  'battery',
  'cash',
  'place',
  'case',
  'atms',
  'supply',
  'crate',
  'food',
  'water',
  'item',
  'document',
  'place',
  'password',
  'copy',
  'container',
  'copy',
  'cell',
  'phone',
  'power',
  'bank',
  'car',
  'charger',
  'phone',
  'time',
  'car',
  'gasoline',
  'tank',
  'propane',
  'tank',
  'grill',
  'generator',
  'power',
  'backup',
  'source',
  'generator',
  'gasoline',
  'machinery',
  'window',
  'neighbor',
  'supply',
  'insurance',
  'policy',
  'property',
  'advance',
  'photograph',
  'case',
  'insurance',
  'claim',
  'list',
  'storm',
  'world',
  'meteorological',
  'organization',
  'year',
  'storm',
  'harvey',
  'irma',
  'maria',
  'nate',
  'season',
  'cyclone',
  'arlene',
  'bret',
  'cindy',
  'don',
  'emily',
  'franklin',
  'gert',
  'harold',
  'idalia',
  'jose',
  'katia',
  'lee',
  'margot',
  'nigel',
  'ophelia',
  'philippe',
  'rina',
  'sean',
  'tammy',
  'vince',
  'whitney',
  'information',
  'hurricane',
  'season',
  'resource',
  'deldot',
  'state',
  'evacuation',
  'route',
  'arcgis',
  'deldot',
  'mobile',
  'phone',
  'app',
  'free',
  'fema',
  'mobile',
  'phone',
  'app',
  'free',
  'fema',
  'general',
  'hurricane',
  'information',
  'fema',
  'general',
  'evacuation',
  'information',
  'noaa',
  'national',
  'hurricane',
  'center',
  'hurricane',
  'tracker',
  'noaa',
  'national',
  'weather',
  'service',
  'hurricane',
  'preparedness',
  'hurricanestrong.org',
  'city',
  'wilmington',
  'office',
  'emergency',
  'management',
  'new',
  'castle',
  'county',
  'office',
  'emergency',
  'management',
  'kent',
  'county',
  'emergency',
  'management',
  'sussex',
  'county',
  'emergency',
  'operations',
  'center',
  'story',
  'post',
  'legion',
  'championship07/26/2023frederica',
  'brian',
  'perry',
  'odd',
  'olympian',
  '07/26/2023new',
  'rep',
  'season',
  'heat',
  'night',
  'deathtrap',
  'exodus',
  "godot'07/26/2023plan",
  'delaware',
  'city',
  'pond',
  'sportsmen',
  'group07/26/2023jarek',
  'rutzraised',
  'doylestown',
  'pennsylvania',
  'jarek',
  'b.a.',
  'journalism',
  'b.a.',
  'science',
  'temple',
  'university',
  'cnn',
  'michael',
  'smerconish',
  'youtube',
  'channel',
  'jarek',
  'reporter',
  'bucks',
  'county',
  'herald',
  'delaware',
  'news',
  'jarek',
  'email',
  'email',
  'phone',
  'twitter',
  '@jarekrutz',
  'atlantic',
  'stormsdelaware',
  'emergency',
  'management',
  'agencydelaware',
  'hurricane',
  'seasonemergency',
  'planevacuation',
  'zoneshurricanepreparedestorm',
  'preparedness',
  'farm',
  'stand',
  'art',
  'institution',
  'flooding',
  'aftermath',
  'piece',
  'siw',
  'farm',
  'stand',
  'parking',
  'lot',
  'road',
  'update',
  'article',
  'siw',
  'opening',
  'saturday',
  'produce',
  'electricty',
  'farm',
  'stand',
  'area',
  'art',
  'attraction',
  'aftermath',
  'flooding',
  'ida',
  'remnant',
  'hurricane',
  'wednesday',
  'siw',
  'farm',
  'creek',
  'road',
  'chadds',
  'ford',
  'flood',
  'water',
  'good',
  'table',
  'market',
  'shed',
  'stand',
  'lot',
  'fan',
  'new',
  'castle',
  'county',
  'hagley',
  'museum',
  'library',
  'friday',
  'road',
  'building',
  'opening',
  'exhibit',
  'brandywine',
  'river',
  'museum',
  'art',
  'property',
  'lake',
  'drone',
  'video',
  'building',
  'art',
  'facebook',
  'post',
  'siw',
  'farmer',
  'h.g.',
  'kim',
  'haskell',
  'spring',
  'halloween',
  'flower',
  'produce',
  'variety',
  'cheese',
  'sweet',
  'product',
  'producer',
  'facebook',
  'picture',
  'facility',
  'post',
  'stand',
  'site',
  'fan',
  'aid',
  'siw',
  'produce',
  'satellite',
  'farm',
  'richardson',
  'hockessin',
  'friday',
  'saturday',
  'morning',
  'siw',
  'facebook',
  'creek',
  'road',
  'product',
  'patron',
  'cash',
  'electricity',
  'thee',
  'siw',
  'week',
  'hell',
  'chef',
  'robert',
  'lhulier',
  'co',
  '-',
  'owner',
  'snuff',
  'mill',
  'restaurant',
  'butchery',
  'wine',
  'bar',
  'independence',
  'mall',
  'facebook',
  'friday',
  'patron',
  'sam',
  'anderson',
  'fund',
  'page',
  'thank',
  'siw',
  'post',
  'haskells',
  'home',
  'foot',
  'water',
  'farmstead',
  'community',
  'fruit',
  'veggie',
  'pantry',
  'item',
  'field',
  'fork',
  'dinner',
  'series',
  'restaurant',
  'haskell',
  'family',
  'people',
  'anderson',
  'post',
  'fund',
  'haskells',
  'farmstead',
  'hagley',
  'museum',
  'site',
  'du',
  'pont',
  'family',
  'gun',
  'powder',
  'mill',
  'road',
  'water',
  'building',
  'site',
  'extent',
  'flooding',
  'damage',
  'hold',
  'opening',
  'exhibit',
  'nation',
  'inventors',
  'sept.',
  'spokeswoman',
  'laura',
  'jury',
  'water',
  'flood',
  'assessment',
  'damage',
  'bronze',
  'sculpture',
  'miss',
  'gratz',
  'brandywine',
  'river',
  'museum',
  'art',
  'flood',
  'water',
  'brandywine',
  'river',
  'museum',
  'art',
  'chadds',
  'ford',
  'wyeth',
  'family',
  'video',
  'flooding',
  'area',
  'building',
  'island',
  'middle',
  'lake',
  'facebook',
  'post',
  'artwork',
  'staff',
  'property',
  'building',
  'flooding',
  'photo',
  'bronze',
  'garden',
  'sculpture',
  'miss',
  'gratz',
  'j.',
  'clayton',
  'bright',
  'water',
  'eyeball',
  'organization',
  'emergency',
  'relief',
  'fund',
  'flood',
  'water',
  'siw',
  'farm',
  'creek',
  'road',
  'chadds',
  'ford',
  'piece',
  'siw',
  'farm',
  'stand',
  'parking',
  'lot',
  'road',
  'read',
  'morenew',
  'food',
  'fee',
  'money',
  'law',
  'money',
  'animal',
  'effect',
  'year',
  'law',
  'cost',
  'spay',
  'neutering',
  'rabie',
  'vaccination',
  'delaware',
  'animal',
  'registration',
  'fee',
  'food',
  'cash',
  'year',
  'estimate',
  'justin',
  'lontz',
  'delaware',
  'department',
  'agriculture',
  'computer',
  'program',
  'program',
  'company',
  'product',
  'fee',
  'house',
  'bill',
  '263',
  'law',
  'gov.',
  'john',
  'carney',
  'sept.',
  'food',
  'product',
  'registration',
  'fee',
  'year',
  'department',
  'agriculture',
  'animal',
  'food',
  'company',
  'registration',
  'fee',
  'year',
  'product',
  'food',
  'product',
  'system',
  'company',
  'type',
  'food',
  'size',
  'container',
  'food',
  'bag',
  'bag',
  'bag',
  'cat',
  'dog',
  'food',
  'kind',
  'animal',
  'feed',
  'lontz',
  'bill',
  'cat',
  'dog',
  'food',
  'food',
  'animal',
  'feed',
  'cat',
  'dog',
  'food',
  'increase',
  'registration',
  'fee',
  'law',
  'order',
  'program',
  'department',
  'agriculture',
  'software',
  'food',
  'animal',
  'feed',
  'notice',
  'bill',
  'food',
  'manufacturer',
  'fall',
  'fee',
  'jan.',
  'program',
  'lontz',
  'ag',
  'department',
  'estimate',
  'business',
  'food',
  'trend',
  'meat',
  'product',
  'number',
  'product',
  'year',
  'fee',
  'money',
  'spay',
  'program',
  'delaware',
  'dollar',
  'fee',
  'state',
  'fund',
  'year',
  'department',
  'agriculture',
  'upkeep',
  'software',
  'rest',
  'state',
  'spay',
  'program',
  'rabies',
  'vaccination',
  'program',
  'income',
  'owner',
  'shelter',
  'rescue',
  'worker',
  'cat',
  'animal',
  'shelter',
  'spay',
  'animal',
  'jane',
  'pierantozzi',
  'director',
  'faithful',
  'friends',
  'animal',
  'society',
  'animal',
  'money',
  'number',
  'cat',
  'delaware',
  'shelter',
  'spay',
  'animal',
  'money',
  'shelter',
  'animal',
  'shelter',
  'spay',
  'neuter',
  'animal',
  'usc',
  'davis',
  'shelter',
  'medicine',
  'program',
  'delaware',
  'roaming',
  'cat',
  'issue',
  'animal',
  'welfare',
  'community',
  'state',
  'state',
  'food',
  'fee',
  'rise',
  'bit',
  'half',
  'state',
  'fund',
  'department',
  'agriculture',
  'year',
  'law',
  'quarter',
  'spay',
  'program',
  'year',
  'fluctuation',
  'income',
  'law',
  'number',
  'food',
  'product',
  'state',
  'state',
  'office',
  'animal',
  'welfare',
  'report',
  'use',
  'fee',
  'year',
  'read',
  'morevirtual',
  'summit',
  'delaware',
  'system',
  'week',
  'day',
  'summit',
  'delaware',
  'system',
  'tuesday',
  'morning',
  'event',
  'sen.',
  'marie',
  'pinkney',
  'd',
  'new',
  'castle',
  'rep.',
  'melissa',
  'minor',
  'brown',
  'd',
  'new',
  'castle',
  'south',
  'a.m.',
  'p.m.',
  'tuesday',
  'feb.',
  'wednesday',
  'feb.',
  'public',
  'state',
  'state',
  'corrections',
  'summit',
  'speaker',
  'community',
  'listening',
  'session',
  'series',
  'discussion',
  'topic',
  'wellness',
  'people',
  'reach',
  'justice',
  'system',
  'experience',
  'staff',
  'state',
  '-',
  'entry',
  'program',
  'event',
  'announcement',
  'pinkney',
  'chair',
  'senate',
  'corrections',
  'public',
  'safety',
  'committee',
  'time',
  'prison',
  ...],
 ['search',
  'homepage',
  'local',
  'news',
  'national',
  'news',
  'project',
  'community',
  'politics',
  'fact',
  'fact',
  'local',
  'investigate',
  'weather',
  'local',
  'sports',
  'radar',
  'alerts',
  'map',
  'room',
  'wednesday',
  'child',
  'pollen',
  'forecast',
  'sports',
  'high',
  'school',
  'playbook',
  'community',
  'bell',
  'awards',
  'entertainment',
  'state',
  'addiction',
  'news',
  'love',
  'news',
  'team',
  'contact',
  'advertise',
  'wlky',
  'metv',
  'privacy',
  'notice',
  'terms',
  'use',
  'press',
  'type',
  'search',
  'video',
  'tornado',
  'building',
  'debris',
  'indiana',
  'town',
  'pm',
  'edt',
  'jun',
  'video',
  'tornado',
  'building',
  'debris',
  'indiana',
  'town',
  'pm',
  'edt',
  'jun',
  'alerts',
  'breaking',
  'update',
  'email',
  'inbox',
  'video',
  'tornado',
  'building',
  'debris',
  'indiana',
  'town',
  'pm',
  'edt',
  'jun',
  'tornado',
  'daylight',
  'camera',
  'indiana',
  'town',
  'player',
  'bargersville',
  'indianapolis',
  'mile',
  'louisville',
  'night',
  'weather',
  'number',
  'state',
  'wlky',
  'area',
  'bargersville',
  'region',
  'fire',
  'official',
  'twister',
  'mile',
  'damage',
  'home',
  'curfew',
  'effect',
  'person',
  'result',
  'indiana',
  'storm',
  'national',
  'weather',
  'service',
  'ground',
  'monday',
  'damage',
  'video',
  'credit',
  'eric',
  'ford',
  'tmx',
  'bargersville',
  'ind.',
  'tornado',
  'daylight',
  'camera',
  'indiana',
  'town',
  'player',
  'bargersville',
  'indianapolis',
  'mile',
  'louisville',
  'night',
  'weather',
  'number',
  'state',
  'wlky',
  'area',
  'bargersville',
  'region',
  'fire',
  'official',
  'twister',
  'mile',
  'damage',
  'home',
  'curfew',
  'effect',
  'person',
  'result',
  'indiana',
  'storm',
  'tornado',
  'weather',
  'damage',
  'home',
  'power',
  'state',
  'national',
  'weather',
  'service',
  'ground',
  'monday',
  'damage',
  'video',
  'credit',
  'eric',
  'ford',
  'tmx',
  'photo',
  'hail',
  'cloud',
  'damage',
  'sunday',
  'storm',
  'contact',
  'news',
  'team',
  'apps',
  'social',
  'email',
  'alerts',
  'careers',
  'internships',
  'digital',
  'advertising',
  'terms',
  'conditions',
  'broadcast',
  'terms',
  'conditions',
  'rss',
  'eeo',
  'captioning',
  'contacts',
  'public',
  'inspection',
  'file',
  'public',
  'file',
  'assistance',
  'fcc',
  'applications',
  'news',
  'policy',
  'statements',
  'hearst',
  'television',
  'affiliate',
  'marketing',
  'program',
  'commission',
  'product',
  'link',
  'retailer',
  'site',
  'hearst',
  'television',
  'inc.',
  'behalf',
  'wlky',
  'tv',
  'privacy',
  'notice',
  'california',
  'privacy',
  'rights',
  'interest',
  'ads',
  'terms',
  'use',
  'site',
  'map'],
 ['accessibility',
  'contentdemocracy',
  'darknesssign',
  'article',
  'year',
  'agothe',
  'washington',
  'postdemocracy',
  'darknesscapital',
  'weather',
  'gangthere',
  'percent',
  'chance',
  'rain',
  'storm',
  'tornado',
  'meteorologist',
  'kansas',
  'storm',
  'matthew',
  'cappuccijuly',
  'p.m.',
  'edta',
  'tornado',
  'seward',
  'county',
  'kansas',
  'wednesday',
  'david',
  'hardy',
  'comment',
  'storycommentgift',
  'articleshareon',
  'wednesday',
  'thunderstorm',
  'mile',
  'sky',
  'kansas',
  'downpour',
  'hail',
  'size',
  'golf',
  'ball',
  'tennis',
  'ball',
  'tornado',
  'storm',
  'wpget',
  'experience',
  'event',
  'day',
  'national',
  'weather',
  'service',
  'storm',
  'prediction',
  'center',
  'thunderstorm',
  'outlook',
  'risk',
  'storm',
  'national',
  'weather',
  'service',
  'office',
  'wall',
  'wall',
  'sunshine',
  'percent',
  'chance',
  'rain',
  'supercell',
  'thunderstorm',
  'storm',
  'chaser',
  'kansas',
  'maybut',
  'atmosphere',
  'forecast',
  'p.m.',
  'thunderstorm',
  'foot',
  'pair',
  'thunderstorm',
  'storm',
  'cell',
  'southernmost',
  'tornado',
  'p.m.',
  'advertisementthe',
  'national',
  'weather',
  'service',
  'phone',
  'ef1',
  'tornado',
  'scale',
  'twister',
  'intensity',
  'ef1s',
  'wind',
  'speed',
  'mph',
  'bill',
  'turner',
  'forecaster',
  'national',
  'weather',
  'service',
  'office',
  'dodge',
  'city',
  'kan.',
  'forecastkansa',
  'wednesday',
  'morning',
  'weather',
  'outlook',
  'storm',
  'prediction',
  'center',
  'weather',
  'texas',
  'tornado',
  'threat',
  'percent',
  'area',
  'center',
  'threat',
  'category',
  'cumulus',
  'field',
  'supercell',
  'tonight',
  'kansas',
  'pic.twitter.com/8r97l79rmi',
  'dakota',
  'smith',
  '@weatherdak',
  'july',
  'weather',
  'science',
  'surprise',
  'turner',
  'ingredient',
  'place',
  'storm',
  'case',
  'day',
  'summertime',
  'triggering',
  'mechanism',
  'reason',
  'advertisement“we',
  'confidence',
  'turner',
  'afternoontime',
  'core',
  'pic.twitter.com/7sue7jlgad',
  'honkey',
  '@pinchehonkey',
  'july',
  'turner',
  'wednesday',
  'morning',
  'forecast',
  'shift',
  'colleague',
  'atmosphere',
  'availability',
  'fuel',
  'storm',
  'summertime',
  'day',
  'sky',
  'pit',
  'firewood',
  'kindling',
  'match',
  'office',
  'area',
  'forecast',
  'discussion',
  'meteorologist',
  'rogue',
  'storm',
  'medicine',
  'lodge',
  'pratt',
  'mile',
  'focus',
  'temperature',
  'storm',
  'p.m.',
  'southernmost',
  'rotation',
  'seward',
  'county',
  'kansas',
  'tornado',
  'warning',
  'tornado',
  'p.m.',
  'advertisementdevin',
  'hardy',
  'storm',
  'chaser',
  'kansas',
  'home',
  'photo',
  'funnel',
  'sky',
  'dinner',
  'lightning',
  'area',
  'alert',
  'phone',
  'hardy',
  'twitter',
  'message',
  'radar',
  'catch',
  'example',
  'place',
  'time',
  'pic.twitter.com/cgcdr5gob1',
  'honkey',
  '@pinchehonkey',
  'july',
  'meteorologist',
  'head',
  'forecast',
  'environment',
  'trigger',
  'cloud',
  'tornado',
  'turner',
  'boundary',
  'temperature',
  'change',
  'distance',
  'convergence',
  'surface',
  'storm',
  '“we',
  'stratus',
  'cloud',
  'yesterday',
  'morning',
  'stratocumulus',
  'turner',
  'guess',
  'heating',
  'boundary',
  'tornado',
  'ground',
  'minute',
  'damage',
  'journey',
  'tornado',
  'ef1',
  'rating',
  'challenge',
  'lack',
  'structure',
  'damage',
  'indicator',
  'turner',
  '”the',
  'rating',
  'storm',
  'clash',
  'irrigation',
  'sprinkler',
  '“the',
  'thing',
  'seward',
  'county',
  'wheat',
  'dirt',
  'turner',
  'damage',
  'irrigation',
  'sprinkler',
  'damage',
  'report',
  'mph',
  'one].”a',
  'year',
  'kansasin',
  'addition',
  'wednesday',
  'tornado',
  'kansas',
  'tornado',
  'season',
  'week',
  'june',
  'july',
  'heat',
  'air',
  'masse',
  'jet',
  'stream',
  'wind',
  'energy',
  'tornado',
  'advertisementthis',
  'year',
  'kansas',
  'tornado',
  'season',
  'record',
  'tornado',
  'dodge',
  'city',
  'office',
  'forecast',
  'area',
  'year',
  'place',
  'twister',
  'county',
  'warning',
  'area',
  'tornado',
  'picture',
  'turner',
  'supercell',
  'ground',
  'minute',
  '”supercells',
  'thunderstorm',
  'updraft',
  '“we',
  'ton',
  'supercell',
  'year',
  'tornado',
  'production',
  'turner',
  'storm',
  'instability',
  'thing',
  'month',
  'thunderstorm',
  'kansas',
  'wind',
  'dynamic',
  'thunderstorm',
  'buildup',
  'instability',
  'time',
  'year',
  'season',
  'storm',
  'chaser',
  'ton',
  '[',
  'instability',
  'evapotranspiration',
  'turner',
  'process',
  'plant',
  'moisture',
  'air',
  'boundary',
  'storm',
  'day',
  'storm',
  'thursday',
  'tennessee',
  'tornado',
  'death',
  'toll',
  'lack',
  'warning',
  'awareness',
  'readiness',
  'commentsgift',
  'articlegift',
  'articleloading',
  'view',
  'more2023',
  'heat',
  'tracker1690',
  'degree',
  'day',
  'faraverage',
  'year',
  'date23yearly',
  'average40record',
  'most67',
  'fewest7',
  'year38top',
  'analysis',
  'hill',
  'white',
  'housejudge',
  'brake',
  'hunter',
  'biden',
  'pleagiuliani',
  'statement',
  'georgia',
  'election',
  'workersas',
  'inflation',
  'gop',
  'attack',
  'biden',
  'economyrefreshtry',
  'account',
  'preferencestweet',
  'post',
  'newsroom',
  'policies',
  'standards',
  'diversity',
  'inclusion',
  'careers',
  'media',
  'community',
  'relations',
  'wp',
  'creative',
  'group',
  'accessibility',
  'statement',
  'postgift',
  'subscriptions',
  'mobile',
  'apps',
  'newsletters',
  'alerts',
  'washington',
  'post',
  'live',
  'reprints',
  'permissions',
  'post',
  'store',
  'books',
  'e',
  '-',
  'book',
  'newspaper',
  'education',
  'print',
  'archives',
  'subscribers',
  'today',
  'paper',
  'public',
  'notices',
  'contact',
  'uscontact',
  'newsroom',
  'contact',
  'customer',
  'care',
  'contact',
  'opinions',
  'team',
  'advertise',
  'licensing',
  'syndication',
  'request',
  'correction',
  'news',
  'tip',
  'report',
  'vulnerability',
  'terms',
  'usedigital',
  'products',
  'terms',
  'sale',
  'print',
  'products',
  'term',
  'sale',
  'terms',
  'service',
  'privacy',
  'policy',
  'cookie',
  'settings',
  'submissions',
  'discussion',
  'policy',
  'rss',
  'terms',
  'service',
  'ad',
  'choices',
  'washington',
  'postwashingtonpost.com',
  'washington',
  'postabout',
  'post',
  'contact',
  'newsroom',
  'contact',
  'customer',
  'care',
  'request',
  'correction',
  'news',
  'tip',
  'report',
  'vulnerability',
  'download',
  'washington',
  'post',
  'app',
  'policies',
  'standards',
  'terms',
  'service',
  'privacy',
  'policy',
  'cookie',
  'settings',
  'print',
  'products',
  'terms',
  'sale',
  'digital',
  'products',
  'terms',
  'sale',
  'submissions',
  'discussion',
  'policy',
  'rss',
  'terms',
  'service',
  'ad',
  'choice'],
 ['83ºjoin',
  'insidersign',
  'insearchnewswatch',
  'livelocal',
  'newsfloridageorgianationalcoronavirusfluvaxjaxvote',
  '2024your',
  'voice',
  'matterspoliticsi',
  'teamtrust',
  'indexcommunitysnapjaxhealthmoneyeducationconsumerentertainmentweird',
  'newstrafficsnapjaxskycamsalertshurricanesplan',
  'preparegeorgiast',
  '.',
  'augustinesurf',
  'tidesenvironmentforecasting',
  'changenews4jax+watch',
  'livenews4jax',
  'insiderhow',
  'news4jax+download',
  'news4jax',
  'appsthe',
  'morning',
  'showriver',
  'city',
  'livepodcaststhis',
  'week',
  'jacksonvillesolutionariessomething',
  'goodtv',
  'listingssportssports',
  'videosjaguarsjaguar',
  'statsnews4jags',
  'podcastgators',
  'breakdowngators',
  'statshigh',
  'school',
  'sportsfootball',
  'fridaygoing',
  'ringside',
  'podcastv4rsity',
  'podcastall',
  'star',
  'athletefeaturesnews4jax',
  'insiderpositively',
  'jaxriver',
  'city',
  'livedeals4jaxnews4jax+look',
  'local4',
  'infotravelcommunity',
  'calendarjacksonville',
  'image',
  'awardsfood',
  'recipeslive',
  'healthpetsusay',
  'votingriver',
  'city',
  'livewatch',
  'river',
  'city',
  'liveeats',
  'treatsbeatswellnesslocal',
  'spotlightpetsshoppingjax',
  'bestfoodactivitiesshoppingplacesnewsletterssign',
  'newsletterswjxtcontact',
  'uscareers',
  'wjxt',
  'wcwjsnapjaxmeet',
  'teamadvertise',
  'uscw17cw',
  'program',
  'guidebouncenewsweathernews4jax+sportsfeaturesriver',
  'city',
  'livejax',
  'bestnewsletterswjxtcw17newsweathernews4jax+sportsfeaturesriver',
  'city',
  'livejax',
  'bestnewsletterswjxtcw17livewatch',
  "o'clock",
  'newsthe',
  'day',
  'story',
  'news',
  'weather',
  'sport',
  'news4jax',
  'team',
  "o'clock",
  'newshidegeorgiarebecca',
  'barry',
  'meteorologiststeve',
  'patrick',
  'digital',
  'managing',
  'editorpublished',
  'february',
  'pmupdated',
  'february',
  'pmtags',
  'georgia',
  'stormssign',
  'newsletterslatest',
  'minute',
  'agost',
  'johns',
  'county',
  'man',
  'degree',
  'murder',
  'charge',
  'downtown',
  'jacksonville',
  'shooting1',
  'hour',
  'agoembattled',
  'st.',
  'augustine',
  'doctor',
  'charge',
  'pill',
  'mill',
  'case1',
  'hour',
  'agopleasant',
  'night',
  'moon1',
  'hour',
  'agolake',
  'asbury',
  'road',
  'project',
  'resident',
  'july',
  'jaxmy',
  'petunia',
  'ios',
  'appgeorgianational',
  'weather',
  'service',
  'tornado',
  'waycrosstrees',
  'power',
  'line',
  'storm',
  'georgiarebecca',
  'barry',
  'meteorologiststeve',
  'patrick',
  'digital',
  'managing',
  'editorpublished',
  'february',
  'pmupdated',
  'february',
  'pmtags',
  'georgia',
  'stormsef-0',
  'tornado',
  'csx',
  'crossroad',
  'waycross',
  'wjxt)the',
  'national',
  'weather',
  'service',
  'southeast',
  'georgia',
  'thursday',
  'night',
  'tornado',
  'scale',
  'waycross',
  'tornado',
  'mph',
  'wind',
  'p.m.',
  'csx',
  'transportation',
  'crossroad',
  'ground',
  'foot',
  'length',
  'football',
  'field',
  'width',
  'path',
  'tornado',
  'yard',
  'tree',
  'powerline',
  'waycross',
  'ware',
  'county',
  'report',
  'structure',
  'tree',
  'blackshear',
  'highway',
  'pierce',
  'county',
  'georgia',
  'tree',
  'interstate',
  'dunwoody',
  'north',
  'atlanta',
  'car',
  'injury',
  'authority',
  'tree',
  'state',
  'gordon',
  'county',
  'home',
  'roof',
  'outbuilding',
  'student',
  'place',
  'tornado',
  'warning',
  'effect',
  'atlanta',
  'suburb',
  'university',
  'georgia',
  'athens',
  'child',
  'lawrenceville',
  'area',
  'school',
  'hallway',
  'weather',
  'home',
  'business',
  'power',
  'south',
  'rain',
  'friday',
  'region',
  'rain',
  'flood',
  'storm',
  'people',
  'dozen',
  'state',
  'national',
  'weather',
  'service',
  'friday',
  'system',
  'eastern',
  'seaboard',
  'wind',
  'region',
  'mph',
  'nation',
  'capital',
  'people',
  'place',
  'southeast',
  'school',
  'district',
  'class',
  'report',
  'damage',
  'power',
  'outage',
  'storm',
  'jacksonville',
  'areacopyright',
  'wjxt',
  'news4jax',
  'right',
  'moment',
  'community',
  'guidelines',
  'tv',
  'listingscontact',
  'usemail',
  'newslettersrss',
  'feedscontests',
  'rulesclosed',
  'captioning',
  'audio',
  'descriptioncareers',
  'wjxt',
  'wcwjterm',
  'usewjxt',
  'public',
  'filewcwj',
  'applicationsprivacy',
  'policydo',
  'infofollow',
  'usfacebooktwitterinstagramrssget',
  'result',
  'omnefor',
  'assistance',
  'wjxt',
  'wcwj',
  'fcc',
  'inspection',
  'file',
  'news4jax.com',
  'graham',
  'digital',
  'graham',
  'media',
  'group',
  'division',
  'graham',
  'holdings'],
 ['contentskip',
  'content',
  'register',
  'article',
  'newsletter',
  'weather',
  'forecast',
  'weather',
  'alert',
  'inbox',
  'subscriber',
  'sign',
  'time',
  'owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'lee',
  'enterprises',
  'terms',
  'service',
  '',
  '',
  'privacy',
  'policy',
  'help',
  'center',
  'account',
  'dashboard',
  'profile',
  'item',
  'storm',
  'north',
  'dakota',
  'bismarck',
  'snow',
  'record',
  'storm',
  'north',
  'dakota',
  'bismarck',
  'snow',
  'record',
  'don',
  'steckel',
  'boat',
  'landing',
  'dock',
  'missouri',
  'river',
  'recreation',
  'area',
  'wilton',
  'wintry',
  'weather',
  'week',
  'condition',
  'boater',
  'angler',
  'travel',
  'north',
  'dakota',
  'burke',
  'divide',
  'county',
  'wednesday',
  'snow',
  'storm',
  'region',
  'state',
  'transportation',
  'department',
  'official',
  'snow',
  'visibility',
  'road',
  'travel',
  'advisory',
  'afternoon',
  'travel',
  'alert',
  'motorist',
  'condition',
  'highway',
  'patrol',
  'travel',
  'vehicle',
  'burke',
  'divide',
  'williams',
  'county',
  'condition',
  'national',
  'weather',
  'service',
  'winter',
  'storm',
  'burke',
  'divide',
  'county',
  'a.m.',
  'thursday',
  'inch',
  'snow',
  'wind',
  'mph',
  'warning',
  'burke',
  'county',
  'wednesday',
  'afternoon',
  'winter',
  'weather',
  'advisory',
  'williams',
  'mountrail',
  'county',
  'advisory',
  'north',
  'region',
  'afternoon',
  'sheryl',
  'crow',
  'jason',
  'aldean',
  'song',
  'controversy',
  'tuttle',
  'father',
  'son',
  'north',
  'dakota',
  'governor',
  'walleye',
  'cup',
  'attempt',
  'north',
  'dakota',
  'deer',
  'license',
  'wednesday',
  'dan',
  'supermarket',
  'bismarck',
  'mandan',
  'family',
  'fare',
  'bismarck',
  'educator',
  'mandan',
  'finalist',
  'north',
  'dakota',
  'teacher',
  'year',
  'official',
  'alternative',
  'interchange',
  'option',
  'mandan',
  'sunset',
  'drive',
  'trigger',
  'device',
  'fargo',
  'gunman',
  'washburn',
  'teacher',
  'sex',
  'crime',
  'state',
  'penitentiary',
  'heat',
  'wave',
  'north',
  'dakota',
  'week',
  'drought',
  'state',
  'governor',
  'walleye',
  'cup',
  'weekend',
  'lake',
  'sakakawea',
  'man',
  'fargo',
  'officer',
  'attack',
  'mind',
  'attorney',
  'general',
  'right',
  'champion',
  'warrior',
  'lawyer',
  'nicole',
  'ducheneaux',
  'heat',
  'wave',
  'north',
  'dakota',
  'burgum',
  'debate',
  'police',
  'chase',
  'drug',
  'suspect',
  'snow',
  'friday',
  'accumulation',
  'storm',
  'foot',
  'northwest',
  'foot',
  'williston',
  'minot',
  'area',
  'montana',
  'dakota',
  'utilities',
  'mountrail',
  'williams',
  'electric',
  'cooperative',
  'burke',
  'divide',
  'electric',
  'co',
  '-',
  'op',
  'total',
  'customer',
  'power',
  'midday',
  'wednesday',
  'number',
  'afternoon',
  'day',
  'burke',
  'divide',
  'electric',
  'april',
  'blizzard',
  'thousand',
  'power',
  'pole',
  'north',
  'dakota',
  'power',
  'thousand',
  'people',
  'region',
  'u.s.',
  'sen.',
  'kevin',
  'cramer',
  'r',
  'n.d.',
  'wednesday',
  'federal',
  'emergency',
  'management',
  'agency',
  'burke',
  'divide',
  'electric',
  'repair',
  'storm',
  'flooding',
  'bismarck',
  'mandan',
  'area',
  'north',
  'dakota',
  'inch',
  'snow',
  'end',
  'workweek',
  'wind',
  'metro',
  'area',
  'friday',
  'mph',
  'weather',
  'service',
  'bismarck',
  'inch',
  'snow',
  'season',
  'year',
  'record',
  'keeping',
  'inch',
  'ranking',
  'second',
  'total',
  'inch',
  'inch',
  'city',
  'record',
  'inch',
  'flood',
  'warning',
  'spring',
  'snowmelt',
  'north',
  'dakota',
  'wednesday',
  'area',
  'red',
  'river',
  'flood',
  'stage',
  'foot',
  'fargo',
  'tuesday',
  'forecast',
  'flood',
  'stage',
  'foot',
  'thursday',
  'crest',
  'foot',
  'week',
  'state',
  'city',
  'upgrade',
  'flood',
  'battle',
  'year',
  'official',
  'river',
  'foot',
  'gov.',
  'doug',
  'burgum',
  'month',
  'emergency',
  'spring',
  'flooding',
  'state',
  'resource',
  'national',
  'guard',
  'flood',
  'fight',
  'burgum',
  'wednesday',
  'northern',
  'plains',
  'unmanned',
  'aircraft',
  'system',
  'test',
  'site',
  'grand',
  'forks',
  'drone',
  'flooding',
  'drone',
  'damage',
  'infrastructure',
  'west',
  'blizzard',
  'year',
  'highway',
  'patrol',
  'wednesday',
  'north',
  'dakota',
  'woman',
  'weekend',
  'control',
  'suv',
  'highway',
  'dawn',
  'lecy',
  'nadeau',
  'cando',
  'state',
  'highway',
  'a.m.',
  'sunday',
  'stretch',
  'road',
  'water',
  'snowmelt',
  'vehicle',
  'highway',
  'roof',
  'ditch',
  'authority',
  'injury',
  'crash',
  'reach',
  'news',
  'editor',
  'blake',
  'nicholson',
  'weather',
  'forecast',
  'weather',
  'alert',
  'inbox',
  'registration',
  'use',
  'site',
  'agreement',
  'user',
  'agreement',
  'privacy',
  'policy',
  'apple',
  'podcast',
  'google',
  'podcast',
  'stitcher',
  'rss',
  'feed',
  'omny',
  'studio',
  'apple',
  'podcast',
  'google',
  'podcast',
  'stitcher',
  'rss',
  'feed',
  'omny',
  'studio',
  'watch',
  'mitch',
  'mcconnell',
  'freezes',
  'press',
  'conference',
  'republican',
  'colleagues',
  'ivy',
  'league',
  'colleges',
  'rich',
  'class',
  'student',
  'ivy',
  'league',
  'colleges',
  'rich',
  'class',
  'student',
  'swimming',
  'seine',
  'returns',
  'paris',
  'year',
  'swimming',
  'seine',
  'returns',
  'paris',
  'year',
  'fifa',
  'lotr',
  'fan',
  'new',
  'zealand',
  'hobbiton',
  'fifa',
  'lotr',
  'fan',
  'new',
  'zealand',
  'hobbiton',
  'copyright',
  'bismarck',
  'tribune',
  'e.',
  'ave',
  'bismarck',
  'nd',
  'term',
  'use',
  '',
  '',
  'privacy',
  'policy',
  '',
  '',
  'info',
  '',
  '',
  'cookie',
  'preferences',
  'blox',
  'content',
  'management',
  'system',
  'minute',
  'news',
  'device'],
 ['news',
  'local',
  'news',
  'coronavirus',
  'crime',
  'public',
  'safety',
  'business',
  'national',
  'news',
  'pennsylvania',
  'news',
  'sports',
  'high',
  'school',
  'sports',
  'philadelphia',
  '76er',
  'philadelphia',
  'eagles',
  'philadelphia',
  'flyers',
  'philadelphia',
  'phillies',
  'philadelphia',
  'union',
  'thing',
  'entertainment',
  'restaurants',
  'food',
  'movies',
  'music',
  'concerts',
  'tv',
  'listings',
  'comics',
  'puzzles',
  'event',
  'share',
  'twitter',
  'opens',
  'window)click',
  'facebook',
  'opens',
  'window',
  'delaware',
  'county',
  'pennsylvania',
  't',
  'storm',
  'share',
  'twitter',
  'opens',
  'window)click',
  'facebook',
  'opens',
  'window',
  'daily',
  'times',
  '',
  '',
  'july',
  'p.m.',
  'thunderstorm',
  'pennsylvania',
  'thunderstorm',
  'watch',
  'effect',
  'tuesday',
  'p.m.',
  'delaware',
  'county',
  'region',
  'instance',
  'flooding',
  'drainage',
  'area',
  'creek',
  'stream',
  'alert',
  'national',
  'weather',
  'service',
  'office',
  'mount',
  'holly',
  'new',
  'jersey',
  'p.m.',
  'storm',
  'berks',
  'lehigh',
  'montgomery',
  'county',
  'thunderstorm',
  'warning',
  'tip',
  'chesapeake',
  'bay',
  'warning',
  'daytime',
  'heating',
  'storm',
  'temperature',
  'place',
  'state',
  'region',
  'cloud',
  'day',
  'moisture',
  'humidity',
  'accuweather',
  'forecast',
  'wednesday',
  'degree',
  'heat',
  'building',
  'thursday',
  'saturday',
  'high',
  'mid-90',
  'threat',
  'storm',
  'condition',
  'summer',
  'popularmost',
  'popularchester',
  'high',
  'baseball',
  'coach',
  'assault',
  'player',
  'update',
  'case',
  'baseball',
  'coach',
  'assault',
  'player',
  'update',
  'case',
  'bakery',
  'owner',
  'surgeryphatso',
  'bakery',
  'owner',
  'surgerydelaware',
  'county',
  'restaurant',
  'inspection',
  'calling',
  'card',
  'potato',
  'floor',
  'hairnetdelaware',
  'county',
  'restaurant',
  'inspection',
  'calling',
  'card',
  'potato',
  'floor',
  'hairnetchester',
  'child',
  'rapist',
  'year',
  'child',
  'rapist',
  'year',
  'prisonmedia',
  'lawyer',
  'year',
  'recording',
  'teen',
  'sexmedia',
  'lawyer',
  'year',
  'recording',
  'teen',
  'minister',
  'case',
  'murder',
  'marple',
  'year',
  'girl',
  'minister',
  'case',
  'murder',
  'marple',
  'year',
  'girl',
  'inmate',
  'george',
  'w.',
  'hill',
  'correctional',
  'facility',
  'warden',
  'reportsfemale',
  'inmate',
  'george',
  'w.',
  'hill',
  'correctional',
  'facility',
  'warden',
  'urinate',
  'airliner',
  'use',
  'urinate',
  'airliner',
  'use',
  'restroomparkside',
  'councilman',
  'post',
  'shoplifting',
  'case',
  'update',
  'councilman',
  'post',
  'shoplifting',
  'case',
  'update',
  'cases]pennsylvania',
  'state',
  'police',
  'drug',
  'district',
  'judge',
  'building',
  'rambo',
  'bushwacker',
  'stolenpennsylvania',
  'state',
  'police',
  'drug',
  'district',
  'judge',
  'building',
  'rambo',
  'bushwacker',
  'trending',
  'thing',
  'step',
  'plane',
  'collision',
  'feetthe',
  'business',
  'strip',
  'club',
  'colorado',
  'dancer',
  'way',
  'uncertainties‘funnel',
  'cloud',
  'tree',
  'brooklyn',
  'power',
  'outage',
  'staten',
  'island',
  'nursing',
  'hometaylor',
  'swift',
  'album',
  'swiftie',
  '.',
  'guide',
  'tip',
  'phillies',
  'notebook',
  'optimism',
  'return',
  'rhys',
  'hoskins',
  'ball',
  'pennsylvania',
  'little',
  'league',
  'tournament',
  'newtown',
  'square',
  'inmate',
  'george',
  'w.',
  'hill',
  'correctional',
  'facility',
  'warden',
  'search',
  'month',
  'family',
  'bucks',
  'county',
  'flash',
  'flood',
  'mean',
  'classifieds',
  'place',
  'classified',
  'ad',
  'privacy',
  'policy',
  'accessibility',
  'times',
  'herald',
  'daily',
  'local',
  'news',
  'mercury',
  'patriot',
  'item',
  'reporter',
  'terms',
  'use',
  'cookie',
  'policy',
  'share',
  'personal',
  'information',
  'notice',
  'financial',
  'incentive',
  'california',
  'notice',
  'collection',
  'arbitration',
  'medianews',
  'group',
  'wordpress.com',
  'vip'],
 ['contentdenver',
  'cosubscribenews',
  'feedneighbor',
  'postslocal',
  'newsarvada',
  'newslittleton',
  'newsgolden',
  'newsbroomfield',
  'newsboulder',
  'newscolorado',
  'springs',
  'newscheyenne',
  'newsgrand',
  'junction',
  'newscasper',
  'newslocal',
  'newscommunity',
  'cornercrime',
  'safetypolitics',
  'governmentschoolstraffic',
  'transitobituariespersonal',
  'financebest',
  'ofseasonal',
  'holidaysweatherarts',
  'entertainmentbusinesshealth',
  'wellnesshome',
  'gardensportstravelkids',
  'familypetsrestaurants',
  'barslocalstreamneighbor',
  'postslocal',
  'businesseseventsreal',
  'estatereal',
  'estate',
  'listingsreal',
  'estate',
  'newssee',
  'communitieslakewood',
  'coarvada',
  'colittleton',
  'cogolden',
  'cobroomfield',
  'coboulder',
  'cocolorado',
  'springs',
  'cocheyenne',
  'wygrand',
  'junction',
  'cocasper',
  'wystate',
  'editioncoloradonational',
  'editiontop',
  'national',
  'newssee',
  'communities0weathercolorado',
  'weather',
  'winter',
  'storm',
  'range',
  'palmer',
  'dividethe',
  'storm',
  'shot',
  'rain',
  'snow',
  'region',
  'cbs',
  'denver',
  'news',
  'partnerposted',
  'mon',
  'apr',
  'mtreply',
  'tuesday',
  'alert',
  'weather',
  'day',
  'change',
  'cbs)by',
  'dave',
  'aguilera',
  'cbs',
  'denver',
  'pacific',
  'storm',
  'system',
  'impact',
  'range',
  'palmer',
  'divide',
  'tuesday',
  'wednesday',
  'storm',
  'shot',
  'rain',
  'snow',
  'region',
  'tuesday',
  'alert',
  'weather',
  'day',
  'change',
  'denverwith',
  'time',
  'update',
  'patch',
  'subscriberead',
  'cbs',
  'denver',
  'cbs',
  'local',
  'digital',
  'media',
  'reach',
  'cbs',
  'television',
  'radio',
  'station',
  'perspective',
  'denverwith',
  'time',
  'update',
  'patch',
  'subscribethankreply',
  'sharecolorado',
  'weather',
  'winter',
  'storm',
  'range',
  'palmer',
  'dividethe',
  'rule',
  'space',
  'discussion',
  'language',
  'claim',
  'reply',
  'topic',
  'patch',
  'community',
  'guidelines',
  'reply',
  'denverarts',
  'entertainment',
  '1dfauci',
  'cheney',
  'abrams',
  'colorado',
  'speaker',
  'series',
  'denvercommunity',
  'corner',
  'jun',
  'new',
  'home',
  'comal',
  'legal',
  'shrooms',
  'inches',
  'forward',
  'shelter',
  'closingcommunity',
  'suncor',
  'dumping',
  'chemicals',
  'south',
  'platte',
  'horse',
  'foundfeatured',
  'eventsjul',
  'taxis',
  'retirement',
  'seminar',
  'jefferson',
  'county',
  'public',
  'library',
  'columbine',
  'library+',
  'eventfeatured',
  'classifieds+',
  'news',
  'nearbydenver',
  'co',
  'news',
  'patch',
  'today',
  'denver',
  'd',
  'jul',
  'co',
  'newscheck',
  'homes',
  'sale',
  'denverdenver',
  'co',
  'newsdenver',
  'area',
  'homeowners',
  'new',
  'houses',
  'marketdenver',
  'co',
  'newsnew',
  'dogs',
  'cats',
  'pets',
  'available',
  'adoption',
  'denver',
  'area',
  'sheltersdenver',
  'co',
  'news',
  'new',
  'home',
  'comal',
  'legal',
  'shrooms',
  'inches',
  'forward',
  'shelter',
  'closingbest',
  'denverdenver',
  'arts',
  'entertainment5',
  'best',
  'denver',
  'instagram',
  'spots',
  'cannabis',
  'church',
  'blue',
  'bear',
  'urban',
  'art+denver',
  'community',
  'best',
  'places',
  'denver',
  'area',
  'townersdenver',
  'restaurants',
  'bars5',
  'best',
  'denver',
  'ice',
  'cream',
  'spot',
  'little',
  'man',
  'ice',
  'cream',
  'vegan)denver',
  'community',
  'corner5',
  'best',
  'walking',
  'trails',
  'denver',
  'hiking',
  'requireddenver',
  'community',
  'cornershop',
  'denver',
  'farmers',
  'markets',
  'pro',
  'info',
  'yourcommunity',
  'patch',
  'appcorporate',
  'infoabout',
  'patchcareerspartnershipsadvertise',
  'patchsupportfaqscontact',
  'patchcommunity',
  'guidelinesposting',
  'instructionsterms',
  'useprivacy',
  'policy',
  'patch',
  'media',
  'rights'],
 ['day',
  'woman',
  'birth',
  'hospital',
  'heart',
  'attack',
  'seizure',
  'kidney',
  'failure',
  'blood',
  'transfusion',
  'problem',
  'death',
  'human',
  'trafficking',
  'sports',
  'entertainment',
  'life',
  'money',
  'tech',
  'travel',
  'opinion',
  'obituariesonly',
  'usa',
  'today',
  'newsletters',
  'subscribers',
  'archives',
  'crossword',
  'enewspaper',
  'magazines',
  'investigations',
  'weather',
  'forecast',
  'video',
  'humankind',
  'curiousbest',
  'booklist',
  'pets',
  'food',
  'reviewed',
  'coupons',
  'blueprint',
  'best',
  'auto',
  'insurance',
  'best',
  'pet',
  'insurance',
  'best',
  'travel',
  'insurance',
  'best',
  'credit',
  'cards',
  'best',
  'cd',
  'rate',
  'best',
  'personal',
  'loans',
  'nationcaliforniaadd',
  'topiclatest',
  'river',
  'aim',
  'san',
  'francisco',
  'bay',
  'area',
  'flooding',
  'california',
  'storm',
  'updatesjohn',
  'bacon',
  'jorge',
  'l.',
  'ortiz',
  'jeanine',
  'santucci',
  'thao',
  'nguyenusa',
  'todaysan',
  'francisco',
  'southern',
  'california',
  'sunshine',
  'return',
  'appearance',
  'wednesday',
  'region',
  'counterpart',
  'north',
  'rain',
  'swath',
  'water',
  'terrain',
  'river',
  'california',
  'national',
  'weather',
  'service',
  'rain',
  'soil',
  'gusty',
  'wind',
  'flooding',
  'tree',
  'power',
  'outage',
  'service',
  'weather',
  'condition',
  'san',
  'francisco',
  'bay',
  'area',
  'monterey',
  'peninsula',
  'south',
  'wind',
  'advisory',
  'place',
  'wednesday',
  'evening',
  'surf',
  'advisory',
  'effect',
  'thursday',
  'river',
  'line',
  'air',
  'island',
  'pacific',
  'ocean',
  'west',
  'coast',
  'rain',
  'air',
  'land',
  'river',
  'sky',
  'mile',
  'water',
  'mississippi',
  'river',
  'misery',
  'region',
  'string',
  'river',
  'week',
  'inch',
  'rain',
  'san',
  'francisco',
  'dec.',
  'monday',
  'total',
  'city',
  'day',
  'meteorologist',
  'jan',
  'null',
  'wave',
  'storm',
  'damage',
  'expert',
  'wood',
  'california',
  'gov.',
  'gavin',
  'newsom',
  'storms',
  'way:4',
  'storm',
  'california',
  'day',
  'newsom',
  'warnsnew',
  'normal?:are',
  'california',
  'storm',
  'climate',
  'change',
  'expert',
  'developments:',
  '►',
  'ventura',
  'santa',
  'barbara',
  'county',
  'northwest',
  'los',
  'angeles',
  'locale',
  'day',
  'rain',
  'total',
  'inch',
  'tuesday',
  'p.m.',
  'national',
  'weather',
  'service',
  'la',
  'office.',
  'snow',
  'forecast',
  'california',
  'mountain',
  'sierra',
  'weather',
  'service',
  'area',
  'foot',
  'snow',
  'weeks.',
  '►',
  'storm',
  'california',
  'way',
  'thunderstorm',
  'southeast',
  'thursday',
  'forecaster',
  'rain',
  'thunderstorm',
  'east',
  'coast',
  'thursday',
  'night',
  'snow',
  'new',
  'england',
  'friday',
  'disaster',
  'costs:18',
  'dollar',
  'disaster',
  'people',
  'year',
  'noaa',
  'death',
  'toll',
  'wave',
  'stormsa',
  'year',
  'woman',
  'car',
  'wednesday',
  'sonoma',
  'county',
  'sheriff',
  'office',
  'woman',
  'day',
  'vehicle',
  'floodwater',
  'san',
  'francisco',
  'department',
  'search',
  'wednesday',
  'diver',
  'car',
  'foot',
  'water',
  'road',
  'county',
  'department',
  'people',
  'wave',
  'storm',
  'figure',
  'newsom',
  'tuesday',
  'visit',
  'town',
  'capitola',
  'santa',
  'cruz',
  'county',
  'creek',
  'water',
  'surf',
  'condition',
  'atmospheric',
  'river?these',
  'river',
  'water',
  'vapor',
  'thousand',
  'mile',
  'forecast',
  'storm',
  'oregon',
  'washington',
  'californiaofficials',
  'california',
  'resident',
  'rain',
  'storm',
  'forecast',
  'national',
  'weather',
  'service',
  'bay',
  'area',
  'office',
  'rain',
  'wednesday',
  'evening',
  'flooding',
  'north',
  'bay',
  'weather',
  'week',
  'chance',
  'thunderstorm',
  'friday',
  'weekend',
  'weather',
  'service',
  'bay',
  'area',
  'office',
  'rain',
  'los',
  'angeles',
  'area',
  'saturday',
  'river',
  'state',
  'day',
  'gov.',
  'gavin',
  'newsom',
  'stretch',
  'jan.',
  'newsom',
  'half',
  'state',
  'county',
  'disaster',
  'area',
  'storm',
  'northwest',
  'accuweather',
  'meteorologist',
  'oregon',
  'washington',
  'northern',
  'california',
  'rain',
  'snow',
  'end',
  'week',
  'accuweather',
  'impact',
  'california',
  'weekend',
  'risk',
  'flooding',
  'wind',
  '"megadroughts',
  'wildfire',
  'flood',
  'river',
  'whiplash',
  'weather',
  'anomaly',
  'newsom',
  'california',
  'proof',
  'climate',
  'crisis',
  'sign',
  'gloomamid',
  'weather',
  'california',
  'news',
  'wednesday',
  'power',
  'outage',
  'state',
  'home',
  'business',
  'dark',
  'time',
  'power',
  'tuesday',
  'santa',
  'barbara',
  'county',
  'evacuation',
  'shelter',
  'place',
  'order',
  'montecito',
  'home',
  'prince',
  'harry',
  'oprah',
  'winfrey',
  'celebrity',
  'people',
  'home',
  'mudslide',
  'year',
  'addition',
  'forecaster',
  'day',
  'state',
  'end',
  'week',
  'break',
  'day',
  'university',
  'california',
  'los',
  'angeles',
  'climate',
  'scientist',
  'daniel',
  'swain',
  'official',
  'search',
  'year',
  'california',
  'national',
  'guard',
  'soldier',
  'search',
  'year',
  'kyle',
  'doan',
  'san',
  'luis',
  'obispo',
  'county',
  'child',
  'monday',
  'mother',
  'truck',
  'water',
  'mother',
  'kyle',
  'kyle',
  'mother',
  'flood',
  'water',
  'suv',
  'vehicle',
  'hold',
  'kyle',
  'water',
  'resident',
  'mother',
  'hour',
  'search',
  'monday',
  'kyle',
  'sneaker',
  'authority',
  'break',
  'weather',
  'search',
  'wednesday',
  'tuesday',
  'evening',
  'visibility',
  'thing',
  'lot',
  'people',
  'point',
  'time',
  'rescue',
  'recovery',
  'boy',
  'father',
  'brian',
  'doan',
  'cnn',
  'wednesday',
  'authority',
  'search',
  'recovery',
  'parent',
  'night',
  'concept',
  'kid',
  '”more',
  'troop',
  'thursday',
  'san',
  'luis',
  'obispo',
  'county',
  'sheriff',
  'office',
  'thousand',
  'californians',
  'displacedthousand',
  'people',
  'state',
  'rain',
  'creek',
  'river',
  'evacuation',
  'order',
  'san',
  'joaquin',
  'valley',
  'bear',
  'creek',
  'city',
  'merced',
  'planada',
  'highway',
  'yosemite',
  'national',
  'park',
  'resident',
  'planada',
  'tuesday',
  'neighborhood',
  'water',
  'car',
  'roof',
  'resident',
  'evacuation',
  'levee',
  'breach',
  'monterey',
  'county',
  'repair',
  'people',
  'patience',
  'area',
  'contractor',
  'monterey',
  'county',
  'sheriff',
  'tina',
  'nieto',
  'graphic',
  'epic',
  'storms',
  'graphic',
  'state',
  'drought',
  'yetthe',
  'river',
  'california',
  'week',
  'concern',
  'drought',
  'year',
  'parade',
  'storm',
  'state',
  'stretch',
  'rainfall',
  'california',
  'water',
  'reservoir',
  'level',
  'drought',
  'cistern',
  'lake',
  'shasta',
  '%',
  'average',
  'christmas',
  '%',
  'tuesday',
  'level',
  'date',
  'addition',
  'season',
  'precipitation',
  'state',
  'resident',
  'reminder',
  'year',
  'october',
  'december',
  'storm',
  'drought',
  'california',
  'january',
  'march',
  'stretch',
  'history',
  'sierra',
  'snowpack',
  'water',
  'storage',
  'spring',
  'melt',
  'peak',
  'april',
  '%',
  'average',
  'drought',
  'laura',
  'feinstein',
  'work',
  'climate',
  'resilience',
  'environment',
  'spur',
  'policy',
  'nonprofit',
  'sacramento',
  'city',
  'trees',
  'damage',
  'stormscalifornia',
  'capital',
  'city',
  'tree',
  'park',
  'street',
  'storm',
  'sacramento',
  'city',
  'trees',
  'state',
  'home',
  'vehicle',
  'power',
  'line',
  'tree',
  'tree',
  'sacramento',
  'new',
  'year',
  'eve',
  'storm',
  'gabby',
  'miller',
  'spokesperson',
  'city',
  'department',
  'public',
  'works',
  'city',
  'tree',
  'temperature',
  'summer',
  'flooding',
  'tree',
  'niki',
  'goffard',
  'boyfriend',
  'house',
  'sunday',
  'morning',
  'roof',
  'roof',
  'bedroom',
  'goffard',
  'boyfriend',
  'scrape',
  'bruise',
  'goffard',
  '”contributing',
  'associated',
  'pressfeatured',
  'weekly',
  'adabout',
  'newsroom',
  'staff',
  'ethical',
  'principles',
  'correction',
  'press',
  'accessibility',
  'sitemap',
  'subscription',
  'terms',
  'conditions',
  'terms',
  'service',
  'california',
  'privacy',
  'rights',
  'privacy',
  'policy',
  'privacy',
  'policydo',
  'sell',
  'share',
  'target',
  'infocookie',
  'settingscontact',
  'account',
  'feedback',
  'home',
  'delivery',
  'enewspaper',
  'usa',
  'today',
  'shop',
  'usa',
  'today',
  'print',
  'editions',
  'licensing',
  'reprints',
  'advertise',
  'careers',
  'internships',
  'businessnews',
  'tips',
  'letter',
  'editor',
  'newsletters',
  'mobile',
  'app',
  'facebook',
  'twitter',
  'instagram',
  'linkedin',
  'pinterest',
  'youtube',
  'reddit',
  'flipboard',
  'jobs',
  'sports',
  'betting',
  'sports',
  'weekly',
  'studio',
  'gannett',
  'classifieds',
  'coupons',
  'blueprint',
  'auto',
  'insurance',
  'pet',
  'insurance',
  'travel',
  'insurance',
  'credit',
  'cards',
  'banking',
  'personal',
  'loans',
  'usa',
  'today',
  'division',
  'gannett',
  'satellite',
  'information',
  'network',
  'llc'],
 ['incharlestonsee',
  'locationsclosecharlestonsee',
  'storiessafetyfood',
  'drinksportssee',
  'moreadditional',
  'contentnational',
  'newslocal',
  'newsletternewsbreak',
  'corporateabout',
  'uscontributorspublishersadvertisersterm',
  'use',
  'privacy',
  'policydo',
  'sell',
  'share',
  'info',
  'help',
  'centersign',
  'charleston',
  'wv',
  'update',
  'emailsubscribemetro',
  'newsstorm',
  'west',
  'virginia',
  'punchby',
  'chris',
  'lawrence,2023',
  'chris',
  'lawrence,2023',
  '03',
  'publisher',
  'newsbreakcomments',
  '0add',
  'commentyou',
  'popularchief',
  'justice',
  'suspension',
  'matrimonial',
  'trial',
  'judicial',
  'vacanciespassaic',
  'nj15',
  'day',
  'agokanawha',
  'county',
  'judge',
  'man',
  'sentence',
  'degree',
  'murder',
  'pleacharleston',
  'wv1',
  'day',
  'agoit',
  'climate',
  'change',
  'flooding',
  'war',
  'flood',
  'control',
  'damage',
  'montpelier',
  'vt14',
  'day',
  'agoget',
  'charleston',
  'wv',
  'update',
  'emailsubscribetrending‹›1hunter',
  'biden',
  'plea',
  'deal',
  'through2sinéad',
  "o'connor",
  'singer',
  '563kevin',
  'spacey',
  'assault',
  'charges4federal',
  'reserve',
  'interest',
  'rates5police',
  'k-9',
  'attack',
  'black',
  'man6rudy',
  'giuliani',
  'statement',
  'georgia',
  'election',
  'workers7major',
  'automaker',
  'team',
  'ev',
  'crane',
  'collapse',
  'particle',
  'medium',
  'term',
  'use',
  'privacy',
  'policydo',
  'sell',
  'share',
  'info',
  'help',
  'centercomments',
  '0closecommunity',
  'policy'],
 ['son',
  'houston',
  'man',
  'son',
  'charge',
  'content',
  'family',
  'jury',
  'look',
  'jalen',
  'randle',
  'case',
  'man',
  'hpd',
  'officer',
  'houston',
  'forecast',
  'downpour',
  'today',
  'chicken',
  'farm',
  'texas',
  'heat',
  'weather',
  'texas',
  'winter',
  'storm',
  'watch',
  'warning',
  'ice',
  'event',
  'state',
  'winter',
  'storm',
  'texas',
  'coast',
  'air',
  'state',
  'author',
  'pat',
  'cavlin',
  'john',
  'diaz',
  'cory',
  'mccord',
  'khou',
  'chloe',
  'alexander',
  'tim',
  'pandajis',
  'pm',
  'cst',
  'january',
  'pm',
  'cst',
  'january',
  'texas',
  'usa',
  'ice',
  'event',
  'central',
  'north',
  'texas',
  'winter',
  'storm',
  'weather',
  'warning',
  'effect',
  'state',
  'wednesday',
  'morning',
  'south',
  'southeast',
  'texas',
  'week',
  'highway',
  'concern',
  'state',
  'rain',
  'sleet',
  'red',
  'river',
  'valley',
  'monday',
  'day',
  'driving',
  'condition',
  'check',
  'flight',
  'delay',
  'texas',
  'texas',
  'power',
  'grid',
  'condition',
  'real',
  'time',
  'texas',
  'power',
  'grid',
  'real',
  'time',
  'supply',
  'winter',
  'storm',
  'texas',
  'coast',
  'air',
  'state',
  'temperature',
  'million',
  'texans',
  'resident',
  'i-35',
  'ice',
  'accumulation',
  'inch',
  'thursday',
  'accumulation',
  'ice',
  'roadway',
  'bridge',
  'overpass',
  'travel',
  'condition',
  'tuesday',
  'night',
  'power',
  'outage',
  'ice',
  'inch',
  'ice',
  'pound',
  'weight',
  'powerline',
  'span',
  'rain',
  'drizzle',
  'north',
  'texas',
  'rain',
  'road',
  'temperature',
  'freezing',
  'precipitation',
  'rain',
  'sleet',
  'pat',
  'cavlin',
  'medium',
  'facebook',
  '',
  '',
  'twitter',
  'instagram',
  'time',
  'alarm',
  'ice',
  'storm',
  'central',
  'north',
  '',
  '',
  'texasthese',
  'ice',
  'accumulation',
  'wednesday',
  'eveningfor',
  'reference',
  'ice',
  'weight',
  'powerline',
  'span',
  '@khou',
  'khou11',
  '',
  '',
  'txwx',
  'pic.twitter.com/2nup22idco',
  'pat',
  'cavlin',
  '@pcavlin',
  'january',
  'path',
  'tornado',
  'houston',
  'area',
  'video',
  'tornado',
  'baytown',
  'houston',
  'forecast',
  'tonight',
  'example',
  'video',
  'title',
  'video',
  'news',
  'houston',
  'forecast',
  'summer',
  'shower',
  'chance',
  'thursday',
  'eeo',
  'public',
  'file',
  'report',
  'fcc',
  'online',
  'public',
  'inspection',
  'file',
  'closed',
  'caption',
  'procedure',
  'personal',
  'information',
  'khou',
  'tv',
  'rights',
  'khou',
  'notification',
  'news',
  'weather',
  'notification',
  'browser',
  'setting'],
 ['associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'midwest',
  'hurricane',
  'force',
  'wind',
  'margery',
  'a.',
  'beck',
  'margaret',
  'stafford',
  'omaha',
  'neb.',
  'ap',
  'people',
  'storm',
  'system',
  'great',
  'plains',
  'midwest',
  'temperature',
  'hurricane',
  'force',
  'wind',
  'tornado',
  'nebraska',
  'iowa',
  'minnesota',
  'minnesota',
  'olmsted',
  'county',
  'sheriff',
  'lt',
  '.',
  'lee',
  'rossman',
  'year',
  'man',
  'wednesday',
  'night',
  'foot',
  'tree',
  'home',
  'kansas',
  'dust',
  'storm',
  'wednesday',
  'crash',
  'people',
  'kansas',
  'highway',
  'patrol',
  'trooper',
  'mike',
  'racy',
  'iowa',
  'semitrailer',
  'wind',
  'wednesday',
  'evening',
  'driver',
  'iowa',
  'state',
  'patrol',
  'storm',
  'great',
  'lakes',
  'canada',
  'thursday',
  'wind',
  'snow',
  'condition',
  'great',
  'lakes',
  'region',
  'national',
  'weather',
  'service',
  'home',
  'business',
  'electricity',
  'thursday',
  'afternoon',
  'michigan',
  'wisconsin',
  'iowa',
  'kansas',
  'utility',
  'report',
  'tornado',
  'minnesota',
  'wednesday',
  'state',
  'twister',
  'record',
  'december',
  'community',
  'hartland',
  'minnesota',
  'home',
  'damage',
  'business',
  'freeborn',
  'county',
  'emergency',
  'management',
  'director',
  'rich',
  'hall',
  'wind',
  'mph',
  'hartland',
  'national',
  'weather',
  'service',
  'aaron',
  'judge',
  'new',
  'york',
  'list',
  'friday',
  'baltimore',
  'pop',
  'star',
  'shijiro',
  'atae',
  'announcement',
  'fan',
  'collier',
  'double',
  'lynx',
  'mystics',
  'loss',
  'livestock',
  'dozen',
  'cow',
  'dairy',
  'farm',
  'power',
  'pole',
  'barn',
  'newaygo',
  'county',
  'michigan',
  'tim',
  'butler',
  'worker',
  'dairy',
  'event',
  'cow',
  'dozen',
  'butler',
  'weather',
  'system',
  'warmth',
  'december',
  'plains',
  'state',
  'temperature',
  'degree',
  'fahrenheit',
  'degree',
  'celsius',
  'wisconsin',
  'wednesday',
  'evening',
  'weather',
  'company',
  'historian',
  'chris',
  'burt',
  'heat',
  'july',
  'evening',
  'confidence',
  'event',
  'heat',
  'tornado',
  'weather',
  'event',
  'record',
  'upper',
  'midwest',
  'burt',
  'facebook',
  'post',
  'wind',
  'tree',
  'tree',
  'limb',
  'power',
  'line',
  'michigan',
  'lower',
  'peninsula',
  'michigan',
  'village',
  'fruitport',
  'wind',
  'portion',
  'edgewood',
  'elementary',
  'school',
  'roof',
  'official',
  'district',
  'school',
  'thursday',
  'tornado',
  'report',
  'wednesday',
  'plains',
  'state',
  'nebraska',
  'iowa',
  'report',
  'storm',
  'prediction',
  'center',
  'storm',
  'system',
  'report',
  'hurricane',
  'force',
  'wind',
  'gust',
  'mph',
  'kph',
  'day',
  'u.s.',
  'center',
  '“to',
  'number',
  'wind',
  'storm',
  'time',
  'anytime',
  'year',
  'brian',
  'barjenbruch',
  'meteorologist',
  'national',
  'weather',
  'service',
  'valley',
  'nebraska',
  'december',
  '”the',
  'governor',
  'kansas',
  'iowa',
  'state',
  'emergency',
  'system',
  'heel',
  'tornado',
  'weekend',
  'path',
  'state',
  'arkansas',
  'missouri',
  'tennessee',
  'illinois',
  'kentucky',
  'people',
  'wednesday',
  'report',
  'hurricane',
  'force',
  'wind',
  'regionwide',
  'aug.',
  'derecho',
  'wind',
  'storm',
  'iowa',
  'storm',
  'prediction',
  'center',
  'destruction',
  'wednesday',
  'year',
  'derecho',
  'billion',
  'dollar',
  'damage',
  'wind',
  'dust',
  'visibility',
  'kansas',
  'semitrailer',
  'official',
  'interstate',
  'state',
  'highway',
  'kansas',
  'county',
  'kansas',
  'helicopter',
  'firefighting',
  'equipment',
  'dozen',
  'wind',
  'wildfire',
  'county',
  'official',
  'thursday',
  'dust',
  'smoke',
  'storm',
  'kansas',
  'nebraska',
  'iowa',
  'drop',
  'air',
  'quality',
  'area',
  'wednesday',
  'glut',
  'emergency',
  'dispatcher',
  'people',
  'smell',
  'smoke',
  'system',
  'plains',
  'colorado',
  'gale',
  'force',
  'wind',
  'swath',
  'new',
  'mexico',
  'minnesota',
  'wisconsin',
  'michigan',
  'weather',
  'service',
  'gust',
  'mph',
  'kph',
  'wednesday',
  'morning',
  'lamar',
  'colorado',
  'gust',
  'mph',
  'russell',
  'kansas',
  'scientist',
  'weather',
  'event',
  'temperature',
  'human',
  'climate',
  'change',
  'storm',
  'system',
  'warming',
  'analysis',
  'computer',
  'simulation',
  'time',
  'connection',
  'question',
  'event',
  'climate',
  'change',
  'northern',
  'illinois',
  'university',
  'meteorology',
  'professor',
  'victor',
  'gensini',
  'extent',
  'climate',
  'change',
  'role',
  'event',
  'absence',
  'climate',
  'change?’”the',
  'temperature',
  'wednesday',
  'ocean',
  'temperature',
  'gulf',
  'mexico',
  'warming',
  'jeff',
  'masters',
  'yale',
  'climate',
  'connections',
  'meteorologist',
  'weather',
  'underground.___stafford',
  'liberty',
  'press',
  'writer',
  'jill',
  'bleed',
  'little',
  'rock',
  'arkansas',
  'ken',
  'miller',
  'oklahoma',
  'city',
  'terry',
  'wallace',
  'dallas',
  'seth',
  'borenstein',
  'washington',
  'd.c.',
  'jim',
  'anderson',
  'denver',
  'grant',
  'schulte',
  'omaha',
  'nebraska',
  'report',
  'associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights'],
 ['mynewmarkets.com',
  'claims',
  'journal',
  'insurance',
  'journal',
  'tv',
  'academy',
  'insurance',
  'carrier',
  'management',
  'specialty',
  'p',
  'c',
  'insurers',
  'u.s.',
  'peers',
  'travelers',
  'q2',
  'profit',
  'plummets',
  'catastrophe',
  'loss',
  'event',
  'forums',
  'insurance',
  'twitter',
  'market',
  'directories',
  'quotes',
  'polls',
  'rankings',
  'awards',
  'insurance',
  'death',
  'flooding',
  'storm',
  'oregon',
  'washington',
  'state',
  'winter',
  'storm',
  'wind',
  'oregon',
  'week',
  'car',
  'accident',
  'people',
  'police',
  'investigation',
  'condition',
  'crash',
  'person',
  'police',
  'people',
  'year',
  'girl',
  'weather',
  'tree',
  'pickup',
  'truck',
  'u.s.',
  'mile',
  'coastline',
  'oregon',
  'state',
  'police',
  'news',
  'release',
  'passenger',
  'responder',
  'scene',
  'east',
  'u.s.',
  'mount',
  'hood',
  'motorist',
  'tree',
  'cab',
  'truck',
  'snow',
  'wind',
  'control',
  'highway',
  'state',
  'police',
  'year',
  'driver',
  'truck',
  'scene',
  'person',
  'tree',
  'pickup',
  'passenger',
  'interstate',
  'cascade',
  'locks',
  'columbia',
  'river',
  'gorge',
  'agency',
  'driver',
  'hospital',
  'weather',
  'tree',
  'state',
  'police',
  'spokesperson',
  'captain',
  'kyle',
  'kennedy',
  'wind',
  'tree',
  'power',
  'line',
  'swath',
  'pacific',
  'northwest',
  'tuesday',
  'power',
  'people',
  'point',
  'wind',
  'gust',
  'mph',
  'cape',
  'perpetua',
  'oregon',
  'coast',
  'mph',
  'timberline',
  'lodge',
  'mount',
  'hood',
  'andy',
  'bryant',
  'hydrologist',
  'national',
  'weather',
  'service',
  'portland',
  'office',
  'utility',
  'company',
  'power',
  'people',
  'oregon',
  'outage',
  'p.m.',
  'wednesday',
  'tracker',
  'poweroutage',
  'portland',
  'general',
  'electric',
  'pacific',
  'power',
  'utility',
  'number',
  'outage',
  'service',
  'crew',
  'member',
  'state',
  'damage',
  'washington',
  'state',
  'thousand',
  'resident',
  'seattle',
  'power',
  'wednesday',
  'afternoon',
  'day',
  'wind',
  'storm',
  'damage',
  'power',
  'line',
  'north',
  'bend',
  'snoqualmie',
  'gerald',
  'tracy',
  'spokesperson',
  'puget',
  'sound',
  'energy',
  'komo',
  'tv',
  'power',
  'area',
  'p.m.',
  'wednesday',
  'caveat',
  'problem',
  'timeline',
  'terrain',
  'area',
  'crew',
  'foot',
  'hand',
  'tool',
  'care',
  'situation',
  'tracy',
  'tuesday',
  'storm',
  'system',
  'wave',
  'tide',
  'region',
  'wave',
  'height',
  'foot',
  'oregon',
  'coast',
  'national',
  'weather',
  'service',
  'storm',
  'washington',
  'state',
  'seattle',
  'resident',
  'south',
  'park',
  'neighborhood',
  'street',
  'bucket',
  'home',
  'water',
  'record',
  'tide',
  'foot',
  'state',
  'capital',
  'olympia',
  'jellyfish',
  'shoreline',
  'city',
  'street',
  'official',
  'copyright',
  'associated',
  'press',
  'right',
  'material',
  'broadcast',
  'topics',
  'windstorm',
  'flood',
  'washington',
  'oregon',
  'article',
  '%',
  'people',
  'article',
  'article',
  'auto',
  'claim',
  'inflation',
  'speeds',
  'premium',
  'increases',
  'head',
  'scratcher',
  'claim',
  'litigation',
  'major',
  'factor',
  'florida',
  'insolvencies',
  'hanover',
  'insurance',
  'group',
  'q2',
  'catastrophe',
  'loss',
  'americans',
  'climate',
  'danger',
  'search',
  'cheaper',
  'homes',
  'interested',
  'flood',
  'alert',
  'topic',
  'category',
  'west',
  'newstopics',
  'damage',
  'flooding',
  'national',
  'weather',
  'service',
  'storm',
  'lead',
  'newspayroll',
  'million',
  'florida',
  'contractor',
  'reported',
  'dfs',
  'saysstate',
  'farm',
  'seeks',
  'm',
  'owners',
  'manhattan',
  'garage',
  'collapsedwashington',
  'physicians',
  'insurer',
  'issues',
  'notice',
  'data',
  'privacy',
  'incidentcalifornia',
  'couple',
  'm',
  'employee',
  'payrollmore',
  'news',
  'features',
  'death',
  'storm',
  'oregon',
  'washington',
  'state',
  'landlord',
  'insurer',
  'recovery',
  'damage',
  'tenant',
  'drone',
  'map',
  'tool',
  'grim',
  'sea',
  'level',
  'flood',
  'impact',
  'coastal',
  'areas',
  'j&j',
  'm',
  'california',
  'cancer',
  'patient',
  'baby',
  'powder',
  'suit',
  'travelers',
  'q2',
  'profit',
  'plummets',
  'historic',
  'level',
  'catastrophe',
  'insurance',
  'jobshuman',
  'resources',
  'generalist',
  'richardson',
  'txmarketing',
  'intern',
  'fort',
  'lee',
  'njdefined',
  'contribution',
  'plans',
  'senior',
  'analyst',
  'dallas',
  'txclient',
  'manager',
  'tempe',
  'azmanager',
  'data',
  'quality',
  'hartford',
  'ct',
  'q&a',
  'consultant',
  'stephen',
  'bushnell',
  'digs',
  'green',
  'insurance',
  'products',
  'broker',
  'construction',
  'market',
  'project',
  'delays',
  'labor',
  'shortage',
  'higher',
  'schools',
  'insurance',
  'challenge',
  'opportunities',
  'broker',
  'music',
  'events',
  'space',
  'viewpoint',
  'doctrine',
  'prevention',
  'texas',
  'lawyers',
  'ignorance',
  'mma',
  'misdeeds',
  'seek',
  'relief',
  'month',
  'suspension',
  'forest',
  'service',
  'burn',
  'wildfire',
  'los',
  'alamos',
  'new',
  'mexico',
  'agency',
  'firefighting',
  'plane',
  'greece',
  'blazes',
  'control',
  'new',
  'evacuations',
  'un',
  'operation',
  'siphon',
  'oil',
  'rusting',
  'tanker',
  'yemen',
  'catastrophe',
  'july',
  'risk',
  'tight',
  'labor',
  'market',
  'wc',
  'practicesaugust',
  'hard',
  'marketaugust',
  'class',
  'risk',
  'transfer',
  '1august',
  'class',
  'risk',
  'transfer',
  'insurance',
  'markets',
  'directory',
  'forums',
  'a.m.',
  'best',
  'company',
  'ratings',
  'industry',
  'event',
  'agencies',
  'sale',
  'newswire',
  'insurance',
  'jobs',
  'rankings',
  'awards',
  'email',
  'newsletters',
  'magazine',
  'subscription',
  'website',
  'rss',
  'twitter',
  'facebook',
  'linkedin',
  'info',
  'insurance',
  'journal',
  'mynewmarkets.com',
  'claims',
  'journal',
  'insurance',
  'journal',
  'tv',
  'academy',
  'insurance',
  'carrier',
  'management',
  'wells',
  'media',
  'group',
  'inc.',
  'privacy',
  'policy',
  'term',
  'conditions',
  'site',
  'map'],
 ['fox',
  'news',
  'media',
  'fox',
  'news',
  'mediafox',
  'businessfox',
  'nationfox',
  'news',
  'audiofox',
  'fox',
  'news',
  'expand',
  'collapse',
  'search',
  'login',
  'tv',
  'menu',
  'u.s.',
  'crimemilitaryeducationterrorimmigrationeconomypersonal',
  'freedomsfox',
  'news',
  'investigatesworld',
  'u.n.conflictsterrorismdisastersglobal',
  'politic',
  'executivesenatehousejudiciaryforeign',
  'policypollselectionsentertainment',
  'celebrity',
  'newsmoviestv',
  'newsmusic',
  'newsstyle',
  'newsentertainment',
  'videobusiness',
  'personal',
  'financeeconomymarketswatchlistlifestylereal',
  'estatetechlifestyle',
  'food',
  'drinkcars',
  'truckstravel',
  'outdoorshouse',
  'homefitness',
  'beingstyle',
  'beautyfamilyfaithscience',
  'archaeologyair',
  'spaceplanet',
  'earthwild',
  'naturenatural',
  'sciencedinosaurstech',
  'gamesmilitary',
  'techhealth',
  'coronavirushealthy',
  'livingmedical',
  'researchmental',
  'healthcancerheart',
  'healthchildren',
  'healthtv',
  'showspersonalitieswatch',
  'livefull',
  'episodesshow',
  'clipsnews',
  'clipsabout',
  'contact',
  'worldadvertise',
  'usmedia',
  'relationscorporate',
  'informationcompliance',
  'fox',
  'businessfox',
  'weatherfox',
  'nationwomen',
  'world',
  'cup',
  'news',
  'shopfox',
  'news',
  'gofox',
  'news',
  'radiooutkicknewsletterspodcastsapps',
  'products',
  'fox',
  'news',
  'new',
  'terms',
  'use',
  'new',
  'privacy',
  'policy',
  'privacy',
  'choices',
  'captioning',
  'policy',
  'material',
  'fox',
  'news',
  'network',
  'llc',
  'right',
  'quote',
  'time',
  'minute',
  'market',
  'datum',
  'factset',
  'factset',
  'digital',
  'solutions',
  'statement',
  'mutual',
  'fund',
  'etf',
  'datum',
  'refinitiv',
  'lipper',
  'facebook',
  'twitter',
  'instagram',
  'rss',
  'email',
  'tornado',
  'march',
  'edt',
  'mississippi',
  'tornado',
  'twister',
  'mile',
  'destruction',
  'path',
  'storm',
  'tornado',
  'emergency',
  'tornado',
  'alert',
  'mississippi',
  'town',
  'elizabeth',
  'pritchett',
  'julia',
  'musto',
  'sarah',
  'rumpf',
  'whitten',
  'fox',
  'news',
  'facebook',
  'twitter',
  'flipboard',
  'comments',
  'print',
  'email',
  'video',
  'mississippi',
  'tornado',
  'damage',
  'rolling',
  'fork',
  'video',
  'drone',
  'video',
  'saturday',
  'morning',
  'rolling',
  'fork',
  'mississippi',
  'tornado',
  'storm',
  'area',
  'friday',
  'aaron',
  'rigsby/',
  'lsm)a',
  'weather',
  'outbreak',
  'state',
  'friday',
  'evening',
  'saturday',
  'morning',
  'tornado',
  'mississippi',
  'mississippi',
  'emergency',
  'management',
  'agency',
  'saturday',
  'afternoon',
  'people',
  'dozen',
  'storm',
  'state',
  'friday',
  'evening',
  'building',
  'power',
  'thousand',
  'resident',
  'state',
  'mississippi',
  'tornado',
  'state',
  'march',
  'mississippi',
  'emergency',
  'management',
  'agency',
  'statement',
  'time',
  'death',
  'toll',
  'dozen',
  'number',
  'image',
  'emergency',
  'rescuer',
  'responder',
  'tornado',
  'home',
  'park',
  'body',
  'pile',
  'debris',
  'insulation',
  'home',
  'furnishing',
  'saturday',
  'morning',
  'march',
  'rolling',
  'fork',
  'miss.',
  'ap',
  'photo',
  'rogelio',
  'v.',
  'solis',
  'image',
  'law',
  'enforcement',
  'officer',
  'debris',
  'diner',
  'survivor',
  'saturday',
  'march',
  'rolling',
  'fork',
  'miss.',
  'ap',
  'photo',
  'rogelio',
  'solis',
  'image',
  'resident',
  'pile',
  'debris',
  'insulation',
  'home',
  'furnishing',
  'home',
  'park',
  'rolling',
  'fork',
  'miss.',
  'saturday',
  'march',
  'ap',
  'photo',
  'rogelio',
  'v.',
  'solis',
  'image',
  'sheriff',
  'deputy',
  'pile',
  'wind',
  'vehicle',
  'survivor',
  'chuck',
  'dairy',
  'bar',
  'rolling',
  'fork',
  'miss.',
  'saturday',
  'march',
  'ap',
  'photo',
  'rogelio',
  'v.',
  'solis',
  'image',
  'debris',
  'ground',
  'diner',
  'chuck',
  'dairy',
  'bar',
  'saturday',
  'march',
  'rolling',
  'fork',
  'miss.',
  'ap',
  'photo',
  'rogelio',
  'solis',
  'image',
  'debris',
  'rolling',
  'fork',
  'home',
  'park',
  'saturday',
  'march',
  'rolling',
  'fork',
  'miss.',
  'ap',
  'photo',
  'rogelio',
  'solis',
  'image',
  'piles',
  'debris',
  'insulation',
  'vehicle',
  'home',
  'furnishing',
  'home',
  'park',
  'rolling',
  'fork',
  'miss.',
  'saturday',
  'march',
  'ap',
  'photo',
  'rogelio',
  'v.',
  'solis',
  'image',
  'resident',
  'pile',
  'debris',
  'insulation',
  'home',
  'furnishing',
  'home',
  'park',
  'rolling',
  'fork',
  'miss.',
  'saturday',
  'march',
  'ap',
  'photo',
  'rogelio',
  'v.',
  'solis',
  'image',
  'resident',
  'remnant',
  'home',
  'rolling',
  'fork',
  'miss.',
  'march',
  'ap',
  'photo',
  'rogelio',
  'v.',
  'solis',
  'map',
  'tornado',
  'mississippi',
  'alabama',
  'saturday',
  'morning',
  'fox',
  'weather)on',
  'saturday',
  'president',
  'biden',
  'statement',
  'condolence',
  'community',
  'support',
  'way',
  'jill',
  'tornado',
  'mississippi',
  'image',
  'mississippi',
  'president',
  'wrote.2',
  'dead',
  'missouri',
  'flood',
  'tornado',
  'threats',
  'extent',
  'damage',
  'americans',
  'family',
  'friend',
  'home',
  'business',
  'biden',
  '"today',
  'mississippi',
  'governor',
  'tate',
  'reeves',
  'senator',
  'wicker',
  'senator',
  'hyde',
  'smith',
  'congressman',
  'bennie',
  'thompson',
  'condolence',
  'support',
  'community',
  'effect',
  'storm',
  'fema',
  'administrator',
  'deanne',
  'criswell',
  'emergency',
  'response',
  'personnel',
  'resource',
  'search',
  'rescue',
  'team',
  'damage',
  'support',
  'storm',
  'responder',
  'emergency',
  'personnel',
  'americans',
  'president',
  'support',
  'storm',
  'responder',
  'emergency',
  'personnel',
  'americans',
  'president',
  'mississippians',
  'night',
  'tornado',
  'search',
  'rescue',
  'team',
  'mississippi',
  'gov.',
  'tate',
  'reeves',
  'saturday',
  'loss',
  'town',
  'god',
  'hand',
  'family',
  'friend',
  'president',
  'biden',
  'devastation',
  'president',
  'federal',
  'emergency',
  'management',
  'agency',
  'response',
  'mississippi',
  'gov.',
  'tate',
  'reeves',
  'hand',
  'member',
  'mississippi',
  'highway',
  'patrol',
  'saturday',
  'march',
  'governor',
  'tate',
  'reeves',
  'mississippi',
  'gov.',
  'tate',
  'reeves',
  'resident',
  'tornado',
  'saturday',
  'march',
  'governor',
  'tate',
  'flood',
  'support',
  'governor',
  'business',
  'charity',
  'admin',
  'community',
  'ground',
  'tate',
  'governor',
  'route',
  'sharkey',
  'county',
  'tornado',
  'fema',
  'administrator',
  'deanne',
  'criswell',
  'reeves',
  'fema',
  'team',
  'way',
  'state',
  'state',
  'emergency',
  'county',
  'storm',
  'debris',
  'building',
  'rolling',
  'fork',
  'miss.',
  'saturday',
  'march',
  'tornado',
  'deep',
  'south',
  'friday',
  'night',
  'people',
  'mississippi',
  'dozen',
  'building',
  'ap',
  'photo',
  'rogelio',
  'solis',
  'damage',
  'storm',
  'silver',
  'city',
  'miss.',
  'mississippi',
  'highway',
  'patrol',
  'greenwood',
  'twitter',
  'destruction',
  'tornado',
  'silver',
  'city',
  'miss.',
  'mississippi',
  'highway',
  'patrol',
  'greenwood',
  'twitter)the',
  'governor',
  'twitter',
  'friday',
  'night',
  'official',
  'ambulance',
  'emergency',
  'asset',
  'authority',
  'woman',
  'flash',
  'flooding',
  'river',
  'car',
  'road',
  'amory',
  'mayor',
  'cory',
  'glenn',
  'fox',
  'friends',
  'weekend',
  'saturday',
  'extent',
  'devastation',
  'community',
  'storm',
  'people',
  'tornado',
  'ground',
  'mississippi',
  'videothe',
  'line',
  'storm',
  'tornado',
  'emergency',
  'town',
  'tornado',
  'alert',
  'definition',
  'tornado',
  'damage',
  'fatality',
  'ground',
  'tornado',
  'damage',
  'national',
  'guard',
  'building',
  'amory',
  'miss.',
  'holly',
  'area',
  'mississippi',
  'damage',
  'town',
  'amory',
  'alabama',
  'state',
  'line',
  'resident',
  'holly',
  'barnes',
  'series',
  'photo',
  'facebook',
  'caption',
  'amory',
  'home',
  'tornado',
  'amory',
  'miss.',
  'friday',
  'march',
  'holly',
  'agency',
  'town',
  'medium',
  'driver',
  'area',
  'amory',
  'police',
  'fire',
  'department',
  'statement',
  'tornado',
  'amory',
  'emergency',
  'crew',
  'job',
  'power',
  'damage',
  'rescue',
  'area',
  'location',
  'amory',
  'debris',
  'tree',
  'amory',
  'miss.',
  'tornado',
  'town',
  'friday',
  'march',
  'holly',
  'barnes',
  'damage',
  'tornado',
  'amory',
  'miss.',
  'march',
  'holly',
  'tornado',
  'town',
  'rolling',
  'fork',
  'fox',
  'weather',
  'mile',
  'silver',
  'city',
  'responder',
  'agency',
  'damage',
  'area',
  'radar',
  'analysis',
  'twister',
  'ground',
  'mile',
  'debris',
  'foot',
  'air',
  'path',
  'click',
  'latest',
  'fox',
  'miller',
  'mayor',
  'rolling',
  'fork',
  'fox',
  'weather',
  'town',
  'rolling',
  'fork',
  'area',
  'number',
  'house',
  'miller',
  'highway',
  'business',
  'business',
  'people',
  'couple',
  'eatery',
  'people',
  'image',
  'tracy',
  'hardin',
  'center',
  'husband',
  'tim',
  'chuck',
  'dairy',
  'bar',
  'neighbor',
  'rolling',
  'fork',
  'miss.',
  'saturday',
  'march',
  'couple',
  'employee',
  'tornado',
  'ap',
  'photo',
  'rogelio',
  'v.',
  'solis',
  'image',
  'roof',
  'home',
  'debris',
  'ground',
  'saturday',
  'march',
  'silver',
  'city',
  'miss.',
  'ap',
  'photo',
  'michael',
  'goldberg',
  'image',
  'tree',
  'street',
  'saturday',
  'march',
  'silver',
  'city',
  'miss.',
  'ap',
  'photo',
  'michael',
  'goldberg',
  'image',
  'noel',
  'crook',
  'damage',
  'home',
  'silver',
  'city',
  'miss.',
  'saturday',
  'march',
  'roof',
  'crook',
  'home',
  'wife',
  'ap',
  'photo',
  'michael',
  'goldberg',
  'image',
  'wonder',
  'bolden',
  'year',
  'granddaughter',
  'journey',
  'bolden',
  'remain',
  'mother',
  'tornado',
  'home',
  'rolling',
  'fork',
  'miss.',
  'saturday',
  'march',
  'ap',
  'photo',
  'rogelio',
  'v.',
  'solis',
  'image',
  'wind',
  'vehicle',
  'rolling',
  'fork',
  'miss.',
  'saturday',
  'march',
  'day',
  'series',
  'storm',
  'tornado',
  'ap',
  'photo',
  'rogelio',
  'v.',
  'solis',
  'image',
  'pair',
  'resident',
  'remain',
  'tornado',
  'home',
  'park',
  'pile',
  'debris',
  'insulation',
  'home',
  'furnishing',
  'rolling',
  'fork',
  'miss.',
  'saturday',
  'march',
  'ap',
  'photo',
  'rogelio',
  'v.',
  'solis)speaking',
  'fox',
  'news',
  'channel',
  'mayor',
  'eldridge',
  'walker',
  'neil',
  'cavuto',
  'community',
  'life',
  'folk',
  'friend',
  'family',
  'family',
  'child',
  'care',
  'point',
  'rare',
  'tornado',
  'rip',
  'los',
  'angeles',
  'county',
  'injuring',
  'tearing',
  'roofwalker',
  'storm',
  'ground',
  'building',
  'mayor',
  'eldridge',
  'walker"it',
  'united',
  'cajun',
  'navy',
  'president',
  'todd',
  'terrell',
  'organization',
  'dog',
  'search',
  'rescue',
  'effort',
  'brett',
  'adair',
  'fox',
  'weather',
  'field',
  'meteorologist',
  'storm',
  'twister',
  'silver',
  'city',
  'drone',
  'air',
  'tornado',
  'mile',
  'explosion',
  'highway',
  'silver',
  'city',
  'click',
  'fox',
  'news',
  'app',
  'image',
  'destruction',
  'storm',
  'saturday',
  'lobelville',
  'tenn.',
  'fox',
  'weather',
  'image',
  'flag',
  'destruction',
  'storm',
  'lobelville',
  'tenn.',
  'fox',
  'weather)as',
  'p.m.',
  'et',
  'saturday',
  'customer',
  'power',
  'mississippi',
  'poweroutage.us',
  'outage',
  'tracker',
  'alabama',
  'tennessee',
  'mississippi',
  'emergency',
  'management',
  'agency',
  'saturday',
  'evening',
  'mississippi',
  'resident',
  'storm',
  'sunday',
  'evening',
  'wind',
  'resident',
  'round',
  'storm',
  'emergency',
  'agency',
  'wave',
  'tornado',
  'agency',
  'resident',
  'place',
  'storm',
  'associated',
  'press',
  'report',
  'story',
  'news',
  'thing',
  'morning',
  'inbox',
  'weekday',
  'newsletter',
  'u.s.',
  'crimemilitaryeducationterrorimmigrationeconomypersonal',
  'freedomsfox',
  'news',
  'investigatesworld',
  'u.n.conflictsterrorismdisastersglobal',
  'politic',
  'executivesenatehousejudiciaryforeign',
  'policypollselectionsentertainment',
  'celebrity',
  'newsmoviestv',
  'newsmusic',
  'newsstyle',
  'newsentertainment',
  'videobusiness',
  'personal',
  'financeeconomymarketswatchlistlifestylereal',
  'estatetechlifestyle',
  'food',
  'drinkcars',
  'truckstravel',
  'outdoorshouse',
  'homefitness',
  ...],
 ['owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'account',
  'dashboard',
  'profile',
  'item',
  'kxra',
  'kx92',
  'z99',
  'today',
  'sky',
  'shower',
  'thunderstorm',
  '90f.',
  'wind',
  'ese',
  'mph',
  'tonight',
  'shower',
  'thunderstorm',
  'low',
  'winds',
  'ne',
  'mph',
  'july',
  'pm',
  'kxra',
  'kx92',
  'z99',
  'season',
  'winter',
  'storm',
  'minnesota',
  'tuesday',
  'wednesday',
  'undated)--the',
  'national',
  'weather',
  'service',
  'winter',
  'storm',
  'region',
  'tuesday',
  'morning',
  'wednesday',
  'night',
  'area',
  'inch',
  'snow',
  'wind',
  'mph',
  'blizzard',
  'condition',
  'time',
  'road',
  '511.urgent',
  'winter',
  'weather',
  'messagenational',
  'weather',
  'service',
  'twin',
  'cities',
  'chanhassen',
  'mn331',
  'cdt',
  'mon',
  'apr',
  'complex',
  'prolonged',
  'winter',
  'storm',
  'multiple',
  'precipitation',
  'type',
  'blizzard',
  'condition',
  'portions',
  'western',
  'minnesota',
  'tuesday',
  'wednesday',
  'storm',
  'system',
  'rockies',
  'central',
  'plains',
  'tuesday',
  'minnesota',
  'tuesday',
  'night',
  'canada',
  'wednesday',
  'night',
  'precipitation',
  'snow',
  'area',
  'tuesday',
  'morning',
  'mix',
  'rain',
  'sleet',
  'snow',
  'tuesday',
  'afternoon',
  'tuesday',
  'night',
  'transition',
  'snow',
  'shower',
  'wednesday',
  'snow',
  'accumulation',
  'inch',
  'minnesota',
  'addition',
  'wind',
  'tuesday',
  'wednesday',
  'blizzard',
  'condition',
  'winter',
  'storm',
  'watch',
  'effect',
  'portion',
  'minnesota',
  'west',
  'line',
  'granite',
  'falls',
  'willmar',
  'st.',
  'cloud',
  'lake',
  'mille',
  'lacs',
  'national',
  'weather',
  'service',
  'forecast',
  'update',
  'winter',
  'storm',
  'mnz041',
  'douglas',
  'todd',
  'stevens',
  'city',
  'alexandria',
  'long',
  'prairie',
  'cdt',
  'mon',
  'apr',
  'winter',
  'storm',
  'watch',
  'effect',
  'tuesday',
  'morning',
  'wednesday',
  'night',
  'blizzard',
  'condition',
  'snow',
  'accumulation',
  'inch',
  'ice',
  'accumulation',
  'glaze',
  'wind',
  'mph',
  'douglas',
  'todd',
  'stevens',
  'counties',
  'tuesday',
  'morning',
  'wednesday',
  'night',
  'impact',
  'travel',
  'area',
  'snow',
  'visibility',
  'condition',
  'tuesday',
  'wednesday',
  'evening',
  'commute',
  'wind',
  'snow',
  'damage',
  'tree',
  'power',
  'line',
  'precautionary',
  'preparedness',
  'actions',
  'blizzard',
  'condition',
  'forecast',
  'update',
  'situation',
  'news',
  'community',
  'success',
  'email',
  'link',
  'list',
  'signup',
  'error',
  'error',
  'request',
  'funeral',
  'announcements',
  'list',
  'funeral',
  'annoucement',
  'kxra',
  'fm',
  'news',
  'news',
  'sport',
  'event',
  'voice',
  'alexandria',
  'sport',
  'update',
  'sport',
  'headline',
  'voice',
  'alexandria',
  'event',
  'email',
  'event',
  'area',
  'voice',
  'alexandria',
  'news',
  'news',
  'cancellation',
  'delay',
  'email',
  'cancellation',
  'delay',
  'area',
  'articlespresident',
  'biden',
  'disaster',
  'declaration',
  'minnesotathis',
  'best',
  'place',
  'minnesotathis',
  'best',
  'place',
  'south',
  'dakotathis',
  'best',
  'place',
  'north',
  'dakotamissing',
  'teen',
  'west',
  'minnesota',
  'authority',
  'helpman',
  'crash',
  'minnesotathunderstorms',
  'area',
  'welcome',
  'rainone',
  'person',
  'crash',
  'otter',
  'tail',
  'countyhealth',
  'alert',
  'minneapolis',
  'disorder',
  'death',
  'rates',
  'doctor',
  'explainsofficer',
  'jake',
  'wallin',
  'funeral',
  'saturday',
  'pequot',
  'lakes',
  'kxra',
  'online',
  'public',
  'file',
  'kxra',
  'fm',
  'online',
  'public',
  'file',
  'kxrz',
  'fm',
  'online',
  'public',
  'file',
  'persons',
  'disability',
  'assistance',
  'public',
  'file',
  'brett',
  'paradis',
  'broadway',
  'alexandria',
  'mn',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'term',
  'use',
  '',
  '',
  'privacy',
  'policy',
  'powered',
  'blox',
  'content',
  'management',
  'system',
  'blox',
  'digital'],
 ['state',
  'fair',
  'daily',
  'calendar',
  'events',
  'kx',
  'conversation',
  'kx',
  'finance',
  'business',
  'beat',
  'crime',
  'tracker',
  'daily',
  'pledge',
  'local',
  'politics',
  'politics',
  'hill',
  'world',
  'news',
  'russia',
  'ukraine',
  'conflict',
  'national',
  'day',
  'calendar',
  'bestreviews',
  'bestreviews',
  'daily',
  'deals',
  'automotive',
  'news',
  'press',
  'kx',
  'birthday',
  'club',
  'day',
  'stories',
  'inbox',
  'north',
  'dakota',
  'county',
  'north',
  'dakota',
  'state',
  'fair',
  'event',
  'thursday',
  'july',
  'struggle',
  'ndsf',
  'vendor',
  'journey',
  'lemonade',
  'lasso',
  'state',
  'fair',
  'forecast',
  'fair',
  'weather',
  'forecast',
  'weather',
  'interactive',
  'radar',
  'weather',
  'almanac',
  'weather',
  'weather',
  'alerts',
  'hey',
  'taylor',
  'weather',
  'kx',
  'cams',
  'kx',
  'storm',
  'team',
  'weather',
  'app',
  'weather',
  'photos',
  'local',
  'sports',
  'local',
  'college',
  'sports',
  'whistle',
  'national',
  'sports',
  'baseball',
  'chief',
  'day',
  'class',
  'aa',
  'state',
  'baseball',
  'class',
  'b',
  'state',
  'tournament',
  'action',
  'baseball',
  'bismarck',
  'minot',
  'advance',
  'class',
  'aa',
  'state',
  'baseball',
  'hazen',
  'astros',
  'place',
  'baseball',
  'husky',
  'larks',
  'baseball',
  'burlington',
  'trip',
  'carrington',
  'state',
  'fair',
  'daily',
  'calendar',
  'events',
  'kx',
  'birthday',
  'club',
  'hunger',
  'heroes',
  'destination',
  'dakota',
  'weekend',
  'brb',
  'kx',
  'daily',
  'pledge',
  'local',
  'jobs',
  'contests',
  'promotions',
  'kx',
  'town',
  'kx',
  'sport',
  'community',
  'calendar',
  'lottery',
  'daily',
  'horoscopes',
  'viewer',
  'photo',
  'guest',
  'best',
  'reviews',
  'brewday',
  'brick',
  'oven',
  'minute',
  'brick',
  'oven',
  'bakery',
  'business',
  'spotlight',
  'coffee',
  'talk',
  'community',
  'dakota',
  'zoo',
  'news',
  'dakota',
  'zoo',
  'dancin',
  'day',
  'northern',
  'plains',
  'dance',
  'explore',
  'coldspring',
  'glow',
  'grillin',
  'time',
  'meat',
  'healthy',
  'living',
  'inreach',
  'physical',
  'therapy',
  'home',
  'improvement',
  'arrow',
  'service',
  'team',
  'national',
  'day',
  'calendar',
  'affinity',
  'federal',
  'credit',
  'union',
  'parent',
  'panel',
  'real',
  'estate',
  'jeff',
  'bravera',
  'bank',
  'review',
  'day',
  'polished',
  'dental',
  'smile',
  'day',
  'smile',
  'studio',
  'studio',
  'entertainment',
  'starion',
  'bank',
  'trivia',
  'treat',
  'brick',
  'oven',
  'bakery',
  'tune',
  'time',
  'pure',
  'barre',
  'kx',
  'news',
  'videos',
  'kx',
  'cams',
  'kx',
  'kx',
  'news',
  'town',
  'halls',
  'north',
  'dakota',
  'politics',
  'whistle',
  'cbs',
  'news',
  'live',
  'feed',
  'tv',
  'schedule',
  'contact',
  'team',
  'daily',
  'breaking',
  'news',
  'emails',
  'online',
  'services',
  'advertise',
  'work',
  'bestreviews',
  'winter',
  'storm',
  'vector',
  'stock',
  'illustration',
  'getty',
  'images',
  'winter',
  'storm',
  'vector',
  'stock',
  'illustration',
  'getty',
  'imagesread',
  'north',
  'dakota',
  'april',
  'blizzard',
  'nick',
  'jachim',
  'morgan',
  'devries',
  'keith',
  'darnay',
  'apr',
  'pm',
  'cdt',
  'apr',
  'pm',
  'cdt',
  'winter',
  'storm',
  'vector',
  'stock',
  'illustration',
  'getty',
  'images',
  'winter',
  'storm',
  'vector',
  'stock',
  'illustration',
  'getty',
  'images',
  'read',
  'nick',
  'jachim',
  'morgan',
  'devries',
  'keith',
  'darnay',
  'apr',
  'pm',
  'cdt',
  'apr',
  'pm',
  'cdt',
  'kxnet',
  'update',
  'day',
  'kx',
  'storm',
  'team',
  'april',
  'blizzard',
  'closing',
  'area',
  'storm',
  'closing',
  'delay',
  'cancellation',
  'nd',
  'roads',
  'kx',
  'forecast',
  'kx',
  'weather',
  'radar',
  'kx',
  'weather',
  'cams',
  'nd',
  'highway',
  'cams',
  'april',
  'area',
  'snow',
  'report',
  'yesterday',
  'night',
  'system',
  'report',
  'afternoon',
  'medina',
  'east',
  'wednesday',
  'morning',
  'image',
  'nddot',
  'highway',
  'cam',
  'april',
  'winter',
  'storm',
  'state',
  'highway',
  'snow',
  'north',
  'dakota',
  'department',
  'transportation',
  'bismarck',
  'fargo',
  'bismarck',
  'dickinson',
  'travel',
  'warning',
  'u.s.',
  'bismarck',
  'washburn',
  'travel',
  'warning',
  'washburn',
  'minot',
  'u.s.',
  'ice',
  'i-29',
  'south',
  'dakota',
  'canada',
  'hour',
  'load',
  'north',
  'dakota',
  'highways',
  'snow',
  'area',
  'north',
  'dakota',
  'snow',
  'issue',
  'kx',
  'storm',
  'team',
  'wind',
  'issue',
  'today',
  'gust',
  'mile',
  'hour',
  'snow',
  'storm',
  'system',
  'state',
  'thursday',
  'friday',
  'weekend',
  'spring',
  'temperature',
  '40',
  '50',
  'relief',
  'sight',
  'april',
  'p.m.',
  'trending',
  'east',
  'datum',
  'storm',
  'bit',
  'projection',
  'fact',
  'county',
  'nd',
  'blizzard',
  'warning',
  'trend',
  'wind',
  'bit',
  'wind',
  'tonight',
  'tomorrow',
  'bismarck',
  'snowfall',
  'record',
  'lot',
  'room',
  'error',
  'snow',
  'point',
  'west',
  'wind',
  'snow',
  'season',
  'snow',
  'snow',
  'april',
  'a.m.',
  'satellite',
  'radar',
  'area',
  'snowfall',
  'portion',
  'state',
  'snow',
  'southcentral',
  'snowfall',
  'area',
  'state',
  'morning',
  'hour',
  'state',
  'afternoon',
  'tonight',
  'tom',
  'facebook',
  'p.m.',
  'question',
  'winter',
  'storm',
  'meteorologist',
  'amy',
  'metz',
  'blizzard',
  'conditions',
  'tuesday',
  'thursday',
  'april',
  'p.m.',
  'county',
  'blizzard',
  'warning',
  'impact',
  'blizzard',
  'snow',
  'wind',
  'mph',
  'time',
  'travel',
  'condition',
  'state',
  'snow',
  'digit',
  'county',
  'reason',
  'uncertainty',
  'track',
  'storm',
  'stage',
  'development',
  'change',
  'track',
  'storm',
  'difference',
  'minot',
  'inch',
  'inch',
  'southcentral',
  'bismarck',
  'snow',
  'foot',
  'snow',
  'wind',
  'april',
  'a.m.',
  'blizzard',
  'warning',
  'county',
  'cdt',
  'threat',
  'inch',
  'snow',
  'west',
  'inch',
  'east',
  'wind',
  'mph',
  'travel',
  'thank',
  'inbox',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'amazon',
  'school',
  'deal',
  'schooler',
  'school',
  'corner',
  'amazon',
  'supply',
  'school',
  'deal',
  'supply',
  'schooler',
  'august',
  'vegetable',
  'flower',
  'flower',
  'plant',
  'hour',
  'soil',
  'air',
  'temperature',
  'sunshine',
  'august',
  'month',
  'planting',
  'chemical',
  'guys',
  'kit',
  'car',
  'car',
  'care',
  'hour',
  'chemical',
  'guys',
  'car',
  'wash',
  'kit',
  'time',
  'deal',
  'bomb',
  'threat',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'russia',
  'un',
  'meeting',
  'cambodia',
  'hun',
  'sen',
  'asia',
  'leader',
  'case',
  'alzheimer',
  'nd',
  'county',
  'bluffing',
  'putin',
  'deployment',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'taiwan',
  'school',
  'office',
  'typhoon',
  'bomb',
  'threat',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'stock',
  'market',
  'today',
  'share',
  'federal',
  'russia',
  'un',
  'meeting',
  'soldier',
  'niger',
  'uswnt',
  'test',
  'truths',
  'sport',
  'illustrated',
  'min',
  'angels',
  'trade',
  'white',
  'sox',
  'duo',
  'hour',
  'sport',
  'illustrated',
  'min',
  'lindsey',
  'horan',
  'goal',
  'uswnt',
  'left',
  'sports',
  'sport',
  'illustrated',
  'hour',
  'benches',
  'clear',
  'adolis',
  'garcia',
  'grand',
  'slam',
  'rangers',
  'astros',
  'sport',
  'illustrated',
  'hour',
  'video',
  'surfaces',
  'june',
  'incident',
  'tyreek',
  'sport',
  'illustrated',
  'hour',
  'ezekiel',
  'elliott',
  'message',
  'cowboy',
  'sport',
  'illustrated',
  'hour',
  'dodgers',
  'upgrade',
  'swap',
  'big',
  'names',
  'yesteryear',
  'sports',
  'illustrated',
  'hour',
  'jim',
  'irsay',
  'comment',
  'market',
  'draw',
  'sport',
  'illustrated',
  'hour',
  'sampling',
  'feed',
  'nutritional',
  'value',
  'state',
  'fair',
  'calendar',
  'event',
  'miss',
  'week',
  'ja',
  'rule',
  'lil',
  'kim',
  'ticket',
  'giveaway',
  'pledge',
  'allegiance',
  'video',
  'case',
  'alzheimer',
  'nd',
  'county',
  'state',
  'news',
  'hour',
  'north',
  'dakota',
  'state',
  'fair',
  'event',
  'thursday',
  'july',
  'stories',
  'hour',
  'ndsf',
  'vendor',
  'journey',
  'fairgrounds',
  'stories',
  'hour',
  'lemonade',
  'lasso',
  'state',
  'fair',
  'local',
  'news',
  'hour',
  'kx',
  'conversation',
  'hour',
  'highlights',
  'kx',
  'news',
  'co',
  '-',
  'op',
  'day',
  'stories',
  'hour',
  'glory',
  'state',
  'parade',
  'champions',
  'story',
  'hour',
  'livestock',
  'life',
  'quality',
  'north',
  'dakota',
  'news',
  'hour',
  'stories',
  'hour',
  'local',
  'news',
  'hour',
  'baseball',
  'chief',
  'day',
  'class',
  'aa',
  'state',
  'local',
  'sports',
  'hour',
  'baseball',
  'class',
  'b',
  'state',
  'tournament',
  'action',
  'local',
  'sports',
  'hour',
  'baseball',
  'bismarck',
  'minot',
  'advance',
  'class',
  'aa',
  'state',
  'local',
  'sports',
  'day',
  'baseball',
  'hazen',
  'astros',
  'place',
  'local',
  'sports',
  'day',
  'baseball',
  'husky',
  'larks',
  'local',
  'sports',
  'day',
  'baseball',
  'burlington',
  'trip',
  'carrington',
  'local',
  'sports',
  'day',
  'whistle',
  'kate',
  'herzog',
  'growth',
  'djga',
  'whistle',
  'day',
  'whistle',
  'madden',
  'thorson',
  'whistle',
  'day',
  'whistle',
  'cade',
  'feeney',
  'journey',
  'whistle',
  'day',
  'whistle',
  'look',
  'star',
  'whistle',
  'day',
  'case',
  'alzheimer',
  'nd',
  'county',
  'state',
  'news',
  'hour',
  'north',
  'dakota',
  'state',
  'fair',
  'event',
  'thursday',
  'july',
  'stories',
  'hour',
  'ndsf',
  'vendor',
  'journey',
  'fairgrounds',
  'stories',
  'hour',
  'lemonade',
  'lasso',
  'state',
  'fair',
  'local',
  'news',
  'hour',
  'kx',
  'conversation',
  'hour',
  'highlights',
  'kx',
  'news',
  'co',
  '-',
  'op',
  'day',
  'stories',
  'hour',
  'glory',
  'state',
  'parade',
  'champions',
  'story',
  'hour',
  'livestock',
  'life',
  'quality',
  'north',
  'dakota',
  'news',
  'hour',
  'stories',
  'hour',
  'local',
  'news',
  'hour',
  'transgender',
  'intersex',
  'people',
  'national',
  'news',
  'hour',
  'millipede',
  'specie',
  'leg',
  'national',
  'news',
  'hour',
  'samsung',
  'smartphone',
  'bet',
  'national',
  'news',
  'hour',
  'national',
  'news',
  'hour',
  'people',
  'high',
  'arizona',
  'national',
  'news',
  'hour',
  'arizona',
  'girl',
  'montana',
  'national',
  'news',
  'hour',
  'attorney',
  'm',
  'settlement',
  'water',
  'national',
  'news',
  'hour',
  'wnba',
  'player',
  'charge',
  'national',
  'news',
  'hour',
  'mississippi',
  'teen',
  'death',
  'poultry',
  'plant',
  'child',
  'national',
  'news',
  'hour',
  'ohio',
  'officer',
  'k-9',
  'man',
  'national',
  'news',
  'hour',
  'north',
  'dakota',
  'state',
  'fair',
  'event',
  'thursday',
  'july',
  'ndsf',
  'vendor',
  'journey',
  'fairgrounds',
  'lemonade',
  'lasso',
  'state',
  'fair',
  'highlights',
  'kx',
  'news',
  'co',
  '-',
  'op',
  'day',
  'crowning',
  'glory',
  'state',
  'parade',
  'champions',
  'livestock',
  'life',
  'quality',
  'plane',
  ...],
 ['associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'storm',
  'chaos',
  'portland',
  'storm',
  'portland',
  'area',
  'wednesday',
  'foot',
  'snow',
  'city',
  'driver',
  'rush',
  'hour',
  'feb.',
  'claire',
  'rush',
  'drew',
  'callister',
  'jim',
  'salter',
  'portland',
  'ore.',
  'ap',
  'winter',
  'storm',
  'chaos',
  'u.s.',
  'thursday',
  'oregon',
  'city',
  'foot',
  'snow',
  'paralyzing',
  'travel',
  'pacific',
  'coast',
  'way',
  'plains',
  'inch',
  'centimeter',
  'portland',
  'day',
  'city',
  'history',
  'driver',
  'surprise',
  'traffic',
  'wednesday',
  'evening',
  'rush',
  'hour',
  'motorist',
  'freeway',
  'hour',
  'night',
  'vehicle',
  'crew',
  'road',
  'commuter',
  'bus',
  'group',
  'safety',
  'national',
  'weather',
  'service',
  'chance',
  'snow',
  'work',
  'weather',
  'power',
  'home',
  'business',
  'state',
  'school',
  'thousand',
  'flight',
  'system',
  'snow',
  'southern',
  'california',
  'taiwan',
  'school',
  'office',
  'typhoon',
  'doksuri',
  'island',
  'coast',
  'greece',
  'country',
  'home',
  'nature',
  'reserve',
  'typhoon',
  'doksuri',
  'thousand',
  'philippines',
  'kim',
  'upham',
  'hour',
  'ordeal',
  'snow',
  'standstill',
  'traffic',
  'u.s.',
  'highway',
  'portland',
  'coast',
  'grade',
  'highway',
  'sheet',
  'ice',
  'driver',
  'car',
  'middle',
  'road',
  '-',
  'truck',
  'semi',
  '-',
  'truck',
  'slope',
  'hour',
  'driver',
  'morning',
  'upham',
  'blanket',
  'night',
  'car',
  'gas',
  'vehicle',
  'windshield',
  'wiper',
  'inch',
  'traffic',
  'multnomah',
  'county',
  'examiner',
  'office',
  'hypothermia',
  'death',
  'storm',
  'agency',
  'detail',
  'concern',
  'thousand',
  'people',
  'portland',
  'street',
  'city',
  'county',
  'official',
  'shelter',
  'thursday',
  'evening',
  'total',
  'site',
  'people',
  'surprise',
  'day',
  'place',
  'snow',
  'joan',
  'jasper',
  'ski',
  'neighborhood',
  'news',
  'inch',
  'southern',
  'california',
  'weather',
  'service',
  'office',
  'san',
  'diego',
  'blizzard',
  'warning',
  'mountain',
  'san',
  'bernardino',
  'county',
  'friday',
  'saturday',
  'afternoon',
  'san',
  'bernardino',
  'county',
  'los',
  'angeles',
  'county',
  'mountain',
  'blizzard',
  'warning',
  'effect',
  'time',
  'karen',
  'krenis',
  'pottery',
  'studio',
  'santa',
  'cruz',
  'california',
  'track',
  'snow',
  'beach',
  'car',
  'photo',
  'time',
  'people',
  'adult',
  'photo',
  'child',
  'snowball',
  'california',
  'year',
  'krenis',
  'wyoming',
  'road',
  'state',
  'state',
  'official',
  'rescuer',
  'motorist',
  'wind',
  'snow',
  'situation',
  'sgt',
  'jeremy',
  'beck',
  'wyoming',
  'highway',
  'patrol',
  'wind',
  'snow',
  'cascade',
  'mountains',
  'search',
  'team',
  'body',
  'climber',
  'weekend',
  'avalanche',
  'washington',
  'state',
  'colchuck',
  'peak',
  'portland',
  'resident',
  'dusting',
  'inch',
  'city',
  'salt',
  'road',
  'situation',
  'reason',
  'chaos',
  'thursday',
  'storm',
  'motorist',
  'freeway',
  'city',
  'day',
  'weather',
  'service',
  '%',
  'chance',
  'portland',
  'inch',
  'centimeter',
  'snow',
  'probability',
  'inch',
  'centimeter',
  'forecast',
  'storm',
  'colby',
  'neuman',
  'weather',
  'service',
  'meteorologist',
  'portland',
  'forecaster',
  'model',
  'balance',
  'wolf',
  'people',
  'decision',
  'neuman',
  'arizona',
  'interstate',
  'highway',
  'wind',
  'temperature',
  'snow',
  'forecaster',
  'snow',
  'inch',
  'centimeter',
  'hour',
  'blizzard',
  'warning',
  'effect',
  'saturday',
  'california',
  'elevation',
  'sierra',
  'nevada',
  'prediction',
  'foot',
  'snow',
  'mph',
  'kph',
  'gust',
  'wind',
  'chill',
  'degree',
  'grid',
  'beating',
  'north',
  'ice',
  'wind',
  'power',
  'line',
  'california',
  'line',
  'tree',
  'branch',
  'debris',
  'michigan',
  'firefighter',
  'wednesday',
  'contact',
  'power',
  'line',
  'village',
  'paw',
  'paw',
  'authority',
  'van',
  'buren',
  'county',
  'sheriff',
  'dan',
  'abbott',
  'accident',
  'fault',
  'firefighter',
  'power',
  'outage',
  'california',
  'oregon',
  'illinois',
  'michigan',
  'new',
  'york',
  'website',
  'poweroutage.us',
  'outage',
  'michigan',
  'customer',
  'electricity',
  'state',
  'corner',
  'power',
  'line',
  'tree',
  'ice',
  'dte',
  'energy',
  'outage',
  'weekend',
  'afternoon',
  'temperature',
  '40',
  'celsius',
  'ice',
  'dte',
  'line',
  'quarter',
  'inch',
  'ice',
  'system',
  'equivalent',
  'baby',
  'piano',
  'wire',
  'trevor',
  'lauer',
  'president',
  'dte',
  'arm',
  'detroit',
  'suburb',
  'dearborn',
  'city',
  'ice',
  'acknowledgment',
  'power',
  'ash',
  'quam',
  'work',
  'crew',
  'ice',
  'tree',
  'limb',
  'street',
  'midnight',
  'time',
  'morning',
  'quam',
  'facebook',
  'weather',
  'day',
  'problem',
  'nation',
  'airport',
  'thursday',
  'afternoon',
  'flight',
  'country',
  'tracking',
  'service',
  'flightaware.___salter',
  'o’fallon',
  'missouri',
  'associated',
  'press',
  'writer',
  'andrew',
  'selsky',
  'salem',
  'oregon',
  'olga',
  'rodriguez',
  'san',
  'francisco',
  'ed',
  'white',
  'detroit',
  'ap',
  'reporter',
  'country',
  'report',
  'statehouse',
  'reporter',
  'portland',
  'oregon',
  'associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights'],
 ['son',
  'houston',
  'man',
  'son',
  'charge',
  'content',
  'family',
  'jury',
  'look',
  'jalen',
  'randle',
  'case',
  'man',
  'hpd',
  'officer',
  'houston',
  'forecast',
  'downpour',
  'today',
  'chicken',
  'farm',
  'texas',
  'heat',
  'weather',
  'texas',
  'winter',
  'storm',
  'watch',
  'warning',
  'ice',
  'event',
  'state',
  'winter',
  'storm',
  'texas',
  'coast',
  'air',
  'state',
  'author',
  'pat',
  'cavlin',
  'john',
  'diaz',
  'cory',
  'mccord',
  'khou',
  'chloe',
  'alexander',
  'tim',
  'pandajis',
  'pm',
  'cst',
  'january',
  'pm',
  'cst',
  'january',
  'texas',
  'usa',
  'ice',
  'event',
  'central',
  'north',
  'texas',
  'winter',
  'storm',
  'weather',
  'warning',
  'effect',
  'state',
  'wednesday',
  'morning',
  'south',
  'southeast',
  'texas',
  'week',
  'highway',
  'concern',
  'state',
  'rain',
  'sleet',
  'red',
  'river',
  'valley',
  'monday',
  'day',
  'driving',
  'condition',
  'check',
  'flight',
  'delay',
  'texas',
  'texas',
  'power',
  'grid',
  'condition',
  'real',
  'time',
  'texas',
  'power',
  'grid',
  'real',
  'time',
  'supply',
  'winter',
  'storm',
  'texas',
  'coast',
  'air',
  'state',
  'temperature',
  'million',
  'texans',
  'resident',
  'i-35',
  'ice',
  'accumulation',
  'inch',
  'thursday',
  'accumulation',
  'ice',
  'roadway',
  'bridge',
  'overpass',
  'travel',
  'condition',
  'tuesday',
  'night',
  'power',
  'outage',
  'ice',
  'inch',
  'ice',
  'pound',
  'weight',
  'powerline',
  'span',
  'rain',
  'drizzle',
  'north',
  'texas',
  'rain',
  'road',
  'temperature',
  'freezing',
  'precipitation',
  'rain',
  'sleet',
  'pat',
  'cavlin',
  'medium',
  'facebook',
  '',
  '',
  'twitter',
  'instagram',
  'time',
  'alarm',
  'ice',
  'storm',
  'central',
  'north',
  '',
  '',
  'texasthese',
  'ice',
  'accumulation',
  'wednesday',
  'eveningfor',
  'reference',
  'ice',
  'weight',
  'powerline',
  'span',
  '@khou',
  'khou11',
  '',
  '',
  'txwx',
  'pic.twitter.com/2nup22idco',
  'pat',
  'cavlin',
  '@pcavlin',
  'january',
  'path',
  'tornado',
  'houston',
  'area',
  'video',
  'tornado',
  'baytown',
  'houston',
  'forecast',
  'tonight',
  'example',
  'video',
  'title',
  'video',
  'news',
  'houston',
  'forecast',
  'summer',
  'shower',
  'chance',
  'thursday',
  'eeo',
  'public',
  'file',
  'report',
  'fcc',
  'online',
  'public',
  'inspection',
  'file',
  'closed',
  'caption',
  'procedure',
  'personal',
  'information',
  'khou',
  'tv',
  'rights',
  'khou',
  'notification',
  'news',
  'weather',
  'notification',
  'browser',
  'setting'],
 ['main',
  'content',
  'sensor',
  'network',
  'maps',
  'radar',
  'severe',
  'weather',
  'news',
  'blogs',
  'mobile',
  'apps',
  'nearest',
  'station',
  'manage',
  'favorite',
  'citieslog',
  'joinsettingsaccount_box',
  'log',
  'person_add',
  'join',
  'setting',
  'settings',
  'sensor',
  'networkmaps',
  'radarsevere',
  'weathernews',
  'blogsmobile',
  'appshistorical',
  'weatherstarnews',
  'blogs',
  'category',
  'news',
  'stories',
  'infographics',
  'posters',
  'news',
  'stories',
  'category',
  'storiesinfographicsposterspublished',
  'weather',
  'company',
  'mission',
  'weather',
  'news',
  'environment',
  'importance',
  'science',
  'life',
  'story',
  'position',
  'parent',
  'company',
  'ibm.recent',
  'storiesweather',
  'articlesour',
  'appsabout',
  'uscontactcareerspws',
  'networkwundermapfeedback',
  'supportterms',
  'useprivacy',
  'policyaccessibility',
  'statementadchoicesdata',
  'vendorswe',
  'responsibility',
  'datum',
  'technology',
  'datum',
  'data',
  'vendor',
  'control',
  'datum',
  'datum',
  'rightspowered',
  'ibm',
  'cloud',
  'copyright',
  'twc',
  'product',
  'technology',
  'llc',
  'javascript',
  'application'],
 ['nowcast',
  'kmbc',
  'news',
  'kcwe',
  'pm',
  'search',
  'homepage',
  'local',
  'news',
  'state',
  'addiction',
  'national',
  'news',
  'alert',
  'weather',
  'radar',
  'alerts',
  'map',
  'room',
  'future',
  'kmbc',
  'investigates',
  'heart',
  'matter',
  'community',
  'traffic',
  'sports',
  'chiefs',
  'draft',
  'kc',
  'royals',
  'high',
  'school',
  'sports',
  'politic',
  'fact',
  'fact',
  'local',
  'entertainment',
  'cw',
  'community',
  'news',
  'love',
  'news',
  'team',
  'editorial',
  'contests',
  'metv',
  'advertise',
  'kmbc',
  'advertise',
  'kcwe',
  'privacy',
  'notice',
  'terms',
  'use',
  'press',
  'type',
  'search',
  'thousand',
  'power',
  'storm',
  'kansas',
  'city',
  'metro',
  'monday',
  'morning',
  'storm',
  'hail',
  'wind',
  'pm',
  'cdt',
  'jul',
  'thousand',
  'power',
  'storm',
  'kansas',
  'city',
  'metro',
  'monday',
  'morning',
  'storm',
  'hail',
  'wind',
  'pm',
  'cdt',
  'jul',
  'latona',
  'matt',
  'big',
  'concern',
  'today',
  'laura',
  'power',
  'turned',
  'lake',
  'ladonna',
  'heat',
  'starts',
  'build',
  'week',
  'evergy',
  'crews',
  'course',
  'storm',
  'hard',
  'work',
  'today',
  'lawton',
  'repair',
  'lines',
  'thompson',
  'road',
  'lake',
  'ladonna',
  'lot',
  'branches',
  'lines',
  'lines',
  'kind',
  'area',
  'area',
  'saw',
  'lot',
  'tree',
  'damage',
  'lot',
  'branch',
  'damage',
  'people',
  'storm',
  'popped',
  'quickly',
  'woke',
  'drinking',
  'coffee',
  'wife',
  'storm',
  'hit',
  'pretty',
  'straight',
  'line',
  'wind',
  'lot',
  'rain',
  'sideways',
  'rain',
  'limb',
  'damage',
  'tree',
  'damage',
  'thing',
  'real',
  'wind',
  'got',
  'dark',
  'lot',
  'thunder',
  'lightning',
  'good',
  'news',
  'lake',
  'ladonna',
  'power',
  'restored',
  'afternoon',
  'minutes',
  'ago',
  'outage',
  'lake',
  'ladonna',
  'evergy',
  'today',
  'hope',
  'restored',
  'ac',
  'starts',
  'build',
  'later',
  'week',
  'lake',
  'ladonna',
  'matt',
  'evans',
  'abc',
  'news',
  'thank',
  'matt',
  'ahead',
  'heat',
  'wave',
  'center',
  'local',
  'alerts',
  'breaking',
  'update',
  'email',
  'inbox',
  'thousand',
  'power',
  'storm',
  'kansas',
  'city',
  'metro',
  'monday',
  'morning',
  'storm',
  'hail',
  'wind',
  'pm',
  'cdt',
  'jul',
  'national',
  'weather',
  'service',
  'thunderstorm',
  'watch',
  'monday',
  'morning',
  'noon',
  'kansas',
  'missouri',
  'kansas',
  'city',
  'metro',
  'time',
  'thousand',
  'area',
  'resident',
  'power',
  'motorist',
  'floodwater',
  'threat',
  'monday',
  'crew',
  'power',
  'thunderstorm',
  'updates:9',
  'a.m.',
  'customer',
  'power',
  'independence',
  'evergy',
  'customer',
  'power',
  'bpu',
  'customer',
  'power',
  'thunderstorm',
  'warning',
  'cass',
  'jackson',
  'johnson',
  'lafayette',
  'counties',
  'missouri',
  'a.m.',
  'national',
  'weather',
  'service',
  'severe',
  'thunderstorm',
  'watch',
  'bates',
  'henry',
  'pettis',
  'county',
  'missouri',
  'noon',
  'nws',
  'severe',
  'thunderstorm',
  'watch',
  'atchison',
  'county',
  'kansas',
  'buchanan',
  'daviess',
  'dekalb',
  'gentry',
  'grundy',
  'harrison',
  'counties',
  'missouri',
  'national',
  'weather',
  'service',
  'severe',
  'thunderstorm',
  'warning',
  'cass',
  'jackson',
  'johnson',
  'lafayette',
  'counties',
  'missouri',
  'thunderstorm',
  'warning',
  'caldwell',
  'clinton',
  'daviess',
  'livingston',
  'ray',
  'counties',
  'missouri',
  'national',
  'weather',
  'service',
  'thunderstorm',
  'warning',
  'cass',
  'jackson',
  'johnson',
  'lafayette',
  'counties',
  'missouri',
  'a.m.8:10',
  'power',
  'outage',
  'connection',
  'storm',
  'independence',
  'power',
  'light',
  'customer',
  'power',
  'evergy',
  'customer',
  'power',
  'bpu',
  'outage',
  'kansas',
  'city',
  'area',
  'national',
  'weather',
  'service',
  'severe',
  'thunderstorm',
  'warning',
  'jackson',
  'county',
  'missouri',
  'a.m.',
  'spotter',
  'mile',
  'hour',
  'wind',
  'gust',
  'hail',
  'place',
  'national',
  'weather',
  'service',
  'severe',
  'thunderstorm',
  'warning',
  'caldwell',
  'clinton',
  'daviess',
  'livingston',
  'ray',
  'counties',
  'missouri',
  'a.m.7:58',
  'national',
  'weather',
  'service',
  'thunderstorm',
  'warning',
  'jackson',
  'county',
  'missouri',
  'a.m.',
  'thunderstorm',
  'warning',
  'johnson',
  'wyandotte',
  'counties',
  'kansas',
  'clay',
  'platte',
  'counties',
  'missouri',
  'a.m.',
  'thunderstorm',
  'warning',
  'caldwell',
  'clinton',
  'daviess',
  'dekalb',
  'livingston',
  'ray',
  'counties',
  'missouri',
  'a.m.7:40',
  'a.m.',
  'thunderstorm',
  'warning',
  'core',
  'kansas',
  'city',
  'metro',
  'area',
  'johnson',
  'wyandotte',
  'counties',
  'kansas',
  'clay',
  'jackson',
  'platte',
  'counties',
  'missouri',
  'a.m.',
  'alert',
  'meteorologist',
  'nick',
  'bender',
  'thunderstorm',
  'storm',
  'storm',
  'hail',
  'wind',
  'cloud',
  'afternoon',
  'temperature',
  '90',
  'heat',
  'wave',
  'tuesday',
  'weekend',
  'kansas',
  'city',
  'mo.',
  'national',
  'weather',
  'service',
  'thunderstorm',
  'watch',
  'monday',
  'morning',
  'noon',
  'kansas',
  'missouri',
  'kansas',
  'city',
  'metro',
  'time',
  'thousand',
  'area',
  'resident',
  'power',
  'motorist',
  'floodwater',
  'timelapse',
  'flooding',
  'issue',
  'northbound',
  'west',
  'pennway',
  'kansas',
  'city',
  'click',
  'radar]the',
  'threat',
  'monday',
  'crew',
  'power',
  'thunderstorm',
  'update',
  'thunderstorm',
  'warning',
  'cass',
  'jackson',
  'johnson',
  'lafayette',
  'counties',
  'missouri',
  'a.m.',
  'national',
  'weather',
  'service',
  'severe',
  'thunderstorm',
  'watch',
  'bates',
  'henry',
  'pettis',
  'county',
  'missouri',
  'noon',
  'nws',
  'severe',
  'thunderstorm',
  'watch',
  'atchison',
  'county',
  'kansas',
  'buchanan',
  'daviess',
  'dekalb',
  'gentry',
  'grundy',
  'harrison',
  'counties',
  'missouri',
  'national',
  'weather',
  'service',
  'severe',
  'thunderstorm',
  'warning',
  'cass',
  'jackson',
  'johnson',
  'lafayette',
  'counties',
  'missouri',
  'thunderstorm',
  'warning',
  'caldwell',
  'clinton',
  'daviess',
  'livingston',
  'ray',
  'counties',
  'missouri',
  'content',
  'twitter',
  'content',
  'format',
  'information',
  'web',
  'site',
  'storm',
  'morning',
  'commute',
  'down!turn',
  'wiper',
  'headlights!please',
  'overpass',
  'https://t.co/l9fzlecmod',
  'mshp',
  'troop',
  '@mshptroopera',
  'july',
  'national',
  'weather',
  'service',
  'thunderstorm',
  'warning',
  'cass',
  'jackson',
  'johnson',
  'lafayette',
  'counties',
  'missouri',
  'a.m.8:10',
  'power',
  'outage',
  'connection',
  'storm',
  'independence',
  'power',
  'light',
  'customer',
  'power',
  'evergy',
  'customer',
  'power',
  'bpu',
  'outage',
  'kansas',
  'city',
  'area',
  'national',
  'weather',
  'service',
  'severe',
  'thunderstorm',
  'warning',
  'jackson',
  'county',
  'missouri',
  'a.m.',
  'spotter',
  'mile',
  'hour',
  'wind',
  'gust',
  'hail',
  'place',
  'content',
  'twitter',
  'content',
  'format',
  'information',
  'web',
  'site',
  'way',
  'week',
  '@kmbc',
  'pic.twitter.com/dc5flrzxqg',
  'cody',
  'holyoke',
  '@codykmbc',
  'july',
  'national',
  'weather',
  'service',
  'severe',
  'thunderstorm',
  'warning',
  'caldwell',
  'clinton',
  'daviess',
  'livingston',
  'ray',
  'counties',
  'missouri',
  'a.m.7:58',
  'national',
  'weather',
  'service',
  'thunderstorm',
  'warning',
  'jackson',
  'county',
  'missouri',
  'a.m.',
  'thunderstorm',
  'warning',
  'johnson',
  'wyandotte',
  'counties',
  'kansas',
  'clay',
  'platte',
  'counties',
  'missouri',
  'a.m.',
  'thunderstorm',
  'warning',
  'caldwell',
  'clinton',
  'daviess',
  'dekalb',
  'livingston',
  'ray',
  'counties',
  'missouri',
  'a.m.7:40',
  'a.m.',
  'thunderstorm',
  'warning',
  'core',
  'kansas',
  'city',
  'metro',
  'area',
  'johnson',
  'wyandotte',
  'counties',
  'kansas',
  'clay',
  'jackson',
  'platte',
  'counties',
  'missouri',
  'a.m.',
  'alert',
  'meteorologist',
  'nick',
  'bender',
  'thunderstorm',
  'storm',
  'storm',
  'hail',
  'wind',
  'cloud',
  'afternoon',
  'temperature',
  '90',
  'heat',
  'wave',
  'tuesday',
  'weekend',
  'mattel',
  'barbie',
  'movie',
  'dolls',
  'margot',
  'robbie',
  'ryan',
  'gosling',
  'barbie',
  'movie',
  'amazon',
  'shop',
  'pink',
  'fantastic',
  'merch',
  'contact',
  'news',
  'team',
  'apps',
  'social',
  'email',
  'alerts',
  'careers',
  'internships',
  'advertise',
  'kmbc',
  'advertise',
  'kcwe',
  'digital',
  'advertising',
  'terms',
  'conditions',
  'broadcast',
  'terms',
  'conditions',
  'rss',
  'eeo',
  'captioning',
  'contact',
  'kmbc',
  'public',
  'inspection',
  'file',
  'kcwe',
  'public',
  'inspection',
  'file',
  'public',
  'file',
  'assistance',
  'fcc',
  'applications',
  'news',
  'policy',
  'statements',
  'hearst',
  'television',
  'affiliate',
  'marketing',
  'program',
  'commission',
  'product',
  'link',
  'retailer',
  'site',
  'hearst',
  'television',
  'inc.',
  'behalf',
  'kmbc',
  'tv',
  'privacy',
  'notice',
  'california',
  'privacy',
  'rights',
  'interest',
  'ads',
  'terms',
  'use',
  'site',
  'map'],
 ['contentcranston',
  'risubscribenews',
  'feedneighbor',
  'postslocal',
  'businesseseventspostadvertisenearbyjohnston',
  'newswarwick',
  'newswest',
  'warwick',
  'newsprovidence',
  'newsnorth',
  'providence',
  'newseast',
  'providence',
  'newsscituate',
  'newsbarrington',
  'newseast',
  'greenwich',
  'newspawtucket',
  'newslocal',
  'newscommunity',
  'cornercrime',
  'safetypolitics',
  'governmentschoolstraffic',
  'transitobituariespersonal',
  'financebest',
  'ofseasonal',
  'holidaysweatherarts',
  'entertainmentbusinesshealth',
  'wellnesshome',
  'gardensportstravelkids',
  'familypetsrestaurants',
  'barslocalstreamneighbor',
  'postslocal',
  'businesseseventsreal',
  'estatereal',
  'estate',
  'listingsreal',
  'estate',
  'newssee',
  'communitiesjohnston',
  'riwarwick',
  'riwest',
  'warwick',
  'riprovidence',
  'rinorth',
  'providence',
  'rieast',
  'providence',
  'riscituate',
  'ribarrington',
  'rieast',
  'greenwich',
  'ripawtucket',
  'ristate',
  'editionrhode',
  'islandnational',
  'editiontop',
  'national',
  'newssee',
  'communities0weatherri',
  'winter',
  'storm',
  'rain',
  'snow',
  'cranstonup',
  'inch',
  'snow',
  'rhode',
  'island',
  'impact',
  'flooding',
  'cranston',
  'warwick',
  'jimmy',
  'bentley',
  'patch',
  'staffposted',
  'tue',
  'mar',
  'etreply',
  'national',
  'weather',
  'service',
  'winter',
  'weather',
  'advisory',
  'providence',
  'kent',
  'bristol',
  'washington',
  'county',
  'effect',
  'a.m.',
  'wednesday',
  'shutterstock)cranston',
  'ri',
  'monday',
  'winter',
  'storm',
  'rain',
  'rhode',
  'island',
  'tuesday',
  'inch',
  'snow',
  'forecast',
  'national',
  'weather',
  'service',
  'winter',
  'weather',
  'advisory',
  'providence',
  'kent',
  'bristol',
  'washington',
  'county',
  'effect',
  'a.m.',
  'wednesday',
  'rain',
  'p.m.',
  'snow',
  'rhode',
  'island',
  'inch',
  'snow',
  'snow',
  'issue',
  'flooding',
  'cranston',
  'area',
  'pawtuxet',
  'river',
  'flooding',
  'home',
  'business',
  'warwick',
  'cranston',
  'cranstonwith',
  'time',
  'update',
  'patch',
  'subscribethe',
  'national',
  'weather',
  'service',
  'area',
  'section',
  'warwick',
  'wellington',
  'avenue',
  'avery',
  'road',
  'cranston',
  'pioneer',
  'avenue',
  'bellows',
  'street',
  'venturi',
  'avenue',
  'portion',
  'river',
  'street',
  'warwick',
  'rain',
  'ri',
  'rise',
  'stream',
  'river',
  'flood',
  'warning',
  'effect',
  'pawtuxet',
  'river',
  'cranston',
  'flood',
  'stage',
  'afternoon',
  'impact',
  'https://t.co/2khccntg7l',
  'pic.twitter.com/xsciqaeopy',
  'nws',
  'boston',
  '@nwsboston',
  'march',
  'cranstonwith',
  'time',
  'update',
  'patch',
  'subscribeget',
  'news',
  'inbox',
  'sign',
  'patch',
  'newsletter',
  'alert',
  'thankreply',
  'shareri',
  'winter',
  'storm',
  'rain',
  'snow',
  'cranstonthe',
  'rule',
  'space',
  'discussion',
  'language',
  'claim',
  'reply',
  'topic',
  'patch',
  'community',
  'guidelines',
  'reply',
  'cranstoncommunity',
  'corner',
  '14hthis',
  'weekend',
  'cranston',
  'area',
  'eventscommunity',
  'corner',
  '1dgov',
  'mckee',
  'free',
  'lunch',
  'lobbyist',
  'investigation',
  'pm',
  'patch',
  'opening',
  'new',
  'stores',
  'cranston',
  'east',
  'providencefeatured',
  'events+',
  'classifiedsfor',
  'sale',
  'hidden',
  'lake',
  'drive',
  'saunderstown',
  'rijob',
  'listing',
  'direct',
  'support',
  'specialistjob',
  'listing',
  'direct',
  'support',
  'professional+',
  'news',
  'nearbynarragansett',
  'south',
  'kingstown',
  'ri',
  'newswhat',
  'place',
  'rhode',
  'island',
  'pm',
  'patch',
  'ricranston',
  'ri',
  'news5',
  'cranston',
  'area',
  'new',
  'open',
  'houses',
  'worth',
  'lookcranston',
  'ri',
  'newsthis',
  'weekend',
  'cranston',
  'area',
  'eventscranston',
  'ri',
  'newslocal',
  'dance',
  'studio',
  'manager',
  'nominee',
  'national',
  'awardcranston',
  'ri',
  'newsgov',
  'mckee',
  'free',
  'lunch',
  'lobbyist',
  'investigation',
  'pm',
  'patch',
  'ri',
  'yourcommunity',
  'patch',
  'appcorporate',
  'infoabout',
  'patchcareerspartnershipsadvertise',
  'patchsupportfaqscontact',
  'patchcommunity',
  'guidelinesposting',
  'instructionsterms',
  'useprivacy',
  'policy',
  'patch',
  'media',
  'rights'],
 ['neighborhood',
  'expansion',
  'broadband',
  'choice',
  'state',
  'parks',
  'hour',
  'wny',
  'weekend',
  'stem',
  'star',
  'student',
  'month',
  'state',
  'parks',
  'hour',
  'wny',
  'weekend',
  'severe',
  'weather',
  'storm',
  'age',
  'gov.',
  'hochul',
  'state',
  'emergency',
  'state',
  'emergency',
  'affect',
  'a.m.',
  'friday',
  'example',
  'video',
  'title',
  'video',
  'pm',
  'est',
  'december',
  'pm',
  'est',
  'december',
  'falls',
  'n.y.',
  'storm',
  'age',
  'new',
  'york',
  'governor',
  'kathy',
  'hochul',
  'state',
  'emergency',
  'storm',
  'way',
  'western',
  'new',
  'york',
  'weekend',
  'state',
  'emergency',
  'effect',
  'a.m.',
  'friday',
  'weather',
  'god',
  'forecast',
  'hochul',
  'kitchen',
  'sink',
  'event',
  'mother',
  'nature',
  'wind',
  'ice',
  'snow',
  'rain',
  'governor',
  'holiday',
  'weekend',
  'destination',
  'storm',
  'team',
  'coverage',
  'radaractive',
  'weather',
  'alertslive',
  'traffic',
  'conditionslive',
  'weather',
  'camerasclosings',
  'delaysdownload',
  'wgrz',
  'app',
  'new',
  'york',
  'hand',
  'deck',
  '24/7',
  'operation',
  'center',
  'authority',
  'hochul',
  'governor',
  'utility',
  'worker',
  'snowplow',
  'governor',
  'truck',
  'ban',
  'exit',
  'pennsylvania',
  'state',
  'line',
  'a.m.',
  'friday',
  'closure',
  'travel',
  'state',
  'route',
  'big',
  'tree',
  'interstate',
  'closure',
  'weather',
  'storm',
  'age',
  'duration',
  'hochul',
  'erie',
  'county',
  'state',
  'emergency',
  'a.m.',
  'friday',
  'buffalo',
  'mayor',
  'state',
  'emergency',
  'a.m.',
  'friday',
  'tips',
  'winter',
  'eeo',
  'public',
  'file',
  'report',
  'fcc',
  'online',
  'public',
  'inspection',
  'file',
  'closed',
  'caption',
  'procedure',
  'personal',
  'information',
  'wgrz',
  'tv',
  'rights',
  'wgrz',
  'notification',
  'news',
  'weather',
  'notification',
  'browser',
  'setting'],
 ['cbs',
  'news',
  'boston',
  'free',
  '24/7',
  'news',
  'man',
  'tree',
  'storm',
  'nh',
  'massachusetts',
  'august',
  'pm',
  'cbs',
  'boston',
  'tree',
  'pickup',
  'truck',
  'hollis',
  'nh',
  'tree',
  'pickup',
  'truck',
  'hollis',
  'nh',
  'boston',
  'thunderstorm',
  'massachusetts',
  'new',
  'hampshire',
  'friday',
  'afternoon',
  'hollis',
  'new',
  'hampshire',
  'storm',
  'tree',
  'wire',
  'man',
  'tree',
  'truck',
  'zachary',
  'leishman',
  'driveway',
  'matter',
  'second',
  'wind',
  'rain',
  'tree',
  'truck',
  'leishman',
  'truck',
  'tree',
  'hollis',
  'nh',
  'zachary',
  'leishman',
  'terrified',
  'moment',
  'roof',
  'truck',
  'way',
  'mess',
  'branch',
  'wire',
  'inch',
  'leishman',
  'minute',
  'fire',
  'crew',
  'roof',
  'minute',
  'leishman',
  'hollis',
  'fire',
  'department',
  'driver',
  'silver',
  'lake',
  'road',
  'rocky',
  'pond',
  'road',
  'wood',
  'lane',
  'federal',
  'hill',
  'road',
  'lightning',
  'waltham',
  'friday',
  'time',
  'thunderstorm',
  'warning',
  'suffolk',
  'middlesex',
  'norfolk',
  'county',
  'massachusetts',
  'viewer',
  'waltham',
  'massachusetts',
  'photo',
  'lightning',
  'bolt',
  'wbz',
  'news',
  'team',
  'group',
  'journalist',
  'content',
  'wbz.com',
  'august',
  'pm',
  'cbs',
  'broadcasting',
  'inc.',
  'rights',
  'thank',
  'cbs',
  'news',
  'account',
  'feature',
  'email',
  'address',
  'email',
  'address',
  'ground',
  'philadelphia',
  'international',
  'airport',
  'weather',
  'alert',
  'day',
  'thunderstorm',
  'watch',
  'michigan',
  'p.m.',
  'thunderstorm',
  'power',
  'outage',
  'grosse',
  'pointe',
  'pump',
  'station',
  'man',
  'lightning',
  'st.',
  'clair',
  'county',
  'safety',
  'awareness',
  'term',
  'use',
  'privacy',
  'policy',
  'california',
  'notice',
  'personal',
  'information',
  'wbz',
  'tv',
  'news',
  'sports',
  'weather',
  'contests',
  'program',
  'guide',
  'sitemap',
  'advertise',
  'paramount+',
  'cbs',
  'television',
  'jobs',
  'public',
  'file',
  'wbz',
  'tv',
  'public',
  'file',
  'wsbk',
  'tv',
  'mytv38',
  'public',
  'inspection',
  'file',
  'fcc',
  'applications',
  'eeo',
  'browser',
  'notification',
  'news',
  'event',
  'reporting'],
 ['accessibility',
  'contentdemocracy',
  'darknesssign',
  'article',
  'year',
  'agothe',
  'washington',
  'postdemocracy',
  'darknessnationalclimate',
  'education',
  'health',
  'innovations',
  'investigations',
  'national',
  'security',
  'obituaries',
  'science',
  'nationalclimate',
  'education',
  'health',
  'innovations',
  'investigations',
  'national',
  'security',
  'obituaries',
  'science',
  'massachusetts',
  'resident',
  'bomb',
  'cyclone',
  'stormat',
  'foot',
  'snow',
  'state',
  'maryland',
  'maine',
  'coast',
  'brian',
  'murphy',
  'paulina',
  'firozi',
  'jason',
  'samenowupdated',
  'january',
  'p.m.',
  'january',
  'a.m.',
  'estat',
  'foot',
  'snow',
  'state',
  'maryland',
  'maine',
  'jan',
  'thousand',
  'power',
  'massachusetts',
  'jan.',
  'video',
  'ap',
  'wcvb',
  'storyful)comment',
  'storycommentgift',
  'articlesharecorrectiona',
  'version',
  'article',
  'caption',
  'city',
  'boston',
  'city',
  'quincy',
  'caption',
  'centerville',
  'mass.',
  'electricity',
  'sunday',
  'night',
  'winter',
  'storm',
  'snow',
  'wind',
  'swath',
  'east',
  'coast',
  'weekend',
  'official',
  'patience',
  'neighbor',
  'weather',
  'local',
  'dmv',
  'newsletter',
  'inbox',
  'weekday',
  'morning',
  'storm',
  'region',
  'night',
  'road',
  'utility',
  'day',
  'today',
  'tomorrow',
  'massachusetts',
  'lt',
  '.',
  'gov.',
  'karyn',
  'polito',
  'sunday',
  'morning',
  'briefing',
  'update',
  'evening',
  'gov.',
  'charlie',
  'baker',
  'r',
  'storm',
  'wood',
  'foot',
  'snow',
  'state',
  'maryland',
  'maine',
  'coast',
  'foot',
  'long',
  'island',
  'rhode',
  'island',
  'massachusetts',
  'cold',
  'storm',
  'wake',
  'subzero',
  'wind',
  'chill',
  'new',
  'england',
  'sunday',
  'advertisementboston',
  'inch',
  'saturday',
  'january',
  'day',
  'record',
  'day',
  'month',
  'day',
  'storm',
  'total',
  'inch',
  'rank',
  'city',
  'history',
  'hour',
  'city',
  'combination',
  'snow',
  'wind',
  'mph',
  'visibility',
  'quarter',
  'mile',
  'official',
  'wind',
  'outage',
  'state',
  'cape',
  'cod',
  'power',
  'place',
  'sunday',
  'night',
  'state',
  'official',
  'resident',
  'people',
  'polito',
  'plan',
  'road',
  'way',
  'condition',
  'day',
  'football',
  'game',
  '”the',
  'utility',
  'company',
  'eversource',
  'crew',
  'damage',
  'power',
  'news',
  'release',
  'eversource',
  'customer',
  'power',
  'end',
  'day',
  'monday',
  'customer',
  'power',
  'sunday',
  'company',
  'height',
  'storm',
  'dark',
  'patience',
  'today',
  'snow',
  'ice',
  'operation',
  'road',
  'state',
  'transportation',
  'secretary',
  'jamey',
  'tesler',
  'sunday',
  'briefing',
  'impact',
  'storm',
  'resident',
  'business',
  'power',
  'centerville',
  'mile',
  'hyannis',
  'people',
  'item',
  'freezer',
  'bag',
  'snow',
  'nadine',
  'kerns',
  'water',
  'faucet',
  'century',
  'home',
  'sea',
  'captain',
  'house',
  'power',
  'sunday',
  'morning',
  'pipe',
  'neighbor',
  'foot',
  'snow',
  'driveway',
  'generator',
  'storm',
  'story',
  'kerns',
  'night',
  'kerns',
  'gas',
  'fireplace',
  'neighbor',
  'cup',
  'cup',
  'chocolate',
  'bag',
  'chocolate',
  'france',
  'sack',
  'kerns',
  'door',
  'friend',
  'friend',
  'swiss',
  'miss',
  'text',
  'message',
  'neighbor',
  'angel',
  'main',
  'street',
  'mayor',
  'michelle',
  'wu',
  'd',
  'resident',
  'recovery',
  'snow',
  'sidewalk',
  'home',
  'people',
  'bus',
  'stop',
  'school',
  'wheelchair',
  'scooter',
  'wu',
  'sunday',
  'briefing',
  'boston',
  'city',
  'council',
  'president',
  'ed',
  'flynn',
  'today',
  'need',
  'timeout',
  'football',
  'game',
  'neighbor',
  'need',
  'sidewalk',
  'person',
  'sidewalk',
  'nor’easter',
  'east',
  'coast',
  'snow',
  'windthe',
  'storm',
  'friday',
  'carolinas',
  'disturbance',
  'jet',
  'stream',
  'southeast',
  'forecaster',
  'storm',
  'day',
  'national',
  'weather',
  'service',
  'people',
  'winter',
  'weather',
  'alert',
  'carolinas',
  'maine',
  'advertisementas',
  'storm',
  'strength',
  'gulf',
  'stream',
  'friday',
  'night',
  'wind',
  'snow',
  'maryland',
  'delaware',
  'beach',
  'foot',
  'ocean',
  'city',
  'md.',
  'lewes',
  'del.',
  'saturday',
  'morning',
  'storm',
  'coast',
  'new',
  'jersey',
  'criterion',
  'bomb',
  'cyclone',
  'term',
  'storm',
  'haste',
  'storm',
  'inch',
  'atlantic',
  'city',
  'city',
  'january',
  'snow',
  'level',
  'record',
  'eastern',
  'massachusetts',
  'location',
  'inch',
  'sharon',
  'stoughton',
  'mile',
  'boston',
  'location',
  'new',
  'england',
  'mid',
  '-',
  'blizzard',
  'condition',
  'hour',
  'mph',
  'wind',
  'visibility',
  'snow',
  'wind',
  'gust',
  'massachusetts',
  'gust',
  'mph',
  'nantucket',
  'mph',
  'cape',
  'cod',
  'snowfall',
  'total',
  'area',
  'coast',
  'philadelphia',
  'inch',
  'west',
  'east',
  'snowfall',
  'variation',
  'coast',
  'new',
  'york',
  'central',
  'park',
  'inch',
  'islip',
  'long',
  'island',
  'inch',
  'advertisementthe',
  'storm',
  'wind',
  'ocean',
  'surge',
  'foot',
  'coastline',
  'saturday',
  'morning',
  'shoreline',
  'flooding',
  'community',
  'massachusetts',
  'boston',
  'era',
  'blockbuster',
  'snowstorm',
  'record',
  'city',
  'day',
  'snowstorm',
  'record',
  '2003.scientist',
  'air',
  'ocean',
  'temperature',
  'climate',
  'change',
  'moisture',
  'winter',
  'storm',
  'snow',
  'production',
  'saturday',
  'storm',
  'ocean',
  'temperature',
  'mid',
  '-',
  'new',
  'england',
  'coast',
  'blizzard',
  'combination',
  'condition',
  'atlantic',
  'signature',
  'warming',
  'storm',
  'justin',
  'mankin',
  'assistant',
  'professor',
  'geography',
  'dartmouth',
  'college',
  'statement',
  'snowstorm',
  'face',
  'term',
  'decline',
  'winter',
  'snow',
  'effect',
  'warming',
  'samenow',
  'washington',
  'temperature',
  'iguana',
  'weekend',
  'floridaclimate',
  'change',
  'weather',
  'commentsgift',
  'articlegift',
  'articleloading',
  'view',
  'more2023',
  'heat',
  'tracker1590',
  'degree',
  'day',
  'faraverage',
  'year',
  'date23yearly',
  'average40record',
  'most67',
  'fewest7',
  'year38top',
  'storiesworld',
  'newsessential',
  'war',
  'ukraine',
  'revolution',
  'drone',
  'warfare',
  'ai',
  'opinion',
  'russia',
  'west',
  'grain',
  'appeasement',
  'west',
  'power',
  'dialogue',
  'north',
  'korea',
  'refreshtry',
  'account',
  'preferencestweet',
  'post',
  'newsroom',
  'policies',
  'standards',
  'diversity',
  'inclusion',
  'careers',
  'media',
  'community',
  'relations',
  'wp',
  'creative',
  'group',
  'accessibility',
  'statement',
  'postgift',
  'subscriptions',
  'mobile',
  'apps',
  'newsletters',
  'alerts',
  'washington',
  'post',
  'live',
  'reprints',
  'permissions',
  'post',
  'store',
  'books',
  'e',
  '-',
  'book',
  'newspaper',
  'education',
  'print',
  'archives',
  'subscribers',
  'today',
  'paper',
  'public',
  'notices',
  'contact',
  'uscontact',
  'newsroom',
  'contact',
  'customer',
  'care',
  'contact',
  'opinions',
  'team',
  'advertise',
  'licensing',
  'syndication',
  'request',
  'correction',
  'news',
  'tip',
  'report',
  'vulnerability',
  'terms',
  'usedigital',
  'products',
  'terms',
  'sale',
  'print',
  'products',
  'term',
  'sale',
  'terms',
  'service',
  'privacy',
  'policy',
  'cookie',
  'settings',
  'submissions',
  'discussion',
  'policy',
  'rss',
  'terms',
  'service',
  'ad',
  'choices',
  'washington',
  'postwashingtonpost.com',
  'washington',
  'postabout',
  'post',
  'contact',
  'newsroom',
  'contact',
  'customer',
  'care',
  'request',
  'correction',
  'news',
  'tip',
  'report',
  'vulnerability',
  'download',
  'washington',
  'post',
  'app',
  'policies',
  'standards',
  'terms',
  'service',
  'privacy',
  'policy',
  'cookie',
  'settings',
  'print',
  'products',
  'terms',
  'sale',
  'digital',
  'products',
  'terms',
  'sale',
  'submissions',
  'discussion',
  'policy',
  'rss',
  'terms',
  'service',
  'ad',
  'choice'],
 ['associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'weather',
  'wisconsin',
  'day',
  'bill',
  'novak',
  'wisconsin',
  'state',
  'journal',
  'madison',
  'inch',
  'snow',
  'week',
  'thunderstorm',
  'day',
  'forecaster',
  'storm',
  'tuesday',
  'afternoon',
  'wednesday',
  'wednesday',
  'evening',
  'national',
  'weather',
  'service',
  'chance',
  'weather',
  'line',
  'dodgeville',
  'madison',
  'waukesha',
  'wednesday',
  'storm',
  'thursday',
  'state',
  'line',
  'pressure',
  'system',
  'area',
  'thunderstorm',
  'risk',
  'weather',
  'service',
  'collier',
  'double',
  'lynx',
  'mystics',
  'red',
  'sox',
  'league',
  'braves',
  'game',
  'sweep',
  'rodón',
  'bader',
  'yankees',
  'mets',
  'subway',
  'series',
  'temperature',
  'monday',
  'madison',
  'rain',
  'area',
  'weekend',
  'chance',
  'rain',
  'saturday',
  'night',
  'sunday',
  'borremans',
  'monday',
  'tuesday',
  'madison',
  'degree',
  'degree',
  'record',
  'high',
  'april',
  'low',
  'monday',
  'degree',
  'degree',
  'record',
  'low',
  'date',
  'rain',
  'airport',
  'april',
  'precipitation',
  'rain',
  'snow',
  'total',
  'inch',
  'inch',
  'record',
  'precipitation',
  'april',
  'inch',
  'spring',
  'march',
  'total',
  'inch',
  'inch',
  'total',
  'inch',
  'inch',
  'snow',
  'total',
  'inch',
  'april',
  'inch',
  'spring',
  'inch',
  'snow',
  'season',
  'record',
  'snowfall',
  'april',
  'inch',
  'associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights'],
 ['owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'account',
  'dashboard',
  'profile',
  'item',
  'wsil',
  'tv',
  'news',
  'app',
  'wsil',
  'storm',
  'track',
  'weather',
  'app',
  'log',
  'account',
  'log',
  'account',
  'sign',
  'today',
  'account',
  'dashboard',
  'profile',
  'item',
  'heat',
  'advisory',
  'wed',
  'cdt',
  'sat',
  'pm',
  'cdt',
  'wind',
  'advisory',
  'effect',
  'morning',
  'pm',
  'cdt',
  'evening',
  'heat',
  'advisory',
  'effect',
  'morning',
  'heat',
  'index',
  'value',
  'southwest',
  'wind',
  'excess',
  'mph',
  'portions',
  'mo',
  'il',
  'pm',
  'today',
  'lake',
  'wind',
  'advisory',
  '*',
  'impact',
  'temperature',
  'humidity',
  'heat',
  'illness',
  'area',
  'lake',
  'gusty',
  'southwest',
  'wind',
  'plenty',
  'fluid',
  'air',
  'room',
  'sun',
  'relative',
  'neighbor',
  'child',
  'pet',
  'vehicle',
  'circumstance',
  'precaution',
  'time',
  'activity',
  'morning',
  'evening',
  'sign',
  'symptom',
  'heat',
  'exhaustion',
  'heat',
  'stroke',
  'clothing',
  'risk',
  'work',
  'occupational',
  'safety',
  'health',
  'administration',
  'rest',
  'break',
  'air',
  'environment',
  'heat',
  'location',
  'heat',
  'stroke',
  'emergency',
  'lake',
  'wind',
  'advisory',
  'wind',
  'chop',
  'area',
  'lake',
  'boat',
  'storm',
  'damage',
  'western',
  'kentucky',
  'southern',
  'illinois',
  'apr',
  'apr',
  'murray',
  'ky.',
  'community',
  'kentucky',
  'county',
  'damage',
  'storm',
  'area',
  'wednesday',
  'afternoon',
  'national',
  'weather',
  'service',
  'paducah',
  'storm',
  'report',
  'emergency',
  'management',
  'carlisle',
  'county',
  'tree',
  'trailer',
  'church',
  'roof',
  'damage',
  'tree',
  'carport',
  'truck',
  'carport',
  'lifting',
  'air',
  'house',
  'power',
  'pole',
  'thunderstorm',
  'storm',
  'report',
  'home',
  'roof',
  'damage',
  'tree',
  'hickman',
  'county',
  'ky.',
  'calloway',
  'county',
  'law',
  'enforcement',
  'tornado',
  'ground',
  'p.m.',
  'fenton',
  'kentucky',
  'lake',
  'roof',
  'vanderbilt',
  'chemical',
  'plant',
  'murray',
  'hamilton',
  'county',
  'emergency',
  'manager',
  'shed',
  'aluminum',
  'building',
  'wsil',
  'news',
  'weather',
  'app',
  'story',
  'alert',
  'device',
  'drug',
  'event',
  'place',
  'saturday',
  'people',
  'hospital',
  'collision',
  'traffic',
  'restrictions',
  'place',
  'tornado',
  'recovery',
  'work',
  'ky',
  'saturday',
  'cairo',
  'man',
  'deputy',
  'finger',
  'new',
  'scam',
  'business',
  'portion',
  'road',
  'water',
  'installation',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'copyright',
  'allen',
  'media',
  'broadcasting',
  'country',
  'aire',
  'dr.',
  'carterville',
  'il',
  'term',
  'use',
  'blox',
  'content',
  'management',
  'system',
  'blox',
  'digital'],
 ['abc',
  'newsvideoliveshowselectionsinterest',
  'successfully',
  "addedwe'll",
  'news',
  'desktop',
  'notification',
  'story',
  'interest',
  'offonlog',
  'instream',
  'onef3',
  'tornado',
  'north',
  'carolina',
  'weather',
  'nationwidethe',
  'u.s.',
  'range',
  'weather',
  'tornado',
  'heat',
  'wave',
  'bykenton',
  'gewecke',
  'morgan',
  'winsorjuly',
  'am2:20people',
  'damage',
  'home',
  'tornado',
  'july',
  'dortches',
  'seward',
  'apa',
  'tornado',
  'north',
  'carolina',
  'dozen',
  'mile',
  'wednesday',
  'home',
  'resident',
  'official',
  'national',
  'weather',
  'service',
  'thursday',
  'damage',
  'survey',
  'tornado',
  'ef3',
  'peak',
  'wind',
  'mile',
  'hour',
  'ef3',
  'tornado',
  'north',
  'carolina',
  'month',
  'july',
  'twister',
  'time',
  'year',
  'record',
  'state',
  'national',
  'weather',
  'service',
  'enhanced',
  'fujita',
  'scale',
  'rate',
  'tornado',
  'intensity',
  'wind',
  'speed',
  'severity',
  'damage',
  'scale',
  'intensity',
  'category',
  'ef0',
  'ef1',
  'ef2',
  'ef3',
  'ef4',
  'ef5',
  'wind',
  'speed',
  'degree',
  'damage',
  'category',
  'efu',
  'tornado',
  'lack',
  'evidence',
  'woman',
  'damage',
  'home',
  'tornado',
  'july',
  'dortches',
  'seward',
  'apthe',
  'yard',
  'tornado',
  'wednesday',
  'afternoon',
  'et',
  'dortches',
  'town',
  'north',
  'carolina',
  'nash',
  'county',
  'city',
  'rocky',
  'mount',
  'twister',
  'mile',
  'period',
  'minute',
  'battleboro',
  'neighborhood',
  'rocky',
  'mount',
  'north',
  'carolina',
  'edgecombe',
  'county',
  'national',
  'weather',
  'service',
  'ground',
  'tornado',
  'power',
  'pole',
  'tree',
  'building',
  'home',
  'dortches',
  'area',
  'yard',
  'foundation',
  'farther',
  'residence',
  'building',
  'damage',
  'wall',
  'wall',
  'brick',
  'fireplace',
  'twister',
  'metal',
  'truss',
  'tower',
  'transmission',
  'line',
  'damage',
  'metal',
  'warehouse',
  'building',
  'belmont',
  'lake',
  'golf',
  'club',
  'rocky',
  'mount',
  'national',
  'weather',
  'service',
  'tips',
  'tornado',
  'roof',
  'pfizer',
  'facility',
  'damage',
  'tornado',
  'area',
  'rocky',
  'mount',
  'n.c.',
  'july',
  '2023.wtvd',
  'reuterspharmaceutical',
  'giant',
  'pfizer',
  'facility',
  'rocky',
  'mount',
  'tornado',
  'staff',
  'building',
  'medium',
  'report',
  'national',
  'weather',
  'service',
  'storm',
  'injury',
  'area',
  'life',
  'threatening',
  'fatality',
  'edgecombe',
  'county',
  'sheriff',
  'office',
  'report',
  'life',
  'injury',
  'injury',
  'storm',
  'tornado',
  'system',
  'weather',
  'americans',
  'forecast',
  'thursday',
  'wind',
  'hail',
  'tornado',
  'threat',
  'denver',
  'colorado',
  'north',
  'oklahoma',
  'michigan',
  'south',
  'carolina',
  'threat',
  'hail',
  'fort',
  'wayne',
  'indiana',
  'detroit',
  'michigan',
  'wind',
  'tornado',
  'risk',
  'flash',
  'flooding',
  'location',
  'water',
  'person',
  'head',
  'covering',
  'sun',
  'zone',
  'encampment',
  'people',
  'record',
  'heat',
  'wave',
  'phoenix',
  'arizona',
  'july',
  't.',
  'fallon',
  'afp',
  'getty',
  'imagesmeanwhile',
  'heat',
  'swath',
  'united',
  'states',
  'end',
  'sight',
  'americans',
  'state',
  'california',
  'florida',
  'alert',
  'heat',
  'thursday',
  'forecast',
  'temperature',
  'degree',
  'fahrenheit',
  'southwest',
  'heat',
  'index',
  'value',
  '100',
  'southeast',
  'arizona',
  'capital',
  'time',
  'day',
  'record',
  'wednesday',
  'temperature',
  'degree',
  'low',
  'degree',
  'temperature',
  'phoenix',
  'degree',
  'day',
  'degree',
  'day',
  'heat',
  'safety',
  'tipsa',
  'visitor',
  'canada',
  'water',
  'hole',
  'rock',
  'trail',
  'record',
  'heat',
  'wave',
  'phoenix',
  'arizona',
  'july',
  't.',
  'fallon',
  'afp',
  'getty',
  'year',
  'man',
  'los',
  'angeles',
  'area',
  'golden',
  'canyon',
  'trailhead',
  'death',
  'valley',
  'national',
  'park',
  'california',
  'tuesday',
  'afternoon',
  'temperature',
  'degree',
  'national',
  'park',
  'service',
  'inyo',
  'county',
  'coroner',
  'office',
  'cause',
  'death',
  'park',
  'ranger',
  'heat',
  'factor',
  'heat',
  'fatality',
  'death',
  'valley',
  'summer',
  'year',
  'man',
  'july',
  'national',
  'park',
  'service',
  'abc',
  'news',
  'melissa',
  'griffin',
  'dan',
  'peck',
  'darren',
  'reynolds',
  'jennifer',
  'watts',
  'report',
  'topicstornadoesweathertop',
  'storieshouse',
  'ufo',
  'hearing',
  'ex',
  'knowledge',
  'craftjul',
  'amruin',
  'vatican',
  'emperor',
  'nero',
  'theaterjul',
  'pmmcconnell',
  'press',
  'conference',
  'return',
  'pmsinead',
  "o'connor",
  'u',
  'singer',
  '56jul',
  'pmwhistleblower',
  'congress',
  'decade',
  'program',
  'ufosjul',
  'pmabc',
  'news',
  'live24/7',
  'coverage',
  'news',
  'eventsabc',
  'news',
  'networkprivacy',
  'policyyour',
  'state',
  'privacy',
  'rightschildren',
  'online',
  'privacy',
  'policyinterest',
  'adsabout',
  'nielsen',
  'measurementterms',
  'usedo',
  'sell',
  'informationcontact',
  'uscopyright',
  'abc',
  'news',
  'internet',
  'ventures',
  'right'],
 ['tide',
  'science',
  'actionmobile',
  'green',
  'solutionsout',
  'harm',
  'way?resources',
  'new',
  'jerseyabout',
  'authors',
  'saving',
  'new',
  'jersey',
  'tide',
  'action',
  'science',
  'policy',
  'engineering',
  'planning',
  'future',
  'proof',
  'garden',
  'state',
  'sea',
  'level',
  'new',
  'jersey',
  'oceanfront',
  'bay',
  'foot',
  'turn',
  'century',
  'increase',
  'tide',
  'hurricane',
  'nor’easter',
  'area',
  'storm',
  'surf',
  'wind',
  'flood',
  'year',
  'state',
  'affair',
  'future',
  'storm',
  'surge',
  'new',
  'jersey',
  'foot',
  'sea',
  'level',
  'rise',
  'greenhouse',
  'gas',
  'emission',
  'antarctic',
  'warming',
  'sea',
  'level',
  'foot',
  'foot',
  'end',
  'century',
  'map',
  'flooding',
  'nor’easter',
  'case',
  'scenario',
  'area',
  'thousand',
  'home',
  'flooding',
  'animation',
  'njfloodmapper',
  'staff',
  'future',
  'storm',
  'surge',
  'new',
  'jersey',
  'foot',
  'sea',
  'level',
  'rise',
  'greenhouse',
  'gas',
  'emission',
  'antarctic',
  'warming',
  'sea',
  'level',
  'foot',
  'foot',
  'end',
  'century',
  'map',
  'flooding',
  'nor’easter',
  'case',
  'scenario',
  'area',
  'thousand',
  'home',
  'flooding',
  'animation',
  'njfloodmapper',
  'staff',
  'sea',
  'level',
  'foot',
  'foot',
  'garden',
  'state',
  'trajectory',
  'greenhouse',
  'gas',
  'emission',
  'activity',
  'ice',
  'sheet',
  'decade',
  'water',
  'level',
  'land',
  'wetland',
  'government',
  'business',
  'resident',
  'step',
  'sea',
  'level',
  'rise',
  'flooding',
  'storm',
  'threat',
  'future',
  'storm',
  'surge',
  'map',
  'flooding',
  'nor’easter',
  'half',
  'new',
  'jersey',
  'case',
  'scenario',
  'area',
  'thousand',
  'home',
  'flooding',
  'animation',
  'njfloodmapper',
  'staff',
  'future',
  'storm',
  'surge',
  'map',
  'flooding',
  'nor’easter',
  'half',
  'new',
  'jersey',
  'case',
  'scenario',
  'area',
  'thousand',
  'home',
  'flooding',
  'animation',
  'njfloodmapper',
  'staff',
  'rutgers',
  'expert',
  'science',
  'evidence',
  'recommendation',
  'climate',
  'change',
  'impact',
  'essay',
  'rutgers',
  'expert',
  'insight',
  'science',
  'planning',
  'policy',
  'engineering',
  'perspective',
  'resilience',
  'tool',
  'new',
  'jersey',
  'county',
  'town',
  'business',
  'resident',
  'tide',
  'climate',
  'change',
  'new',
  'jersey',
  'world',
  'damage',
  'greenhouse',
  'gas',
  'emission',
  'bet',
  'illustration',
  'traci',
  'daberko',
  'climate',
  'change',
  'new',
  'jersey',
  'world',
  'damage',
  'greenhouse',
  'gas',
  'emission',
  'bet',
  'illustration',
  'traci',
  'daberko',
  'future',
  'sea',
  'level',
  'new',
  'jersey',
  'foot',
  'foot',
  'foot',
  'robert',
  'kopp',
  'karl',
  'nordstrom',
  'johnny',
  'quispe',
  'sea',
  'level',
  'inch',
  'new',
  'jersey',
  'sea',
  'level',
  'foot',
  'period',
  'land',
  'force',
  'land',
  'ice',
  'sheet',
  'year',
  'groundwater',
  'pumping',
  'record',
  'salt',
  'marsh',
  'new',
  'jersey',
  'site',
  'world',
  'nature',
  'century',
  'rise',
  'sea',
  'level',
  'average',
  'period',
  'year',
  'rise',
  'ocean',
  'mountain',
  'glacier',
  'ice',
  'sheet',
  'effect',
  'sea',
  'level',
  'rise',
  'sea',
  'tide',
  'storm',
  'flooding',
  'sea',
  'level',
  'rise',
  'frequency',
  'flooding',
  'shore',
  'community',
  'new',
  'jerseyans',
  'sandy',
  'floodwater',
  'new',
  'jerseyans',
  'foot',
  'tide',
  'level',
  'term',
  'elevation',
  'area',
  'sea',
  'level',
  'rise',
  'flooding',
  'century',
  'sea',
  'level',
  'rise',
  'community',
  'way',
  'land',
  'use',
  'infrastructure',
  'property',
  'taxis',
  'emergency',
  'management',
  'half',
  'century',
  'jersey',
  'shore',
  'foot',
  'foot',
  'sea',
  'level',
  'rise',
  'study',
  'climate',
  'central',
  'zillow',
  'sea',
  'level',
  'rise',
  'projection',
  'rutgers',
  'home',
  'jersey',
  'shore',
  'ocean',
  'cape',
  'county',
  'area',
  'range',
  'sea',
  'level',
  'rise',
  'unknown',
  'course',
  'greenhouse',
  'gas',
  'emission',
  'sensitivity',
  'ice',
  'sheet',
  'antarctic',
  'ice',
  'sheet',
  'start',
  'industrial',
  'revolution',
  'human',
  'ton',
  'carbon',
  'dioxide',
  'fossil',
  'fuel',
  'fossil',
  'fuel',
  'emission',
  'driver',
  'fever',
  'degree',
  'fahrenheit',
  'climate',
  'level',
  'warming',
  'goal',
  'degree',
  'celsius',
  'degree',
  'fahrenheit',
  'degree',
  'celsius',
  'degree',
  'fahrenheit',
  'greenhouse',
  'gas',
  'emission',
  'world',
  'half',
  'century',
  'chance',
  'sea',
  'level',
  'rise',
  'new',
  'jersey',
  'course',
  'century',
  'foot',
  'foot',
  'emission',
  'growth',
  'trajectory',
  'bet',
  'emission',
  'fever',
  'degree',
  'fahrenheit',
  'end',
  'century',
  'rise',
  'foot',
  'foot',
  'new',
  'jersey',
  'model',
  'antarctic',
  'sensitivity',
  'warming',
  'range',
  'foot',
  'foot',
  'tool',
  'rutgers',
  'njfloodmapper',
  'climate',
  'central',
  'surging',
  'seas',
  'sense',
  'implication',
  'level',
  'rise',
  'foot',
  'sea',
  'level',
  'rise',
  'area',
  'flooding',
  'new',
  'jersey',
  'people',
  'property',
  'foot',
  'rise',
  'people',
  'property',
  'exposure',
  'assessment',
  'people',
  'land',
  'respond',
  'sea',
  'level',
  'change',
  'assumption',
  'condition',
  'environment',
  'sea',
  'level',
  'rise',
  'system',
  'beach',
  'dune',
  'salt',
  'marsh',
  'water',
  'level',
  'landward',
  'area',
  'environment',
  'building',
  'road',
  'shore',
  'protection',
  'structure',
  'movement',
  'erosion',
  'place',
  'new',
  'jersey',
  'squeeze',
  'barrier',
  'island',
  'marsh',
  'place',
  'residence',
  'recreation',
  'provider',
  'service',
  'water',
  'filtration',
  'storage',
  'storm',
  'buffering',
  'bird',
  'habitat',
  'response',
  'hazard',
  'environment',
  'face',
  'sea',
  'level',
  'rise',
  'development',
  'shore',
  'process',
  'occupancy',
  'hazard',
  'example',
  'house',
  'piling',
  'infrastructure',
  'place',
  'state',
  'program',
  'blue',
  'acres',
  'relocation',
  'success',
  'story',
  'climate',
  'central',
  'zillow',
  'analysis',
  'house',
  'area',
  'time',
  'use',
  'shore',
  'protection',
  'structure',
  'seawall',
  'bulkhead',
  'groin',
  'infrastructure',
  'past',
  'beach',
  'nourishment',
  'new',
  'jersey',
  'leader',
  'scale',
  'nourishment',
  'program',
  'volume',
  'sediment',
  'nourishment',
  'operation',
  'new',
  'jersey',
  'availability',
  'future',
  'beach',
  'nourishment',
  'plant',
  'animal',
  'habitat',
  'sea',
  'land',
  'state',
  'community',
  'resilience',
  'plan',
  'range',
  'future',
  'state',
  'approach',
  'science',
  'range',
  'future',
  'coordination',
  'municipality',
  'time',
  'approach',
  'communication',
  'opportunity',
  'collaboration',
  'pooling',
  'resource',
  'scale',
  'project',
  'entity',
  'rutgers',
  'role',
  'effort',
  'fruition',
  'sea',
  'level',
  'rise',
  'effort',
  'state',
  'economy',
  'magnitude',
  'sea',
  'level',
  'rise',
  'magnitude',
  'fever',
  'earth',
  'new',
  'jersey',
  'climate',
  'change',
  'alliance',
  'research',
  'information',
  'new',
  'jerseyans',
  'tide',
  'superstorm',
  'sandy',
  'illustration',
  'traci',
  'daberko',
  'new',
  'jersey',
  'climate',
  'change',
  'alliance',
  'research',
  'information',
  'new',
  'jerseyans',
  'tide',
  'superstorm',
  'sandy',
  'illustration',
  'traci',
  'daberko',
  'new',
  'jersey',
  'tide',
  'science',
  'action',
  'marjorie',
  'kaplan',
  'lisa',
  'auermuller',
  'jeanne',
  'herb',
  'anniversary',
  'superstorm',
  'sandy',
  'autumn',
  'sandy',
  'answer',
  'place',
  'respect',
  'structure',
  'system',
  'storm',
  'issue',
  'preparedness',
  'face',
  'sea',
  'level',
  'rise',
  'new',
  'jersey',
  'superstorm',
  'sandy',
  'event',
  'opportunity',
  'research',
  'dialogue',
  'issue',
  'policymaker',
  'official',
  'rutgers',
  'mission',
  'service',
  'new',
  'jersey',
  'position',
  'continuity',
  'reality',
  'climate',
  'change',
  'politic',
  'pracademic',
  'academician',
  'practitioner',
  'science',
  'policy',
  'action',
  'community',
  'sector',
  'society',
  'sea',
  'level',
  'rise',
  'rutgers',
  'colleague',
  'university',
  'science',
  'engineering',
  'health',
  'planning',
  'policy',
  'law',
  'communication',
  'humanity',
  'approach',
  'work',
  'access',
  'community',
  'field',
  'station',
  'jacques',
  'cousteau',
  'national',
  'estuarine',
  'research',
  'reserve',
  'example',
  'university',
  'community',
  'work',
  'new',
  'jersey',
  'climate',
  'change',
  'alliance',
  'network',
  'evidence',
  'climate',
  'change',
  'strategy',
  'state',
  'level',
  'new',
  'jersey',
  'rutgers',
  'climate',
  'institute',
  'bloustein',
  'school',
  'planning',
  'public',
  'policy',
  'alliance',
  'year',
  'sandy',
  'storm',
  'value',
  'mission',
  'behalf',
  'alliance',
  'research',
  'analysis',
  'user',
  'decision',
  'support',
  'tool',
  'outreach',
  'material',
  'event',
  'new',
  'jerseyans',
  'climate',
  'change',
  'alliance',
  'request',
  'science',
  'technical',
  'advisory',
  'panel',
  'expert',
  'science',
  'sea',
  'level',
  'rise',
  'projection',
  'storm',
  'flood',
  'risk',
  'implication',
  'practice',
  'policy',
  'new',
  'jersey',
  'stakeholder',
  'option',
  'science',
  'risk',
  'decision',
  'process',
  'process',
  'panel',
  'resilience',
  'practitioner',
  'feedback',
  'science',
  'panel',
  'barrier',
  'opportunity',
  'science',
  'panel',
  'conclusion',
  'practice',
  'research',
  'decision',
  'maker',
  'practitioner',
  'hazard',
  'datum',
  'state',
  'framework',
  'degree',
  'climate',
  'change',
  'impact',
  'new',
  'jersey',
  'decision',
  'maker',
  'professional',
  'recognition',
  'sea',
  'level',
  'rise',
  'impact',
  'new',
  'jersey',
  'area',
  'result',
  'awareness',
  'superstorm',
  'sandy',
  'support',
  'measure',
  'approach',
  'resilience',
  'vision',
  'planning',
  'implementation',
  'concern',
  'emphasis',
  'structure',
  'sense',
  'security',
  'term',
  'resiliency',
  'resident',
  'storm',
  'roadway',
  'infrastructure',
  'facility',
  'sea',
  'level',
  'rise',
  'planning',
  'number',
  'state',
  'agency',
  'decision',
  'maker',
  'sea',
  'level',
  'rise',
  'projection',
  'knowledge',
  'flooding',
  'decision',
  'making',
  'flood',
  'datum',
  'reference',
  'point',
  'impact',
  'preparedness',
  'sea',
  'level',
  'rise',
  'flooding',
  'collaboration',
  'actor',
  'state',
  'decision',
  'maker',
  'sector',
  'leader',
  'scientist',
  'resident',
  'business',
  'community',
  'rutgers',
  'research',
  'result',
  'example',
  'resilience',
  'assessment',
  'process',
  'new',
  'jersey',
  'municipality',
  'rivers',
  'future',
  'municipality',
  'resilience',
  'planning',
  'project',
  'monmouth',
  'county',
  'partnership',
  'state',
  'new',
  'jersey',
  'planning',
  'decision',
  'implication',
  'future',
  'decision',
  'factor',
  'hope',
  'evidence',
  'information',
  'new',
  'jerseyans',
  'sea',
  'level',
  'rise',
  'storm',
  'october',
  'time',
  'new',
  'jersey',
  'infrastructure',
  'engineering',
  'illustration',
  'traci',
  'daberko',
  'time',
  'new',
  'jersey',
  'infrastructure',
  'engineering',
  'illustration',
  'traci',
  'daberko',
  'mobile',
  'green',
  'infrastructure',
  'adaptation',
  'sea',
  'level',
  'rise',
  'qizhong',
  'george',
  'guo',
  'new',
  'jersey',
  'effort',
  'sea',
  'level',
  'infrastructure',
  'challenge',
  'deterioration',
  'change',
  'time',
  'infrastructure',
  'mean',
  'consequence',
  'sea',
  'level',
  'rise',
  'flooding',
  'tide',
  'rainfall',
  'area',
  'new',
  'jersey',
  'saltwater',
  'intrusion',
  'aquifer',
  'water',
  'supply',
  'flooding',
  'rainfall',
  'event',
  'storm',
  'drainage',
  'system',
  'river',
  'sea',
  'level',
  'level',
  'water',
  'flooding',
  'erosion',
  'hurricane',
  'nor’easter',
  'storm',
  'surge',
  'sea',
  ...],
 ['search',
  'fox',
  'weather',
  'fox',
  'weather',
  'app',
  'podcast',
  'weather',
  'news',
  'february',
  'est',
  'tornado',
  'oklahoma',
  'city',
  'area',
  'hurricane',
  'force',
  'wind',
  'plains',
  'report',
  'tornado',
  'damage',
  'home',
  'tree',
  'power',
  'line',
  'norman',
  'dozen',
  'sunday',
  'night',
  'thunderstorm',
  'hurricane',
  'force',
  'wind',
  'plains',
  'mph',
  'gust',
  'memphis',
  'texas',
  'scott',
  'sistek',
  'brandy',
  'campbell',
  'source',
  'fox',
  'weather',
  'facebook',
  'twitter',
  'email',
  'link',
  'drone',
  'video',
  'damage',
  'norman',
  'oklahoma',
  'tornado',
  'drone',
  'video',
  'light',
  'damage',
  'norman',
  'oklahoma',
  'tornado',
  'area',
  'sunday',
  'evening',
  'norman',
  'okla.',
  'line',
  'thunderstorm',
  'mile',
  'plains',
  'sunday',
  'evening',
  'dozen',
  'destruction',
  'hand',
  'february',
  'tornado',
  'oklahoma',
  'tornado',
  'siren',
  'oklahoma',
  'city',
  'metro',
  'area',
  'twister',
  'storm',
  'region',
  'sunday',
  'evening',
  'report',
  'damage',
  'home',
  'tree',
  'power',
  'line',
  'norman',
  'home',
  'university',
  'oklahoma',
  'noaa',
  'storm',
  'prediction',
  'center',
  'storm',
  'spotter',
  'tornado',
  'sighting',
  'doppler',
  'radar',
  'debris',
  'foot',
  'air',
  'fox',
  'forecast',
  'center',
  'people',
  'storm',
  'norman',
  'victim',
  'injury',
  'report',
  'death',
  'town',
  'city',
  'official',
  'injury',
  'leg',
  'storm',
  'crash',
  'school',
  'road',
  'highway',
  'monday',
  'nws',
  'storm',
  'survey',
  'team',
  'area',
  'damage',
  'result',
  'tornado',
  'rating',
  'survey',
  'team',
  'ef-2',
  'level',
  'damage',
  'tornado',
  'goldsby',
  'norman',
  'meteorologist',
  'nws',
  'norman',
  'twister',
  'ayedelott',
  'oklahoma',
  'north',
  'shawnee',
  'ef-2.how',
  'tornadoes',
  'enhanced',
  'fujita',
  'scale',
  'explained‘i',
  'norman',
  'resident',
  'neighborhood',
  'hit',
  'tornado',
  'fox',
  'weather',
  'brandy',
  'campbell',
  'window',
  'storm',
  'shelter',
  'daylight',
  'scope',
  'damage',
  'norman',
  'oklahoma',
  'tornado',
  'fox',
  'weather',
  'brandy',
  'campbell',
  'norman',
  'oklahoma',
  'resident',
  'tornado',
  'damage',
  'sunday',
  'weather',
  'window',
  'house',
  'garage',
  'door',
  'hole',
  'roof',
  'david',
  'stanley',
  'glass',
  'image',
  'people',
  'norman',
  'oklahoma',
  'neighborhood',
  'damage',
  'feb.',
  'tornado',
  'area',
  'night',
  'brandy',
  'campbell',
  'prevnext',
  'image',
  'tornado',
  'damage',
  'norman',
  'oklahoma',
  'feb.',
  'twister',
  'area',
  'night',
  'brandy',
  'campbell',
  'prevnext',
  'image',
  'people',
  'norman',
  'oklahoma',
  'neighborhood',
  'damage',
  'feb.',
  'tornado',
  'night',
  'brandy',
  'campbell',
  'prevnext',
  'image',
  'people',
  'norman',
  'oklahoma',
  'neighborhood',
  'debris',
  'feb.',
  'tornado',
  'area',
  'night',
  'brandy',
  'campbell',
  'prevnext',
  'image',
  'car',
  'home',
  'feb.',
  'norman',
  'oklahoma',
  'tornado',
  'area',
  'night',
  'brandy',
  'campbell',
  'prevnext',
  'image',
  'pair',
  'tennis',
  'shoe',
  'driveway',
  'home',
  'norman',
  'oklahoma',
  'feb.',
  'tornado',
  'area',
  'night',
  'brandy',
  'campbell',
  'prevnext',
  'image',
  'people',
  'debris',
  'norman',
  'oklahoma',
  'feb.',
  'tornado',
  'area',
  'night',
  'brandy',
  'campbell',
  'prevnext',
  'image',
  'street',
  'sign',
  'norman',
  'oklahoma',
  'feb.',
  'tornado',
  'area',
  'night',
  'brandy',
  'campbell',
  'prevnext',
  'image',
  'debris',
  'neighborhood',
  'norman',
  'oklahoma',
  'feb.',
  'morning',
  'tornado',
  'area',
  'brandy',
  'campbell',
  'image',
  'homes',
  'norman',
  'oklahoma',
  'feb.',
  'morning',
  'tornado',
  'area',
  'brandy',
  'campbell)stanley',
  'family',
  'neighborhood',
  'california',
  'year',
  'time',
  'storm',
  'shelter',
  'destruction',
  'intensity',
  'violence',
  'time',
  'second',
  'what?"tornadoes',
  'hit',
  'city',
  'tornado',
  'norman',
  'oklahoma',
  'meteorology',
  'student',
  'tyler',
  'pardun',
  'video',
  'home',
  'tornado',
  'complex',
  'norman',
  'oklahoma',
  'tornado',
  'town',
  'tuttle',
  'mustang',
  'outskirt',
  'oklahoma',
  'city',
  'level',
  'damage',
  'nws',
  'storm',
  'surveyor',
  'shawnee',
  'tornado',
  'shawnee',
  'mall',
  'city',
  'official',
  'twister',
  'home',
  'east',
  'mall',
  'mile',
  'stretch',
  'power',
  'line',
  'crew',
  'tornado',
  'damage',
  'mcloud',
  'doppler',
  'radar',
  'tornado',
  'strike',
  'oklahoma',
  'city',
  'town',
  'yukon',
  'storm',
  'oklahomain',
  'western',
  'oklahoma',
  'tornado',
  'town',
  'cheyenne',
  'year',
  'grandfather',
  'storm',
  'roger',
  'mills',
  'county',
  'emergency',
  'manager',
  'levi',
  'blackketter',
  'blackketter',
  'fox',
  'house',
  'loss',
  'house',
  'roof',
  'damage',
  'debris',
  'town',
  'tornado',
  'february',
  'oklahoma',
  'decade',
  'oklahoma',
  'february',
  'tornado',
  'twister',
  'feb.',
  'fox',
  'forecast',
  'center',
  'tornado',
  'record',
  'february',
  'tornado',
  'oklahoma',
  'record',
  '1950',
  'farther',
  'north',
  'tornado',
  'liberal',
  'kansas',
  'home',
  'tree',
  'power',
  'line',
  'sunday',
  'afternoon',
  'national',
  'weather',
  'service',
  'law',
  'enforcement',
  'report',
  'funnel',
  'cloud',
  'liberal',
  'kansas',
  'feb.',
  'michael',
  'strickland',
  'fox',
  'weather)tornadoes',
  'illinois',
  'monday',
  'morningas',
  'system',
  'tornado',
  'illinois',
  'monday',
  'nws',
  'tornado',
  'chicago',
  'area',
  'monday',
  'joliet',
  'naperville',
  'fox',
  'office',
  'report',
  'damage',
  'tree',
  'window',
  'fence',
  'roof',
  'damage',
  'tornado',
  'warnings',
  'illinois',
  'tornado',
  'champaign',
  'home',
  'university',
  'illinois',
  'tornadoes',
  'likely',
  'occur',
  'february?the',
  'nws',
  'ef-1',
  'tornado',
  'indiana',
  'ground',
  'minute',
  'hancock',
  'county',
  'barn',
  'foundation',
  'building',
  'tornado',
  'ingalls',
  'ground',
  'minute',
  'roof',
  'wall',
  'barn',
  'beam',
  'ground',
  'total',
  'national',
  'weather',
  'service',
  'tornado',
  'tuesday',
  'plains',
  'midwest',
  'damage',
  'location',
  'investigation',
  'storm',
  'prediction',
  'center',
  'damage',
  'report',
  'hurricane',
  'force',
  'wind',
  'gust',
  'texas',
  'oklahomabut',
  'tornado',
  'plains',
  'wind',
  'line',
  'thunderstorm',
  'line',
  'wind',
  'gust',
  'hurricane',
  'strength',
  'case',
  'rig',
  'interstate',
  'line',
  'storm',
  'storm',
  'chaser',
  'video',
  'south',
  'norman',
  'oklahoma',
  'line',
  'storm',
  'tornado',
  'truck',
  'truck',
  'video',
  'courtesy',
  'gust',
  'night',
  'memphis',
  'texas',
  'wind',
  'gauge',
  'mph',
  'gust',
  'national',
  'weather',
  'service',
  'storm',
  'golf',
  'ball',
  'hail',
  'gust',
  'window',
  'town',
  'storm',
  'spotter',
  'addition',
  'texas',
  'gust',
  'mph',
  'oklahoma',
  'town',
  'bridgeport',
  'mph',
  'fittstown',
  'mph',
  'kansas',
  'town',
  'sublette',
  'monday',
  'knoxville',
  'tennessee',
  'mph',
  'wind',
  'gust',
  'storm',
  'chaser',
  'lightning',
  'storm',
  'chaser',
  'car',
  'lightning',
  'chaser',
  'downdraft',
  'sublette',
  'kansas',
  'p.m.',
  'video',
  'courtesy',
  '@jakeslyveon)other',
  'gust',
  'mph',
  'texas',
  'amarillo',
  'el',
  'paso',
  'person',
  'el',
  'paso',
  'county',
  'fort',
  'bliss',
  'foot',
  'national',
  'weather',
  'service',
  'storm',
  'report',
  'fort',
  'bliss',
  'weather',
  'spotter',
  'exit',
  'interstate',
  'power',
  'pole',
  'el',
  'paso',
  'mph',
  'gust',
  'gust',
  'city',
  'record',
  'century',
  'nws',
  'fox',
  'weather',
  'storm',
  'system',
  'forecast',
  'area',
  'national',
  'weather',
  'service',
  'forecaster',
  'norman',
  'oklahoma',
  'p.m.',
  'cst',
  'forecast',
  'discussion',
  'sunday',
  'soccer',
  'goal',
  'norman',
  'oklahoma',
  'match',
  'line',
  'storm',
  'meteorology',
  'student',
  'picture',
  'twitter',
  'post',
  'street',
  'avenue',
  'norman',
  'mesovortex',
  'minute',
  'tyler',
  'pardun',
  'fox',
  'weather)the',
  'wind',
  'gust',
  'toll',
  'power',
  'line',
  'region',
  'poweroutage',
  'customer',
  'power',
  'oklahoma',
  'texas',
  'new',
  'mexico',
  'point',
  'sunday',
  'night',
  'monday',
  'storm',
  'power',
  'ohio',
  'mississippi',
  'valleys',
  'sunday',
  'evening',
  'thunderstorm',
  'mph',
  'national',
  'weather',
  'service',
  'national',
  'weather',
  'service',
  'report',
  'wind',
  'mph',
  'gust',
  'mph',
  'monday',
  'hail',
  'report',
  'inch',
  'diameter',
  'threat',
  'weather',
  'monday',
  'evening',
  'storm',
  'system',
  'eastern',
  'seaboard',
  'oklahoma',
  'tornado',
  'record',
  'straight',
  'tornado',
  'oklahoma',
  'february',
  'month',
  'record',
  'number',
  'tornado',
  'month',
  'fox',
  'weather',
  'meteorologist',
  'jordan',
  'overton',
  'sooner',
  'state',
  'tornado',
  'december',
  'majority',
  'dec.',
  'storm',
  'morning',
  'hour',
  'central',
  'oklahoma',
  'january',
  'new',
  'year',
  'storm',
  'tornado',
  'state',
  'midday',
  'hour',
  'jan.',
  'eastern',
  'oklahoma',
  'january',
  'tornado',
  'record',
  'year',
  'february',
  'sunday',
  'night',
  'tornado',
  'outbreak',
  'record',
  'set',
  'weathertexastornadoeswind',
  'download',
  'fox',
  'weather',
  'app',
  'available',
  'android',
  'weather',
  'news',
  'loading',
  'fox',
  'weather',
  'app',
  'privacy',
  'policy',
  'terms',
  'condition',
  'privacy',
  'choices',
  'media',
  'relations',
  'corporate',
  'information',
  'facebook',
  'twitter',
  'instagram',
  'youtube',
  'linkedin',
  'tiktok',
  'rss',
  'download',
  'app',
  'store',
  'google',
  'play',
  'material',
  'fox',
  'news',
  'network',
  'llc',
  'right'],
 ['main',
  'content',
  'sensor',
  'network',
  'maps',
  'radar',
  'severe',
  'weather',
  'news',
  'blogs',
  'mobile',
  'apps',
  'nearest',
  'station',
  'manage',
  'favorite',
  'citieslog',
  'joinsettingsaccount_box',
  'log',
  'person_add',
  'join',
  'setting',
  'settings',
  'sensor',
  'networkmaps',
  'radarsevere',
  'weathernews',
  'blogsmobile',
  'appshistorical',
  'weatherstarnews',
  'blogs',
  'category',
  'news',
  'stories',
  'infographics',
  'posters',
  'news',
  'stories',
  'category',
  'storiesinfographicsposterspublished',
  'weather',
  'company',
  'mission',
  'weather',
  'news',
  'environment',
  'importance',
  'science',
  'life',
  'story',
  'position',
  'parent',
  'company',
  'ibm.recent',
  'storiesweather',
  'articlesour',
  'appsabout',
  'uscontactcareerspws',
  'networkwundermapfeedback',
  'supportterms',
  'useprivacy',
  'policyaccessibility',
  'statementadchoicesdata',
  'vendorswe',
  'responsibility',
  'datum',
  'technology',
  'datum',
  'data',
  'vendor',
  'control',
  'datum',
  'datum',
  'rightspowered',
  'ibm',
  'cloud',
  'copyright',
  'twc',
  'product',
  'technology',
  'llc',
  'javascript',
  'application'],
 ['style3',
  'degree',
  'guaranteeyour',
  'house',
  'homemykc',
  'liveadvertise',
  'windowhigh',
  'school',
  'star',
  'weeknewsweathersportskctv5',
  'investigatessubmit',
  'photomeet',
  'teamwhat',
  'onwatch',
  'livehomenewscrimenationalregional',
  'politicsentertainmentnfl',
  'draftworld',
  'cup',
  'kctop',
  '5friday',
  'night',
  'flightsfound',
  'day',
  'forecast3',
  'degree',
  'guaranteeradarweather',
  'camsalertsclosingskctv5',
  'investigatesroger',
  'golubskiwrongful',
  'convictionsmedicalconsumersportskansas',
  'city',
  'chiefskansas',
  'city',
  'royalssporting',
  'kchy',
  'vee',
  'team',
  'weekhy',
  'vee',
  'game',
  'weekkansas',
  'city',
  'currentkansas',
  'city',
  'super',
  'fankansas',
  'jayhawkskansas',
  'state',
  'wildcatsmissouri',
  'tigersprice',
  'chopper',
  'tailgate',
  'recipestats',
  'predictionshow',
  'watchwatch',
  'livelive',
  'deskmykc',
  'livecelebrate',
  'kindnessgoing',
  'gracelucas',
  'oil',
  'speedwaymovin',
  'upnow',
  'playingsubmit',
  'phototrafficit',
  'healthyour',
  'moneyaging',
  'styleyour',
  'house',
  'homekctv5',
  'caresjobsbbb',
  'consumer',
  'tipsadvertise',
  'usstation',
  'informationmeet',
  'teamcontact',
  'usnextgen',
  'tvdownload',
  'appsprogramming',
  'captioninglatest',
  'newscastscircle',
  'country',
  'music',
  'lifestylegray',
  'dc',
  'bureauinvestigatetvpress',
  'releasespowernation3',
  'weather',
  'alert',
  'weather',
  'alerts',
  'alerts',
  'bar',
  'police',
  'teen',
  'driver',
  'dump',
  'truck',
  'car',
  'light',
  'overland',
  'parkpolice',
  'car',
  'collision',
  'west',
  'metcalf',
  'avenue',
  'weather',
  'forecast',
  'forecast',
  'heat',
  'heat',
  'advisory',
  'place',
  'friday',
  'nightnewsleawood',
  'water',
  'break',
  'service',
  'hourscommunityresource',
  'center',
  'areatop',
  'decade',
  'lawrence',
  'sacred',
  'red',
  'rock',
  'council',
  'groveupdated',
  'minute',
  'ago',
  'josh',
  'jackson“in',
  'boulder',
  'lawrence',
  'people',
  'park',
  'settler',
  'lawrence',
  'mention',
  'kaw',
  'nation',
  'mention',
  'presence',
  'city',
  'state',
  'kansas',
  'lawrence',
  'change',
  'parking',
  'hour',
  'ago',
  'jiani',
  'navarroif',
  'parking',
  'ticket',
  'way',
  'courthouse',
  'wednesday',
  'p.m.',
  'entertainmentit',
  'summer',
  'travis',
  'kelce',
  'friendship',
  'bracelet',
  'phone',
  'number',
  'swiftupdated',
  'hour',
  'ago',
  'zoë',
  'shrinerkelce',
  'friendship',
  'bracelet',
  'hope',
  'way',
  'swift',
  'newsroughly',
  'bpu',
  'customer',
  'power',
  'outage',
  'hour',
  'ago',
  'zoe',
  'brownroughly',
  'bpu',
  'customer',
  'power',
  'wednesday',
  'newsreport',
  'tyreek',
  'hill',
  'nfl',
  'hall',
  'fame',
  'miami',
  'dolphinupdated',
  'hour',
  'ago',
  'greg',
  'daileyhill',
  'member',
  'super',
  'bowl',
  'liv',
  'champion',
  'squad',
  'nfl',
  'decade',
  'team',
  'punt',
  'returner',
  'news‘new',
  'zoo',
  'kansas',
  'city',
  'zoo',
  'logoupdated',
  'hour',
  'ago',
  'jenna',
  'barackmanthe',
  'kansas',
  'city',
  'zoo',
  'resident',
  'sobela',
  'ocean',
  'aquarium',
  'year.10',
  'day',
  'forecastfeatureslatest',
  'videonewsafter',
  'decade',
  'lawrence',
  'sacred',
  'red',
  'rock',
  'council',
  'grovenewslawrence',
  'change',
  'parking',
  'enforcementnewslisten',
  'dispatcher',
  'camdenton',
  'father',
  'twin',
  'phonenewspolice',
  'teen',
  'driver',
  'dump',
  'truck',
  'car',
  'light',
  'overland',
  'parkmore',
  'newsnational',
  'sinéad',
  'o’connor',
  'singer',
  'hour',
  'ago',
  'associated',
  'press',
  'sylvia',
  'huirock',
  'icon',
  'sinead',
  'o’connor',
  'hit',
  'u',
  'age',
  'investigates',
  'student',
  'video',
  'jccc',
  'employee',
  'road',
  'jul.',
  'pm',
  'angie',
  'riconoa',
  'kansas',
  'city',
  'student',
  'road',
  'rage',
  'moment',
  'cell',
  'phone',
  'lack',
  'response',
  'johnson',
  'county',
  'prosecutor',
  'sportsrcx',
  'sports',
  'foundation',
  'woman',
  'flag',
  'football',
  'scholarship',
  'program',
  'hour',
  'ago',
  'olivia',
  'eisenhauerfour',
  'scholarship',
  'student',
  'athlete',
  'united',
  'states',
  'college',
  'university',
  'woman',
  'flag',
  'football',
  'varsity',
  'sport',
  '2024.sportskansa',
  'mizzou',
  'football',
  'basketball',
  'ticketing',
  'option',
  'hour',
  'ago',
  'olivia',
  'eisenhauerfootball',
  'basketball',
  'ticket',
  'seasonssport',
  'power',
  'light',
  'host',
  'party',
  'women',
  'world',
  'cup',
  'matchupdated',
  'hour',
  'ago',
  'nathan',
  'brennanthe',
  'journey',
  'world',
  'cup',
  'wednesday',
  'night',
  'united',
  'states',
  'women',
  'national',
  'team',
  'netherlands',
  'p.m.',
  'newscolorado',
  'man',
  'woman',
  'kansas',
  'city',
  'hotel',
  'clay',
  'countyupdated',
  'hour',
  'ago',
  'jenna',
  'barackmansimmons',
  'colorado',
  'woman',
  'sarah',
  'tafoya',
  'kansas',
  'city',
  'area',
  'hotel',
  'body',
  'area',
  'clay',
  'county',
  'news',
  'car',
  'i-435updated',
  'hour',
  'ago',
  'julia',
  'scammahornjust',
  'tuesday',
  'night',
  'injury',
  'crash',
  'northbound',
  'interstate',
  'oldham',
  'road',
  'passersby',
  'news',
  'royals',
  'location',
  'stadium',
  'septemberupdated',
  'hour',
  'ago',
  'greg',
  'payneit’ll',
  'place',
  'ballpark',
  'district',
  'river',
  'north',
  'kansas',
  'city',
  'spot',
  'east',
  'village',
  'downtown',
  'kansas',
  'city',
  'newsgladstone',
  'couple',
  'child',
  'hour',
  'ago',
  'jenna',
  'barackmanjoshua',
  'jennifer',
  'goodspeed',
  'today',
  'image',
  'child',
  'victim',
  'news',
  'morning',
  'dispatcher',
  'camdenton',
  'father',
  'twin',
  'phoneupdated',
  'hour',
  'ago',
  'jenna',
  'barackmana',
  'dispatcher',
  'camdenton',
  'missouri',
  'man',
  'set',
  'twin',
  'morning',
  'national',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'judge',
  'concern',
  'term',
  'agreement',
  'hour',
  'ago',
  'associated',
  'press',
  'claudia',
  'lauer',
  'randall',
  'chase',
  'colleen',
  'longhe',
  'agreement',
  'prosecutor',
  'year',
  'probation',
  'deal',
  'hold',
  'news2',
  'driver',
  'i-435',
  'hour',
  'ago',
  'zoe',
  'driver',
  'i-435',
  'passenger',
  'car',
  'overpass',
  'road',
  'newsnews',
  'city',
  'bus',
  'driver',
  'violence',
  'job',
  'safety',
  'concernsupdated',
  'hour',
  'ago',
  'jiani',
  'navarrosome',
  'kansas',
  'city',
  'bus',
  'driver',
  'safety',
  'risk',
  'turnover',
  'safety',
  'concern',
  'newshow',
  'kansas',
  'city',
  'hour',
  'ago',
  'newsadvisory',
  'kansas',
  'city',
  'area',
  'heat',
  'condition',
  'fridayupdated',
  'jul.',
  'pm',
  'cdt',
  'kctv5',
  'staffheat',
  'index',
  'degree',
  'day',
  'storm',
  'track',
  'weather',
  'team',
  'news',
  'jayhawks',
  'football',
  'player',
  'prairie',
  'village',
  'terror',
  'threat',
  'jul.',
  'pm',
  'cdt',
  'kctv5',
  'staffjoseph',
  'krause',
  'year',
  'lineman',
  'threat',
  'kansas',
  'city',
  'chiefschargers',
  'justin',
  'herbert',
  'record',
  'extension',
  'jul.',
  'pm',
  'cdt',
  'olivia',
  'eisenhauerherbert',
  'player',
  'nfl',
  'historycrimelawrence',
  'woman',
  'pedestrian',
  'deathupdated',
  'jul.',
  'pm',
  'cdt',
  'kctv5',
  'staffa',
  'lawrence',
  'woman',
  'manslaughter',
  'pedestrian',
  'vehicle',
  'newsleavenworth',
  'man',
  'shelter',
  'police',
  'guiltyupdated',
  'jul.',
  'pm',
  'cdt',
  'jenna',
  'barackman“it',
  'idea',
  'law',
  'enforcement',
  'leavenworth',
  'county',
  'attorney',
  'todd',
  'thompson',
  'person',
  'charge',
  'effort',
  'law',
  'enforcement',
  'k',
  'state',
  'big',
  'athlete',
  'year',
  'hour',
  'ago',
  'olivia',
  'eisenhauerthe',
  'athlete',
  'year',
  'nominee',
  'school',
  'school',
  'month',
  'basis',
  'news',
  'kid',
  'citizen',
  'ceremony',
  'truman',
  'houseupdated',
  'jul.',
  'pm',
  'cdt',
  'joseph',
  'hennessythe',
  'child',
  'country',
  'kansas',
  'city',
  'royalsroyals',
  'spring',
  'training',
  'jul.',
  'pm',
  'cdt',
  'olivia',
  'eisenhaueralong',
  'rest',
  'major',
  'league',
  'baseball',
  'kansas',
  'city',
  'royals',
  'game',
  'spring',
  'training',
  'schedule',
  'tuesday',
  'newsstation',
  'informationprogramming',
  'scheduleour',
  'appsweathermeet',
  'teamwatch',
  'livejobssportsadvertise',
  'usaging',
  'stylesign',
  'newsletterskctv5',
  'carescareersyour',
  'house',
  'homekctv4500',
  'shawnee',
  'mission',
  'parkwayfairway',
  'ks',
  'public',
  'inspection',
  'fileksmo',
  'public',
  'inspection',
  'filekim.edney@kctv5.com',
  'children',
  'programmingksmo',
  'children',
  'programmingfcc',
  'public',
  'file',
  'reportclosed',
  'captioning',
  'audio',
  'descriptionterm',
  'serviceprivacy',
  'advertisingat',
  'gray',
  'journalist',
  'news',
  'content',
  'community',
  'approach',
  'intelligence',
  'gray',
  'media',
  'group',
  'inc.',
  'station',
  'gray',
  'television',
  'inc.'],
 ['news',
  'home',
  'local',
  'news',
  'national',
  'news',
  'crime',
  'stoppers',
  'natalie',
  'everyday',
  'heroes',
  'racine',
  'sunday',
  'morning',
  'special',
  'report',
  'hometown',
  'capitol',
  'connection',
  'weather',
  'home',
  'weather',
  'blog',
  'radar',
  'traffic',
  'closing',
  'tornado',
  'home',
  'job',
  'opening',
  'weigel',
  'broadcasting',
  'milwaukee',
  'download',
  'app',
  'team',
  'contact',
  'tv',
  'schedule',
  'advertise',
  'spotlight',
  'tip',
  'news',
  'link',
  'tip',
  'news',
  'link',
  'news',
  'home',
  'local',
  'news',
  'national',
  'news',
  'crime',
  'stoppers',
  'natalie',
  'everyday',
  'heroes',
  'racine',
  'sunday',
  'morning',
  'special',
  'report',
  'hometown',
  'capitol',
  'connection',
  'weather',
  'home',
  'weather',
  'blog',
  'radar',
  'traffic',
  'closing',
  'tornado',
  'home',
  'job',
  'opening',
  'weigel',
  'broadcasting',
  'milwaukee',
  'download',
  'app',
  'team',
  'contact',
  'tv',
  'schedule',
  'advertise',
  'spotlight',
  'jun',
  'pm',
  'cdt',
  'thea',
  'sandmael',
  'reuters',
  'cnn',
  'person',
  'dozen',
  'storm',
  'mississippi',
  'sunday',
  'night',
  'southeast',
  'threat',
  'weather',
  'tornado',
  'monday',
  'storm',
  'system',
  'tornado',
  'sunday',
  'mississippi',
  'injury',
  'damage',
  'bay',
  'springs',
  'louin',
  'jasper',
  'county',
  'report',
  'national',
  'weather',
  'service',
  'south',
  'central',
  'regional',
  'medical',
  'center',
  'laurel',
  'storm',
  'victim',
  'louin',
  'area',
  'spokesperson',
  'becky',
  'collins',
  'cnn',
  'monday',
  'patient',
  'hospital',
  'jasper',
  'county',
  'community',
  'center',
  'shelter',
  'destruction',
  'tornado',
  'activity',
  'sheriff',
  'department',
  'facebook',
  'post',
  'mississippi',
  'emergency',
  'management',
  'agency',
  'damage',
  'storm',
  'agency',
  'thousand',
  'state',
  'power',
  'home',
  'business',
  'texas',
  'oklahoma',
  'tennessee',
  'dark',
  'record',
  'heat',
  'round',
  'storm',
  'week',
  'weather',
  'threat',
  'monday',
  'level',
  'risk',
  'weather',
  'gulf',
  'coast',
  'southeast',
  'new',
  'orleans',
  'baton',
  'rouge',
  'louisiana',
  'jacksonville',
  'florida',
  'mobile',
  'alabama',
  'savannah',
  'georgia',
  'threat',
  'wind',
  'gust',
  'hail',
  'tornado',
  'level',
  'risk',
  'stretch',
  'texas',
  'florida',
  'north',
  'north',
  'carolina',
  'city',
  'atlanta',
  'charlotte',
  'north',
  'carolina',
  'austin',
  'texas',
  'tampa',
  'orlando',
  'miami',
  'florida',
  'threat',
  'hail',
  'wind',
  'gust',
  'threat',
  'monday',
  'storm',
  'report',
  'southeast',
  'sunday',
  'storm',
  'prediction',
  'center',
  'tornado',
  'report',
  'mississippi',
  'hail',
  'inch',
  'sunday',
  'kerr',
  'county',
  'texas',
  'mile',
  'san',
  'antonio',
  'day',
  'weather',
  'region',
  'tornado',
  'thursday',
  'texas',
  'panhandle',
  'community',
  'perryton',
  'people',
  'year',
  'boy',
  'tornado',
  'florida',
  'twister',
  'mississippion',
  'monday',
  'morning',
  'tornado',
  'florida',
  'santa',
  'rosa',
  'beach',
  'weather',
  'service',
  'service',
  'tornado',
  'warning',
  'noon',
  'walton',
  'county',
  'debris',
  'shelter',
  'service',
  'home',
  'damage',
  'roof',
  'window',
  'vehicle',
  'tree',
  'damage',
  'tornado',
  'city',
  'moss',
  'point',
  'mississippi',
  'mile',
  'biloxi',
  'monday',
  'afternoon',
  'jackson',
  'county',
  'sheriff',
  'john',
  'ledbetter',
  'home',
  'business',
  'emergency',
  'crew',
  'sheriff',
  'mayor',
  'billy',
  'knight',
  'sr',
  '.',
  'cnn',
  'people',
  'fire',
  'crew',
  'merchants',
  'marine',
  'bank',
  'main',
  'street',
  'baptist',
  'church',
  'building',
  'school',
  'administration',
  'building',
  'gym',
  'stadium',
  'concession',
  'stand',
  'knight',
  'injury',
  'official',
  'assessment',
  'rain',
  'road',
  'alabamaon',
  'monday',
  'possibility',
  'rainfall',
  'country',
  'threat',
  'thunderstorm',
  'southeast',
  'southern',
  'appalachians',
  'road',
  'mobile',
  'county',
  'alabama',
  'monday',
  'inch',
  'rain',
  'area',
  'national',
  'weather',
  'service',
  'county',
  'official',
  'tweet',
  'road',
  'flooding',
  'water',
  'road',
  'road',
  'roadway',
  'tweet',
  'rain',
  'cnn',
  'weather',
  'thousand',
  'power',
  'heatmeanwhile',
  'people',
  'heat',
  'alert',
  'heat',
  'wave',
  'texas',
  'louisiana',
  'new',
  'mexico',
  'mississippi',
  'national',
  'weather',
  'service',
  'heat',
  'air',
  'conditioning',
  'customer',
  'power',
  'south',
  'monday',
  'evening',
  'weather',
  'day',
  'oklahoma',
  'texas',
  'louisiana',
  'poweroutage.us',
  'national',
  'weather',
  'service',
  'resident',
  'day',
  'plenty',
  'water',
  'child',
  'pet',
  'vehicle',
  'heat',
  'wave',
  'record',
  'texas',
  'week',
  'heat',
  'monday',
  'wednesday',
  'combination',
  'temperature',
  'humidity',
  'heat',
  'index',
  'degree',
  'city',
  'houston',
  'san',
  'antonio',
  'brownsville',
  'dallas',
  'heat',
  'record',
  'sunday',
  'del',
  'rio',
  'texas',
  'temperature',
  'degree',
  'sunday',
  'record',
  'degree',
  'camp',
  'mabry',
  'austin',
  'texas',
  'record',
  'degree',
  'dozen',
  'year',
  'mcallen',
  'texas',
  'record',
  'degree',
  'city',
  'south',
  'week',
  'storm',
  'weather',
  'center',
  'houston',
  'center',
  'p.m.',
  'p.m.',
  'monday',
  'city',
  'temperature',
  'caddo',
  'parish',
  'louisiana',
  'center',
  'power',
  'outage',
  'storm',
  'cleanup',
  'new',
  'orleans',
  'emergency',
  'preparedness',
  'campaign',
  'hydration',
  'station',
  'center',
  'water',
  'sunscreen',
  'sunday',
  'monday',
  'a.m.',
  'p.m.',
  'time',
  'cnn',
  'wire',
  'cable',
  'news',
  'network',
  'inc.',
  'warner',
  'bros.',
  'discovery',
  'company',
  'right',
  'koch',
  'manke',
  'court',
  'charge',
  'imprisoning',
  'boy',
  'american',
  'fan',
  'team',
  'usa',
  'women',
  'world',
  'cup',
  'milwaukee',
  'teen',
  'crash',
  'sister',
  'plea',
  'american',
  'fan',
  'team',
  'usa',
  'women',
  'world',
  'cup',
  'police',
  'road',
  'rage',
  'shooting',
  'mcconnell',
  'news',
  'conference',
  'natalie',
  'everyday',
  'heroes',
  'angels',
  'koch',
  'manke',
  'court',
  'charge',
  'imprisoning',
  'boy',
  'cbs',
  'pet',
  'week',
  'atlas',
  'pasta',
  'star',
  'semolina',
  'mke',
  'social',
  'stream',
  'contact',
  'privacy',
  'policy',
  'terms',
  'use',
  'information',
  's.',
  '60th',
  'st',
  'milwaukee',
  'wi',
  'news',
  'tip',
  'hotline',
  'info',
  'fax',
  'metv',
  '41.1/58.2',
  'wmlw',
  'telemundo',
  '63.1/58.4',
  'start',
  '58.5/63.2',
  'movie',
  '49.2/63.3',
  'h&i',
  'catchy',
  'comedy',
  'content',
  'copyright',
  'wdjt',
  'rights',
  'wdjt',
  'fcc',
  'public',
  'file',
  'fcc',
  'license',
  'renewal',
  'eeo',
  'report',
  'children',
  'programming',
  'report',
  'ad',
  'choice'],
 ['blood',
  'drive',
  'works',
  'host',
  'blood',
  'drive',
  'urgent',
  'need',
  'volunteer',
  'blizzard',
  'pipe',
  'blizzard',
  'pipe',
  'help',
  'need',
  'help',
  'red',
  'cross',
  'shelter',
  'winter',
  'storm',
  'rain',
  'sleet',
  'snowfall',
  'ice',
  'wind',
  'storm',
  'transportation',
  'heat',
  'power',
  'communication',
  'disruption',
  'school',
  'store',
  'workplace',
  'winter',
  'climate',
  'change',
  'atmosphere',
  'moisture',
  'snowfall',
  'action',
  'home',
  'precaution',
  'word',
  'news',
  'winter',
  'storm',
  'life',
  'winter',
  'condition',
  'hour',
  'blizzard',
  'warning',
  'wind',
  'gust',
  'mile',
  'hour',
  'falling',
  'snow',
  'visibility',
  'quarter',
  'mile',
  'hour',
  'winter',
  'storm',
  'word',
  'wind',
  'chill',
  'temperature',
  'people',
  'animal',
  'wind',
  'increase',
  'heat',
  'body',
  'rate',
  'body',
  'temperature',
  'wind',
  'chill',
  'temperature',
  'temperature',
  'wind',
  'feel',
  'skin',
  'winter',
  'storm',
  'outlook',
  'storm',
  'condition',
  'day',
  'medium',
  'update',
  'winter',
  'storm',
  'watch',
  'storm',
  'condition',
  'hour',
  'winter',
  'storm',
  'plan',
  'weather',
  'condition',
  'advisory',
  'weather',
  'condition',
  'inconvenience',
  'life',
  'winter',
  'storm',
  'indoor',
  'frostbite',
  'hypothermia',
  'winter',
  'season',
  'home',
  'home',
  'cold',
  'insulation',
  'caulking',
  'weather',
  'thermometer',
  'thermostat',
  'temperature',
  'neighbor',
  'adult',
  'baby',
  'plenty',
  'fluid',
  'caffeine',
  'alcohol',
  'travel',
  'nose',
  'ear',
  'cheek',
  'chin',
  'finger',
  'toe',
  'clothing',
  'area',
  'risk',
  'frostbite',
  'wear',
  'layer',
  'clothing',
  'coat',
  'hat',
  'mitten',
  'water',
  'boot',
  'scarf',
  'face',
  'mouth',
  'home',
  'friend',
  'house',
  'library',
  'warming',
  'center',
  'food',
  'water',
  'medicine',
  'winter',
  'storm',
  'store',
  'supply',
  'kit',
  'home',
  'kit',
  'kit',
  'day',
  'supply',
  'battery',
  'charger',
  'device',
  'cell',
  'phone',
  'cpap',
  'wheelchair',
  'home',
  'kit',
  'week',
  'supply',
  'clothing',
  'hat',
  'mitten',
  'blanket',
  'household',
  'access',
  'drinking',
  'water',
  'gallon',
  'drinking',
  'water',
  'person',
  'day',
  'emergency',
  'supply',
  'vehicle',
  'blanket',
  'clothing',
  'aid',
  'kit',
  'boot',
  'month',
  'supply',
  'medication',
  'supply',
  'list',
  'medication',
  'dosage',
  'card',
  'record',
  'copy',
  'snow',
  'shovel',
  'ice',
  'product',
  'walkway',
  'aid',
  'resuscitation',
  'cpr',
  'emergency',
  'service',
  'frostbite',
  'hypothermia',
  'install',
  'smoke',
  'alarm',
  'carbon',
  'monoxide',
  'detector',
  'battery',
  'power',
  'gas',
  'water',
  'pipe',
  'sign',
  'emergency',
  'alert',
  'government',
  'weather',
  'news',
  'battery',
  'way',
  'cell',
  'phone',
  'battery',
  'radio',
  'power',
  'outage',
  'alert',
  'watch',
  'warning',
  'action',
  'support',
  'team',
  'disaster',
  'winter',
  'storm',
  'checklists',
  'fact',
  'sheet',
  'available',
  'multiple',
  'languages',
  'power',
  'outage',
  'checklist',
  'frostbite',
  'hypothermia',
  'winter',
  'storm',
  'safety',
  'checklist',
  'english',
  'winter',
  'storm',
  'safety',
  'checklist',
  'spanish',
  'preparation',
  'tips',
  'family',
  'winter',
  'storm',
  'space',
  'heater',
  'fireplace',
  'fire',
  'fire',
  'foot',
  'meter',
  'heat',
  'candle',
  'fire',
  'risk',
  'battery',
  'light',
  'flashlight',
  'prevent',
  'carbon',
  'monoxide',
  'poisoning',
  'carbon',
  'monoxide',
  'poisoning',
  'power',
  'outage',
  'people',
  'mean',
  'carbon',
  'monoxide',
  'poisoning',
  'generator',
  'grill',
  'camp',
  'stove',
  'window',
  'carbon',
  'monoxide',
  'air',
  'carbon',
  'monoxide',
  'poisoning',
  'home',
  'fire',
  'home',
  'cooking',
  'oven',
  'stove',
  'act',
  'fast',
  'sign',
  'frostbite',
  'hypothermia',
  'frostbite',
  'body',
  'nose',
  'ear',
  'cheek',
  'chin',
  'finger',
  'toe',
  'people',
  'pain',
  'numbness',
  'change',
  'skin',
  'color',
  'frostbite',
  'place',
  'area',
  'water',
  'skin',
  'emergency',
  'care',
  'hypothermia',
  'body',
  'heat',
  'heat',
  'body',
  'temperature',
  'adult',
  'baby',
  'child',
  'people',
  'health',
  'condition',
  'risk',
  'shivering',
  'sign',
  'hypothermia',
  'sign',
  'confusion',
  'drowsiness',
  'speech',
  'hypothermia',
  'emergency',
  'care',
  'place',
  'clothing',
  'body',
  'safe',
  'vehicle',
  'emergency',
  'supply',
  'kit',
  'following',
  'person',
  'blanket',
  'bag',
  'rain',
  'gear',
  'set',
  'clothing',
  'mitten',
  'sock',
  'wool',
  'hat',
  'newspapers',
  'insulation',
  'bag',
  'sanitation',
  'canned',
  'fruit',
  'energy',
  'snack',
  'broth',
  'thermos',
  'bottle',
  'water',
  'cell',
  'phone',
  'battery',
  'plan',
  'daylight',
  'person',
  'destination',
  'route',
  'weather',
  'report',
  'area',
  'sleet',
  'rain',
  'drizzle',
  'fog',
  'vehicle',
  'help',
  'vehicle',
  'assistance',
  'help',
  'yard',
  'meter',
  'display',
  'trouble',
  'sign',
  'help',
  'cloth',
  'radio',
  'antenna',
  'hood',
  'snow',
  'engine',
  'minute',
  'hour',
  'heater',
  'engine',
  'exhaust',
  'pipe',
  'snow',
  'window',
  'ventilation',
  'light',
  'engine',
  'exercise',
  'circulation',
  'hand',
  'arm',
  'leg',
  'person',
  'vehicle',
  'turn',
  'warmth',
  'newspaper',
  'map',
  'floor',
  'mat',
  'body',
  'heat',
  'sign',
  'frostbite',
  'hypothermia',
  'fluid',
  'dehydration',
  'effect',
  'cold',
  'heart',
  'attack',
  'overexertion',
  'snow',
  'vehicle',
  'heart',
  'attack',
  'condition',
  'prevent',
  'thaw',
  'frozen',
  'pipes',
  'pet',
  'storm',
  'frost',
  'bite',
  'hypothermia',
  'safe',
  'winter',
  'storm',
  'caution',
  'ice',
  'power',
  'line',
  'branch',
  'tree',
  'ice',
  'overexertion',
  'snow',
  'break',
  'partner',
  'ice',
  'product',
  'walkway',
  'library',
  'shopping',
  'mall',
  'warming',
  'center',
  'home',
  'lot',
  'feeling',
  'stress',
  'anxiety',
  'food',
  'sleep',
  'stress',
  'disaster',
  'distress',
  'helpline',
  'text',
  'time',
  'family',
  'free',
  'app',
  'family',
  'safe',
  'download',
  'emergency',
  'app',
  'emergency',
  'app',
  'apple',
  'store',
  'google',
  'play',
  'aplicación',
  'de',
  'emergencias',
  'ahora',
  'en',
  'español',
  'también',
  'sign',
  'email',
  'american',
  'red',
  'cross',
  'content',
  'email',
  'list',
  'disaster',
  'alert',
  'preparedness',
  'tip',
  'way',
  'people',
  'disaster',
  'donation',
  'american',
  'national',
  'red',
  'cross',
  'accessibility',
  'terms',
  'use',
  'privacy',
  'policy',
  'contact',
  'faq',
  'mobile',
  'apps',
  'blood',
  'career'],
 ['news',
  'reviews',
  'car',
  'shop',
  'car',
  'auto',
  'shows',
  'product',
  'service',
  'body',
  'style',
  'star',
  'ratings',
  'podcast',
  'photos',
  'videos',
  'usa',
  'page',
  'ad',
  'skin',
  'home',
  'news',
  'crashes',
  'wrecks',
  'portland',
  'oregon',
  'highway',
  'parking',
  'lot',
  'winter',
  'storm',
  'motorists',
  'hour',
  'day',
  'region',
  'history',
  'feb',
  'et',
  'mark',
  'webb',
  'mark',
  'webb',
  'rush',
  'hour',
  'traffic',
  'city',
  'wreck',
  'lane',
  'closure',
  'case',
  'motorist',
  'portland',
  'oregon',
  'record',
  'snowfall',
  'wednesday',
  'storm',
  'inch',
  'snow',
  'snowstorm',
  'region',
  'history',
  'road',
  'parking',
  'lot',
  'traffic',
  'standstill',
  'problem',
  'downtown',
  'portland',
  'i-5',
  'i-205',
  'i-84',
  'result',
  'driver',
  'vehicle',
  'hour',
  'reporter',
  'cameraman',
  'kgw8',
  'news',
  'reporter',
  'traffic',
  'minute',
  'mile',
  'hour',
  'snow',
  'way',
  'man',
  'windshield',
  'wiper',
  'subaru',
  'person',
  'snow',
  'chain',
  'toyota',
  'prius',
  'people',
  'car',
  'traffic',
  'number',
  'people',
  'gas',
  'vehicle',
  'chance',
  'foot',
  'addition',
  'highway',
  'intersection',
  'parking',
  'lot',
  'northeast',
  '41st',
  'avenue',
  'wistaria',
  'drive',
  'car',
  'ridwell',
  'van',
  'trimet',
  'bus',
  'saturday',
  'portland',
  'bureau',
  'transportation',
  'citation',
  'car',
  'owner',
  'towing',
  'fee',
  'kgw8',
  'weather',
  'snow',
  'ground',
  'weekend',
  'vehicle',
  'monday',
  'morning',
  'traffic',
  'mayhem',
  'oregon',
  'police',
  'car',
  'cause',
  'chain',
  'reaction',
  'crash',
  'snow',
  'hill',
  'traffic',
  'road',
  'winter',
  'weather',
  'thing',
  'car',
  'gas',
  'car',
  'interior',
  'winter',
  'weather',
  'gas',
  'tank',
  'blanket',
  'water',
  'food',
  'protein',
  'bar',
  'vehicle',
  'idea',
  'source',
  'kgw8',
  'news',
  '+',
  '+',
  'share',
  'facebook',
  'share',
  'twitter',
  'share',
  'linkedin',
  'share',
  'flipboard',
  'pin',
  'reddit',
  'share',
  'whatsapp',
  'email',
  'comment',
  'tip',
  'email',
  'ferrari',
  'daytona',
  'sp3',
  'window',
  'sticker',
  'sight',
  'hyundai',
  'santa',
  'fe',
  'real',
  'photos',
  'suv',
  'mitsuoka',
  'himiko',
  'debuts',
  'mazda',
  'miata',
  'retro',
  'body',
  'barn',
  'truck',
  'year',
  'car',
  'world',
  'car',
  'buying',
  'service',
  'price',
  'offer',
  'inventory',
  'search',
  'new',
  'cars',
  'cars',
  'article',
  '11:50pm',
  'dodge',
  'barn',
  'find',
  'year',
  'life',
  'bugatti',
  'veyron',
  'bmw',
  'drivers',
  'collide',
  'alleged',
  'road',
  'rage',
  'incident',
  'chance',
  'hp',
  'dodge',
  'challenger',
  'srt',
  'demon',
  'gen',
  'mini',
  'cooper',
  'special',
  'ev',
  'sounds',
  'infotainment',
  'modes',
  'ota',
  'ford',
  'mustang',
  'toyota',
  'land',
  'cruiser',
  'mitsubishi',
  'triton',
  'honda',
  's2000',
  'rumor',
  'rac',
  'podcast',
  'ford',
  'mustang',
  'dark',
  'horse',
  'r',
  'teaser',
  'race',
  'car',
  'motion',
  'debuts',
  'thursday',
  'toyota',
  'land',
  'cruiser',
  'series',
  'handle',
  'moab',
  'trails',
  'ease',
  'mitsubishi',
  'triton',
  'snorkel',
  'wider',
  'track',
  'article',
  '11:50pm',
  'dodge',
  'barn',
  'find',
  'year',
  'life',
  'bugatti',
  'veyron',
  'bmw',
  'drivers',
  'collide',
  'alleged',
  'road',
  'rage',
  'incident',
  'chance',
  'hp',
  'dodge',
  'challenger',
  'srt',
  'demon',
  'gen',
  'mini',
  'cooper',
  'special',
  'ev',
  'sounds',
  'infotainment',
  'modes',
  'ota',
  'ford',
  'mustang',
  'toyota',
  'land',
  'cruiser',
  'mitsubishi',
  'triton',
  'honda',
  's2000',
  'rumor',
  'rac',
  'podcast',
  'ford',
  'mustang',
  'dark',
  'horse',
  'r',
  'teaser',
  'race',
  'car',
  'motion',
  'debuts',
  'thursday',
  'toyota',
  'land',
  'cruiser',
  'series',
  'handle',
  'moab',
  'trails',
  'ease',
  'mitsubishi',
  'triton',
  'snorkel',
  'wider',
  'track',
  'article',
  'category',
  'wrecks',
  'sign',
  'sign',
  'news',
  'spy',
  'shots',
  'concept',
  'cars',
  'supercars',
  'aftermarket',
  'autonomous',
  'vehicles',
  'awards',
  'breaking',
  'review',
  'new',
  'car',
  'review',
  'drives',
  'pros',
  'cons',
  'comparisons',
  'note',
  'buy',
  'feature',
  'lists',
  'podcast',
  'automotive',
  'history',
  'car',
  'buying',
  'features',
  'opinion',
  'car',
  'acura',
  'alfa',
  'romeo',
  'aston',
  'martin',
  'audi',
  'bentley',
  'bmw',
  'bugatti',
  'buick',
  'cadillac',
  'chevrolet',
  'chrysler',
  'dodge',
  'ferrari',
  'fiat',
  'fisker',
  'ford',
  'genesis',
  'gmc',
  'hennessey',
  'honda',
  'hyundai',
  'infiniti',
  'jaguar',
  'jeep',
  'karma',
  'kia',
  'koenigsegg',
  'lamborghini',
  'land',
  'rover',
  'lexus',
  'lincoln',
  'lotus',
  'lucid',
  'maserati',
  'mazda',
  'mclaren',
  'mercedes',
  'benz',
  'mini',
  'mitsubishi',
  'nissan',
  'pagani',
  'polestar',
  'porsche',
  'ram',
  'rimac',
  'rivian',
  'rolls',
  'royce',
  'scout',
  'motors',
  'skoda',
  'subaru',
  'tesla',
  'toyota',
  'volkswagen',
  'volvo',
  'shop',
  'auto',
  'shows',
  'product',
  'service',
  'body',
  'style',
  'star',
  'ratings',
  'podcast',
  'photo',
  'videos',
  'logotype',
  'logotype',
  'edition',
  'facebook',
  'twitter',
  'link',
  'linkedin',
  'link',
  'flipboard',
  'medium',
  'link',
  'google',
  'news',
  'link',
  'instagram',
  'youtube',
  'link',
  'rss',
  'tiktok',
  'link',
  'newsletter',
  'advertising',
  'tip',
  'contact',
  'cookie',
  'setting',
  'cookie',
  'policy',
  'privacy',
  'policy',
  'dark',
  'light',
  'auto',
  'motorsport.com',
  'motorsport.tv',
  'insideevs.com',
  'rideapart.com',
  'motorjobs.com',
  'dupontregistry.com',
  'myev.com',
  'stock',
  'vehicle',
  'imagery',
  'evox',
  'usa',
  'global',
  'international',
  'editions',
  'edition',
  'usa',
  'global',
  'édition',
  'france',
  'edizione',
  'italia',
  'ausgabe',
  'deutschland',
  'версия',
  'россия',
  'edição',
  'brasil',
  'edition',
  'uk',
  'النسخة',
  'الشرق',
  'الأوسط',
  'edi̇syon',
  'türki̇ye',
  'edición',
  'españa',
  'edition',
  'magyarország',
  'edition',
  'argentina',
  'edition',
  'indonesia',
  'facebook',
  'share',
  'twitter',
  'share',
  'linkedin',
  'share',
  'flipboard',
  'pin',
  'reddit',
  'share',
  'whatsapp',
  'email'],
 ['man',
  'death',
  'soccer',
  'match',
  'adam',
  'morgan',
  'neighborhood',
  'mexican',
  'consulate',
  'citizen',
  'crime',
  'dc',
  'heat',
  'advisory',
  'effect',
  'thursday',
  'a.m.',
  'p.m.',
  'dc',
  'heat',
  'year',
  'week',
  'timeline',
  'remnant',
  'nicole',
  'dmv',
  'shower',
  'downpour',
  'rest',
  'day',
  'storm',
  'pm',
  'est',
  'november',
  'pm',
  'est',
  'november',
  'washington',
  'shower',
  'rest',
  'day',
  'rain',
  'time',
  'thunderstorm',
  'storm',
  'wind',
  'tornado',
  'storm',
  'south',
  'history',
  'rain',
  'a.m.',
  'a.m.',
  'shower',
  'hurricane',
  'nicole',
  'landfall',
  'vero',
  'beach',
  'florida',
  'thursday',
  'morning',
  'national',
  'hurricane',
  'center',
  'storm',
  'wind',
  'mile',
  'hour',
  'nicole',
  'storm',
  'landfall',
  'united',
  'states',
  'month',
  'november',
  'eta',
  'landfall',
  'florida',
  'storm',
  'november',
  '9th',
  'charley',
  'jeanne',
  'landfall',
  'day',
  'track',
  'ian',
  'nicole',
  'hurricane',
  'season',
  'landfall',
  'day',
  'nicole',
  'november',
  'hurricane',
  'landfall',
  'florida',
  'related',
  'dollar',
  'weather',
  'disaster',
  'rain',
  'flooding',
  'issue',
  'pocket',
  'rain',
  'county',
  'flooding',
  'gusty',
  'wind',
  'afternoon',
  'hour',
  'mph',
  'tree',
  'branch',
  'wind',
  'damage',
  'condition',
  'weekend',
  'noaa',
  'atlantic',
  'hurricane',
  'outlook',
  'season',
  'dominion',
  'energy',
  'customer',
  'hurricane',
  'season',
  'aftermath',
  'hurricane',
  'ian',
  'northern',
  'virginia',
  'pastor',
  'help',
  'example',
  'video',
  'title',
  'video',
  'news',
  'dmv',
  'overnight',
  'forecast',
  'july',
  'muggy',
  'eeo',
  'public',
  'file',
  'report',
  'fcc',
  'online',
  'public',
  'inspection',
  'file',
  'closed',
  'caption',
  'procedure',
  'personal',
  'information',
  'wusa',
  'tv',
  'rights',
  'wusa',
  'notification',
  'news',
  'weather',
  'notification',
  'browser',
  'setting'],
 ['abc',
  'newsvideoliveshowselectionsinterest',
  'successfully',
  "addedwe'll",
  'news',
  'desktop',
  'notification',
  'story',
  'interest',
  'offonlog',
  'instream',
  'onsouth',
  'dakota',
  'tribe',
  'winter',
  'storm',
  'member',
  'family',
  'home',
  'food',
  'firewood',
  'byamanda',
  'sudecember',
  'pm3:15tribes',
  'south',
  'dakota',
  'winter',
  'storm',
  'country',
  'anna',
  'halversonafter',
  'winter',
  'storm',
  'country',
  'blizzard',
  'condition',
  'temperature',
  'city',
  'community',
  'south',
  'dakota',
  'reservation',
  'storm',
  'consequence',
  'road',
  'snow',
  'foot',
  'member',
  'oglala',
  'sioux',
  'tribe',
  'pine',
  'ridge',
  'reservation',
  'home',
  'dec.',
  'tribe',
  'president',
  'frank',
  'star',
  'abc',
  'news',
  'snowdrift',
  'south',
  'dakota',
  'foot',
  'height',
  'anna',
  'halverson“we',
  'blizzard',
  'condition',
  'cold',
  'supply',
  'star',
  'week',
  'storm',
  'condition',
  'people',
  'food',
  'medication',
  'water',
  'line',
  'wood',
  'vendor',
  'area',
  'wood',
  'lot',
  'membership',
  'power',
  'outage',
  'week',
  '”anna',
  'halverson',
  'councilmember',
  'pass',
  'creek',
  'district',
  'reservation',
  'abc',
  'news',
  'resident',
  'family',
  'member',
  'furniture',
  'clothe',
  'warmth',
  'storm',
  'temperature',
  'wakere',
  'member',
  'nonprofit',
  'pine',
  'ridge',
  'oglala',
  'lakota',
  'people',
  'year',
  'winter',
  'heating',
  'assistance',
  'program',
  'firewood',
  'household',
  'reservation',
  'year',
  'storm',
  'organization',
  'woodpile',
  'snow',
  '-',
  'member',
  'family',
  'need',
  '“when',
  'temperature',
  'chainsaw',
  'splitter',
  'time',
  'functioning',
  'staff',
  'cory',
  'true',
  'director',
  '-',
  'member',
  'abc',
  'news',
  'air',
  'temperature',
  'windchill',
  '”propane',
  'company',
  'family',
  'reservation',
  'trailer',
  'home',
  'propane',
  'heat',
  'true',
  'week',
  'south',
  'dakota',
  'gov.',
  'kristi',
  'noem',
  'state',
  'national',
  'guard',
  'firewood',
  'black',
  'hills',
  'forest',
  'service',
  'rosebud',
  'sioux',
  'tribe',
  'oglala',
  'sioux',
  'tribe',
  'authority',
  'road',
  'star',
  'proclamation',
  'state',
  'emergency',
  'aid',
  'city',
  'u.s.',
  'condition',
  'star',
  'community',
  'comparison',
  'equipment',
  'snow',
  'road',
  'home',
  'oglala',
  'sioux',
  'tribe',
  'example',
  'road',
  'grader',
  'storm',
  'tribe',
  'south',
  'dakota',
  'winter',
  'storm',
  'country',
  'anna',
  'halversonfor',
  'star',
  'storm',
  'reminder',
  'challenge',
  'tribe',
  'survival',
  'mode',
  'border',
  'reservation',
  'world',
  'blizzard',
  'century',
  'death',
  'toll',
  'ban',
  'buffalo“we',
  'personnel',
  'funding',
  'lot',
  'equipment',
  'band',
  'aid',
  '”star',
  'tribe',
  'road',
  'department',
  'storm',
  'district',
  'reservation',
  'district',
  'substation',
  'inclement',
  'winter',
  'weather',
  'summer',
  'wildfire',
  'community',
  'challenge',
  'location',
  'service',
  'circumstance',
  '“our',
  'reservation',
  'middle',
  'halverson',
  'walmart',
  'hour',
  'dialysis',
  'treatment',
  'center',
  'pine',
  'ridge',
  'reservation',
  'size',
  'state',
  'connecticut',
  'halverson',
  'halverson',
  'estimate',
  'tribe',
  'member',
  'home',
  'treatment',
  'onset',
  'storm',
  'halverson',
  'star',
  'emergency',
  'week',
  'man',
  'heart',
  'attack',
  'woman',
  'labor',
  'baby',
  'woman',
  'mile',
  'cold',
  'home',
  'sled',
  'casualty',
  'halverson',
  'reservation',
  'phone',
  'internet',
  'member',
  'road',
  'road',
  'pine',
  'ridge',
  'reservation',
  'winter',
  'blizzard',
  'anna',
  'halversonat',
  'person',
  'year',
  'rosebud',
  'sioux',
  'tribe',
  'treatment',
  'sioux',
  'falls',
  'south',
  'dakota',
  'newspaper',
  'argus',
  'leader',
  'tribe',
  'member',
  'star',
  'volunteer',
  'challenge',
  'farmer',
  'rancher',
  'snow',
  'farm',
  'equipment',
  'hand',
  'office',
  'clock',
  'holiday',
  'effort',
  'star',
  '“for',
  'year',
  'decade',
  'century',
  'lot',
  'struggle',
  'tribe',
  'people',
  'ancestor',
  'people',
  'storieshouse',
  'ufo',
  'hearing',
  'ex',
  'knowledge',
  'craftjul',
  'amruin',
  'vatican',
  'emperor',
  'nero',
  'theaterjul',
  'pmsinead',
  "o'connor",
  'u',
  'singer',
  '56jul',
  'pmwhistleblower',
  'congress',
  'decade',
  'program',
  'ufosjul',
  'pmmcconnell',
  'press',
  'conference',
  'return',
  'pmabc',
  'news',
  'live24/7',
  'coverage',
  'news',
  'eventsabc',
  'news',
  'networkprivacy',
  'policyyour',
  'state',
  'privacy',
  'rightschildren',
  'online',
  'privacy',
  'policyinterest',
  'adsabout',
  'nielsen',
  'measurementterms',
  'usedo',
  'sell',
  'informationcontact',
  'uscopyright',
  'abc',
  'news',
  'internet',
  'ventures',
  'right'],
 ['storm',
  'baltimore',
  'area',
  'tuesday',
  'afternoon',
  'maryland',
  'weather',
  'severe',
  'storm',
  'baltimore',
  'area',
  'tuesday',
  'afternoon',
  'july',
  'chris',
  'montcalmo',
  'update',
  'thunderstorm',
  'watch',
  'flood',
  'watch',
  'baltimore',
  'area',
  'story',
  'baltimore',
  'md',
  'condition',
  'baltimore',
  'area',
  'storm',
  'tuesday',
  'afternoon',
  'national',
  'weather',
  'service',
  'thunderstorm',
  'wind',
  'hail',
  'instance',
  'flooding',
  'heat',
  'humidity',
  'area',
  'remainder',
  'week',
  'resident',
  'forecast',
  'day',
  'graphic',
  'carneychasefifth',
  'districtfullertonglen',
  'armgolden',
  'ringhillendalekingsvillelinovermiddle',
  'rivernational',
  'weather',
  'servicenottinghamoverleaparkvilleperry',
  'hallrosedalerossvillesixth',
  'districtstormswhite',
  'marsh',
  'previous',
  'articlegovernor',
  'moore',
  'grant',
  'access',
  'recreation',
  'spacenext',
  'articlemaryland',
  'partner',
  'usda',
  'barrier',
  'food',
  'agriculture',
  'supply',
  'chain',
  'heat',
  'watch',
  'friday',
  'baltimore',
  'heat',
  'index',
  'degree',
  'baltimore',
  'county',
  'meeting',
  'plan',
  'park',
  'perry',
  'hall',
  'farm',
  'education',
  'foundation',
  'bcps',
  'tools',
  'school',
  'campaign',
  'governor',
  'moore',
  'energy',
  'efficiency',
  'retrofit',
  'pilot',
  'program',
  'mega',
  'millions',
  'ticket',
  'maryland',
  'ticket',
  'towson',
  'subscribe',
  'advertise',
  'contact',
  'terms',
  'service',
  'privacy',
  'policy',
  'account',
  'login',
  'password',
  'reset',
  'profile',
  'register',
  'subscribe',
  'advertise',
  'contact',
  'terms',
  'service',
  'privacy',
  'policy',
  'copyright',
  'nottinghammd.com',
  'marsoly',
  'media',
  'llc',
  'company',
  'wordpress',
  'theme',
  'athemeart',
  'website',
  'cookie',
  'experience',
  'reject',
  'read',
  'moreprivacy',
  'cookies',
  'policy',
  'privacy',
  'overview',
  'website',
  'cookie',
  'experience',
  'website',
  'cookie',
  'cookie',
  'browser',
  'working',
  'functionality',
  'website',
  'party',
  'cookie',
  'website',
  'cookie',
  'browser',
  'consent',
  'option',
  'cookie',
  'cookie',
  'effect',
  'experience',
  'cookie',
  'website',
  'category',
  'cookie',
  'functionality',
  'security',
  'feature',
  'website',
  'cookie',
  'information'],
 ['main',
  'contentskip',
  'wall',
  'street',
  'journalenglish',
  'editionenglish中文',
  'chinese)日本語',
  'japanese)print',
  'headlinesmore',
  'products',
  'wsjbuy',
  'wsjwsj',
  'americamiddle',
  'eastsectionseconomymoreworld',
  'videou.s.sectionseconomylawpoliticsmoreu.s.',
  'videowhat',
  'news',
  'podcastpoliticsmorepolitics',
  'probankruptcycentral',
  'bankingprivate',
  'equityventure',
  'capitalmoreeconomic',
  'forecasting',
  'surveyeconomy',
  'videosectionscapital',
  'reportsthe',
  'future',
  'everythingobituariestech',
  'defenseautos',
  'transportationcommercial',
  'real',
  'estateconsumer',
  'productsenergyentrepreneurshipfinancial',
  'servicesfood',
  'serviceshealth',
  'carehospitalitylawmanufacturingmedia',
  'marketingnatural',
  'resourcesretailc',
  'suitecfo',
  'journalcio',
  'journalcmo',
  'todaylogistics',
  'reportrisk',
  'compliancethe',
  'workplace',
  'reportcolumnsheard',
  'streetwsj',
  'probankruptcycentral',
  'businessventure',
  'capitalmorebusiness',
  'videobusiness',
  'podcastspace',
  'sciencetechsectionscio',
  'journalthe',
  'future',
  'everythingpersonal',
  'techcolumnschristopher',
  'mimsjoanna',
  'sternjulie',
  'jargonnicole',
  'videotech',
  'podcastmarketssectionsbondscommercial',
  'real',
  'estatecommodities',
  'futuresstockspersonal',
  'financewsj',
  'moneystreetwiseintelligent',
  'investorcolumnsheard',
  'streetgreg',
  'ipjason',
  'zweiglaura',
  'saundersjames',
  'mackintoshmarket',
  'datamarket',
  'data',
  'homeu.s.',
  'ratesmutual',
  'funds',
  'journalmarkets',
  'videoyour',
  'money',
  'briefing',
  'podcastsecrets',
  'wealthy',
  'women',
  'podcastsearch',
  'quotes',
  'bakersadanand',
  'dhumeallysia',
  'finleyjames',
  'freemanwilliam',
  'a.',
  'galstondaniel',
  'henningerholman',
  'w.',
  'jenkinsandy',
  'kesslerwilliam',
  'mcgurnwalter',
  'russell',
  'meadpeggy',
  'noonanmary',
  'anastasia',
  "o'gradyjason",
  'rileyjoseph',
  'sternbergkimberley',
  'a.',
  'strasselmoreeditorialscommentaryfuture',
  'viewhouses',
  'worshipcross',
  'countryletters',
  'editorthe',
  'weekend',
  'interviewpotomac',
  'podcastforeign',
  'edition',
  'podcastfree',
  'expression',
  'podcastopinion',
  'videonotable',
  'quotablebooks',
  'artsreviewsfilmtelevisiontheatermasterpiece',
  'seriesmusicdanceoperaexhibitioncultural',
  'commentaryartarchitecturesectionsartsbooksmorewsj',
  'puzzleswhat',
  'watcharts',
  'calendarreal',
  'real',
  'estatemorereal',
  'estate',
  'videolife',
  'worksectionscarscareersfood',
  'drinkhome',
  'designideaspersonal',
  'financerecipestravelwellnesscolumnsyour',
  'healthwork',
  'lifecarry',
  'onbondsturning',
  'pointson',
  'clockmorewsj',
  'puzzlesspace',
  'sciencestylesectionslifestylefashionfilmtelevisionmusicart',
  'monday',
  'morningoff',
  'brandon',
  'trendsportssectionsbaseballbasketballfootballgolfhockeyolympicssoccertenniscolumnsjason',
  'gaysearchhomeworldregionsafricaasiacanadachinaeuropelatin',
  'americamiddle',
  'eastsectionseconomymoreworld',
  'videou.s.sectionseconomylawpoliticsmoreu.s.',
  'videowhat',
  'news',
  'podcastpoliticsmorepolitics',
  'probankruptcycentral',
  'bankingprivate',
  'equityventure',
  'capitalmoreeconomic',
  'forecasting',
  'surveyeconomy',
  'videosectionscapital',
  'reportsthe',
  'future',
  'everythingobituariestech',
  'defenseautos',
  'transportationcommercial',
  'real',
  'estateconsumer',
  'productsenergyentrepreneurshipfinancial',
  'servicesfood',
  'serviceshealth',
  'carehospitalitylawmanufacturingmedia',
  'marketingnatural',
  'resourcesretailc',
  'suitecfo',
  'journalcio',
  'journalcmo',
  'todaylogistics',
  'reportrisk',
  'compliancethe',
  'workplace',
  'reportcolumnsheard',
  'streetwsj',
  'probankruptcycentral',
  'businessventure',
  'capitalmorebusiness',
  'videobusiness',
  'podcastspace',
  'sciencetechsectionscio',
  'journalthe',
  'future',
  'everythingpersonal',
  'techcolumnschristopher',
  'mimsjoanna',
  'sternjulie',
  'jargonnicole',
  'videotech',
  'podcastmarketssectionsbondscommercial',
  'real',
  'estatecommodities',
  'futuresstockspersonal',
  'financewsj',
  'moneystreetwiseintelligent',
  'investorcolumnsheard',
  'streetgreg',
  'ipjason',
  'zweiglaura',
  'saundersjames',
  'mackintoshmarket',
  'datamarket',
  'data',
  'homeu.s.',
  'ratesmutual',
  'funds',
  'journalmarkets',
  'videoyour',
  'money',
  'briefing',
  'podcastsecrets',
  'wealthy',
  'women',
  'podcastsearch',
  'quotes',
  'bakersadanand',
  'dhumeallysia',
  'finleyjames',
  'freemanwilliam',
  'a.',
  'galstondaniel',
  'henningerholman',
  'w.',
  'jenkinsandy',
  'kesslerwilliam',
  'mcgurnwalter',
  'russell',
  'meadpeggy',
  'noonanmary',
  'anastasia',
  "o'gradyjason",
  'rileyjoseph',
  'sternbergkimberley',
  'a.',
  'strasselmoreeditorialscommentaryfuture',
  'viewhouses',
  'worshipcross',
  'countryletters',
  'editorthe',
  'weekend',
  'interviewpotomac',
  'podcastforeign',
  'edition',
  'podcastfree',
  'expression',
  'podcastopinion',
  'videonotable',
  'quotablebooks',
  'artsreviewsfilmtelevisiontheatermasterpiece',
  'seriesmusicdanceoperaexhibitioncultural',
  'commentaryartarchitecturesectionsartsbooksmorewsj',
  'puzzleswhat',
  'watcharts',
  'calendarreal',
  'real',
  'estatemorereal',
  'estate',
  'videolife',
  'worksectionscarscareersfood',
  'drinkhome',
  'designideaspersonal',
  'financerecipestravelwellnesscolumnsyour',
  'healthwork',
  'lifecarry',
  'onbondsturning',
  'pointson',
  'clockmorewsj',
  'puzzlesspace',
  'sciencestylesectionslifestylefashionfilmtelevisionmusicart',
  'monday',
  'morningoff',
  'brandon',
  'trendsportssectionsbaseballbasketballfootballgolfhockeyolympicssoccertenniscolumnsjason',
  'gaysearchsearch',
  'foundwe',
  'page',
  'url',
  'browser',
  'page',
  'site',
  'search',
  'articles',
  'u.s.hunter',
  'biden',
  'tax',
  'charges',
  'u.s.',
  'economyfed',
  'set',
  'rate',
  'year',
  'review',
  'outlookthe',
  'real',
  'desantis',
  'covid',
  'recordpopular',
  'videosvideo',
  'center',
  'na',
  "factbox'so",
  'heartbreaking',
  'whale',
  'australia',
  'na',
  'factboxparis',
  'olympics',
  'year',
  'countdown',
  'summer',
  'games',
  'na',
  'factboxwatch',
  'crane',
  'partially',
  'collapses',
  'new',
  'yorklatest',
  'podcastspodcast',
  'centeropinion',
  'potomac',
  'watchamerica',
  'broken',
  'immigration',
  'law',
  'court',
  'againthe',
  'wall',
  'street',
  'journal',
  'google',
  'news',
  'updatefed',
  'rate',
  'year',
  'highwhat',
  'newsfed',
  'rate',
  'year',
  'highthe',
  'wall',
  'street',
  'journalenglish',
  'editionenglish中文',
  'chinese)日本語',
  'wsj',
  'membershipbuy',
  'exclusivessubscription',
  'optionswhy',
  'subscribe?corporate',
  'subscriptionswsj',
  'higher',
  'education',
  'programwsj',
  'high',
  'school',
  'programpublic',
  'library',
  'programwsj',
  'livecommercial',
  'partnershipscustomer',
  'servicecustomer',
  'centercontact',
  'uscancel',
  'subscriptiontools',
  'featuresnewsletters',
  'alertsguidestopicsmy',
  'newsrss',
  'feedsvideo',
  'real',
  'estate',
  'adsplace',
  'classified',
  'adsell',
  'businesssell',
  'homerecruitment',
  'career',
  'adscouponsdigital',
  'self',
  'servicemoreabout',
  'uscontent',
  'partnershipscorrectionsjobs',
  'archiveregister',
  'freereprints',
  'licensingbuy',
  'issueswsj',
  'shopfacebooktwitterinstagramyoutubepodcastssnapchatgoogle',
  'playapp',
  'storedow',
  'jones',
  "productsbarron'sbigchartsdow",
  'jones',
  'newswiresfactivafinancial',
  'newsmansion',
  'globalmarketwatchrisk',
  'compliancebuy',
  'wsjwsj',
  'prowsj',
  'wineupdated',
  'privacy',
  'noticeupdated',
  'cookie',
  'noticecopyright',
  'policydata',
  'policysubscriber',
  'agreement',
  'terms',
  'useyour',
  'ad',
  'choicesaccessibilitycopyright',
  'dow',
  'jones',
  'company',
  'inc.',
  'rights'],
 ['owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'today',
  'low',
  '74f.',
  'wind',
  'light',
  'tonight',
  'low',
  '74f.',
  'wind',
  'light',
  'july',
  'pm',
  'erika',
  'barrett',
  'joe',
  'benedict',
  'dgcnews@dailygate.com',
  'editordgc@dailygate.com',
  'jun',
  'jul',
  'storm',
  'keokuk',
  'thursday',
  'morning',
  'devastation',
  'wake',
  'semis',
  'power',
  'pole',
  'score',
  'tree',
  'power',
  'outage',
  'south',
  'lee',
  'county',
  'road',
  'community',
  'debris',
  'aftermath',
  'tempest',
  'semis',
  'lee',
  'county',
  'connable',
  'road',
  'hamilton',
  'extent',
  'damage',
  'leecomm',
  'assistance',
  'state',
  'trooper',
  'hancock',
  'county',
  'deputy',
  'storm',
  'wind',
  'mph',
  'lee',
  'county',
  'board',
  'supervisors',
  'friday',
  'state',
  'emergency',
  'iowa',
  'state',
  'statute',
  'expenditure',
  'emergency',
  'fund',
  'source',
  'invoking',
  'aid',
  'agreement',
  'applying',
  'state',
  'iowa',
  'assistance',
  '”the',
  'national',
  'weather',
  'service',
  'storm',
  'derecho',
  'service',
  'f1',
  'tornado',
  'kahoka',
  'missouri',
  'tornado',
  'keokuk',
  'service',
  'mph',
  'wind',
  'storm',
  'taco',
  'tonight',
  'huh',
  'woman',
  'friend',
  'keokuk',
  'yard',
  'debris',
  'tree',
  'wreckage',
  'sense',
  'camaraderie',
  'resilience',
  'community',
  'city',
  'keokuk',
  'citizen',
  'facebook',
  'page',
  'help',
  'debris',
  'roadway',
  'alley',
  'alliant',
  'energy',
  'power',
  'restoration',
  'p.m.',
  'friday',
  'local',
  'damage',
  'home',
  'result',
  'tree',
  'ronnie',
  'braggs',
  'property',
  'tree',
  'child',
  'shake',
  'braggs',
  'basement',
  'extent',
  'damage',
  'home',
  'braggs',
  'home',
  'decision',
  'home',
  'family',
  'job',
  'boss',
  'point',
  'job',
  'today',
  'day',
  'today',
  '”todd',
  'miller',
  'storm',
  'lifetime',
  'buddy',
  'today',
  'golf',
  'course',
  'quarter',
  'morning',
  'hole',
  'noon',
  'todd',
  'miller',
  '“we',
  'thing',
  'storm',
  'miller',
  'sight',
  'cable',
  'line',
  'pool',
  'telephone',
  'pole',
  'windshield',
  'tree',
  'melissa',
  'derr',
  'storm',
  'car',
  'street',
  'driveway',
  'storm',
  'derr',
  'kitchen',
  'door',
  'tree',
  '”the',
  'tree',
  'oak',
  'yard',
  'trunk',
  'derr',
  'home',
  'roof',
  'car',
  'situation',
  'hyvee',
  'supermarket',
  'community',
  'resourcefulness',
  'compassion',
  'customer',
  'employee',
  'shelter',
  'cooler',
  'storm',
  'shopper',
  'lindsy',
  'swindler',
  'gratitude',
  'store',
  'blanket',
  'safety',
  'tempest',
  'aftermath',
  'sight',
  'john',
  'davis',
  'hyvee',
  'tree',
  'home',
  'wife',
  'helen',
  'basement',
  'time',
  'extent',
  'destruction',
  'helen',
  'confetti',
  'fixture',
  'insulation',
  'water',
  'floor',
  'addition',
  'garage',
  'report',
  'tree',
  'route',
  'n.',
  '13th',
  'hilton',
  'rd',
  '16th',
  'carroll',
  'roof',
  'beck',
  'powerline',
  'tree',
  'n.',
  'street',
  'kilbourne',
  'mckinley',
  'tree',
  'town',
  'rand',
  'park',
  '%',
  'tree',
  'keokuk',
  'resident',
  'mike',
  'merrick',
  'city',
  'keokuk',
  'damage',
  'rand',
  'park',
  'notice',
  'tree',
  'car',
  'windshield',
  'light',
  'baseball',
  'field',
  'metal',
  'plastic',
  'sheds',
  'neighboring',
  'property',
  'building',
  'half',
  'wall',
  'indian',
  'hill',
  'neighborhood',
  'keokuk',
  'fire',
  'department',
  'wind',
  'storm',
  'tornado',
  'report',
  'storm',
  'derecho',
  'kfd',
  'resident',
  'power',
  'line',
  'community',
  'emergency',
  'need',
  'electricity',
  'lee',
  'county',
  'sheriff',
  'office',
  'statement',
  'folk',
  'travel',
  'crew',
  'debris',
  'power',
  'line',
  'effort',
  'swing',
  'power',
  'storm',
  'impact',
  'keokuk',
  'circumstance',
  'sense',
  'community',
  'spirit',
  'perseverance',
  'melissa',
  'derr',
  'word',
  'bit',
  'cleanup',
  'thing',
  'subscriber',
  'image',
  'e',
  '-',
  'edition',
  'subscription',
  'subscription',
  'option',
  'nowthe',
  'daily',
  'gate',
  'app',
  'news',
  'update',
  'daily',
  'gate',
  'device',
  'print',
  'iowa',
  'wesleyan',
  'property',
  'auction',
  'august',
  'fort',
  'madison',
  'man',
  'felony',
  'drug',
  'charge',
  'lee',
  'county',
  'republicans',
  'banquet',
  'road',
  'survey',
  'city',
  'plan',
  'action',
  'keokuk',
  'street',
  'humidity',
  '%',
  'cloud',
  'coverage',
  '%',
  'wind',
  'mph',
  'uv',
  'index',
  'sunrise',
  'sunset',
  'today',
  'low',
  '74f.',
  'wind',
  'light',
  'tonight',
  'low',
  '74f.',
  'wind',
  'light',
  'tomorrow',
  'cloud',
  'time',
  'time',
  '99f.',
  'wind',
  'sse',
  'mph',
  'munoz',
  'operators',
  'trailer',
  'hopper',
  'indiana',
  'fountain',
  'co.',
  'neighbor',
  'herald',
  'journal',
  'kv',
  'post',
  'news',
  'newton',
  'co.',
  'enterprise',
  'rensselaer',
  'republican',
  'review',
  'republican',
  'iowa',
  'atlantic',
  'news',
  'telegraph',
  'audubon',
  'advocate',
  'journal',
  'barr',
  'post',
  'card',
  'news',
  'burlington',
  'hawk',
  'eye',
  'collector',
  'journal',
  'fayette',
  'county',
  'union',
  'ft',
  '.',
  'madison',
  'daily',
  'democrat',
  'independence',
  'bulletin',
  'journal',
  'keokuk',
  'daily',
  'gate',
  'city',
  'oelwein',
  'daily',
  'register',
  'vinton',
  'newspapers',
  'newspapers',
  'michigan',
  'iosco',
  'county',
  'news',
  'herald',
  'ludington',
  'daily',
  'news',
  'oceana',
  'herald',
  'journal',
  'oscoda',
  'press',
  'white',
  'lake',
  'beacon',
  'new',
  'york',
  'finger',
  'lakes',
  'times',
  'olean',
  'times',
  'herald',
  'salamanca',
  'press',
  'pennsylvania',
  'bradford',
  'era',
  'clearfield',
  'progress',
  'courier',
  'express',
  'free',
  'press',
  'courier',
  'jeffersonian',
  'democrat',
  'leader',
  'vindicator',
  'potter',
  'leader',
  'enterprise',
  'wellsboro',
  'gazette',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'daily',
  'gate',
  'po',
  'box',
  'keokuk',
  'ia',
  'term',
  'use',
  'blox',
  'content',
  'management',
  'system',
  'blox',
  'digital'],
 ['main',
  'content',
  'sensor',
  'network',
  'maps',
  'radar',
  'severe',
  'weather',
  'news',
  'blogs',
  'mobile',
  'apps',
  'nearest',
  'station',
  'manage',
  'favorite',
  'citieslog',
  'joinsettingsaccount_box',
  'log',
  'person_add',
  'join',
  'setting',
  'settings',
  'sensor',
  'networkmaps',
  'radarsevere',
  'weathernews',
  'blogsmobile',
  'appshistorical',
  'weatherstarnews',
  'blogs',
  'category',
  'news',
  'stories',
  'infographics',
  'posters',
  'news',
  'stories',
  'category',
  'storiesinfographicsposterspublished',
  'weather',
  'company',
  'mission',
  'weather',
  'news',
  'environment',
  'importance',
  'science',
  'life',
  'story',
  'position',
  'parent',
  'company',
  'ibm.recent',
  'storiesweather',
  'articlesour',
  'appsabout',
  'uscontactcareerspws',
  'networkwundermapfeedback',
  'supportterms',
  'useprivacy',
  'policyaccessibility',
  'statementadchoicesdata',
  'vendorswe',
  'responsibility',
  'datum',
  'technology',
  'datum',
  'data',
  'vendor',
  'control',
  'datum',
  'datum',
  'rightspowered',
  'ibm',
  'cloud',
  'copyright',
  'twc',
  'product',
  'technology',
  'llc',
  'javascript',
  'application'],
 ['discover',
  'thomson',
  'reutersdirectory',
  '-',
  'phone',
  'onlyfor',
  'tablet',
  'portrait',
  'upfor',
  'tablet',
  'landscape',
  'upfor',
  'desktop',
  'desktop',
  'update',
  'west',
  'virginia',
  'power',
  'outage',
  'stormsby',
  'ian',
  'simpson5',
  'min',
  'read',
  'west',
  'virginia',
  'state',
  '*',
  'heat',
  'wave',
  'midwest',
  'temp',
  'west',
  'death',
  'storm',
  'tennessee)lewisburg',
  'w.v.',
  'july',
  'reuters',
  'day',
  'storm',
  'united',
  'states',
  'state',
  'west',
  'virginia',
  'thursday',
  'electricity',
  'customer',
  'power',
  'storm',
  'people',
  'dark',
  'utility',
  'home',
  'business',
  'power',
  'ohio',
  'virginia',
  'air',
  'conditioning',
  'heat',
  'wave',
  'west',
  'virginia',
  'population',
  'utility',
  'people',
  'power',
  'rest',
  'week',
  'batch',
  'storm',
  'west',
  'virginia',
  'tennessee',
  'kentucky',
  'north',
  'carolina',
  'thursday',
  'afternoon',
  'outage',
  'weather',
  'death',
  'tennessee',
  'great',
  'smoky',
  'mountains',
  'national',
  'park',
  'man',
  'motorcycle',
  'accident',
  'weather',
  'woman',
  'tree',
  'park',
  'spokeswoman',
  'melissa',
  'cobern',
  'tree',
  'park',
  'road',
  'motorist',
  'truck',
  'ice',
  'water',
  'west',
  'virginia',
  'mountain',
  'resort',
  'town',
  'lewisburg',
  'thousand',
  'resident',
  'region',
  'power',
  'water',
  'plant',
  'power',
  'outage',
  'pressure',
  'resident',
  'lewisburg',
  'mayor',
  'john',
  'manchester',
  'repair',
  'crew',
  'arkansas',
  'campground',
  'town',
  'outskirt',
  'field',
  'dozen',
  'truck',
  'jerry',
  'morehead',
  'crew',
  'hour',
  'day',
  'people',
  'today',
  'work',
  'katie',
  'gwynn',
  'lewisburg',
  'power',
  'thursday',
  'neighbor',
  'refrigerator',
  'generator',
  'extension',
  'cord',
  'day',
  'payment',
  '“the',
  'condition',
  'difficulty',
  'people',
  'manchester',
  'death',
  'injury',
  'lewisburg',
  'storm',
  'temperature',
  'charleston',
  'state',
  'city',
  'fahrenheit',
  'celsius',
  'thursday',
  'f',
  'friday',
  'saturday',
  'mid-80',
  'f',
  'monday',
  'accuweather.com',
  'snarl',
  'strain',
  'infrastructure',
  'thousand',
  'visitor',
  'golf',
  'tournament',
  'greenbrier',
  'resort',
  'white',
  'sulphur',
  'springs',
  'lewisburg',
  'thousand',
  'weekend',
  'concert',
  'resort',
  'rod',
  'stewart',
  'jon',
  'bon',
  'jovi',
  'bad',
  'news',
  'midwest',
  'farmersthe',
  'heat',
  'wave',
  'news',
  'midwest',
  'farmer',
  'corn',
  'crop',
  'drought',
  'middle',
  'growth',
  'phase',
  'u.s.',
  'drought',
  'monitor',
  'area',
  'drought',
  'condition',
  'illinois',
  'indiana',
  'ohio',
  'missouri',
  'corn',
  'price',
  'year',
  'soybean',
  'record',
  'high',
  'thursday',
  'heat',
  'crop',
  'degree',
  'heat',
  'drought',
  'crop',
  'accuweather.com',
  'meteorologist',
  'alex',
  'sosnowski',
  'washington',
  'd.c.',
  'saturday',
  'time',
  'record',
  'f',
  'c',
  'midwest',
  'east',
  'temperature',
  'week',
  'heat',
  'return',
  'west',
  'digit',
  'temperature',
  'idaho',
  'utah',
  'washington',
  'oregon',
  'temperature',
  'chicago',
  'record',
  'f',
  'thursday',
  'degree',
  'arrival',
  'thunderstorm',
  'afternoon',
  'summer',
  'school',
  'school',
  'building',
  'air',
  'conditioning',
  'columbus',
  'drive',
  'downtown',
  'pavement',
  'ground',
  'level',
  'fountain',
  'downtown',
  'chicago',
  'daley',
  'plaza',
  'lunchtime',
  'dozen',
  'people',
  'foot',
  'water',
  'time',
  'body',
  'mary',
  'moore',
  'chicago',
  'foot',
  'fountain',
  'break',
  'jury',
  'duty',
  'weather',
  'winter',
  'storm',
  'friday',
  'united',
  'states',
  'rain',
  'hail',
  'wind',
  'mile',
  'hour',
  'km',
  'hour',
  'home',
  'business',
  'power',
  'storm',
  'record',
  'heat',
  'people',
  'mary',
  'wisniewski',
  'chicago',
  'scott',
  'disavino',
  'new',
  'york',
  'kim',
  'palmer',
  'cleveland',
  'tim',
  'ghianni',
  'nashville',
  'nr',
  'sethuraman',
  'bangalore',
  'andrew',
  'stern',
  'todd',
  'eastham',
  'lisa',
  'shumaker)our',
  'standards',
  'thomson',
  'reuters',
  'trust',
  'principles',
  'appsnewslettersadvertise',
  'usadvertising',
  'guidelinescookiesterms',
  'useprivacydo',
  'informationall',
  'quote',
  'minimum',
  'minute',
  'list',
  'exchange',
  'delay',
  'reuters',
  'rights',
  'reserved.for',
  'phone',
  'onlyfor',
  'tablet',
  'portrait',
  'upfor',
  'tablet',
  'landscape',
  'upfor',
  'desktop',
  'desktop'],
 ['associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights',
  'hunter',
  'biden',
  'plea',
  'deal',
  'storm',
  'henri',
  'northeast',
  'klepper',
  'michael',
  'kunzelman',
  'david',
  'porter',
  'westerly',
  'r.i.',
  'ap',
  'tropical',
  'storm',
  'henri',
  'northeast',
  'wind',
  'landfall',
  'sunday',
  'coast',
  'rhode',
  'island',
  'band',
  'rain',
  'power',
  'home',
  'deluge',
  'bridge',
  'road',
  'people',
  'vehicle',
  'storm',
  'hurricane',
  'new',
  'england',
  'sigh',
  'relief',
  'national',
  'hurricane',
  'center',
  'storm',
  'rain',
  'swath',
  'region',
  'weekend',
  'day',
  'rain',
  'area',
  'southwest',
  'new',
  'jersey',
  'depression',
  'status',
  'storm',
  'new',
  'york',
  'connecticut',
  'border',
  'east',
  'atlantic',
  'ocean',
  'monday',
  'rain',
  'total',
  'report',
  'damage',
  'wind',
  'surf',
  'sentencing',
  'arizona',
  'mother',
  'murder',
  'child',
  'abuse',
  'starvation',
  'son',
  'bluffing',
  'putin',
  'deployment',
  'weapon',
  'belarus',
  'saber',
  'england',
  'home',
  'crowd',
  'women',
  'world',
  'cup',
  'australia',
  'president',
  'joe',
  'biden',
  'sunday',
  'help',
  'resident',
  'state',
  'president',
  'disaster',
  'region',
  'purse',
  'string',
  'recovery',
  'aid',
  'biden',
  'condolence',
  'people',
  'tennessee',
  'flooding',
  'storm',
  'child',
  'people',
  'dozen',
  'landfall',
  'westerly',
  'rhode',
  'island',
  'henri',
  'wind',
  'mph',
  'gust',
  'mph',
  'national',
  'hurricane',
  'center',
  'sunday',
  'henri',
  'wind',
  'mph',
  'kph',
  'connecticut',
  'new',
  'york',
  'state',
  'line',
  'rain',
  'storm',
  'center',
  'helmetta',
  'new',
  'jersey',
  'resident',
  'ground',
  'refuge',
  'hotel',
  'friend',
  'family',
  'flood',
  'water',
  'home',
  'blink',
  'eye',
  'town',
  'mayor',
  'christopher',
  'slavicek',
  'parent',
  'night',
  'home',
  'mayor',
  'community',
  'new',
  'jersey',
  'inch',
  'centimeter',
  'rain',
  'midday',
  'sunday',
  'jamesburg',
  'television',
  'video',
  'footage',
  'downtown',
  'street',
  'car',
  'newark',
  'public',
  'safety',
  'director',
  'brian',
  'o’hara',
  'police',
  'firefighter',
  'people',
  'incident',
  'storm',
  'flooding',
  'vehicle',
  'area',
  'lot',
  'wind',
  'new',
  'jersey',
  'gov.',
  'phil',
  'murphy',
  'sunday',
  'evening',
  'connecticut',
  'gov.',
  'ned',
  'lamont',
  'henri',
  'view',
  'mirror',
  'work',
  'evacuation',
  'community',
  'resident',
  'nursing',
  'home',
  'shoreline',
  'nursing',
  'home',
  'bridge',
  'rhode',
  'island',
  'state',
  'sunday',
  'road',
  'newport',
  'paul',
  'cherie',
  'saunders',
  'storm',
  'home',
  'family',
  'basement',
  'foot',
  'water',
  'superstorm',
  'sandy',
  'year',
  'house',
  'hurricane',
  'thing',
  'cherie',
  'saunders',
  '”rhode',
  'island',
  'hurricane',
  'storm',
  'superstorm',
  'sandy',
  'irene',
  'hurricane',
  'bob',
  'city',
  'providence',
  'flooding',
  'damage',
  'hurricane',
  'hurricane',
  'carol',
  'hurricane',
  'barrier',
  '1960',
  'downtown',
  'storm',
  'surge',
  'narragansett',
  'bay',
  'barrier',
  'gate',
  'hour',
  'sunday',
  'national',
  'weather',
  'service',
  'hour',
  'central',
  'park',
  'inch',
  'rainfall',
  'park',
  'p.m.',
  'p.m.',
  'saturday',
  'evening',
  'thousand',
  'homecoming',
  'concert',
  'park',
  'rainfall',
  'new',
  'england',
  'atlantic',
  'couple',
  'day',
  'hurricane',
  'center',
  'henri',
  'identity',
  'area',
  'pennsylvania',
  'new',
  'england',
  'rain',
  'marshall',
  'shepherd',
  'director',
  'atmospheric',
  'sciences',
  'program',
  'university',
  'georgia',
  'president',
  'american',
  'meteorological',
  'society',
  'henri',
  'way',
  'hurricane',
  'harvey',
  'storm',
  'houston',
  'area',
  '2017.“to',
  'storm',
  'banding',
  'feature',
  'rain',
  'hazard',
  'new',
  'york',
  'new',
  'jersey',
  'area',
  'shepherd',
  'tropical',
  'storm',
  'irene',
  'coast',
  'august',
  'new',
  'york',
  'city',
  'area',
  'storm',
  'green',
  'mountains',
  'irene',
  'disaster',
  'vermont',
  'flood',
  'state',
  'inch',
  'rain',
  'hour',
  'irene',
  'vermont',
  'thousand',
  'bridge',
  'mile',
  'highway',
  'irene',
  'medium',
  'outlet',
  'vermont',
  'deal',
  'vermont',
  'robert',
  'welch',
  'podcaster',
  'sunday',
  'sea',
  'radar',
  'appearance',
  'governor',
  'end',
  'monday',
  'harassment',
  'scandal',
  'new',
  'york',
  'gov.',
  'andrew',
  'cuomo',
  'state',
  'concern',
  'area',
  'hudson',
  'river',
  'valley',
  'north',
  'new',
  'york',
  'city',
  'inch',
  'rain',
  'day',
  'hudson',
  'valley',
  'hill',
  'creek',
  'water',
  'hill',
  'creek',
  'river',
  'cuomo',
  'airport',
  'region',
  'storm',
  'sunday',
  'flight',
  'service',
  'branch',
  'new',
  'york',
  'city',
  'commuter',
  'rail',
  'system',
  'sunday',
  'amtrak',
  'service',
  'new',
  'york',
  'boston',
  'power',
  'outage',
  'power',
  'home',
  'rhode',
  'island',
  'connecticut',
  'massachusetts',
  'new',
  'york',
  'connecticut',
  'utility',
  'customer',
  'thousand',
  'linda',
  'orlomoski',
  'canterbury',
  'power',
  'truck',
  'neighborhood',
  'end',
  'road',
  'power',
  'p.m.',
  'tuesday',
  'power',
  '”___kunzelman',
  'newport',
  'rhode',
  'island',
  'porter',
  'new',
  'york',
  'associated',
  'press',
  'writer',
  'william',
  'j.',
  'kole',
  'warwick',
  'rhode',
  'island',
  'michelle',
  'smith',
  'providence',
  'rhode',
  'island',
  'michael',
  'r.',
  'sisak',
  'julie',
  'walker',
  'east',
  'hampton',
  'lester',
  'washington',
  'philip',
  'marcelo',
  'boston',
  'michael',
  'melia',
  'hartford',
  'connecticut',
  'susan',
  'haigh',
  'norwich',
  'connecticut',
  'bobby',
  'caina',
  'calvan',
  'new',
  'york',
  'story',
  'utility',
  'customer',
  'orlomoski',
  'oski',
  'associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights'],
 ['woman',
  'fury',
  'rendition',
  'star',
  'spangled',
  'banner',
  'world',
  'cup',
  'holland',
  'player',
  'anthem',
  'arm',
  'ariana',
  'grande',
  'boyfriend',
  'ethan',
  'slater',
  'divorce',
  'wife',
  'actor',
  'family',
  'beyonce',
  'mom',
  'tina',
  'knowles',
  'divorce',
  'husband',
  'richard',
  'lawson',
  'year',
  'marriage',
  'difference',
  'outdoors',
  'nbc',
  'report',
  'people',
  'space',
  'trauma',
  'people',
  'trump',
  'flag',
  'ladies',
  'view',
  'hunter',
  'biden',
  'joe',
  'republicans',
  'witch',
  'hunt',
  'son',
  'acting',
  'meghan',
  'markle',
  'actor',
  'strike',
  'warning',
  'sign',
  'alzheimer',
  'symptom',
  'study',
  'revealed',
  'california',
  'gov.',
  'gavin',
  'newsom',
  'hollywood',
  'strike',
  'industry',
  'billion',
  'state',
  'economy',
  'chaos',
  'revealed',
  'marines',
  'carbon',
  'monoxide',
  'poisoning',
  'car',
  'gas',
  'station',
  'camp',
  'lejeune',
  'ohio',
  'cop',
  'fired',
  'footage',
  'k-9',
  'trucker',
  'hand',
  'police',
  'chase',
  'mud',
  'flap',
  'moment',
  'naked',
  'woman',
  'fire',
  'driver',
  'police',
  'chase',
  'san',
  'francisco',
  'bay',
  'bridge',
  'vampire',
  'appliance',
  'cash',
  'device',
  'energy',
  'bill',
  'somber',
  'michelle',
  'martha',
  'vineyard',
  'golf',
  'club',
  'game',
  'tennis',
  'outing',
  'chef',
  'paddle',
  'boarding',
  'obamas',
  'home',
  'joe',
  'rogan',
  'critic',
  'jason',
  'aldean',
  'song',
  'small',
  'town',
  'rap',
  'song',
  'michael',
  'jackson',
  'abuse',
  'lawsuit',
  'wade',
  'robson',
  'james',
  'safechuck',
  'appeal',
  'court',
  'search',
  'la',
  'attorney',
  'downtown',
  'area',
  'day',
  'family',
  'moment',
  'judge',
  'hunter',
  'sweetheart',
  'plea',
  'deal',
  'tax',
  'gun',
  'charge',
  'investigation',
  'judge',
  'hunter',
  'job',
  'president',
  'son',
  'drug',
  'alcohol',
  'employment',
  'condition',
  'release',
  'plea',
  'deal',
  'hunter',
  'biden',
  'extent',
  'drug',
  'alcohol',
  'use',
  'president',
  'addict',
  'son',
  'rehab',
  'stint',
  'year',
  'court',
  'appearance',
  'hunter',
  'plea',
  'deal',
  'joe',
  'president',
  'line',
  'son',
  'deal',
  'china',
  'ukraine',
  'republicans',
  'allegation',
  'hunter',
  'biden',
  'prosecutor',
  'crime',
  'deal',
  'china',
  'ukraine',
  'joe',
  'read',
  'email',
  'hunter',
  'biden',
  'lawyer',
  'trick',
  'information',
  'son',
  'sweetheart',
  'plea',
  'deal',
  'falls',
  'apart',
  'karine',
  'jean',
  'pierre',
  'rejects',
  'white',
  'house',
  'story',
  'joe',
  'knowledge',
  'hunter',
  'deal',
  'press',
  'secretary',
  'plea',
  'deal',
  'firearm',
  'possession',
  'speaker',
  'kevin',
  'mccarthy',
  'collapse',
  'hunter',
  'plea',
  'deal',
  'charge',
  'republicans',
  'sweetheart',
  'agreement',
  'prosecutor',
  'arkansas',
  'mass',
  'casualty',
  'alert',
  'dozen',
  'monster',
  'tornado',
  'neighborhood',
  'truck',
  'tree',
  'state',
  'friday',
  'little',
  'rock',
  'arkansas',
  'tornado',
  'damage',
  'building',
  'tree',
  'vehiclestornadoe',
  'home',
  'tree',
  'little',
  'rock',
  'people',
  'dozen',
  'national',
  'weather',
  'service',
  'dozen',
  'tornado',
  'report',
  'arkansas',
  'tennessee',
  'illinois',
  'bhole',
  'lewis',
  'pennock',
  'james',
  'gordon',
  'dailymail.com',
  'edt',
  'march',
  'edt',
  'april',
  'e',
  '-',
  'mail',
  '1.8k',
  'share',
  'view',
  'comment',
  'people',
  'tornado',
  'state',
  'midwest',
  'arkansas',
  'illinois',
  'tennessee',
  'iowa',
  'university',
  'arkansas',
  'medical',
  'sciences',
  'hospital',
  'state',
  'trauma',
  'center',
  'level-1',
  'mass',
  'casualty',
  'alert',
  'tornado',
  'little',
  'rock',
  'friday',
  'evening',
  'area',
  'hospital',
  'patient',
  'condition',
  'victim',
  'tornado',
  'little',
  'rock',
  'area',
  'tornado',
  'home',
  'neighborhood',
  'vehicle',
  'tree',
  'debris',
  'road',
  'people',
  'shelter',
  'roofs',
  'wall',
  'building',
  'tree',
  'vehicle',
  'belvidere',
  'illinois',
  'people',
  'wind',
  'roof',
  'concertgoer',
  'metal',
  'band',
  'morbid',
  'angel',
  'twister',
  'thunderstorm',
  'swath',
  'u.s.',
  'heartland',
  'expanse',
  'spring',
  'weather',
  'status',
  'hand',
  'deck',
  'aaron',
  'gilkey',
  'spokesperson',
  'metropolitan',
  'emergency',
  'medical',
  'services',
  'agency',
  'homes',
  'west',
  'little',
  'rock',
  'damage',
  'tornado',
  'neighborhood',
  'storm',
  'trail',
  'destruction',
  'neighborhood',
  'storm',
  'monster',
  'tornado',
  'arkansas',
  'capital',
  'little',
  'rock',
  'week',
  'dozen',
  'twister',
  'mississippi',
  'alabama',
  'tornado',
  'des',
  'moines',
  'iowa',
  'twister',
  'iowa',
  'hail',
  'illinois',
  'wind',
  'grass',
  'fire',
  'oklahoma',
  'storm',
  'system',
  'swath',
  'country',
  'home',
  'people',
  'south',
  'midwest',
  'storm',
  'week',
  'dozen',
  'twister',
  'mississippi',
  'alabama',
  'weather',
  'system',
  'floor',
  'little',
  'rock',
  'baptist',
  'medical',
  'center',
  'person',
  'twister',
  'man',
  'vortex',
  'roof',
  'building',
  'tornado',
  'level',
  'mass',
  'casualty',
  'strength',
  'video',
  'wake',
  'system',
  'debris',
  'street',
  'little',
  'rock',
  'hour',
  'rolling',
  'fork',
  'storm',
  'week',
  'footage',
  'weather',
  'channel',
  'area',
  'city',
  'block',
  'home',
  'roof',
  'wall',
  'vehicle',
  'street',
  'national',
  'weather',
  'service',
  'tornado',
  'activity',
  'home',
  'tree',
  'little',
  'rock',
  'little',
  'rock',
  'mayor',
  'frank',
  'scott',
  'jr.',
  'twitter',
  'arkansas',
  'governor',
  'sarah',
  'huckabee',
  'sanders',
  'national',
  'guard',
  'troop',
  'emergency',
  'response',
  'sanders',
  'order',
  'state',
  'disaster',
  'response',
  'recovery',
  'fund',
  'discretion',
  'director',
  'state',
  'division',
  'emergency',
  'management',
  'reporter',
  'twister',
  'capital',
  'city',
  'arkansas',
  'blast',
  'spring',
  'weather',
  'united',
  'states',
  'nation',
  'midsection',
  'texas',
  'great',
  'lakes',
  'thunderstorm',
  'tornado',
  'time',
  'people',
  'little',
  'rock',
  'hospital',
  'fatality',
  'little',
  'rock',
  'mayor',
  'frank',
  'scott',
  'jr.',
  'twitter',
  'baptist',
  'health',
  'medical',
  'center',
  'town',
  'north',
  'little',
  'rock',
  'arkansas',
  'river',
  'capital',
  'patient',
  'storm',
  'condition',
  'television',
  'station',
  'kthv',
  'tv',
  'storm',
  'death',
  'north',
  'little',
  'rock',
  'people',
  'twister',
  'emergency',
  'department',
  'unity',
  'health',
  'hospital',
  'jacksonville',
  'administrator',
  'kevin',
  'burton',
  'national',
  'weather',
  'service',
  'tornado',
  'report',
  'arkansas',
  'iowa',
  'million',
  'americans',
  'great',
  'plans',
  'midwest',
  'south',
  'east',
  'warning',
  'advisory',
  'weather',
  'hazard',
  'friday',
  'afternoon',
  'evening',
  'weekend',
  'national',
  'weather',
  'service',
  'home',
  'tree',
  'tornado',
  'little',
  'rock',
  'law',
  'office',
  'building',
  'tornado',
  'little',
  'rock',
  'building',
  'tornado',
  'north',
  'little',
  'rock',
  'brick',
  'building',
  'shrub',
  'debris',
  'tornado',
  'ventusky',
  'privacy',
  'policy',
  'weather',
  'service',
  'tornado',
  'region',
  'texas',
  'mid',
  'south',
  'midwest',
  'north',
  'wisconsin',
  'people',
  'area',
  'twister',
  'friday',
  'afternoon',
  'evening',
  "'this",
  'situation',
  'weather',
  'service',
  'northeastern',
  'arkansas',
  'missouri',
  'boot',
  'heel',
  'kentucky',
  'tennessee',
  'risk',
  'thunderstorm',
  'tornado',
  'hail',
  'line',
  'wind',
  'weather',
  'service',
  'city',
  'chicago',
  'indianapolis',
  'memphis',
  'harm',
  'way',
  'weather',
  'metropolitan',
  'emergency',
  'medical',
  'services',
  'people',
  'arkansas',
  'area',
  'tornado',
  'des',
  'moines',
  'weather',
  'mile',
  'town',
  'wynne',
  'mile',
  'little',
  'rock',
  'police',
  'chief',
  'dozen',
  'destruction',
  'town',
  "'the",
  'town',
  'half',
  'damage',
  'east',
  'west',
  'wynne',
  'mayor',
  'jennifer',
  'hobbs',
  'cnn',
  'friday',
  'evening',
  'triage',
  'mode',
  'people',
  'risk',
  'national',
  'weather',
  'service',
  'tornado',
  'business',
  'district',
  'neighborhood',
  'little',
  'rock',
  'north',
  'little',
  'rock',
  'little',
  'rock',
  'tornado',
  'neighborhood',
  'city',
  'shopping',
  'center',
  'kroger',
  'grocery',
  'store',
  'arkansas',
  'river',
  'north',
  'little',
  'rock',
  'city',
  'damage',
  'home',
  'business',
  'vehicle',
  'weather',
  'mile',
  'town',
  'wynne',
  'mile',
  'little',
  'rock',
  'police',
  'chief',
  'dozen',
  'destruction',
  'town',
  'tornado',
  'destruction',
  'building',
  'little',
  'rock',
  'area',
  'homes',
  'tile',
  'roof',
  'telegraph',
  'pole',
  'powerline',
  'power',
  'tornado',
  'debris',
  'street',
  'arkansas',
  'capital',
  'storm',
  'friday',
  'afternoon',
  'television',
  'news',
  'crew',
  'little',
  'rock',
  'tree',
  'wind',
  'tree',
  'generation',
  'friday',
  'storm',
  'road',
  'branch',
  'tree',
  'area',
  'branch',
  'place',
  'wall',
  'home',
  'emergency',
  'service',
  'scene',
  'powerline',
  'tree',
  'road',
  'university',
  'arkansas',
  'medical',
  'sciences',
  'medical',
  'center',
  'little',
  'rock',
  'mass',
  'casualty',
  'level',
  'spokesperson',
  'leslie',
  'taylor',
  'people',
  'center',
  'count',
  'mark',
  'hulsey',
  'project',
  'manager',
  'pulaski',
  'county',
  'little',
  'rock',
  'person',
  'condition',
  'resident',
  'niki',
  'scott',
  'cover',
  'bathroom',
  'husband',
  'tornado',
  'way',
  'glass',
  'tornado',
  'house',
  'street',
  'tree',
  'scott',
  'chainsaw',
  'siren',
  'area',
  'little',
  'rock',
  'fire',
  'department',
  'damage',
  'debris',
  'little',
  'rock',
  'firefighter',
  'rescue',
  'operation',
  'area',
  'resident',
  'aftermath',
  'friday',
  'afternoon',
  'lawn',
  'debris',
  'storm',
  'area',
  'windows',
  'slate',
  'rooftop',
  'wooden',
  'panel',
  'home',
  'widow',
  'place',
  'debris',
  'ground',
  'home',
  'powerlines',
  'tree',
  'area',
  'storm',
  'trail',
  'destruction',
  'person',
  'roof',
  'building',
  'storm',
  'tornado',
  'warning',
  'johnson',
  'county',
  'hills',
  'iowa',
  'storm',
  'damage',
  'casey',
  'gas',
  'station',
  'tornado',
  'warning',
  'hills',
  'iowa',
  'pile',
  'wreckage',
  'roadside',
  'little',
  'rock',
  'arkansas',
  'friday',
  'afternoon',
  'little',
  'rock',
  'tornado',
  'neighborhood',
  'city',
  'trees',
  'tornado',
  'little',
  'rock',
  'firefighter',
  'operation',
  'friday',
  'storm',
  'cleanup',
  'customer',
  'arkansas',
  'power',
  'outage',
  'tree',
  'powerline',
  'tree',
  'area',
  'storm',
  'gov.',
  'sarah',
  'huckabee',
  'sanders',
  'state',
  'emergency',
  'damage',
  'state',
  'path',
  'storm',
  'arkansans',
  'weather',
  'storm',
  "'little",
  'rock',
  'mayor',
  'frank',
  'scott',
  'jr.',
  'assistance',
  'national',
  'guard',
  "'please",
  'road',
  'area',
  'emergency',
  'responder',
  'scott',
  'little',
  'rock',
  'guitar',
  'center',
  'people',
  'video',
  'phone',
  'sky',
  'tornado',
  'it´s',
  'way',
  'red',
  'padilla',
  'singer',
  'songwriter',
  'band',
  'red',
  'revelers',
  'video',
  'padilla',
  'bandmate',
  'store',
  'minute',
  'dozen',
  'tornado',
  'power',
  'flashlight',
  'phone',
  'padilla',
  'clinton',
  'national',
  'airport',
  'passenger',
  'worker',
  'bathroom',
  'little',
  'rock',
  'fire',
  'department',
  'damage',
  'debris',
  'end',
  'city',
  'firefighter',
  'rescue',
  'operation',
  'area',
  'department',
  'facebook',
  ...],
 ['articleset',
  'weatherback',
  'main',
  'weatherset',
  'location',
  'enter',
  'city',
  'state',
  'zip',
  'codesubmitsubscribemore',
  'local',
  'love',
  '%',
  'unlimited',
  'digital',
  'access',
  'weathernortheast',
  'ohio',
  'storm',
  'sunday',
  'period',
  'rain',
  'tuesday',
  'national',
  'weather',
  'service',
  'jun.',
  'jun.',
  'thunderstorm',
  'upper',
  'midwest',
  'ohio',
  'sunday',
  'afternoon',
  'sunday',
  'night',
  'accuweather',
  'national',
  'weather',
  'service',
  'courtesy',
  'accuweather139sharesby',
  'kaylee',
  'remington',
  'cleveland.comcleveland',
  'ohio',
  'northeast',
  'ohio',
  'threat',
  'weather',
  'sunday',
  'afternoon',
  'sunday',
  'night',
  'period',
  'rain',
  'sunday',
  'night',
  'tuesday',
  'national',
  'weather',
  'service',
  'cleveland',
  'effect',
  'storm',
  'flooding',
  'condition',
  'hail',
  'zach',
  'secovic',
  'meteorologist',
  'nws.northeast',
  'ohioans',
  'shower',
  'area',
  'saturday',
  'afternoon',
  'weather',
  'today',
  'sunday',
  'afternoon',
  'evening',
  'shower',
  'thunderstorm',
  'left',
  'potential',
  '”this',
  'storm',
  'wind',
  'gust',
  'secovic',
  'round',
  'storm',
  'sunday',
  'night',
  'tuesday',
  'area',
  'weather',
  'end',
  'june',
  'day',
  'rain',
  'thing',
  '”the',
  'threat',
  'thunderstorm',
  'northeast',
  'ohio',
  'sunday',
  'afternoon',
  'sunday',
  'night',
  'ohio',
  'valley',
  'cincinnati',
  'national',
  'weather',
  'service',
  'cleveland',
  'accuweather',
  'rain',
  'thunderstorm',
  'ohio',
  'valley',
  'middle',
  'week',
  'accuweather',
  'secovic',
  'attention',
  'forecast',
  'sunday',
  'day',
  'storm',
  'way',
  'change',
  'weather',
  'way',
  'attention',
  'weather',
  'sunday',
  'temperature',
  'forecast',
  'national',
  'weather',
  'service',
  'cleveland',
  'area',
  'sunday',
  'sunday',
  'night',
  'degree',
  'degreesmonday',
  'monday',
  'night',
  'degree',
  'degreestuesday',
  'tuesday',
  'night',
  'degree',
  'degreesif',
  'product',
  'account',
  'link',
  'site',
  'compensation',
  'site',
  'information',
  'medium',
  'partner',
  'accordance',
  'privacy',
  'policy',
  'footer',
  'navigationmore',
  'cleveland.comsponsor',
  'contentsell',
  'carpost',
  'jobsitemap',
  'adsell',
  'homeweathervideosarchivesfollow',
  'ustwitterpinterestfacebookinstagramrsscleveland.com',
  'sectionsnewssportsentertainmentpoliticsopinionlivingbettingrentalsobituariesjobsdeals',
  'areaclassifiedsautosreal',
  'estatemobilemobile',
  'appsyour',
  'regional',
  'news',
  'pageslakewoodbeachwoodbrunswickstrongsvilleparma',
  'parma',
  'heightsmore',
  'communitiesabout',
  'usadvertise',
  'usabout',
  'cleveland.comabout',
  'advance',
  'ohiocontact',
  'uscareer',
  'opportunitiesdelivery',
  'opportunitiesaudience',
  'faqsubscriptionscleveland.comthe',
  'plain',
  'dealernewsletterssun',
  'newsalready',
  'subscribermake',
  'paymentmanage',
  'subscriptionplace',
  'vacation',
  'holddelivery',
  'feedbackdisclaimeruse',
  'registration',
  'portion',
  'site',
  'acceptance',
  'user',
  'agreement',
  'privacy',
  'policy',
  'cookie',
  'statement',
  'privacy',
  'choices',
  'rights',
  'setting',
  'personal',
  'information',
  'advance',
  'local',
  'media',
  'llc',
  'right',
  'material',
  'site',
  'permission',
  'advance',
  'local',
  'community',
  'rule',
  'content',
  'site',
  'youtube',
  'privacy',
  'policy',
  'youtube',
  'term',
  'service',
  'ad',
  'choice'],
 ['vermont',
  'government',
  'politics',
  'economy',
  'environment',
  'education',
  'health',
  'public',
  'safety',
  'member',
  'journalism',
  'vermont',
  'member',
  'journalism',
  'vermont',
  'vermont',
  'government',
  'politics',
  'economy',
  'environment',
  'education',
  'health',
  'public',
  'safety',
  'inpublic',
  'safety',
  'catastrophic',
  'life',
  'flooding',
  'vermont',
  'sunday',
  'national',
  'weather',
  'service',
  'inch',
  'rain',
  'state',
  'inch',
  'area',
  'gov.',
  'phil',
  'scott',
  'state',
  'emergency',
  'sunday',
  'afternoon',
  'flash',
  'flooding',
  'paul',
  'heintz',
  'july',
  'share',
  'facebook',
  'opens',
  'window)click',
  'twitter',
  'opens',
  'window)click',
  'link',
  'friend',
  'opens',
  'window)click',
  'linkedin',
  'opens',
  'window',
  'national',
  'weather',
  'service',
  'rainfall',
  'vermont',
  'sunday',
  'july',
  'courtesy',
  'nws',
  'burlington',
  'p.m.',
  'vermont',
  'life',
  'flooding',
  'deluge',
  'rain',
  'soil',
  'waterway',
  'official',
  'sunday',
  'forecast',
  'gov.',
  'phil',
  'scott',
  'state',
  'emergency',
  'afternoon',
  'flooding',
  'decade',
  'matthew',
  'clay',
  'burlington',
  'meteorologist',
  'national',
  'weather',
  'service',
  'flooding',
  'tropical',
  'storm',
  'irene',
  'place',
  'vtdigger',
  'effect',
  'summer',
  'flooding',
  'home',
  'business',
  'life',
  'reporting',
  'effort',
  'weather',
  'service',
  'flood',
  'watch',
  'sunday',
  'afternoon',
  'monday',
  'evening',
  'forecaster',
  'inch',
  'rain',
  'vermont',
  'tuesday',
  'morning',
  'inch',
  'area',
  'vermont',
  'spine',
  'green',
  'mountains',
  'clay',
  'flash',
  'flood',
  'clay',
  'area',
  'stream',
  'river',
  'river',
  'tuesday',
  'morning',
  'order',
  'state',
  'emergency',
  'governor',
  'rainfall',
  'damage',
  'threat',
  'property',
  'safety',
  'vermont',
  'scott',
  'activation',
  'state',
  'emergency',
  'operations',
  'center',
  'vermont',
  'national',
  'guard',
  'emergency',
  'department',
  'public',
  'safety',
  'agency',
  'transportation',
  'state',
  'agency',
  'sunday',
  'municipality',
  'response',
  'vermont',
  'emergency',
  'management',
  'swiftwater',
  'rescue',
  'team',
  'state',
  'evacuation',
  'vem',
  'crew',
  'vermont',
  'effort',
  'day',
  'vermont',
  'inch',
  'rain',
  'week',
  'clay',
  'risk',
  'storm',
  'friday',
  'flash',
  'flooding',
  'mudslide',
  'road',
  'killington',
  'people',
  'vtdigger',
  'case',
  'scenario',
  'rainfall',
  'clay',
  'rain',
  'route',
  'waitsfield',
  'afternoon',
  'sunday',
  'july',
  'photo',
  'sky',
  'barsch',
  'vtdigger',
  'vermont',
  'emergency',
  'management',
  'state',
  'sunday',
  'flooding',
  'weather',
  'report',
  'official',
  'flood',
  'area',
  'plan',
  'warning',
  'vermonter',
  'floodwater',
  'circuit',
  'breaker',
  'valuable',
  'basement',
  'clay',
  'vermonter',
  'activity',
  'sunday',
  'night',
  'campground',
  'course',
  'action',
  'flooding',
  'weather',
  'service',
  'map',
  'bennington',
  'rutland',
  'addison',
  'windsor',
  'county',
  'inch',
  'rain',
  'portion',
  'county',
  'state',
  'vermont',
  'emergency',
  'management',
  'weather',
  'warning',
  'vermont',
  'alert',
  'system',
  'media',
  'account',
  'facebook',
  'twitter',
  'national',
  'weather',
  'service',
  'forecast',
  'bennington',
  'windham',
  'county',
  'albany',
  'site',
  'rest',
  'vermont',
  'burlington',
  'site',
  'tally',
  'vermont',
  'flood',
  'home',
  'business',
  'kristen',
  'fountain',
  'lola',
  'duffort',
  'july',
  'pm',
  'vermont',
  'conversation',
  'johnson',
  'jenna',
  'promise',
  'disaster',
  'david',
  'goodman',
  'july',
  'pm',
  'vermont',
  'building',
  'mold',
  'growth',
  'kristen',
  'fountain',
  'july',
  'pmjuly',
  'pm',
  'news',
  'community',
  'headline',
  'vermont',
  'morning',
  'newsletter',
  'monday',
  'saturday',
  'inbox',
  'correction',
  'tip',
  'july',
  'flooding',
  'matthew',
  'clay',
  'national',
  'weather',
  'service',
  'vermont',
  'emergency',
  'management',
  'member',
  'journalism',
  'vermont',
  'member',
  'newsletters',
  'buy',
  'merch',
  'tip',
  'advertise',
  'topicsgovernment',
  'politics',
  'economy',
  'environment',
  'education',
  'health',
  'public',
  'safety',
  'life',
  'culture',
  'vtdigger',
  'project',
  'vermont',
  'journalism',
  'trust',
  'ltd.',
  'newspack',
  'automattic'],
 ['livenewsweathergood',
  'expand',
  'collapse',
  'search',
  '☰',
  'search',
  'site',
  'news',
  'philadelphiapennsylvanianew',
  'jerseydelawaremore',
  'newsnational',
  'newsworld',
  'newsfox',
  'news',
  'sundayweather',
  'day',
  'forecastclosingsfox',
  'weatherradartemperatureswatche',
  'warningsweather',
  'appgood',
  'day',
  'digest',
  'newsletterkelly',
  'classroomtrafficwatch',
  'liveya',
  'thisseen',
  'tvsports',
  'fifa',
  'women',
  'world',
  'cupeaglesflyersphillies76ersunionfox',
  'sports',
  'appentertainment',
  'showsthe',
  'classh',
  'roomthings',
  'fox',
  'showswatch',
  'streamnewscasts',
  'replayslivenow',
  'foxnew',
  'specialswebcamsfox',
  'mattersfox',
  'originals',
  'black',
  'history',
  'monthhank',
  'takein',
  'focuskelly',
  'drivesour',
  'race',
  'realitysave',
  'streetsthe',
  'pulsehealth',
  'coronaviruscoronavirus',
  'mapcoronavirus',
  'vaccinedr',
  'mikehealth',
  'careopioid',
  'epidemicpolitics',
  'electioninauguration',
  'dayjoe',
  'bidenkamala',
  'harrisdonald',
  'j.',
  'trumpphilly',
  'city',
  'councilmoney',
  'businesscashing',
  'news',
  'fox',
  'appnew',
  'jersey',
  'news',
  'my9njnew',
  'york',
  'news',
  'fox',
  'nywashington',
  'dc',
  'news',
  'fox',
  'dcabout',
  'appscontact',
  'usfcc',
  'applicationshow',
  'listingswork',
  'heat',
  'watch',
  'fri',
  'edt',
  'fri',
  'pm',
  'edt',
  'delaware',
  'county',
  'eastern',
  'chester',
  'county',
  'eastern',
  'montgomery',
  'county',
  'lower',
  'bucks',
  'county',
  'philadelphia',
  'county',
  'camden',
  'county',
  'gloucester',
  'county',
  'mercer',
  'county',
  'northwestern',
  'burlington',
  'county',
  'somerset',
  'county',
  'new',
  'castle',
  'county',
  'heat',
  'advisory',
  'thu',
  'pm',
  'edt',
  'fri',
  'pm',
  'edt',
  'lancaster',
  'county',
  'lebanon',
  'county',
  'heat',
  'advisory',
  'thu',
  'edt',
  'fri',
  'edt',
  'delaware',
  'county',
  'eastern',
  'chester',
  'county',
  'eastern',
  'montgomery',
  'county',
  'lower',
  'bucks',
  'county',
  'philadelphia',
  'county',
  'camden',
  'county',
  'gloucester',
  'county',
  'mercer',
  'county',
  'northwestern',
  'burlington',
  'county',
  'somerset',
  'county',
  'new',
  'castle',
  'county',
  'heat',
  'advisory',
  'thu',
  'edt',
  'fri',
  'pm',
  'edt',
  'berks',
  'county',
  'lehigh',
  'county',
  'northampton',
  'county',
  'upper',
  'bucks',
  'county',
  'western',
  'chester',
  'county',
  'western',
  'montgomery',
  'county',
  'atlantic',
  'county',
  'cape',
  'county',
  'cumberland',
  'county',
  'salem',
  'county',
  'southeastern',
  'burlington',
  'county',
  'warren',
  'county',
  'hunterdon',
  'county',
  'ocean',
  'county',
  'warren',
  'county',
  'kent',
  'county',
  'inland',
  'sussex',
  'county',
  'cleanup',
  'road',
  'storm',
  'south',
  'jersey',
  'hank',
  'flynn',
  'fox',
  'staff',
  'july',
  'new',
  'jersey',
  'fox',
  'philadelphia',
  'share',
  'copy',
  'link',
  'email',
  'facebook',
  'twitter',
  'linkedin',
  'reddit',
  'cleanup',
  'south',
  'jersey',
  'storm',
  'region',
  'cleanups',
  'new',
  'jersey',
  'storm',
  'area',
  'fox',
  'hank',
  'flynn',
  'detail',
  'marlton',
  'n.j.',
  'cleanup',
  'southern',
  'new',
  'jersey',
  'storm',
  'area',
  'tuesday',
  'evening',
  'storm',
  'rain',
  'wind',
  'thunderstorm',
  'area',
  'delay',
  'fourth',
  'july',
  'event',
  'region',
  'debris',
  'storm',
  'grove',
  'street',
  'coles',
  'mill',
  'road',
  'kings',
  'highway',
  'haddonfield',
  'wednesday',
  'morning',
  'crew',
  'driver',
  'area',
  'burlington',
  'county',
  'weather',
  'condition',
  'tree',
  'home',
  'thousand',
  'resident',
  'power',
  'local',
  'philadelphia',
  'mass',
  'shooting',
  'victim',
  'shooting',
  'custodywawa',
  'gunpoint',
  'minute',
  'home',
  'burglary',
  'suspect',
  'bucks',
  'county',
  'girl',
  'man',
  'atlantic',
  'city',
  'beach',
  'police',
  'fox',
  'scene',
  'marlton',
  'tree',
  'street',
  'power',
  'tuesday',
  'night',
  'neighbor',
  'service',
  'size',
  'tree',
  'news',
  'alicia',
  'navarro',
  'arizona',
  'girl',
  'montana',
  'pd',
  'video',
  'gunshot',
  'south',
  'philly',
  'ambush',
  'shooting',
  'home',
  'security',
  'camera',
  'police',
  'man',
  'argument',
  'septa',
  'market',
  'frankford',
  'line',
  'train',
  'change',
  'wildwood',
  'city',
  'commission',
  'rule',
  'teen',
  'family',
  'vigil',
  'logan',
  'boy',
  'fishing',
  'trip',
  'father',
  'brother',
  'trending',
  'philadelphia',
  'eviction',
  'landlord',
  'tenant',
  'officer',
  'incident',
  'attorneys',
  'man',
  'murder',
  'chester',
  'trial',
  'philly',
  'rapper',
  'yng',
  'cheese',
  'rest',
  'shooting',
  'montgomery',
  'county',
  'man',
  'philadelphia',
  'road',
  'rage',
  'attack',
  'crowbar',
  'da',
  'mom',
  'ambush',
  'street',
  'philly',
  'park',
  'daily',
  'newsletter',
  'news',
  'day',
  'sign',
  'privacy',
  'policy',
  'terms',
  'service',
  'fox',
  'youtube',
  'app',
  'fox',
  'philadelphia',
  'fox',
  'local',
  'click',
  'news',
  'philadelphiapennsylvanianew',
  'jerseydelawaremore',
  'newsnational',
  'newsworld',
  'newsfox',
  'news',
  'sundayweather',
  'day',
  'forecastclosingsfox',
  'weatherradartemperatureswatche',
  'warningsweather',
  'appgood',
  'day',
  'digest',
  'newsletterkelly',
  'classroomtrafficwatch',
  'liveya',
  'thisseen',
  'tvsports',
  'fifa',
  'women',
  'world',
  'cupeaglesflyersphillies76ersunionfox',
  'sports',
  'appentertainment',
  'showsthe',
  'classh',
  'roomthings',
  'fox',
  'showswatch',
  'streamnewscasts',
  'replayslivenow',
  'foxnew',
  'specialswebcamsfox',
  'mattersfox',
  'originals',
  'black',
  'history',
  'monthhank',
  'takein',
  'focuskelly',
  'drivesour',
  'race',
  'realitysave',
  'streetsthe',
  'pulsehealth',
  'coronaviruscoronavirus',
  'mapcoronavirus',
  'vaccinedr',
  'mikehealth',
  'careopioid',
  'epidemicpolitics',
  'electioninauguration',
  'dayjoe',
  'bidenkamala',
  'harrisdonald',
  'j.',
  'trumpphilly',
  'city',
  'councilmoney',
  'businesscashing',
  'news',
  'fox',
  'appnew',
  'jersey',
  'news',
  'my9njnew',
  'york',
  'news',
  'fox',
  'nywashington',
  'dc',
  'news',
  'fox',
  'dcabout',
  'appscontact',
  'usfcc',
  'applicationshow',
  'listingswork',
  'facebooktwitterinstagramyoutubeemail',
  'usnew',
  'privacy',
  'policyterms',
  'serviceyour',
  'privacy',
  'choicesfcc',
  'public',
  'public',
  'fileclosed',
  'captioningwork',
  'uscontact',
  'material',
  'fox',
  'television',
  'stations'],
 ['dig',
  'season',
  'model',
  'city',
  'dig',
  'season',
  'model',
  'city',
  'louisville',
  'public',
  'mediapublic',
  'files:89.3',
  'wfpl',
  'wuol',
  '-',
  'fm',
  'wfpkfor',
  'assistance',
  'file',
  'wfpl',
  'news',
  '',
  '',
  'wuol',
  'wfpk',
  'music',
  'kycir',
  'investigations',
  'dig',
  'season',
  'model',
  'city',
  'dig',
  'season',
  'model',
  'city',
  'kentucky',
  'tornado',
  'billion',
  'risk',
  'december',
  'est',
  'j.',
  'tyler',
  'franklin',
  'princeton',
  'ky.',
  'caldwell',
  'county',
  'path',
  'tornado',
  'kentucky',
  'saturday',
  'morning',
  'princeton',
  'ky.',
  'caldwell',
  'county',
  'path',
  'tornado',
  'kentucky',
  'saturday',
  'morning',
  'kentucky',
  'county',
  'week',
  'storm',
  'site',
  'quarter',
  'kentucky',
  'tornado',
  'datum',
  'national',
  'centers',
  'environmental',
  'information',
  'impact',
  'storm',
  'death',
  'injury',
  'property',
  'damage',
  'comparison',
  'damage',
  'week',
  'tornado',
  'system',
  'gov.',
  'andy',
  'beshear',
  'week',
  'estimate',
  'cost',
  'damage',
  'toll',
  'state',
  'disaster',
  'preparedness',
  'plan',
  'kycir',
  'cost',
  'storm',
  'loss',
  'value',
  'home',
  'industry',
  'facility',
  'county',
  'risk',
  'tornado',
  'wind',
  'county',
  'review',
  'state',
  'plan',
  'wind',
  'number',
  'overestimate',
  'weekend',
  'loss',
  'asset',
  'county',
  'damage',
  'kentucky',
  'weekend',
  'storm',
  'recovery',
  'restoration',
  'process',
  'kentucky',
  'emergency',
  'management',
  'director',
  'michael',
  'e.',
  'dossett',
  'state',
  'official',
  'damage',
  'dossett',
  'tuesday',
  'state',
  'emergency',
  'crew',
  'point',
  'destruction',
  'county',
  'dossett',
  'dollar',
  'disaster',
  'event',
  'united',
  'states',
  'storm',
  'kentucky',
  'forecaster',
  'accuweather',
  'damage',
  'state',
  'tornado',
  'cost',
  'kentucky',
  'risksstate',
  'official',
  'tornado',
  'risk',
  'kentucky',
  'threat',
  'county',
  'path',
  'week',
  'tornado',
  'fulton',
  'hickman',
  'graves',
  'marshall',
  'lyon',
  'caldwell',
  'christian',
  'hopkins',
  'muhlenberg',
  'ohio',
  'breckinridge',
  'warren',
  'hazard',
  'mitigation',
  'plan',
  'year',
  'official',
  'state',
  'area',
  'development',
  'district',
  'entity',
  'state',
  'official',
  'plan',
  'hazard',
  'mitigation',
  'plan',
  'state',
  'division',
  'emergency',
  'management',
  'official',
  'analysis',
  'disaster',
  'hazard',
  'mitigation',
  'plan',
  'tony',
  'wilder',
  'director',
  'kentucky',
  'council',
  'area',
  'development',
  'districts',
  'lesson',
  'said.https://wfpl.org/heres-how-to-apply-for-fema-disaster-relief-and-what-to-avoid/last',
  'friday',
  'storm',
  'state',
  'mile',
  'thursday',
  'people',
  'kentucky',
  'connection',
  'storm',
  'people',
  'hopkins',
  'county',
  'county',
  'county',
  'people',
  'home',
  'state',
  'facility',
  'school',
  'government',
  'building',
  'hospital',
  'sewage',
  'power',
  'plant',
  'press',
  'conference',
  'tuesday',
  'dossett',
  'emergency',
  'crew',
  'volunteer',
  'tarp',
  'phase',
  'response',
  'home',
  'winter',
  'rain',
  'unpredictable’graves',
  'county',
  'tornado',
  'week',
  'county',
  'seat',
  'mayfield',
  'home',
  'graves',
  'county',
  'worth',
  'infrastructure',
  'hazard',
  'mitigation',
  'plan',
  'dossett',
  'tuesday',
  'scope',
  'damage',
  'power',
  'grid',
  'mayfield',
  'tornado',
  'county',
  'mitigation',
  'plan',
  'area',
  'county',
  'event',
  'plan',
  'risk',
  'regularity',
  'tornado',
  'county',
  'mitigation',
  'plan',
  'detail',
  'measure',
  'destruction',
  'death',
  'storm',
  'warning',
  'county',
  'tornado',
  'event',
  'plan',
  'event',
  'county',
  'frequent’the',
  'national',
  'weather',
  'service',
  'paducah',
  'field',
  'office',
  'county',
  'region',
  'kentucky',
  'tornado',
  'june',
  'sept.',
  'state',
  'field',
  'office',
  'louisville',
  'kentucky',
  'state',
  'tornado',
  'year',
  'kentucky',
  'storm',
  'county',
  'damage',
  'storm',
  'mile',
  'death',
  'national',
  'centers',
  'environmental',
  'information',
  'tornado',
  'state',
  '%',
  'kentucky',
  'storm',
  'month',
  'december',
  'datum',
  'storm',
  'climate',
  'official',
  'tornado',
  'alley',
  'plain',
  'region',
  'county',
  'midwest',
  'south',
  'kentucky',
  'middle',
  'storm',
  'pattern',
  'story',
  'contact',
  'jacob',
  'ryan',
  'jryan@kycir.org',
  'jacob',
  'ryan',
  'award',
  'reporter',
  'lpm',
  'email',
  'jacob',
  'jryan@lpm.org',
  'story',
  'jacob',
  'ryan',
  'news',
  'inbox',
  'a.m.',
  'race',
  'eric',
  'deggans',
  'career',
  'eddie',
  'murphy',
  'nafcs',
  'principal',
  'floyd',
  'central',
  'high',
  'school',
  'louisville',
  'summer',
  'heat',
  'jefferson',
  'county',
  'board',
  'education',
  'delay',
  'decision',
  'compliance',
  'kentucky',
  'law',
  'way',
  'dawson',
  'springs',
  'year',
  'tornado',
  'kycir',
  'amplify',
  'ky',
  'tornado',
  'survivor',
  'fema',
  'tornado',
  'cleanup',
  'contract',
  'graves',
  'county',
  'squabble',
  'fema',
  'disaster',
  'relief',
  'support',
  'louisville',
  'public',
  'media',
  'donation',
  'member',
  'reader',
  'majority',
  'funding',
  'story',
  'donation',
  'gift',
  'news',
  'music',
  'community',
  'louisville',
  'public',
  'mediapublic',
  'files:89.3',
  'wfpl',
  'wuol',
  '-',
  'fm',
  'wfpkfor',
  'assistance',
  'file'],
 ['owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'account',
  'dashboard',
  'profile',
  'item',
  'today',
  'wind',
  'se',
  'mph',
  'tonight',
  'wind',
  'se',
  'mph',
  'july',
  'pm',
  'account',
  'dashboard',
  'profile',
  'item',
  'tuesday',
  'weather',
  'day',
  'east',
  'idaho',
  'thunderstorm',
  'flash',
  'flooding',
  'idaho',
  'falls',
  'blackfoot',
  'rexburg',
  'rain',
  'hail',
  'roof',
  'idaho',
  'falls',
  'quarter',
  'golf',
  'ball',
  'size',
  'hail',
  'pocatello',
  'area',
  'wind',
  'gust',
  'mph',
  'risk',
  'thunderstorm',
  'afternoon',
  'evening',
  'hour',
  'wednesday',
  'orange',
  'black',
  'kick',
  'month',
  'event',
  'idaho',
  'state',
  'university',
  'bengals',
  'month',
  'read',
  "more'welcome",
  'orange',
  'black',
  'kick',
  'month',
  'portneuf',
  'valley',
  'farmers',
  'market',
  'family',
  'fun',
  'days',
  'farmer',
  'market',
  'event',
  'weekend',
  'read',
  'moreportneuf',
  'valley',
  'farmers',
  'market',
  'family',
  'fun',
  'days',
  'caribou',
  'county',
  'sheriff',
  'office',
  'identity',
  'individual',
  'sheriff',
  'office',
  'help',
  'read',
  'morecaribou',
  'county',
  'sheriff',
  'office',
  'identity',
  'individual',
  'fire',
  'danger',
  'storm',
  'tracker',
  'alert',
  'idaho',
  'fall',
  'amazon',
  'delivery',
  'station',
  'grand',
  'opening',
  'today',
  'opening',
  'region',
  'amazon',
  'delivery',
  'station',
  'idaho',
  'falls',
  'read',
  'moreidaho',
  'fall',
  'amazon',
  'delivery',
  'station',
  'grand',
  'opening',
  'orange',
  'black',
  'kick',
  'month',
  'pocatello',
  'orange',
  'black',
  'kick',
  'month',
  'portneuf',
  'valley',
  'farmers',
  'market',
  'family',
  'fun',
  'days',
  'pocatello',
  'portneuf',
  'valley',
  'farmers',
  'market',
  'family',
  'fun',
  'days',
  'caribou',
  'county',
  'sheriff',
  'office',
  'identity',
  'individual',
  'caribou',
  'county',
  'caribou',
  'county',
  'sheriff',
  'office',
  'identity',
  'kpvi',
  'storm',
  'tracker',
  'alert',
  'east',
  'idaho',
  'idaho',
  'fall',
  'amazon',
  'delivery',
  'station',
  'grand',
  'opening',
  'lewis',
  'conrad',
  'idaho',
  'fall',
  'amazon',
  'delivery',
  'station',
  'grand',
  'opening',
  'weather',
  'demand',
  'doug',
  'iverson',
  'weather',
  'forecast',
  'july',
  '26th',
  'boys',
  'girls',
  'club',
  'new',
  'director',
  'boy',
  'girl',
  'club',
  'addition',
  'read',
  'girls',
  'club',
  'new',
  'director',
  'fire',
  'crew',
  'house',
  'fire',
  'sage',
  'road',
  'fire',
  'crew',
  'house',
  'fire',
  'read',
  'crew',
  'house',
  'fire',
  'sage',
  'road',
  'matt',
  'davenport',
  'interviews',
  'band',
  'band',
  'week',
  'national',
  'bar',
  'pocatello',
  'tuesday',
  'night',
  'read',
  'morematt',
  'davenport',
  'interviews',
  'band',
  'accident',
  'state',
  'highway',
  'minidoka',
  'county',
  'person',
  'vehicle',
  'collision',
  'state',
  'highway',
  'saturday',
  'read',
  'morefatal',
  'accident',
  'state',
  'highway',
  'minidoka',
  'county',
  'boys',
  'girls',
  'club',
  'new',
  'director',
  'boy',
  'girl',
  'club',
  'addition',
  'read',
  'girls',
  'club',
  'new',
  'director',
  'fire',
  'crew',
  'house',
  'fire',
  'sage',
  'road',
  'fire',
  'crew',
  'house',
  'fire',
  'read',
  'crew',
  'house',
  'fire',
  'sage',
  'road',
  'matt',
  'davenport',
  'interviews',
  'band',
  'band',
  'week',
  'national',
  'bar',
  'pocatello',
  'tuesday',
  'night',
  'read',
  'morematt',
  'davenport',
  'interviews',
  'band',
  'accident',
  'state',
  'highway',
  'minidoka',
  'county',
  'person',
  'vehicle',
  'collision',
  'state',
  'highway',
  'saturday',
  'read',
  'morefatal',
  'accident',
  'state',
  'highway',
  'minidoka',
  'county',
  'discussion',
  'discussion',
  'email',
  'notification',
  'discussion',
  'notification',
  'discussion',
  'language',
  'turn',
  'caps',
  'lock',
  'threat',
  'person',
  'racism',
  'sexism',
  'sort',
  '-ism',
  'person',
  'report',
  'link',
  'comment',
  'post',
  'eyewitness',
  'account',
  'history',
  'article',
  'discussion',
  'discussion',
  'news',
  'community',
  'wiley',
  'petersen',
  'fort',
  'hall',
  'bull',
  'riding',
  'mayhem',
  'shoshone',
  'bannock',
  'casino',
  'hotel',
  'question',
  'station',
  'antenna',
  'view',
  'public',
  'files',
  'view',
  'eeo',
  'online',
  'fcc',
  'applications',
  'e.',
  'sherman',
  'st.',
  'pocatello',
  'id',
  '6666newstips',
  'kpvi',
  'question',
  'comment',
  'link',
  'page',
  'click',
  'kpvi',
  'newsroom',
  'blox',
  'content',
  'management',
  'system',
  'blox',
  'digital',
  'browser',
  'date',
  'security',
  'risk',
  'browser'],
 ['main',
  'local',
  'columnists',
  'free',
  'press',
  'opinion',
  'page',
  'times',
  'opinion',
  'page',
  'letters',
  'editor',
  'cartoons',
  'rants',
  'main',
  'local',
  'business',
  'best',
  'edge',
  'magazine',
  'life',
  'faith',
  'religion',
  'chatter',
  'magazine',
  'magazine',
  'chattanooganow',
  'events',
  'marion',
  'county',
  'official',
  'storm',
  'wind',
  'damage',
  'tree',
  'injury',
  'march',
  'p.m.',
  '',
  '',
  'march',
  'screenshot',
  'video',
  'shot',
  'times',
  'free',
  'press',
  'sport',
  'editor',
  'stephen',
  'hargis',
  'rain',
  'marion',
  'county',
  'tennessee',
  'friday',
  'march',
  'line',
  'storm',
  'southeast',
  'tennessee',
  'tree',
  'power',
  'line',
  'region',
  'friday',
  'afternoon',
  'report',
  'injury',
  'p.m.',
  'est.authoritie',
  'bradley',
  'bledsoe',
  'sequatchie',
  'county',
  'report',
  'tree',
  'power',
  'line',
  'injury',
  'debris',
  'roadway',
  'highway',
  'north',
  'chickamauga',
  'dam',
  'chattanooga',
  'lane',
  'debris',
  'interstate',
  'marion',
  'county',
  'weather',
  'marion',
  'county',
  'sheriff',
  'ronnie',
  'bo',
  'burnett',
  'p.m.',
  'est."we',
  'tree',
  'burnett',
  'whitwell',
  'mountain',
  'phone',
  'chattanooga',
  'times',
  'free',
  'press.(read',
  'chattanooga',
  'road',
  'epb',
  'power',
  'outage',
  'wind',
  'gallerystorms',
  'chattanooga',
  'area',
  'march',
  'hatch',
  'burnett',
  'folk',
  'hamilton',
  'county',
  'p.m.',
  'friday',
  'marion',
  'county',
  'emergency',
  'management',
  'agency',
  'director',
  'steve',
  'lamb',
  'report',
  'wind',
  'damage',
  'end',
  'county',
  'lamb',
  'phone',
  'report',
  'tree',
  'county',
  'interstate',
  'highway',
  'south',
  'pittsburg',
  'mountain',
  'jasper',
  'power',
  'line',
  'house',
  'roof',
  'porch',
  'valley',
  'view',
  'confirmation',
  'county',
  'report',
  'tree',
  'road',
  'whitwell',
  'mountain',
  'injury',
  'damage',
  'house',
  'house',
  'damage',
  'lamb',
  'contact',
  'ben',
  'benton',
  'bbenton@timesfreepress.com',
  'main',
  'local',
  'columnists',
  'free',
  'press',
  'opinion',
  'page',
  'times',
  'opinion',
  'page',
  'letters',
  'editor',
  'cartoons',
  'rants',
  'main',
  'local',
  'business',
  'best',
  'edge',
  'magazine',
  'life',
  'faith',
  'religion',
  'chatter',
  'magazine',
  'magazine',
  'chattanooganow',
  'event',
  'contact',
  'advertise',
  'terms',
  'conditions',
  'privacy',
  'policy',
  'ethics',
  'policy',
  'manage',
  'subscription',
  'download',
  'app',
  'digital',
  'faq',
  'copyright',
  'chattanooga',
  'times',
  'free',
  'press',
  'inc.',
  'right',
  'document',
  'permission',
  'chattanooga',
  'times',
  'free',
  'press',
  'inc.',
  'material',
  'associated',
  'press',
  'copyright',
  'associated',
  'press',
  'associated',
  'press',
  'text',
  'photo',
  'audio',
  'video',
  'material',
  'broadcast',
  'broadcast',
  'publication',
  'medium',
  'ap',
  'material',
  'portion',
  'computer',
  'use',
  'ap',
  'delay',
  'inaccuracy',
  'error',
  'omission',
  'transmission',
  'delivery',
  'damage',
  'foregoing',
  'right'],
 ['prayer',
  'storm',
  'missouri',
  'gov.',
  'mike',
  'parson',
  'wednesday',
  'twister',
  'wind',
  'mile',
  'hour',
  'april',
  'edt',
  'people',
  'tornado',
  'bollinger',
  'county',
  'missouri',
  'wednesday',
  'morning',
  'sheriff',
  'casey',
  'a.',
  'graham',
  'facebook',
  'statement',
  'regret',
  'fatality',
  'family',
  'member',
  'sheriff',
  'grassy',
  'glenallen',
  'area',
  'mile',
  'st.',
  'louis',
  'site',
  'destruction',
  'sgt',
  'clark',
  'parrott',
  'missouri',
  'state',
  'highway',
  'patrol',
  'cbs',
  'news',
  'search',
  'rescue',
  'operation',
  'agency',
  'photo',
  'damage',
  'tree',
  'debris',
  'home',
  'work',
  'responder',
  'neighbor',
  'neighbor',
  'prayer',
  'storm',
  'missouri',
  'gov.',
  'mike',
  'parson',
  'twitter',
  'wednesday',
  'emergency',
  'personnel',
  'ground',
  'damage',
  'tornado',
  'storm',
  'route',
  'glen',
  'allen',
  'damage',
  'sgt',
  'parrott',
  'cbs',
  'justin',
  'gibbs',
  'meteorologist',
  'national',
  'weather',
  'service',
  'paducah',
  'ky.',
  'associated',
  'press',
  'storm',
  'middle',
  'night',
  'anytime',
  'morning',
  'national',
  'weather',
  'service',
  'morning',
  'tornado',
  'wind',
  'mile',
  'hour',
  'story',
  'people',
  'newsletter',
  'date',
  'people',
  'celebrity',
  'news',
  'interest',
  'story',
  'wednesday',
  'weather',
  'illinois',
  'kentucky',
  'michigan',
  'tennessee',
  'area',
  'national',
  'weather',
  'service',
  'million',
  'resident',
  'tornado',
  'watch',
  'threat',
  'afternoon',
  'fema',
  'region',
  'tweet',
  'wednesday',
  'day',
  'today',
  'ia',
  'mo',
  'resident',
  'storm',
  'hrs',
  'fatality',
  'injury',
  'southeast',
  'mo',
  'tuesday',
  'northern',
  'illinois',
  'chicago',
  'area',
  'storm',
  'hail',
  'wind',
  'tornado',
  'illinois',
  'weather',
  'state',
  'wisconsin',
  'iowa',
  'weather',
  'midwest',
  'south',
  'week',
  'people',
  'tornado',
  'storm',
  'state',
  'friday',
  'dozen',
  'mississippi',
  'alabama',
  'twister',
  'week',
  'death',
  'toll',
  'tornadoes',
  'severe',
  'storms',
  'south',
  'midwest',
  'dead',
  'dozen',
  'tornadoes',
  'severe',
  'weather',
  'state',
  'dead',
  'dozen',
  'tornado',
  'mississippi',
  'loss',
  'felt',
  'man',
  'dead',
  'roof',
  'collapses',
  'illinois',
  'theater',
  'storm',
  'son',
  'tornado',
  'los',
  'angeles',
  'event',
  'person',
  'wisconsin',
  'mom',
  'car',
  'crash',
  'hour',
  'husband',
  'funeral',
  'people',
  'dead',
  'severe',
  'storms',
  'tornado',
  'alabama',
  'communities',
  'individuals',
  'california',
  'storms',
  'epic',
  'texas',
  'ice',
  'storm',
  'power',
  'extreme',
  'weather',
  'california',
  'day',
  'rain',
  'calif.',
  'police',
  'pause',
  'search',
  'year',
  'old',
  'swept',
  'severe',
  'flood',
  'dead',
  'dozen',
  'tornado',
  'southern',
  'states',
  'kept',
  'ellen',
  'degeneres',
  'videos',
  'flood',
  'water',
  'home',
  'residents',
  'montecito',
  'tornado',
  'states',
  'dead',
  'dozen',
  'oklahomans',
  'dead',
  'multiple',
  'states',
  'winter',
  'storm',
  'united',
  'states',
  'people',
  'editorial',
  'policy',
  'careers',
  'privacy',
  'policy',
  'contact',
  'terms',
  'service',
  'advertise',
  'privacy',
  'choices',
  'people',
  'dotdash',
  'meredith',
  'publishing',
  'family',
  'term',
  'service',
  'cookies',
  'storing',
  'cookie',
  'device',
  'site',
  'navigation',
  'site',
  'usage',
  'marketing',
  'effort',
  'cookie',
  'setting',
  'cookie'],
 ['record',
  'storm',
  'foot',
  'snow',
  'parts',
  'montana',
  'september',
  'storm',
  'snowfall',
  'temperature',
  'record',
  'state',
  'united',
  'states',
  'people',
  'shed',
  'leaf',
  'rake',
  'montana',
  'people',
  'rake',
  'snow',
  'shovel',
  'weekend',
  'rockies',
  'september',
  'snowstorm',
  'foot',
  'snow',
  'place',
  'band',
  'snow',
  'washington',
  'state',
  'montana',
  'south',
  'wyoming',
  'september',
  'september',
  'weather.com',
  'blizzard',
  'condition',
  'record',
  'map',
  'area',
  'browning',
  'montana',
  'blackfeet',
  'indian',
  'reservation',
  'foot',
  'snow',
  'great',
  'falls',
  'montana',
  'city',
  'state',
  'inch',
  'snow',
  'saturday',
  'inch',
  'sunday',
  'september',
  'snow',
  'record',
  'snow',
  'city',
  'day',
  'period',
  'time',
  'year',
  'september',
  'ray',
  'greely',
  'national',
  'weather',
  'service',
  'great',
  'falls',
  'madeline',
  'holcombe',
  'judson',
  'jones',
  'cnn',
  'missoula',
  'montana',
  'september',
  'snow',
  'record',
  'inch',
  'record',
  'inch',
  'spokane',
  'washington',
  'september',
  'snow',
  'record',
  'inch',
  'place',
  'east',
  'glacier',
  'park',
  'village',
  'edge',
  'glacier',
  'national',
  'park',
  'foot',
  'snow',
  'area',
  'mountain',
  'foot',
  'snow',
  'terrain',
  'snow',
  'accuweather',
  'meteorologist',
  'dan',
  'pydynowski',
  'john',
  'bacon',
  'usa',
  'today',
  'area',
  'foot',
  'record',
  'temperature',
  'monday',
  'night',
  'great',
  'falls',
  'degree',
  'browning',
  'degree',
  'milder',
  'fall',
  'temperature',
  'tuesday',
  'area',
  'power',
  'outage',
  'tree',
  'snow',
  'winter',
  'storm',
  'state',
  'surprise',
  'september',
  'state',
  'government',
  'health',
  'safety',
  'montanans',
  'priority',
  'governor',
  'steve',
  'bullock',
  'press',
  'release',
  'day',
  'notice',
  'national',
  'weather',
  'service',
  'job',
  'size',
  'magnitude',
  'storm',
  'september',
  'snow',
  'people',
  'u.s.',
  'rockies',
  'cnn',
  'difference',
  'time',
  'snow',
  'greely',
  'montana',
  'summer',
  'condition',
  'snow',
  'transition',
  'summer',
  'winter',
  'weather',
  'impact',
  'crop',
  'cattle',
  'vegetation',
  'season',
  'storm',
  'rockies',
  'jet',
  'stream',
  'weather',
  'west',
  'east',
  'north',
  'america',
  'dip',
  'canada',
  'air',
  'pressure',
  'system',
  'pacific',
  'northwest',
  'air',
  'combo',
  'moisture',
  'temperature',
  'snow',
  'weather',
  'pattern',
  'condition',
  'east',
  'south',
  'temperature',
  'degree',
  'week',
  'story',
  'inbox',
  'weekday',
  'jason',
  'daley',
  'madison',
  'wisconsin',
  'writer',
  'history',
  'science',
  'travel',
  'environment',
  'work',
  'discover',
  'popular',
  'science',
  'men',
  'journal',
  'magazine',
  'scientist',
  'source',
  'body',
  'experiences',
  'scan',
  'maya',
  'structures',
  'guatemala',
  'tens',
  'thousand',
  'beluga',
  'whales',
  'streams',
  'history',
  'christopher',
  'nolan',
  'oppenheimer',
  'van',
  'halen',
  'demand',
  'concert',
  'venue',
  'brown',
  'm&m',
  'menu',
  'smithsonian',
  'magazine',
  'privacy',
  'statement',
  'cookie',
  'policy',
  'terms',
  'use',
  'advertising',
  'notice',
  'privacy',
  'rights',
  'cookie',
  'setting'],
 ['computer',
  'browser',
  'operating',
  'system',
  'shopping',
  'south',
  'dakota',
  'magazine',
  'order',
  'phone',
  'question',
  'inconvenience',
  'heidi',
  'marsh',
  'marketing',
  'director',
  'south',
  'dakota',
  'magazine',
  'yankton',
  'sd',
  'gift',
  'south',
  'dakota',
  'subscriptions',
  'south',
  'dakota',
  'magazine',
  'gift',
  'today',
  'year',
  'issue',
  'school',
  'basketball',
  'fan',
  'shelter',
  'spring',
  'blizzard',
  'farmhouse',
  'refuge',
  'bob',
  'glanzer',
  'blizzard',
  'south',
  'dakota',
  'storm',
  'century',
  'storm',
  'place',
  'march',
  'life',
  'people',
  'sheep',
  'cattle',
  'hog',
  'wind',
  'gust',
  'mph',
  'visibility',
  'hour',
  'quarter',
  'mile',
  'visibility',
  'hour',
  'region',
  'basketball',
  'tournament',
  'thursday',
  'march',
  'doland',
  'playoff',
  'chance',
  'bryant',
  'game',
  'doland',
  'fan',
  'player',
  'student',
  'huron',
  'arena',
  'doland',
  'bus',
  'car',
  'highway',
  'blizzard',
  'condition',
  'bus',
  'load',
  'car',
  'pheasant',
  'city',
  'country',
  'gas',
  'station',
  'intersection',
  'highway',
  'mile',
  'huron',
  'people',
  'grocery',
  'store',
  'gas',
  'station',
  'people',
  'mile',
  'pheasant',
  'city',
  'storm',
  'bloomfield',
  'linda',
  'hofer',
  'loewen',
  'school',
  'junior',
  'time',
  'family',
  'highway',
  'mile',
  'pheasant',
  'city',
  'loewen',
  'father',
  'storm',
  'yard',
  'light',
  'life',
  'father',
  'hour',
  'mile',
  'fan',
  'road',
  'door',
  'school',
  'bus',
  'bus',
  'load',
  'student',
  'car',
  'load',
  'doland',
  'fan',
  'farm',
  'yard',
  'bed',
  'loewen',
  'people',
  'door',
  'line',
  'people',
  'country',
  'farmhouse',
  'day',
  'blizzard',
  'room',
  'people',
  'bed',
  'seat',
  'bathroom',
  'loewen',
  'day',
  'night',
  'clock',
  'mom',
  'recipe',
  'friday',
  'afternoon',
  'mom',
  'lady',
  'noodle',
  'hofers',
  'milk',
  'cow',
  'chicken',
  'freeze',
  'good',
  'meat',
  'string',
  'twine',
  'dad',
  'barn',
  'cow',
  'egg',
  'loewen',
  'mom',
  'dozen',
  'egg',
  'gallon',
  'gallon',
  'milk',
  'couple',
  'birthday',
  'day',
  'lady',
  'birthday',
  'cake',
  'noon',
  'saturday',
  'march',
  'wind',
  'snow',
  'foot',
  'guest',
  'school',
  'bus',
  'home',
  'doland',
  'freeze',
  'house',
  'mess',
  'dozen',
  'egg',
  'people',
  'money',
  'kitchen',
  'table',
  'mom',
  'loewen',
  'mom',
  'life',
  'author',
  'bob',
  'glanzer',
  'educator',
  'banker',
  'year',
  'south',
  'dakota',
  'state',
  'fair',
  'huron',
  'south',
  'dakota',
  'state',
  'fair',
  'huron',
  'subscribe',
  'renew',
  'change',
  'address',
  'gift',
  'shop',
  'group',
  'gift',
  'giving',
  'newsstands',
  'past',
  'issues',
  'index'],
 ['news',
  'local',
  'news',
  'coronavirus',
  'crime',
  'public',
  'safety',
  'business',
  'national',
  'news',
  'pennsylvania',
  'news',
  'sports',
  'high',
  'school',
  'sports',
  'philadelphia',
  '76er',
  'philadelphia',
  'eagles',
  'philadelphia',
  'flyers',
  'philadelphia',
  'phillies',
  'philadelphia',
  'union',
  'thing',
  'entertainment',
  'restaurants',
  'food',
  'movies',
  'music',
  'concerts',
  'tv',
  'listings',
  'comics',
  'puzzles',
  'event',
  'share',
  'twitter',
  'opens',
  'window)click',
  'facebook',
  'opens',
  'window',
  'delaware',
  'county',
  'pennsylvania',
  't',
  'storm',
  'share',
  'twitter',
  'opens',
  'window)click',
  'facebook',
  'opens',
  'window',
  'daily',
  'times',
  '',
  '',
  'july',
  'p.m.',
  'thunderstorm',
  'pennsylvania',
  'thunderstorm',
  'watch',
  'effect',
  'tuesday',
  'p.m.',
  'delaware',
  'county',
  'region',
  'instance',
  'flooding',
  'drainage',
  'area',
  'creek',
  'stream',
  'alert',
  'national',
  'weather',
  'service',
  'office',
  'mount',
  'holly',
  'new',
  'jersey',
  'p.m.',
  'storm',
  'berks',
  'lehigh',
  'montgomery',
  'county',
  'thunderstorm',
  'warning',
  'tip',
  'chesapeake',
  'bay',
  'warning',
  'daytime',
  'heating',
  'storm',
  'temperature',
  'place',
  'state',
  'region',
  'cloud',
  'day',
  'moisture',
  'humidity',
  'accuweather',
  'forecast',
  'wednesday',
  'degree',
  'heat',
  'building',
  'thursday',
  'saturday',
  'high',
  'mid-90',
  'threat',
  'storm',
  'condition',
  'summer',
  'popularmost',
  'popularchester',
  'high',
  'baseball',
  'coach',
  'assault',
  'player',
  'update',
  'case',
  'baseball',
  'coach',
  'assault',
  'player',
  'update',
  'case',
  'bakery',
  'owner',
  'surgeryphatso',
  'bakery',
  'owner',
  'surgerydelaware',
  'county',
  'restaurant',
  'inspection',
  'calling',
  'card',
  'potato',
  'floor',
  'hairnetdelaware',
  'county',
  'restaurant',
  'inspection',
  'calling',
  'card',
  'potato',
  'floor',
  'hairnetchester',
  'child',
  'rapist',
  'year',
  'child',
  'rapist',
  'year',
  'prisonmedia',
  'lawyer',
  'year',
  'recording',
  'teen',
  'sexmedia',
  'lawyer',
  'year',
  'recording',
  'teen',
  'minister',
  'case',
  'murder',
  'marple',
  'year',
  'girl',
  'minister',
  'case',
  'murder',
  'marple',
  'year',
  'girl',
  'inmate',
  'george',
  'w.',
  'hill',
  'correctional',
  'facility',
  'warden',
  'reportsfemale',
  'inmate',
  'george',
  'w.',
  'hill',
  'correctional',
  'facility',
  'warden',
  'urinate',
  'airliner',
  'use',
  'urinate',
  'airliner',
  'use',
  'restroomparkside',
  'councilman',
  'post',
  'shoplifting',
  'case',
  'update',
  'councilman',
  'post',
  'shoplifting',
  'case',
  'update',
  'cases]pennsylvania',
  'state',
  'police',
  'drug',
  'district',
  'judge',
  'building',
  'rambo',
  'bushwacker',
  'stolenpennsylvania',
  'state',
  'police',
  'drug',
  'district',
  'judge',
  'building',
  'rambo',
  'bushwacker',
  'trending',
  'thing',
  'step',
  'plane',
  'collision',
  'feetthe',
  'business',
  'strip',
  'club',
  'colorado',
  'dancer',
  'way',
  'uncertainties‘funnel',
  'cloud',
  'tree',
  'brooklyn',
  'power',
  'outage',
  'staten',
  'island',
  'nursing',
  'hometaylor',
  'swift',
  'album',
  'swiftie',
  '.',
  'guide',
  'tip',
  'phillies',
  'notebook',
  'optimism',
  'return',
  'rhys',
  'hoskins',
  'ball',
  'pennsylvania',
  'little',
  'league',
  'tournament',
  'newtown',
  'square',
  'inmate',
  'george',
  'w.',
  'hill',
  'correctional',
  'facility',
  'warden',
  'search',
  'month',
  'family',
  'bucks',
  'county',
  'flash',
  'flood',
  'mean',
  'classifieds',
  'place',
  'classified',
  'ad',
  'privacy',
  'policy',
  'accessibility',
  'times',
  'herald',
  'daily',
  'local',
  'news',
  'mercury',
  'patriot',
  'item',
  'reporter',
  'terms',
  'use',
  'cookie',
  'policy',
  'share',
  'personal',
  'information',
  'notice',
  'financial',
  'incentive',
  'california',
  'notice',
  'collection',
  'arbitration',
  'medianews',
  'group',
  'wordpress.com',
  'vip'],
 ['home',
  'mail',
  'news',
  'finance',
  'sports',
  'entertainment',
  'life',
  'search',
  'shopping',
  'yahoo',
  'plus',
  'yahoo',
  'life',
  'newsletter',
  'yahoo',
  'lifestyle',
  'yahoo',
  'lifestyle',
  'search',
  'query',
  'sign',
  'mail',
  'sign',
  'mail',
  'life',
  'health',
  'facts',
  'life',
  'mental',
  'health',
  'resources',
  'unwind',
  'parent',
  'kid',
  'mini',
  'ways',
  'ttc',
  'style',
  'beauty',
  'good',
  'news',
  'horoscopes',
  'shopping',
  'buying',
  'guides',
  'wsb',
  'cox',
  'articlesphotos',
  'storm',
  'tree',
  'powerline',
  'north',
  'georgia',
  'articlewsbtv.com',
  'news',
  'staffjune',
  'amold',
  'oak',
  'lee',
  'st',
  'se',
  'smyrna',
  'ga',
  'family',
  'home',
  '1910.old',
  'oak',
  'lee',
  'st',
  'se',
  'smyrna',
  'ga',
  'family',
  'home',
  'chicago',
  'avenue',
  'douglasvilletaken',
  'chicago',
  'avenue',
  'douglasvilletaken',
  'chicago',
  'avenue',
  'douglasvilletaken',
  'chicago',
  'avenue',
  'douglasvilletrees',
  'complex',
  'cumberland',
  'pointe',
  'apartment',
  'king',
  'springs',
  'rd',
  'bmw',
  'tree',
  'it!tree',
  'complex',
  'cumberland',
  'pointe',
  'apartment',
  'king',
  'springs',
  'rd',
  'bmw',
  'tree',
  'it!this',
  'son',
  'daughter',
  'law',
  'house',
  'cleveland',
  'ga.',
  'bathtub',
  'cover',
  'tree',
  'son',
  'daughter',
  'law',
  'house',
  'cleveland',
  'ga.',
  'bathtub',
  'cover',
  'tree',
  'son',
  'daughter',
  'law',
  'house',
  'cleveland',
  'ga.',
  'bathtub',
  'cover',
  'tree',
  'son',
  'daughter',
  'law',
  'house',
  'cleveland',
  'ga.',
  'bathtub',
  'cover',
  'tree',
  'view',
  'porch',
  'evening',
  'dessarae',
  'fisher',
  'ila',
  'ga',
  'rainbow',
  'porch',
  'lake',
  'hartwell',
  'ga',
  'lake',
  'storm',
  'home',
  'anna',
  'marie',
  'phillips',
  'view',
  'porch',
  'evening',
  'dessarae',
  'fisher',
  'ila',
  'ga',
  'rainbow',
  'porch',
  'lake',
  'hartwell',
  'ga',
  'lake',
  'storm',
  'home',
  'anna',
  'marie',
  'phillips',
  'view',
  'porch',
  'evening',
  'dessarae',
  'fisher',
  'ila',
  'ga',
  'rainbow',
  'porch',
  'lake',
  'hartwell',
  'ga',
  'lake',
  'storm',
  'home',
  'anna',
  'marie',
  'phillips',
  'storiesyahoo',
  'life',
  'shoppingthe',
  'deal',
  'amazon',
  'saturday',
  'memory',
  'foam',
  'pillow',
  'pack',
  '%',
  'massage',
  'gun',
  'saving',
  '%',
  'price.4d',
  'agoyahoo',
  'life',
  'shoppingthe',
  '+',
  'deal',
  'walmart',
  'deal',
  'brand',
  'apple',
  'irobot',
  'vizio',
  'dyson',
  'walmart',
  'weekend.9h',
  'agoyahoo',
  'life',
  'shoppingpsst',
  'airpods',
  'shopper',
  'love',
  '99the',
  'charging',
  'case',
  'day',
  'listening',
  'pleasure',
  'life',
  'bra',
  'warner',
  'style',
  'smooth',
  '%',
  'off)it',
  'figure',
  'lifehot',
  'sleeper',
  'sheet',
  'set',
  'shopper',
  '%',
  'offthe',
  'cooling',
  'moisture',
  'sheet',
  'set',
  'life',
  'shoppingnordstrom',
  'anniversary',
  'sale',
  'shop',
  'le',
  'creuset',
  'coach',
  'outsave',
  '%',
  'brand',
  'store',
  'discount',
  'event.2d',
  'life',
  'beach',
  'cover',
  'jean',
  '%',
  'off)the',
  'workhorse',
  'swimsuit',
  'dinner.3d',
  'life',
  'shoppingamazon',
  'massage',
  'gun',
  '%',
  'way',
  'thing',
  'planet',
  'tummy',
  'sale',
  'summer',
  'figure',
  'blouse.1d',
  'life',
  'foot',
  'massager',
  'heaven',
  'shopper',
  '%',
  'code',
  'goodbye',
  'ache',
  'muscle',
  'fatigue.4d',
  'stories',
  'twitterfacebookinstagrampinterestyoutubeyahoo!healthparentingstyle',
  'beautygood',
  'newshoroscopesshoppingterms',
  'privacy',
  'policyprivacy',
  'adssite',
  'map',
  'yahoo',
  'right'],
 ['hunter',
  'biden',
  'plea',
  'deal',
  'ufo',
  'takeaway',
  'whistleblower',
  'congress',
  'uap',
  'sinéad',
  "o'connor",
  'grammy',
  'singer',
  'netherlands',
  'u.s.',
  'draw',
  'rematch',
  'world',
  'cup',
  'federal',
  'reserve',
  'interest',
  'rate',
  'level',
  'year',
  'niger',
  'president',
  'guard',
  'coup',
  'ohio',
  'officer',
  'k-9',
  'man',
  'hand',
  'story',
  'tic',
  'tac',
  'ufo',
  'california',
  'storm',
  'record',
  'rainfall',
  'snow',
  'end',
  'parade',
  'storm',
  'sight',
  'january',
  'pm',
  'cbs',
  'ap',
  'rain',
  'snow',
  'weekend',
  'storm',
  'california',
  'travel',
  'evacuation',
  'order',
  'concern',
  'river',
  'sacramento',
  'sunday',
  'night',
  'monday',
  'atmospheric',
  'river',
  'state',
  'band',
  'thunderstorm',
  'wind',
  'saturday',
  'north',
  'river',
  'storm',
  'sunday',
  'national',
  'weather',
  'service',
  'inch',
  'rain',
  'sacramento',
  'valley',
  'resident',
  'wilton',
  'home',
  'people',
  'cosumnes',
  'river',
  'los',
  'angles',
  'record',
  'rainfall',
  'date',
  'cbs',
  'los',
  'angeles',
  'inch',
  'rain',
  'downtown',
  'saturday',
  'inch',
  'lax',
  'inch',
  'snow',
  'wind',
  'sierra',
  'nevada',
  'interstate',
  'highway',
  'san',
  'francisco',
  'bay',
  'area',
  'lake',
  'tahoe',
  'ski',
  'resort',
  'saturday',
  'road',
  'snow',
  'whiteout',
  'condition',
  'university',
  'california',
  'berkeley',
  'central',
  'sierra',
  'snow',
  'lab',
  'sunday',
  'morning',
  'inch',
  'snow',
  'hour',
  'snowpack',
  'foot',
  'foot',
  'monday',
  'backcountry',
  'avalanche',
  'warning',
  'sierra',
  'lake',
  'tahoe',
  'area',
  'monday',
  'los',
  'angeles',
  'authority',
  'woman',
  'laguna',
  'hills',
  'creek',
  'tree',
  'cbs',
  'los',
  'angeles',
  'city',
  'tree',
  'parking',
  'lot',
  'car',
  'california',
  'highway',
  'patrol',
  'people',
  'car',
  'rain',
  'road',
  'edge',
  'cliff',
  'santa',
  'cruz',
  'mountains',
  'friday',
  'occupant',
  'car',
  'life',
  'disbelief',
  'car',
  'vehicle',
  'end',
  'cliff',
  'edge',
  'highway',
  'patrol',
  'statement',
  'statement',
  'south',
  'santa',
  'cruz',
  'county',
  'community',
  'felton',
  'grove',
  'san',
  'lorenzo',
  'river',
  'evacuation',
  'warning',
  'salinas',
  'river',
  'farmland',
  'monterey',
  'county',
  'east',
  'flood',
  'warning',
  'effect',
  'merced',
  'county',
  'central',
  'valley',
  'gov.',
  'gavin',
  'newsom',
  'saturday',
  'stock',
  'problem',
  'danger',
  'newsom',
  'people',
  'safety',
  'day',
  'parade',
  'river',
  'california',
  'storm',
  'drought',
  'southern',
  'california',
  'winter',
  'storm',
  'warning',
  'advisory',
  'place',
  'mountain',
  'area',
  'road',
  'mud',
  'rock',
  'slide',
  'northbound',
  'lane',
  'interstate',
  'castaic',
  'los',
  'angeles',
  'county',
  'hillside',
  'series',
  'storm',
  'rain',
  'snow',
  'california',
  'december',
  'power',
  'thousand',
  'road',
  'debris',
  'flow',
  'landslide',
  'president',
  'joe',
  'biden',
  'disaster',
  'state',
  'aid',
  'recovery',
  'effort',
  'area',
  'storm',
  'death',
  'year',
  'boy',
  'mother',
  'car',
  'floodwater',
  'san',
  'luis',
  'obispo',
  'county',
  'san',
  'luis',
  'obispo',
  'county',
  'sheriff',
  'office',
  'sunday',
  'search',
  'boy',
  'kyle',
  'doan',
  'weather',
  'crews',
  'san',
  'marcos',
  'creek',
  'salinas',
  'river',
  'boy',
  'sheriff',
  'office',
  'day',
  'week',
  'forecast',
  'california',
  'tuesday',
  'ufo',
  'takeaway',
  'whistleblower',
  'congress',
  'uap',
  'hunter',
  'biden',
  'plea',
  'deal',
  'story',
  'tic',
  'tac',
  'ufo',
  'sighting',
  'hammerhead',
  'worm',
  'january',
  'pm',
  'cbs',
  'interactive',
  'inc.',
  'rights',
  'material',
  'associated',
  'press',
  'report',
  'thank',
  'cbs',
  'news',
  'account',
  'feature',
  'email',
  'address',
  'email',
  'address',
  'weather',
  'heat',
  'storm',
  'wind',
  'minnesota',
  'lightning',
  'house',
  'fire',
  'metro',
  'authority',
  'fire',
  'evacuation',
  'greece',
  'history',
  'alert',
  'forecast',
  'storm',
  'evening',
  'copyright',
  'cbs',
  'interactive',
  'inc.',
  'right',
  'privacy',
  'policy',
  'california',
  'notice',
  'personal',
  'information',
  'terms',
  'use',
  'advertise',
  'captioning',
  'cbs',
  'news',
  'paramount+',
  'cbs',
  'news',
  'store',
  'site',
  'map',
  'contact',
  'browser',
  'notification',
  'news',
  'event',
  'reporting'],
 ['concertgoer',
  'harrisburg',
  'summer',
  'concert',
  'series',
  'hospital',
  'cumberland',
  'county',
  'sheetz',
  'heat',
  'advisory',
  'friday',
  'temperature',
  '90',
  'digits',
  'search',
  'body',
  'infant',
  'flood',
  'sister',
  'mother',
  'local',
  'news',
  'central',
  'pa.',
  'weather',
  'brace',
  'storm',
  'area',
  'day',
  'way',
  'weekend',
  'expert',
  'people',
  'storm',
  'damage',
  'example',
  'video',
  'title',
  'video',
  'pm',
  'edt',
  'june',
  'pm',
  'edt',
  'june',
  'dillsburg',
  'pa.',
  'people',
  'damage',
  'storm',
  'day',
  'lancaster',
  'county',
  'emergency',
  'crew',
  'tree',
  'telephone',
  'line',
  'tuesday',
  'afternoon',
  'tuesday',
  'round',
  'storm',
  'york',
  'county',
  'family',
  'damage',
  'weather',
  'home',
  'monday',
  'driveway',
  'second',
  'car',
  'wife',
  'bang',
  'crash',
  'josh',
  'hertzberger',
  'dillsburg',
  'windshield',
  'foot',
  'oak',
  'tree',
  'house',
  'tree',
  'roof',
  'damage',
  'master',
  'bedroom',
  'josh',
  'wife',
  'crash',
  'property',
  'damage',
  'hertzberger',
  'storm',
  'central',
  'pa.',
  'weekend',
  'valerie',
  'stocker',
  'insurance',
  'agent',
  'strasburg',
  'lancaster',
  'county',
  'people',
  'step',
  'thunderstorm',
  'thing',
  'home',
  'inventory',
  'stocker',
  'record',
  'thing',
  'home',
  'case',
  'claim',
  'damage',
  'home',
  'storm',
  'stocker',
  'damage',
  'property',
  'claim',
  'photo',
  'repair',
  'receipt',
  'agent',
  'step',
  'stocker',
  'josh',
  'repair',
  'roof',
  'lot',
  'hertzberger',
  'difference',
  'spf',
  'upf',
  'heat',
  'advisory',
  'friday',
  'temperature',
  '90',
  'digit',
  'hazmat',
  'accident',
  'i-81',
  'intensifies',
  'focus',
  'road',
  'eeo',
  'public',
  'file',
  'report',
  'fcc',
  'online',
  'public',
  'inspection',
  'file',
  'closed',
  'caption',
  'procedure',
  'personal',
  'information',
  'wpmt',
  'tv',
  'rights',
  'wpmt',
  'notification',
  'news',
  'weather',
  'notification',
  'browser',
  'setting'],
 ['associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'u.s.',
  'news',
  'tornado',
  'pfizer',
  'plant',
  'north',
  'carolina',
  'heat',
  'flood',
  'tornado',
  'home',
  'pfizer',
  'plant',
  'north',
  'carolina',
  'string',
  'weather',
  'event',
  'u.s.',
  'july',
  'raleigh',
  'n.c.',
  'ap',
  'tornado',
  'pfizer',
  'plant',
  'north',
  'carolina',
  'wednesday',
  'rain',
  'community',
  'kentucky',
  'area',
  'california',
  'south',
  'florida',
  'heat',
  'pfizer',
  'manufacturing',
  'complex',
  'twister',
  'midday',
  'rocky',
  'mount',
  'email',
  'report',
  'injury',
  'company',
  'statement',
  'employee',
  'roof',
  'building',
  'pfizer',
  'plant',
  'store',
  'quantity',
  'medicine',
  'nash',
  'county',
  'sheriff',
  'keith',
  'stone',
  'report',
  'pallet',
  'medicine',
  'facility',
  'rain',
  'wind',
  'stone',
  'vermont',
  'phish',
  'flood',
  'recovery',
  'effort',
  'search',
  'team',
  'body',
  'child',
  'flooding',
  'nova',
  'scotia',
  'weekend',
  'cloudburst',
  'climate',
  'change',
  'plant',
  'anesthesia',
  'drug',
  '%',
  'medication',
  'pfizer',
  'supply',
  'u.s.',
  'hospital',
  'company',
  'website',
  'erin',
  'fox',
  'pharmacy',
  'director',
  'university',
  'utah',
  'health',
  'damage',
  'term',
  'shortage',
  'pfizer',
  'production',
  'site',
  'rebuild',
  'national',
  'weather',
  'service',
  'tweet',
  'damage',
  'ef3',
  'tornado',
  'wind',
  'speed',
  'mph',
  'kph).the',
  'edgecombe',
  'county',
  'sheriff',
  'office',
  'rocky',
  'mount',
  'facebook',
  'report',
  'people',
  'tornado',
  'life',
  'injury',
  'report',
  'nash',
  'county',
  'people',
  'structure',
  'wral',
  'tv',
  'home',
  'brian',
  'varnell',
  'family',
  'member',
  'dortches',
  'area',
  'news',
  'outlet',
  'sister',
  'child',
  'home',
  'room',
  'house',
  'varnell',
  'home',
  'wall',
  'chunk',
  'roof',
  'u.s.',
  'onslaught',
  'temperature',
  'floodwater',
  'phoenix',
  'time',
  'temperature',
  'record',
  'rescuer',
  'people',
  'rain',
  'home',
  'vehicle',
  'kentucky',
  'forecaster',
  'relief',
  'sight',
  'heat',
  'storm',
  'example',
  'miami',
  'heat',
  'index',
  'degree',
  'fahrenheit',
  'degree',
  'celsius',
  'week',
  'temperature',
  'weekend',
  'kentucky',
  'meteorologist',
  'life',
  'situation',
  'community',
  'mayfield',
  'wingo',
  'flash',
  'flooding',
  'week',
  'thunderstorm',
  'kentucky',
  'gov.',
  'andy',
  'beshear',
  'state',
  'emergency',
  'wednesday',
  'storm',
  'forecaster',
  'inch',
  'centimeter',
  'rain',
  'kentucky',
  'illinois',
  'missouri',
  'ohio',
  'mississippi',
  'river',
  'storm',
  'system',
  'thursday',
  'friday',
  'new',
  'england',
  'ground',
  'flood',
  'connecticut',
  'mother',
  'year',
  'daughter',
  'river',
  'tuesday',
  'pennsylvania',
  'search',
  'child',
  'flash',
  'flooding',
  'saturday',
  'night',
  'phoenix',
  'time',
  'record',
  'wednesday',
  'morning',
  'temperature',
  'f',
  'c',
  'threat',
  'heat',
  'illness',
  'resident',
  'record',
  'f',
  'c',
  'weather',
  'service',
  'lindsay',
  'lamont',
  'sweet',
  'republic',
  'ice',
  'cream',
  'shop',
  'phoenix',
  'business',
  'day',
  'people',
  'heat',
  'lot',
  'people',
  'evening',
  'ice',
  'cream',
  'thing',
  'lamont',
  'heat',
  'death',
  'maricopa',
  'county',
  'phoenix',
  'health',
  'official',
  'wednesday',
  'heat',
  'fatality',
  'week',
  'year',
  'total',
  'death',
  'week',
  'week',
  'heat',
  'investigation',
  'time',
  'year',
  'heat',
  'death',
  'county',
  'investigation',
  'phoenix',
  'desert',
  'city',
  'people',
  'record',
  'tuesday',
  'u.s.',
  'city',
  'day',
  'temperature',
  'f',
  'c',
  'wednesday',
  'national',
  'weather',
  'service',
  'meteorologist',
  'matthew',
  'hirsh',
  'phoenix',
  'f',
  'c',
  'wednesday',
  'temperature',
  'city',
  'temperature',
  'time',
  'f',
  'c',
  'country',
  'miami',
  'day',
  'heat',
  'index',
  'excess',
  'f',
  'c',
  'record',
  'day',
  'june',
  'week',
  'weekend',
  'cameron',
  'pine',
  'national',
  'weather',
  'service',
  'meteorologist',
  'region',
  'day',
  'heat',
  'index',
  'threshold',
  'f',
  'c',
  'sea',
  'surface',
  'temperature',
  'degree',
  'relief',
  'sight',
  'pine',
  'year',
  'los',
  'angeles',
  'area',
  'man',
  'trailhead',
  'death',
  'valley',
  'national',
  'park',
  'california',
  'tuesday',
  'afternoon',
  'temperature',
  'f',
  'c',
  'ranger',
  'heat',
  'factor',
  'national',
  'park',
  'service',
  'statement',
  'wednesday',
  'heat',
  'fatality',
  'death',
  'valley',
  'summer',
  'year',
  'man',
  'car',
  'july',
  'human',
  'climate',
  'change',
  'el',
  'nino',
  'heat',
  'record',
  'scientist',
  'globe',
  'heat',
  'june',
  'july',
  'day',
  'month',
  'temperature',
  'day',
  'university',
  'maine',
  'climate',
  'reanalyzer',
  'scientist',
  'warming',
  'heat',
  'southwest',
  'rainfall',
  'reality.___finley',
  'norfolk',
  'virginia',
  'associated',
  'press',
  'reporter',
  'anita',
  'snow',
  'phoenix',
  'freida',
  'frisaro',
  'miami',
  'jonel',
  'aleccia',
  'temecula',
  'california',
  'rebecca',
  'reynolds',
  'louisville',
  'kentucky',
  'report',
  'associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights'],
 ['menuweatherclimatestorm',
  'trackerwildfire',
  'trackervideoaudiosearch',
  'cnnclimatestorm',
  'trackerwildfire',
  'trackervideosearchaudioeditionusinternationalarabicespañoleditionusinternationalarabicespañoluscrime',
  'justiceenergy',
  'environmentextreme',
  'weatherspace',
  'kingdompoliticsthe',
  'biden',
  'presidencyfacts',
  'first2022',
  'midtermsbusinesstechmediasuccessperspectivesvideosmarketspre',
  'marketsafter',
  'hoursmarket',
  'moversfear',
  'greedworld',
  'op',
  'edssocial',
  'commentaryhealthlife',
  'futuremission',
  'aheadupstartswork',
  'transformedinnovative',
  'citiesstyleartsdesignfashionarchitectureluxurybeautyvideotraveldestinationsfood',
  'drinkstaynewsvideossportspro',
  'tv',
  'digital',
  'studioscnn',
  'scheduletv',
  'zcnnvraudiocnn',
  'underscoredelectronicsfashionbeautyhealth',
  'fitnesshomereviewsdealsmoneygiftstraveloutdoorspetscnn',
  'storecouponsweatherclimatestorm',
  'trackerwildfire',
  'trackervideomorephotoslongforminvestigationscnn',
  'profilescnn',
  'newsletterswork',
  'cnnfollow',
  'cnn',
  'weather',
  'story',
  'storm',
  'track',
  'f',
  '°',
  'clocal',
  'forecast',
  'current',
  'conditions',
  '°',
  '°',
  'feel',
  'humidity',
  'wind',
  'sunrise',
  'sunset',
  'pressure',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  '°',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  '°',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  '°',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  '°',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  '°',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  '°',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  '°',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  '°',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  'sign',
  'email',
  'update',
  'cnn',
  'meteorologistsapril',
  '11th',
  'river',
  'moisture',
  'storm',
  'tornado',
  'weekmarch',
  'scientist',
  'plane',
  'cloud',
  'hurricane',
  'season',
  'forecast',
  'louisiana',
  'resident',
  'sparedby',
  'jennifer',
  'gray',
  'cnn',
  'hurricane',
  'season',
  'forecast',
  'hurricane',
  'category',
  'hurricane',
  'facility',
  'hurricane',
  'wind',
  'mph',
  'storm',
  'surge',
  'hurricane',
  'louisiana',
  'cancer',
  'alley',
  'hurricane',
  'hunter',
  'plane',
  'pattern',
  'storm',
  'hurricanes',
  'whycheck',
  'video',
  'state',
  'dam',
  'water',
  'lake',
  'powell',
  'today',
  'tornado',
  'truck',
  'shopper',
  'texasfish',
  'sky',
  'weather',
  'weatherin',
  'picture',
  'storm',
  'million',
  'usin',
  'picture',
  'australiain',
  'picture',
  'wildfire',
  'colorado',
  'texasdesert',
  'saudi',
  'arabiaextreme',
  'weather',
  'thunderstorm',
  'tornadohow',
  'lightning4',
  'tornado',
  'safety',
  'tip',
  'blizzard',
  'impact',
  'bethe',
  'difference',
  'tornado',
  'watch',
  'warningflash',
  'flooding',
  'searchaudiouscrime',
  'justiceenergy',
  'environmentextreme',
  'weatherspace',
  'kingdompoliticsthe',
  'biden',
  'presidencyfacts',
  'first2022',
  'midtermsbusinesstechmediasuccessperspectivesvideosmarketspre',
  'marketsafter',
  'hoursmarket',
  'moversfear',
  'greedworld',
  'op',
  'edssocial',
  'commentaryhealthlife',
  'futuremission',
  'aheadupstartswork',
  'transformedinnovative',
  'citiesstyleartsdesignfashionarchitectureluxurybeautyvideotraveldestinationsfood',
  'drinkstaynewsvideossportspro',
  'tv',
  'digital',
  'studioscnn',
  'scheduletv',
  'zcnnvraudiocnn',
  'underscoredelectronicsfashionbeautyhealth',
  'fitnesshomereviewsdealsmoneygiftstraveloutdoorspetscnn',
  'storecouponsweatherclimatestorm',
  'trackerwildfire',
  'trackervideomorephotoslongforminvestigationscnn',
  'profilescnn',
  'newsletterswork',
  'cnnweatheraudiofollow',
  'cnn',
  'term',
  'useprivacy',
  'policyaccessibility',
  'ccad',
  'choicesabout',
  'newsourcesitemap',
  'cable',
  'news',
  'network',
  'warner',
  'bros.',
  'discovery',
  'company',
  'rights',
  'cnn',
  'sans',
  'cable',
  'news',
  'network'],
 ['fox',
  'kansas',
  'city',
  'wdaf',
  'tv',
  'news',
  'weather',
  'sports',
  'ralph',
  'yarl',
  'shooting',
  'missouri',
  'news',
  'kansas',
  'news',
  'business',
  'national',
  'news',
  'saving',
  'smart',
  'kansas',
  'city',
  'traffic',
  'live',
  'coverage',
  'kansas',
  'city',
  'area',
  'gas',
  'prices',
  'marijuana',
  'missouri',
  'health',
  'education',
  'entertainment',
  'hometown',
  'heroes',
  'community',
  'automotive',
  'news',
  'press',
  'weather',
  'forecast',
  'joe',
  'weather',
  'blog',
  'weather',
  'radar',
  'weather',
  'alerts',
  'weather',
  'maps',
  'allergy',
  'report',
  'kansas',
  'city',
  'metro',
  'farm',
  'lawn',
  'garden',
  'forecast',
  'weather',
  'aware',
  'guide',
  'tornado',
  'thunderstorm',
  'flood',
  'closing',
  'delay',
  'closing',
  'instruction',
  'sign',
  'closing',
  'kansas',
  'city',
  'chiefs',
  'kansas',
  'city',
  'royals',
  'sporting',
  'kc',
  'kansas',
  'city',
  'current',
  'college',
  'high',
  'school',
  'sports',
  'nascar',
  'fox4',
  'newscasts',
  'news',
  'livestream',
  'video',
  'fox4',
  'program',
  'schedule',
  'antenna',
  'tv',
  'program',
  'schedule',
  'day',
  'kc',
  'stories',
  'day',
  'kc',
  'team',
  'day',
  'kc',
  'gift',
  'guide',
  'contact',
  'day',
  'kc',
  'price',
  'chopper',
  'recipes',
  'nominate',
  'veteran',
  'salute',
  'service',
  'guest',
  'bestreviews',
  'daily',
  'deals',
  'bestreviews',
  'fox4',
  'newsletters',
  'fox4kc',
  'mobile',
  'apps',
  'fox4',
  'news',
  'team',
  'info',
  'speaking',
  'engagement',
  'request',
  'community',
  'calendar',
  'fox4',
  'love',
  'fund',
  'fox4',
  'band',
  'angels',
  'difference',
  'regional',
  'news',
  'partners',
  'bestreviews',
  'job',
  'post',
  'job',
  'fox4',
  'jobs',
  'alert',
  'fox4',
  'news',
  'career',
  'framegrab',
  'tornado',
  'storm',
  'cell',
  'stanton',
  'county',
  'nebraska',
  'monday',
  'june',
  'photo',
  'stormchasingvideo.com',
  'framegrab',
  'tornado',
  'storm',
  'cell',
  'stanton',
  'county',
  'nebraska',
  'monday',
  'june',
  'photo',
  'stormchasingvideo.com)read',
  'tornado',
  'nebraska',
  'time',
  'storm',
  'jun',
  'pm',
  'cdt',
  'jun',
  'pm',
  'cdt',
  'framegrab',
  'tornado',
  'storm',
  'cell',
  'stanton',
  'county',
  'nebraska',
  'monday',
  'june',
  'photo',
  'stormchasingvideo.com',
  'framegrab',
  'tornado',
  'storm',
  'cell',
  'stanton',
  'county',
  'nebraska',
  'monday',
  'june',
  'photo',
  'stormchasingvideo.com',
  'jun',
  'pm',
  'cdt',
  'jun',
  'pm',
  'cdt',
  'article',
  'information',
  'article',
  'time',
  'stamp',
  'story',
  'cnn',
  'tornado',
  'region',
  'nebraska',
  'monday',
  'damage',
  'sun',
  'weather',
  'tornado',
  'watch',
  'place',
  'tuesday',
  'morning',
  'city',
  'pilger',
  'emergency',
  'personnel',
  'state',
  'emergency',
  'management',
  'agency',
  'monday',
  'night',
  'weather',
  'area',
  'damage',
  'town',
  'pilger',
  'wisner',
  'stanton',
  'pender',
  'governor',
  'office',
  'patient',
  'faith',
  'regional',
  'health',
  'services',
  'treatment',
  'hospital',
  'spokeswoman',
  'jacque',
  'genovese',
  'official',
  'damage',
  'damage',
  'people',
  'sanford',
  'goshorn',
  'emergency',
  'manager',
  'stanton',
  'county',
  'pilger',
  'stanton',
  'wisner',
  'cuming',
  'county',
  'pender',
  'thurston',
  'county',
  'aftermath',
  'tornado',
  'corner',
  'nebraska',
  'tornado',
  'time',
  'cnn',
  'meteorologist',
  'chad',
  'myers',
  'tornado',
  'road',
  'sight',
  'state',
  'emergency',
  'management',
  'agency',
  'damage',
  'county',
  'response',
  'mode',
  'community',
  'emergency',
  'management',
  'operation',
  'officer',
  'earl',
  'imler',
  'damage',
  'report',
  'official',
  'ground',
  'nebraska',
  'gov.',
  'dave',
  'heineman',
  'state',
  'emergency',
  'national',
  'guard',
  'standby',
  'governor',
  'office',
  'fatality',
  'tornado',
  'car',
  'national',
  'weather',
  'service',
  'tornado',
  'emergency',
  'warning',
  'town',
  'burwell',
  'garfield',
  'county',
  'tornado',
  'storm',
  'hail',
  'resident',
  'path',
  'cover',
  'damage',
  'storm',
  'area',
  'nebraska',
  'iowa',
  'border',
  'report',
  'touchdown',
  'storm',
  'sioux',
  'city',
  'iowa',
  'national',
  'weather',
  'service',
  'meteorologist',
  'todd',
  'heitkamp',
  'wind',
  'flooding',
  'damage',
  'series',
  'storm',
  'today',
  'report',
  'inch',
  'rain',
  'hour',
  'area',
  'south',
  'dakota',
  'minnesota',
  'iowa',
  'thing',
  'tree',
  'damage',
  'typo',
  'error(required',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'amazon',
  'school',
  'deal',
  'schooler',
  'school',
  'corner',
  'amazon',
  'supply',
  'school',
  'deal',
  'supply',
  'schooler',
  'august',
  'vegetable',
  'flower',
  'flower',
  'plant',
  'hour',
  'soil',
  'air',
  'temperature',
  'sunshine',
  'august',
  'month',
  'planting',
  'chemical',
  'guys',
  'kit',
  'car',
  'car',
  'care',
  'hour',
  'chemical',
  'guys',
  'car',
  'wash',
  'kit',
  'time',
  'deal',
  'thank',
  'inbox',
  'soldier',
  'niger',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'samsung',
  'smartphone',
  'bet',
  'journalist',
  'year',
  'prison',
  'soldier',
  'niger',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'samsung',
  'smartphone',
  'bet',
  'journalist',
  'year',
  'prison',
  'ocean',
  'heat',
  'people',
  'high',
  'arizona',
  'california',
  'gov.',
  'gavin',
  'newsom',
  'thank',
  'inbox',
  'fox',
  'kansas',
  'city',
  'wdaf',
  'tv',
  'news',
  'weather',
  'sports',
  'video',
  'shawnee',
  'kansas',
  'resident',
  'mail',
  'kansas',
  'city',
  'area',
  'district',
  'school',
  'missouri',
  'veteran',
  'roof',
  'thank',
  'volunteer',
  'teen',
  'vehicle',
  'crash',
  'overland',
  'park',
  'warrant',
  'year',
  'missouri',
  'bank',
  'robbery',
  'innocent',
  'bystander',
  'officer',
  'merriam',
  'k',
  'state',
  'student',
  'atv',
  'crash',
  'year',
  'plan',
  'children',
  'memorial',
  'site',
  'crossroad',
  'community',
  'improvement',
  'district',
  'kid',
  'citizenship',
  'independence',
  'kc',
  'man',
  'brain',
  'injury',
  'mahomes',
  'developer',
  'kc',
  'hospital',
  'apartment',
  'fox',
  'kansas',
  'city',
  'wdaf',
  'tv',
  'news',
  'weather',
  'sports',
  'ocean',
  'heat',
  'people',
  'high',
  'arizona',
  'california',
  'gov.',
  'gavin',
  'newsom',
  'shawnee',
  'resident',
  'mail',
  'day',
  'arizona',
  'girl',
  'montana',
  'dance',
  'company',
  'ny',
  'fan',
  'treat',
  'attorney',
  'm',
  'settlement',
  'water',
  'wnba',
  'player',
  'charge',
  'fox',
  'kansas',
  'city',
  'wdaf',
  'tv',
  'news',
  'weather',
  'sports',
  'travis',
  'kelce',
  'taylor',
  'swift',
  'number',
  'teen',
  'vehicle',
  'crash',
  'overland',
  'park',
  'tick',
  'specie',
  'mo',
  'livestock',
  'risk',
  'cass',
  'co.',
  'deputy',
  'search',
  'warrant',
  'gas',
  'station',
  'warrant',
  'year',
  'bank',
  'robbery',
  'royal',
  'stadium',
  'location',
  'gift',
  'summer',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'home',
  'depot',
  'foot',
  'skeleton',
  'halloween',
  'deal',
  'day',
  'prime',
  'day',
  'favorite',
  'amazon',
  'essentials',
  'clothe',
  'news',
  'morning',
  'fox4',
  'newscasts',
  'contests',
  'day',
  'kc',
  'sponsored',
  'content',
  'experts',
  'sports',
  'community',
  'online',
  'public',
  'file',
  'public',
  'file',
  'eeo',
  'fcc',
  'applications',
  'android',
  'app',
  'google',
  'play',
  'android',
  'weather',
  'app',
  'google',
  'play',
  'personal',
  'information',
  'personal',
  'information',
  'nexstar',
  'media',
  'inc.',
  'rights'],
 ['app',
  'searchsign',
  'locationscloseboisesee',
  'storiessafetyfood',
  'drinksportssee',
  'moreadditional',
  'contentnational',
  'newslocal',
  'newsletternewsbreak',
  'corporateabout',
  'uscontributorspublishersadvertisersterm',
  'use',
  'privacy',
  'policydo',
  'sell',
  'share',
  'info',
  'help',
  'centersign',
  'boise',
  'id',
  'update',
  'emailsubscribepost',
  'registerstorm',
  'tuesday',
  'cause',
  'crashesby',
  'cbs2',
  'news',
  'staff,2023',
  'cbs2',
  'news',
  'staff,2023',
  '-',
  '07go',
  'publisher',
  'newsbreakcomments',
  '0add',
  'commentyou',
  'likeget',
  'boise',
  'id',
  'update',
  'emailsubscribetrending‹›1hunter',
  'biden',
  'plea',
  'deal',
  'through2sinéad',
  "o'connor",
  'singer',
  '563kevin',
  'spacey',
  'assault',
  'charges4federal',
  'reserve',
  'interest',
  'rates5police',
  'k-9',
  'attack',
  'black',
  'man6rudy',
  'giuliani',
  'statement',
  'georgia',
  'election',
  'workers7major',
  'automaker',
  'team',
  'ev',
  'crane',
  'collapse',
  'particle',
  'medium',
  'term',
  'use',
  'privacy',
  'policydo',
  'sell',
  'share',
  'info',
  'help',
  'centercomments',
  '0closecommunity',
  'policy'],
 ['website',
  'united',
  'states',
  'government',
  'website',
  '.mil',
  'website',
  'u.s.',
  'department',
  'defense',
  'organization',
  'united',
  'states',
  'secure',
  'website',
  'https',
  'lock',
  'lock',
  'https://',
  '.mil',
  'website',
  'share',
  'information',
  'website',
  'content',
  'press',
  'enter',
  'policy',
  'updatesfive',
  'senior',
  'leader',
  'airman',
  'class',
  'jasmine',
  'plummer',
  'nevada',
  'storm',
  'football',
  'game',
  'season',
  'year',
  'plummer',
  'reno',
  'football',
  'team',
  'women',
  'football',
  'alliance',
  'division',
  'ii',
  'championship',
  'game',
  'detroit',
  'dark',
  'angels',
  'july',
  'pro',
  'football',
  'hall',
  'fame',
  'canton',
  'ohio',
  'photo',
  'courtesy',
  'nevada',
  'storm',
  'website',
  'nevada',
  'guardsman',
  'movie',
  'subject',
  'nevada',
  'storm',
  'woman',
  'football',
  'championship',
  'game',
  '1st',
  'lt',
  'emerson',
  'marcus',
  'reno',
  'nev.',
  'afns',
  'airman',
  'class',
  'jasmine',
  'plummer',
  'peer',
  'nevada',
  'air',
  'guard',
  'way',
  'life',
  'play',
  'football',
  'field',
  'gridiron',
  'prowess',
  'status',
  'hollywood',
  'film',
  'longshots',
  'journey',
  'year',
  'girl',
  'quarterback',
  'team',
  'pop',
  'warner',
  'super',
  'bowl',
  'movie',
  'pop',
  'warner',
  'season',
  'actress',
  'keke',
  'palmer',
  'plummer',
  'ice',
  'cube',
  'football',
  'mentor',
  'year',
  'espn',
  'magazine',
  'article',
  'gridiron',
  'girl',
  'decade',
  'hiatus',
  'football',
  'plummer',
  'game',
  'reno',
  'nevada',
  'storm',
  'women',
  'football',
  'alliance',
  'division',
  'ii',
  'championship',
  'game',
  'detroit',
  'dark',
  'angels',
  'july',
  'pro',
  'football',
  'hall',
  'fame',
  'canton',
  'ohio',
  'championship',
  'game',
  'season',
  'storm',
  'season',
  'division',
  'saturday',
  'houston',
  'energy',
  'north',
  'valleys',
  'high',
  'school',
  'reno',
  'plummer',
  'word',
  'answer',
  'season',
  'game',
  'playoff',
  'game',
  'plummer',
  'division',
  'ii',
  'rusher',
  'yard',
  'touchdown',
  'yard',
  'carry',
  'run',
  'season',
  'yard',
  'wfa',
  'website',
  'plummer',
  'cornerback',
  'defense',
  'opportunity',
  'people',
  'football',
  'uncle',
  'fred',
  'johnson',
  'sr',
  '.',
  'people',
  'plummer',
  'ability',
  'backyard',
  'football',
  'hometown',
  'harvey',
  'illinois',
  'chicago',
  'football',
  'guy',
  'park',
  'street',
  'house',
  'knee',
  'johnson',
  'boy',
  'home',
  'arm',
  'guy',
  'sister',
  'boy',
  'football',
  'baby',
  'sister',
  'game',
  'environment',
  'johnson',
  'coach',
  'pop',
  'warner',
  'mighty',
  'mite',
  'level',
  'ice',
  'cube',
  'movie',
  'longshots',
  'movie',
  'plummer',
  'girlie',
  'girl',
  'football',
  'johnson',
  'case',
  'life',
  'football',
  'love',
  'game',
  'focus',
  'junior',
  'pee',
  'wee',
  'level',
  'pop',
  'warner',
  'quarterback',
  'plummer',
  'harvey',
  'colts',
  'pop',
  'warner',
  'super',
  'bowl',
  'orlando',
  'florida',
  'quarterback',
  'tournament',
  'year',
  'history',
  'espn',
  'johnson',
  'interview',
  'jasmine',
  'girl',
  'jazzy',
  'lady',
  'ego',
  'ball',
  'ball',
  'stallion',
  'fence',
  'johnson',
  'plummer',
  'quarterback',
  'team',
  'league',
  'pop',
  'warner',
  'player',
  'helmet',
  'game',
  'coach',
  'helmet',
  'kid',
  'johnson',
  'uniform',
  'helmet',
  'jasmine',
  'smile',
  'coach',
  'athlete',
  'dad',
  'plummer',
  'football',
  'teenager',
  'basketball',
  'lot',
  'option',
  'football',
  'girl',
  'chance',
  'sport',
  'period',
  'time',
  'basketball',
  'competition',
  'basketball',
  'west',
  'point',
  'guard',
  'feather',
  'river',
  'community',
  'college',
  'quincy',
  'california',
  'lot',
  'beach',
  'california',
  'plummer',
  'laugh',
  'plummer',
  'wife',
  'nejae',
  'jackson',
  'basketball',
  'feather',
  'river',
  'today',
  'child',
  'carson',
  'city',
  'mother',
  'cassandra',
  'johnson',
  'illinois',
  'reno',
  'daughter',
  'plummer',
  'quincy',
  'education',
  'university',
  'nevada',
  'reno',
  'job',
  'tesla',
  'way',
  'college',
  'nevada',
  'air',
  'guard',
  'information',
  'technology',
  'specialist',
  'communications',
  'flight',
  'nevada',
  'guard',
  'tuition',
  'waiver',
  'chance',
  'class',
  'self',
  'starter',
  'sport',
  'background',
  'maj',
  '.',
  'greg',
  'green',
  '152nd',
  'communications',
  'flight',
  'commander',
  'work',
  'ethic',
  'practice',
  'nevada',
  'storm',
  'reno',
  'plummer',
  'backfield',
  'storm',
  'division',
  'iii',
  'championship',
  'league',
  'storm',
  'division',
  'ii',
  'pandemic',
  'storm',
  'week',
  'wfa',
  'team',
  'history',
  'title',
  'division',
  'storm',
  'opponent',
  'detroit',
  'dark',
  'angels',
  'game',
  'dark',
  'angels',
  'shutout',
  'game',
  'team',
  'point',
  'game',
  'season',
  'point',
  'game',
  'nevada',
  'storm',
  'point',
  'game',
  'point',
  'game',
  'dark',
  'angels',
  'game',
  'wfa',
  'website',
  'couple',
  'game',
  'film',
  'plummer',
  'championship',
  'reason',
  'game',
  'season',
  'plummer',
  'eye',
  'playing',
  'women',
  'football',
  'league',
  'association',
  'woman',
  'football',
  'league',
  'player',
  'league',
  'contact',
  'plummer',
  'start',
  'date',
  'season',
  'pandemic',
  'information',
  'plummer',
  'quarterback',
  'day',
  'chance',
  'ball',
  'league',
  'running',
  'plummer',
  'alvin',
  'kamara',
  'new',
  'orleans',
  'saints',
  'beast',
  'mode',
  'marshawn',
  'lynch',
  'plummer',
  'longtime',
  'seattle',
  'seahawks',
  'kind',
  'runner',
  'afwn',
  'usaf',
  'af',
  'air',
  'force',
  'ang',
  'air',
  'national',
  'guard',
  'nevada',
  'national',
  'guard',
  'movie',
  'woman',
  'football',
  'champion',
  'game',
  'sport',
  'nevada',
  'storm',
  'air',
  'force',
  'leadership',
  'title',
  'force',
  'cmsaf',
  '501st',
  'csw',
  'daf',
  'leader',
  'royal',
  'air',
  'force',
  'royal',
  'international',
  'air',
  'tattoo',
  'nation',
  'royal',
  'international',
  'air',
  'tattoo',
  'wedgetail',
  'trilateral',
  'joint',
  'vision',
  'statement',
  'royal',
  'international',
  'air',
  'tattoo',
  'battlespace',
  'fight',
  'indo',
  'pacific',
  'multi',
  'equipment',
  'initiative',
  'afimsc',
  'innovation',
  'rodeo',
  'project',
  'arc',
  'innovator',
  'daf',
  'air',
  'force',
  'innovation',
  'airmen',
  'afwerx',
  'traffic',
  'management',
  'safety',
  'security',
  'air',
  'force',
  'george',
  'mason',
  'university',
  'partner',
  'warfighter',
  'mission',
  'training',
  'education',
  'research',
  'amc',
  'ally',
  'kickoff',
  'mobility',
  'guardian',
  'indo',
  '-',
  'pacific',
  'airmen',
  'partnership',
  'education',
  'honoring',
  'past',
  'future',
  'navajo',
  'nation',
  'aedc',
  'spark',
  'tank',
  'imager',
  'leak',
  'detection',
  'inspection',
  'capability',
  'quick',
  'link',
  'site',
  'mapquestionscontact',
  'usrssfoiaigaf',
  'sitesaccessibilityeeolink',
  'disclaimersuicide',
  'preventionsaprusa.govno',
  'fear',
  'actveterans',
  'crisis',
  'lineosi',
  'tip',
  'line',
  'career',
  'af',
  'careersjoin',
  'air',
  'forceaf',
  'benefitsbecome',
  'officergo',
  'angbecome',
  'reservistcivilian',
  'service',
  'official',
  'united',
  'states',
  'air',
  'force',
  'website',
  'defense',
  'media',
  'activity',
  'web.mil'],
 ['leading',
  'edge',
  'sciencescope',
  'basic',
  'research',
  'innovation',
  'invention',
  'inbox',
  'subscribe',
  'deal',
  'politic',
  'newsletter',
  'analysis',
  'inbox',
  'news',
  'alert',
  'pbs',
  'newshour',
  'turn',
  'desktop',
  'notification',
  'climate',
  'chance',
  'storm',
  'california',
  'scientist',
  'sep',
  'pm',
  'edt',
  'california',
  'stranger',
  'weather',
  'form',
  'drought',
  'wildfire',
  'study',
  'golden',
  'state',
  'storm',
  'like',
  'ucla',
  'climate',
  'scientist',
  'daniel',
  'swain',
  'stephanie',
  'sy',
  'storm',
  'state',
  'day',
  'rain',
  'judy',
  'woodruff',
  'california',
  'record',
  'heat',
  'state',
  'grid',
  'operator',
  'demand',
  'outage',
  'tonight',
  'heat',
  'drought',
  'temperature',
  'california',
  'risk',
  'flooding',
  'complication',
  'superstorm',
  'line',
  'study',
  'golden',
  'state',
  'flood',
  'event',
  'stephanie',
  'sy',
  'stephanie',
  'sy',
  'scientist',
  'megaflood',
  'megastorm',
  'day',
  'rain',
  'snow',
  'swathe',
  'land',
  'california',
  'study',
  'climate',
  'change',
  'likelihood',
  'state',
  'study',
  'author',
  'californians',
  'monthlong',
  'series',
  'storm',
  'state',
  'inch',
  'precipitation',
  'daniel',
  'swain',
  'co',
  '-',
  'author',
  'study',
  'climate',
  'scientist',
  'ucla',
  'daniel',
  'swain',
  'newshour',
  'picture',
  'california',
  'kind',
  'megastorm',
  'today',
  'kind',
  'havoc',
  'about?daniel',
  'swain',
  'climate',
  'scientist',
  'university',
  'california',
  'los',
  'angeles',
  'thank',
  'time',
  'california',
  'month',
  'week',
  'storm',
  'sequence',
  'magnitude',
  'california',
  'home',
  'people',
  'people',
  'today',
  'landscape',
  'sort',
  'event',
  'lot',
  'people',
  'infrastructure',
  'harm',
  'way',
  'event',
  'area',
  'california',
  'sector',
  'stephanie',
  'sy',
  'daniel',
  'california',
  'big',
  'earthquake',
  'kid',
  'context',
  'californians',
  'daniel',
  'swain',
  'term',
  'megaflood',
  'california',
  'california',
  'big',
  'kind',
  'disaster',
  'destruction',
  'harm',
  'million',
  'californians',
  'lot',
  'folk',
  'california',
  'today',
  'drought',
  'water',
  'scarcity',
  'thing',
  'wildfire',
  'reason',
  'lot',
  'water',
  'overabundance',
  'flooding',
  'year',
  'reality',
  'world',
  'flood',
  'event',
  'climate',
  'change',
  'odd',
  'background',
  'water',
  'scarcity',
  'flood',
  'risk',
  'peril',
  'stephanie',
  'sy',
  'study',
  'daniel',
  'climate',
  'change',
  'estimate',
  'likelihood',
  'megaflood',
  'likelihood',
  'daniel',
  'swain',
  'climate',
  'change',
  'likelihood',
  'week',
  'storm',
  'sequence',
  'flooding',
  'california',
  'warming',
  'warming',
  'risk',
  'risk',
  'century',
  'increase',
  'odd',
  'year',
  'storm',
  'sequence',
  'study',
  'california',
  'tail',
  'probability',
  'decade',
  'stephanie',
  'sy',
  'california',
  'state',
  'possibility',
  'daniel',
  'swain',
  'risk',
  'flood',
  'precipitation',
  'flood',
  'event',
  'place',
  'lot',
  'drought',
  'water',
  'scarcity',
  'fact',
  'hint',
  'summer',
  'desert',
  'southwest',
  'megadrought',
  'flash',
  'flooding',
  'basis',
  'summer',
  'monsoon',
  'term',
  'drought',
  'term',
  'place',
  'flash',
  'flooding',
  'middle',
  'course',
  'scale',
  'megaflood',
  'event',
  'work',
  'risk',
  'u.s.',
  'study',
  'california',
  'risk',
  'west',
  'pacific',
  'coast',
  'interior',
  'place',
  'place',
  'stephanie',
  'sy',
  'california',
  'state',
  'daniel',
  'swain',
  'dollar',
  'question',
  'time',
  'analysis',
  'flood',
  'magnitude',
  'dollar',
  'disaster',
  'california',
  'question',
  'context',
  'term',
  'disaster',
  'response',
  'people',
  'event',
  'perspective',
  'event',
  'state',
  'california',
  'agency',
  'point',
  'purpose',
  'project',
  'research',
  'component',
  'point',
  'event',
  'world',
  'california',
  'region',
  'risk',
  'surprise',
  'sort',
  'flood',
  'event',
  'doorstep',
  'stephanie',
  'sy',
  'daniel',
  'swain',
  'climate',
  'scientist',
  'ucla.daniel',
  'newshour',
  'episode',
  'pbs',
  'newshour',
  'sep',
  'africa',
  'climate',
  'country',
  'fund',
  'wanjohi',
  'kabukuru',
  'associated',
  'press',
  'hawaii',
  'coal',
  'power',
  'plant',
  'bid',
  'climate',
  'change',
  'caleb',
  'jones',
  'associated',
  'press',
  'g20',
  'environment',
  'official',
  'bali',
  'climate',
  'change',
  'action',
  'fadlan',
  'syam',
  'niniek',
  'karmini',
  'associated',
  'press',
  'climate',
  'change',
  'survival',
  'cactus',
  'southwest',
  'stephanie',
  'sy',
  'madison',
  'staten',
  'lena',
  'i.',
  'jackson',
  'federal',
  'water',
  'restriction',
  'west',
  'underscore',
  'severity',
  'climate',
  'crisis',
  'stephanie',
  'sy',
  'stephanie',
  'sy',
  'pbs',
  'newshour',
  'correspondent',
  'anchor',
  'pbs',
  'newshour',
  'west',
  'career',
  'anchor',
  'correspondent',
  'capacity',
  'abc',
  'news',
  'al',
  'jazeera',
  'america',
  'cbsn',
  'cnn',
  'international',
  'pbs',
  'newshour',
  'weekend',
  'newshour',
  'yahoo',
  'news',
  'coverage',
  'midterm',
  'elections',
  'donald',
  'trump',
  'victory',
  'party',
  'election',
  'day',
  'inbox',
  'subscribe',
  'deal',
  'politic',
  'newsletter',
  'analysis',
  'inbox',
  'newshour',
  'productions',
  'llc',
  'rights',
  'deal',
  'politic',
  'newsletter',
  'inbox',
  'journalism',
  'friends',
  'newshour'],
 ['associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'maryland',
  'eastern',
  'shore',
  'beachfront',
  'snow',
  'wind',
  'salisbury',
  'md.',
  'ap',
  'winter',
  'storm',
  'lot',
  'snow',
  'wind',
  'maryland',
  'eastern',
  'shore',
  'oceanfront',
  'saturday',
  'travel',
  'motorist',
  'road',
  'crew',
  'snowfall',
  'total',
  'foot',
  'portion',
  'worcester',
  'county',
  'ocean',
  'city',
  'inch',
  'centimeter',
  'time',
  'storm',
  'region',
  'saturday',
  'afternoon',
  'national',
  'weather',
  'service',
  'wicomico',
  'somerset',
  'county',
  'inch',
  'centimeter',
  'snow',
  'spot',
  'worcester',
  'county',
  'blizzard',
  'warning',
  'half',
  'saturday',
  'wind',
  'gust',
  'mph',
  'kph',
  'portion',
  'delaware',
  'foot',
  'snow',
  'accomack',
  'northampton',
  'county',
  'eastern',
  'shore',
  'virginia',
  'inch',
  'weather',
  'service',
  'snowfall',
  'total',
  'place',
  'richmond',
  'virginia',
  'baltimore',
  'washington',
  'nor’easter',
  'precipitation',
  'coastline',
  'sentencing',
  'arizona',
  'mother',
  'murder',
  'child',
  'abuse',
  'starvation',
  'son',
  'bluffing',
  'putin',
  'deployment',
  'weapon',
  'belarus',
  'saber',
  'england',
  'home',
  'crowd',
  'women',
  'world',
  'cup',
  'australia',
  'governor',
  'maryland',
  'virginia',
  'delaware',
  'state',
  'emergency',
  'storm',
  'friday',
  'night',
  'national',
  'guard',
  'member',
  'cleanup',
  'personnel',
  'delaware',
  'road',
  'state',
  'county',
  'order',
  'gov.',
  'john',
  'carney',
  'motorist',
  'road',
  'caution',
  'maryland',
  'state',
  'police',
  'trooper',
  'service',
  'crash',
  'mid',
  '-',
  'morning',
  'saturday',
  'report',
  'storm',
  'death',
  'power',
  'outage',
  'david',
  'bowling',
  'salisbury',
  'ocean',
  'city',
  'waterfront',
  'snow',
  'son',
  'liam',
  'daughter',
  'kaylee',
  'time',
  'snow',
  'beach',
  'bowling',
  'water',
  'bowling',
  'sedan',
  'snow',
  'parking',
  'lot',
  'car',
  'snow',
  'help',
  'motorist',
  'shovel',
  'wind',
  'maryland',
  'snowplow',
  'road',
  'snow',
  'minute',
  'state',
  'highway',
  'administration',
  'snow',
  'reading',
  'inch',
  'centimeter',
  'delaware',
  'community',
  'bethany',
  'beach',
  'millsboro',
  'inch',
  'centimeter',
  'lewes',
  'weather',
  'service',
  'north',
  'area',
  'wilmington',
  'inch',
  'centimeter',
  'snow',
  'stretch',
  'virginia',
  'northern',
  'neck',
  'tidewater',
  'community',
  'norfolk',
  'virginia',
  'beach',
  'inch',
  'centimeter',
  'snow',
  'storm',
  'region',
  'saturday',
  'morning',
  'weather',
  'advisory',
  'sunday',
  'eastern',
  'shore',
  'region',
  'temperature',
  'digit',
  'teen',
  'sunday',
  'morning',
  'wind',
  'chill',
  'advisory',
  'associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights'],
 ['newsweatherlivewebcamslinkscontestsfox',
  'local',
  'watch',
  'expand',
  'collapse',
  'search',
  '☰',
  'search',
  'site',
  'news',
  'arizona',
  'headlinesarizona',
  'cool',
  'fox',
  'salutesborder',
  'securityconsumer-',
  'product',
  'recallscrime',
  'public',
  'safety-',
  'neighborhood',
  'alerts-',
  'vallow',
  'daybell',
  'murder',
  'videosnational',
  'newspoll',
  'dayphoto',
  'dayseen',
  'tv',
  'linkstech',
  'artificial',
  'intelligenceweek',
  'reviewworld',
  'news-',
  'russia',
  'ukraine',
  'warfox',
  'news',
  'sundayweather',
  'forecastweather',
  'power',
  'outage',
  'mapsrp',
  'power',
  'outage',
  'mapweather',
  'alertsweather',
  'headlines-',
  'drought-',
  'dust',
  'storms-',
  'monsoon-',
  'severe',
  'wildfiresweather',
  'appweather',
  'teamlive',
  'weather',
  'weathertraffic',
  'flight',
  'delaysfreeway',
  'travel',
  'timesphoenix',
  'metro',
  'maplive',
  'phoenix',
  'metro',
  'traffic',
  'camerasmap',
  'traffic',
  'camerasroad',
  'closuresmoney',
  'arizona',
  'desbusinessconsumereconomyjobs',
  'unemploymentlotterypersonal',
  'financesavingssmall',
  'businessstock',
  'marketpolitics',
  'arizona',
  'newsmakernational',
  'politics-',
  'abortion',
  'laws-',
  'gun',
  'roe',
  'wade2024',
  'electiontrump',
  'indictmentspecial',
  'reports',
  'air',
  'spacecannabisdrone',
  'zoneequity',
  'inclusionfox',
  'explainshomeless',
  'crisisinvestigationslori',
  'vallow',
  'chad',
  'daybell',
  'arizonamilitary-',
  'care',
  'force-',
  'veterans',
  'issuesmissing',
  'arizona-',
  'daniel',
  'robinson',
  'foxopioid',
  'epidemicentertainment',
  'tv',
  'listingsnextgentvfox',
  'xtralifestyle',
  'cars',
  'trucksfamilyfood',
  'drinkheartwarminghouse',
  'homelotteryoffbeat',
  'unusualpets',
  'animalsrecipesrestaurantsstyle',
  'beautythings',
  'dotravel',
  'newsviralsport',
  'arizona',
  'cardinalsarizona',
  'coyotesarizona',
  'diamondbacksfox',
  'bet',
  'super',
  '6phoenix',
  'sunsphoenix',
  'mercurymls',
  'soccer2023',
  'fifa',
  'women',
  'world',
  'cupregional',
  'news',
  'los',
  'angeles',
  'news',
  'fox',
  'los',
  'angelessan',
  'francisco',
  'news',
  'ktvu',
  'fox',
  '2seattle',
  'news',
  'fox',
  'seattleabout',
  'fox',
  'captioningcontact',
  'uscopies',
  'newscastsfcc',
  'applicationsfcc',
  'public',
  'filenews',
  'teamwhere',
  'fox',
  'usmore',
  'seen',
  'tv',
  'linkslive',
  'videolive',
  'webcamscontestseventsfox',
  'faqsfox',
  'news',
  'appfox',
  'appfox',
  'youtubepoll',
  'daysend',
  'photossign',
  'newsletters',
  'excessive',
  'heat',
  'warning',
  'fri',
  'pm',
  'mst',
  'tucson',
  'metro',
  'area',
  'tucson',
  'green',
  'valley',
  'marana',
  'vail',
  'south',
  'central',
  'pinal',
  'county',
  'eloy',
  'picacho',
  'peak',
  'state',
  'park',
  'southeast',
  'pinal',
  'county',
  'kearny',
  'mammoth',
  'oracle',
  'upper',
  'gila',
  'river',
  'aravaipa',
  'valleys',
  'clifton',
  'safford',
  'heat',
  'warning',
  'sun',
  'pm',
  'mst',
  'grand',
  'canyon',
  'country',
  'excessive',
  'heat',
  'warning',
  'fri',
  'pm',
  'mst',
  'lake',
  'havasu',
  'fort',
  'mohave',
  'lake',
  'mead',
  'national',
  'recreation',
  'area',
  'parker',
  'valley',
  'kofa',
  'yuma',
  'county',
  'central',
  'la',
  'paz',
  'aguila',
  'valley',
  'southeast',
  'yuma',
  'county',
  'gila',
  'river',
  'valley',
  'northwest',
  'valley',
  'tonopah',
  'desert',
  'gila',
  'bend',
  'buckeye',
  'avondale',
  'cave',
  'creek',
  'new',
  'river',
  'deer',
  'valley',
  'central',
  'phoenix',
  'north',
  'phoenix',
  'glendale',
  'new',
  'river',
  'mesa',
  'scottsdale',
  'paradise',
  'valley',
  'rio',
  'verde',
  'salt',
  'river',
  'east',
  'valley',
  'fountain',
  'hills',
  'east',
  'mesa',
  'south',
  'mountain',
  'ahwatukee',
  'southeast',
  'valley',
  'queen',
  'creek',
  'superior',
  'northwest',
  'pinal',
  'county',
  'west',
  'pinal',
  'county',
  'apache',
  'junction',
  'gold',
  'canyon',
  'tonto',
  'basin',
  'sonoran',
  'desert',
  'natl',
  'monument',
  'san',
  'carlos',
  'dripping',
  'springs',
  'globe',
  'miami',
  'severe',
  'thunderstorm',
  'wed',
  'pm',
  'mst',
  'wed',
  'pm',
  'mst',
  'maricopa',
  'county',
  'pinal',
  'county',
  'severe',
  'thunderstorm',
  'wed',
  'pm',
  'mst',
  'wed',
  'pm',
  'mst',
  'maricopa',
  'county',
  'heat',
  'advisory',
  'fri',
  'pm',
  'mst',
  'mazatzal',
  'mountains',
  'pinal',
  'superstition',
  'mountains',
  'southeast',
  'gila',
  'county',
  'airport',
  'weather',
  'warning',
  'wed',
  'pm',
  'mst',
  'central',
  'phoenix',
  'southeast',
  'valley',
  'queen',
  'creek',
  'flood',
  'advisory',
  'wed',
  'pm',
  'mst',
  'wed',
  'pm',
  'mst',
  'pima',
  'county',
  'flood',
  'advisory',
  'wed',
  'pm',
  'mst',
  'thu',
  'mst',
  'maricopa',
  'county',
  'pinal',
  'county',
  'air',
  'quality',
  'alert',
  'thu',
  'pm',
  'mst',
  'maricopa',
  'county',
  'dust',
  'advisory',
  'wed',
  'pm',
  'mst',
  'wed',
  'pm',
  'mst',
  'maricopa',
  'county',
  'pinal',
  'county',
  'tornadoes',
  'indiana',
  'sunday',
  'storm',
  'power',
  'k',
  'ohio',
  'valley',
  'south',
  'steven',
  'yablonski',
  'heather',
  'brinkmann',
  'june',
  'fox',
  'weather',
  'share',
  'copy',
  'link',
  'email',
  'facebook',
  'twitter',
  'linkedin',
  'reddit',
  'article',
  'tornado',
  'whiteland',
  'indiana',
  'sunday',
  'afternoon',
  'heather',
  'holeman',
  'fox',
  'weather',
  'tornado',
  'indiana',
  'sunday',
  'building',
  'power',
  'threat',
  'thunderstorm',
  'ohio',
  'valley',
  'south',
  'sunday',
  'tornado',
  'indiana',
  'sunday',
  'building',
  'greenwood',
  'indiana',
  'debris',
  'air',
  'tornado',
  'johnson',
  'county',
  'heather',
  'holeman',
  'tornado',
  'whiteland',
  'size',
  'tennis',
  'ball',
  'indiana',
  'arkansas',
  'storm',
  'tornado',
  'watch',
  'indiana',
  'michigan',
  'ohio',
  'p.m.',
  'et',
  'thunderstorm',
  'watch',
  'evening',
  'hour',
  'tornado',
  'noaa',
  'storm',
  'prediction',
  'center',
  'area',
  'level',
  'thunderstorm',
  'risk',
  'category',
  'scale',
  'thunderstorm',
  'hail',
  'wind',
  'gust',
  'tornado',
  'ohio',
  'valley',
  'south',
  'storm',
  'threat',
  'sunday',
  'june',
  'weather',
  'fox',
  'weather',
  'app',
  'notification',
  'weather',
  'warning',
  'area',
  'power',
  'severe',
  'storm',
  'power',
  'sunday',
  'evening',
  'poweroutage.us',
  'georgia',
  'power',
  'customer',
  'power',
  'outage',
  'u.s.(fox',
  'weather',
  'fox',
  'weather',
  'news',
  'breaking',
  'news',
  'sign',
  'privacy',
  'policy',
  'terms',
  'service',
  'view',
  'acl',
  'injury',
  'woman',
  'state',
  'hotel',
  'property',
  'health',
  'official',
  'treatment',
  'center',
  'dozen',
  'phoenix',
  'soccer',
  'player',
  'arrest',
  'field',
  'arizona',
  'weather',
  'forecast',
  'chance',
  'rain',
  'alicia',
  'navarro',
  'arizona',
  'girl',
  'montana',
  'pd',
  'arrest',
  'tempe',
  'shooting',
  'suspect',
  'gang',
  'member',
  'arizona',
  'school',
  'choice',
  'leader',
  'controversy',
  'program',
  'phoenix',
  'cool',
  'pavement',
  'program',
  'expert',
  'people',
  'phoenix',
  'park',
  'police',
  'phoenix',
  'break',
  'heat',
  'spell',
  'day',
  'mark',
  'videos',
  'view',
  'video',
  'u.s.',
  'vet',
  'ufo',
  'cover',
  'video',
  'hotel',
  'property',
  'state',
  'investigation',
  'video',
  'evening',
  'weather',
  'forecast',
  'video',
  'pyper',
  'midkiff',
  'soccer',
  'arrest',
  'video',
  'food',
  'delivery',
  'heat',
  'wave',
  'watch',
  'fox',
  'news',
  'pm',
  'arizona',
  'headline',
  'news',
  'event',
  'day',
  'sport',
  'weather',
  'update',
  'news',
  'arizona',
  'headlinesarizona',
  'cool',
  'fox',
  'salutesborder',
  'securityconsumer-',
  'product',
  'recallscrime',
  'public',
  'safety-',
  'neighborhood',
  'alerts-',
  'vallow',
  'daybell',
  'murder',
  'videosnational',
  'newspoll',
  'dayphoto',
  'dayseen',
  'tv',
  'linkstech',
  'artificial',
  'intelligenceweek',
  'reviewworld',
  'news-',
  'russia',
  'ukraine',
  'warfox',
  'news',
  'sundayweather',
  'forecastweather',
  'power',
  'outage',
  'mapsrp',
  'power',
  'outage',
  'mapweather',
  'alertsweather',
  'headlines-',
  'drought-',
  'dust',
  'storms-',
  'monsoon-',
  'severe',
  'wildfiresweather',
  'appweather',
  'teamlive',
  'weather',
  'weathertraffic',
  'flight',
  'delaysfreeway',
  'travel',
  'timesphoenix',
  'metro',
  'maplive',
  'phoenix',
  'metro',
  'traffic',
  'camerasmap',
  'traffic',
  'camerasroad',
  'closuresmoney',
  'arizona',
  'desbusinessconsumereconomyjobs',
  'unemploymentlotterypersonal',
  'financesavingssmall',
  'businessstock',
  'marketpolitics',
  'arizona',
  'newsmakernational',
  'politics-',
  'abortion',
  'laws-',
  'gun',
  'roe',
  'wade2024',
  'electiontrump',
  'indictmentspecial',
  'reports',
  'air',
  'spacecannabisdrone',
  'zoneequity',
  'inclusionfox',
  'explainshomeless',
  'crisisinvestigationslori',
  'vallow',
  'chad',
  'daybell',
  'arizonamilitary-',
  'care',
  'force-',
  'veterans',
  'issuesmissing',
  'arizona-',
  'daniel',
  'robinson',
  'foxopioid',
  'epidemicentertainment',
  'tv',
  'listingsnextgentvfox',
  'xtralifestyle',
  'cars',
  'trucksfamilyfood',
  'drinkheartwarminghouse',
  'homelotteryoffbeat',
  'unusualpets',
  'animalsrecipesrestaurantsstyle',
  'beautythings',
  'dotravel',
  'newsviralsport',
  'arizona',
  'cardinalsarizona',
  'coyotesarizona',
  'diamondbacksfox',
  'bet',
  'super',
  '6phoenix',
  'sunsphoenix',
  'mercurymls',
  'soccer2023',
  'fifa',
  'women',
  'world',
  'cupregional',
  'news',
  'los',
  'angeles',
  'news',
  'fox',
  'los',
  'angelessan',
  'francisco',
  'news',
  'ktvu',
  'fox',
  '2seattle',
  'news',
  'fox',
  'seattleabout',
  'fox',
  'captioningcontact',
  'uscopies',
  'newscastsfcc',
  'applicationsfcc',
  'public',
  'filenews',
  'teamwhere',
  'fox',
  'usmore',
  'seen',
  'tv',
  'linkslive',
  'videolive',
  'webcamscontestseventsfox',
  'faqsfox',
  'news',
  'appfox',
  'appfox',
  'youtubepoll',
  'daysend',
  'photossign',
  'newsletters',
  'facebooktwitterinstagramyoutubeemail',
  'new',
  'privacy',
  'policyterms',
  'serviceyour',
  'privacy',
  'choicesfcc',
  'public',
  'fileclosed',
  'captioningcontact',
  'material',
  'fox',
  'television',
  'stations'],
 ['contentskip',
  'footertrending',
  'hall',
  'pass',
  'cash',
  'ed',
  'sheeran',
  'vegasmatt',
  'lizzy',
  'demand92',
  'moose',
  'apptownsquare',
  'talentseize',
  'dealsports',
  'scoreboardsubmit',
  'community',
  'hiringhomeon',
  'airmoose',
  'crewmatt',
  'lizzy',
  'morningmatt',
  'jamescooper',
  'fox92',
  'moose',
  'throwback',
  'lunchthe',
  "o'clock",
  'traffic',
  'jampopcrush',
  'nightsget',
  'newsletternewsweathersportslistenlisten',
  'moose',
  'alexalisten',
  'demandcontestsbecome',
  'moose',
  'valuable',
  'listenercontest',
  'ruleseventsbeats',
  'eatsplaylistmvlsign',
  'supportcommunitymarch',
  'petnesscommunity',
  'eventssubmit',
  'community',
  'event',
  'dealauctioncontactvirtual',
  'job',
  'fair',
  'sign',
  'upreport',
  'itstation',
  'infoadvertisenewslettermusic',
  'submissionjob',
  'opportunitieseeomorehomeon',
  'airmoose',
  'crewmatt',
  'lizzy',
  'morningmatt',
  'jamescooper',
  'fox92',
  'moose',
  'throwback',
  'lunchthe',
  "o'clock",
  'traffic',
  'jampopcrush',
  'nightsget',
  'newsletternewsweathersportslistenlisten',
  'moose',
  'alexalisten',
  'demandcontestsbecome',
  'moose',
  'valuable',
  'listenercontest',
  'ruleseventsbeats',
  'eatsplaylistmvlsign',
  'supportcommunitymarch',
  'petnesscommunity',
  'eventssubmit',
  'community',
  'event',
  'dealauctioncontactvirtual',
  'job',
  'fair',
  'sign',
  'upreport',
  'itstation',
  'infoadvertisenewslettermusic',
  'submissionjob',
  'youtubevisit',
  'facebookvisit',
  'snow',
  'central',
  'maine',
  'nor’eastermatt',
  'jamesmatt',
  'jamespublished',
  'march',
  'featshare',
  'facebookshare',
  'twitterwas',
  'snow',
  'ground',
  'driveway',
  'driveway',
  'springtime',
  'mud',
  'mr',
  'mrs',
  'awesome',
  'bit',
  'mcpissed',
  'driveway',
  'article',
  'matt',
  'james',
  'bitch',
  'driveway',
  'bitch',
  'article',
  'snow',
  'accumulation',
  'scale',
  'b',
  'word',
  'article',
  'weather',
  'mobile',
  'apptoday',
  'storm',
  'fact',
  'heaping',
  'pile',
  'nothingness',
  'central',
  'maine',
  'area',
  'storm',
  'debut',
  'lunchtime',
  'pb&j',
  'cape',
  'cod',
  'chip',
  'week',
  'storm',
  'year',
  'meteorologist',
  'suit',
  'storm',
  'year',
  'suit',
  'ryan',
  'munn',
  'wgme',
  'storm',
  'way',
  'southern',
  'maine',
  'storm',
  'tackahstorm',
  'tackahloading',
  'wind',
  'central',
  'maine',
  'day',
  'half',
  'mile',
  'hour',
  'couple',
  'snow',
  'recipe',
  'power',
  'outage',
  'worry',
  'cmp',
  'versant',
  'storm',
  'crew',
  'stand',
  'maine',
  'puc',
  'today',
  'state',
  'maine',
  'j',
  'mills',
  'plug',
  'state',
  'employee',
  'day',
  'kid',
  'school',
  'winter',
  'storm',
  'warning',
  'central',
  'maine',
  'warning',
  "o'clock",
  'wednesday',
  'afternoon',
  "take'er",
  'iight?look',
  'out!look',
  'out!loading',
  'meat',
  'potato',
  'driveway',
  'bit',
  'irritation',
  'wgme',
  'foot',
  'foot',
  'snow',
  'season',
  'easter',
  'dodge',
  'shoveling',
  'temp',
  "'",
  'storm',
  'lawn',
  'monday',
  'thar',
  'crazy',
  'maine',
  'weather',
  'events',
  'central',
  'maine',
  'school',
  'closing',
  'road',
  'maine',
  'snow',
  'maine',
  'new',
  'hampshire',
  'today',
  'snow',
  'maine',
  'maine',
  'weather',
  'snow',
  'snow',
  'stopcategorie',
  'local',
  'news',
  'moose',
  'morning',
  'news',
  'photos',
  'trending',
  'weathercommentsleave',
  'commentmore',
  'moosemaine',
  'tops',
  'list',
  'state',
  'natural',
  'disastersmaine',
  'tops',
  'list',
  'state',
  'natural',
  'disastersthis',
  'maine',
  'meteorologist',
  'nuggets',
  'win',
  'mvpthis',
  'maine',
  'meteorologist',
  'nuggets',
  'win',
  'sundresses',
  'khaki',
  'shorts',
  'folk',
  'central',
  'maine',
  'finna',
  'toasty',
  'warm',
  'weekbust',
  'sundresses',
  'khaki',
  'shorts',
  'folk',
  'central',
  'maine',
  'finna',
  'toasty',
  'warm',
  'weeksevere',
  'weather',
  'alert',
  'warning',
  'effect',
  'central',
  'maine',
  'monday',
  'morningsevere',
  'weather',
  'alert',
  'warning',
  'effect',
  'central',
  'maine',
  'monday',
  'morningenjoy',
  'cold',
  'heat',
  'wave',
  'maine',
  'weekenjoy',
  'cold',
  'heat',
  'wave',
  'maine',
  'weektick',
  'trouble',
  'maine',
  'severe',
  'tick',
  'season?tick',
  'troubles',
  'maine',
  'severe',
  'tick',
  'season?maine',
  'nation',
  'state',
  'springmaine',
  'nation',
  'state',
  'springhere',
  'best',
  'place',
  'snow',
  'fall',
  'maine',
  'winterhere',
  'best',
  'place',
  'snow',
  'fall',
  'maine',
  'wintermassive',
  'snowstorm',
  'winter',
  'maine',
  'new',
  'hampshire',
  'weekmassive',
  'snowstorm',
  'winter',
  'maine',
  'new',
  'hampshire',
  'weekinformationeeomarketing',
  'advertising',
  'solutionspublic',
  'fileneed',
  'assistancefcc',
  'applicationsreport',
  'rulesprivacy',
  'policyaccessibility',
  'statementexercise',
  'data',
  'rightscontactcentral',
  'maine',
  'business',
  'listingsfollow',
  'usvisit',
  'youtubevisit',
  'facebookvisit',
  'twitter2023',
  'moose',
  'townsquare',
  'media',
  'inc.',
  'right'],
 ['crosswordnewslettersallcheat',
  'sheetobsessedpoliticscrimeentertainmentmediainnovationopinionrussiau.s.',
  'newsscoutedcheat',
  'sheetpoliticsbiden',
  'worldelectionsopinionnational',
  'securitycongresspay',
  'dirtthe',
  'new',
  'abnormaltrumplandmediaconfiderdaytime',
  'talklate',
  'nightfox',
  'newsu.s.',
  'newsidentitiescrimeracelgbtextremismcoronavirusworldrussiaeuropechinamiddle',
  'eastinnovationsciencetravelentertainmenttvmoviesmusiccomedysportssextdb',
  'obsessedawards',
  'showsthe',
  'laughculturepower',
  "tripfashionbooksroyalisttechdisinformationscoutedclothingtechnologybeautyhomepetskitchenfitnessi'm",
  'forbest',
  'gaming',
  'air',
  'fryerscouponsvistaprint',
  'couponsulta',
  'couponsoffice',
  'depot',
  'couponsadidas',
  'promo',
  'codeswalmart',
  'promo',
  'codesh&m',
  'couponsspanx',
  'promo',
  'promo',
  'codesproductsnewsletterspodcastscrosswordssubscriptionfollow',
  'usgot',
  'tip?searchhomepageu.s.',
  'news‘unprecedented',
  'historic',
  'winter',
  'storm',
  'chaos',
  'texasblackoutmillion',
  'texans',
  'power',
  'tuesday',
  'temperature',
  'lone',
  'star',
  'state',
  'century',
  'justin',
  'rohrlichreporterupdated',
  'feb.',
  'est',
  'feb.',
  'est',
  'ron',
  'jenkins',
  'gettymillions',
  'texans',
  'power',
  'snap',
  'grid',
  'limit',
  'wind',
  'turbine',
  'medium',
  'report',
  'expert',
  'wind',
  'turbine',
  'piece',
  'gas',
  'energy',
  'addition',
  'issue',
  'system',
  'texas',
  'energy',
  'population',
  'sunday',
  'inch',
  'snow',
  'san',
  'angelo',
  'texas',
  'record',
  'inch',
  'city',
  'border',
  'city',
  'brownsville',
  'texas',
  'winter',
  'storm',
  'decade',
  'snow',
  'time',
  'dallas',
  'houston',
  'temperature',
  'austin',
  'temperature',
  'mid-60',
  'time',
  'year',
  'inch',
  'snow',
  'weekend',
  'accumulation',
  'year',
  'storm',
  'system',
  'dozen',
  'death',
  'state',
  'home',
  'business',
  'texas',
  'people',
  'power',
  'lone',
  'star',
  'state',
  'water',
  'appointment',
  'week',
  'pipe',
  'erika',
  'chew',
  'houston',
  'texas',
  'premier',
  'plumbing',
  'daily',
  'beast',
  'harris',
  'county',
  'houston',
  'people',
  'carbon',
  'monoxide',
  'poisoning',
  'effort',
  'household',
  'appliance',
  'fire',
  'marshal',
  'office',
  'woman',
  'child',
  'home',
  'car',
  'heat',
  'galveston',
  'examiner',
  'office',
  'weather',
  'death',
  'truck',
  'overflow',
  'texas',
  'footed',
  'temperature',
  'century',
  'gov.',
  'greg',
  'abbott',
  'summer',
  'heatwave',
  'daniel',
  'cohan',
  'professor',
  'engineering',
  'houston',
  'rice',
  'university',
  'daily',
  'beast',
  'problem',
  'number',
  'power',
  'plant',
  'month',
  'maintenance',
  'summertime',
  'peak',
  'demand',
  'texans',
  'covid-19',
  'inoculation',
  'vaccine',
  'delivery',
  'state',
  'hold',
  'wednesday',
  'white',
  'house',
  'sunday',
  'texas',
  'disaster',
  'zone',
  'state',
  'disaster',
  'declaration',
  'county',
  'outage',
  'tuesday',
  'day',
  'winter',
  'storm',
  'warning',
  'effect',
  'thursday',
  'morning',
  'clint',
  'cash',
  'dallas',
  'cnn',
  'affiliate',
  'ktvt',
  'snap',
  'car',
  'home',
  'power',
  'layer',
  'clothe',
  'body',
  'outlet',
  'neighborhood',
  'friend',
  'highland',
  'park',
  'texas',
  'version',
  'beverly',
  'hills',
  'outage',
  'twitter',
  'user',
  'city',
  'mile',
  'radius',
  'outage',
  'blackout',
  'report',
  'finger',
  'state',
  'fleet',
  'wind',
  'turbine',
  'percent',
  'state',
  'energy',
  'weather',
  'cohan',
  'wind',
  'power',
  'piece',
  'issue',
  'play',
  'shortage',
  'gas',
  'loss',
  'generating',
  'capacity',
  'texas',
  'power',
  'plant',
  'water',
  'intake',
  'list',
  'gas',
  'coal',
  'wind',
  'reason',
  'time',
  'demand',
  'time',
  'cohan',
  'challenge',
  'factor',
  'factor',
  'winter',
  'freeze',
  'decade',
  '”texas',
  'state',
  'union',
  'grid',
  'state',
  'line',
  'texas',
  'grid',
  'state',
  'consortium',
  'operator',
  'electric',
  'reliability',
  'council',
  'texas',
  'regulation',
  'grid',
  'operator',
  'company',
  'power',
  'ercot',
  'ceo',
  'bill',
  'magness',
  'statement',
  'texas',
  'energy',
  'independence',
  'price',
  'kris',
  'alexander',
  'emergency',
  'management',
  'professional',
  'sector',
  'life',
  'austin',
  'area',
  'texas',
  'taxis',
  'business',
  'state',
  'billion',
  'dollar',
  'tax',
  'break',
  'company',
  'tesla',
  'factory',
  'austin',
  'money',
  'coffer',
  'funding',
  'maintenance',
  'infrastructure',
  'repair',
  'alexander',
  'daily',
  'beast',
  'energy',
  'perspective',
  'state',
  'grid',
  'neighboring',
  'state',
  'supply',
  'spike',
  'demand',
  'texas',
  'texas',
  'jingoism',
  'alexander',
  'texas',
  'lot',
  'way',
  'sense',
  'justin',
  'rohrlichreporter@justinrohrlichjustin.rohrlich@thedailybeast.comgot',
  'tip',
  'daily',
  'beast',
  'listcheat',
  'sheetpoliticsentertainmentmediaworldinnovationu.s.',
  'newsscoutedtravelsubscriptioncrosswordnewsletterspodcastsaboutcontacttipsjobsadvertisehelpprivacycode',
  'ethics',
  'standardsdiversityterms',
  'conditionscopyright',
  'trademarksitemapbest',
  'pickscouponscoupons',
  'dick',
  'sporting',
  'goods',
  'couponshp',
  'coupon',
  'codeschewy',
  'promo',
  'codesnordstrom',
  'rack',
  'couponsjcpenny',
  'couponsnordstrom',
  'couponssamsung',
  'promo',
  'couponshome',
  'depot',
  'couponshotwire',
  'promo',
  'codesebay',
  'couponsashley',
  'furniture',
  'promo',
  'code',
  'daily',
  'beast',
  'company',
  'llc'],
 ['contentskip',
  'content',
  'register',
  'article',
  'newsletter',
  'time',
  'owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'lee',
  'enterprises',
  'terms',
  'service',
  '',
  '',
  'privacy',
  'policy',
  'help',
  'center',
  'account',
  'dashboard',
  'profile',
  'item',
  'ig',
  'virginia',
  'snow',
  'i-95',
  'ig',
  'virginia',
  'snow',
  'vehicle',
  'interstate',
  'caroline',
  'county',
  'jan.',
  'report',
  'office',
  'inspector',
  'general',
  'critique',
  'response',
  'state',
  'agency',
  'snowstorm',
  'road',
  'jan.',
  'january',
  'storm',
  'jackknifed',
  'tractor',
  'trailer',
  'vehicle',
  'mile',
  'backup',
  'i-95',
  'driver',
  'temperature',
  'virginia',
  'lesson',
  'state',
  'snowstorm',
  'stretch',
  'interstate',
  'january',
  'motorist',
  'state',
  'aid',
  'report',
  'office',
  'inspector',
  'general',
  'report',
  'friday',
  'critique',
  'response',
  'state',
  'agency',
  'transportation',
  'state',
  'police',
  'emergency',
  'management',
  'snowstorm',
  'i-95',
  'jan.',
  'league',
  'pitcher',
  'henrico',
  'firefighter',
  'chef',
  'paul',
  'elbling',
  'owner',
  'la',
  'petite',
  'france',
  'icon',
  'richmond',
  'dining',
  'simone',
  'cuccurullo',
  'richmond',
  'nbc',
  'station',
  'virginia',
  'surplus',
  'benefit',
  'vcu',
  'conference',
  'ryan',
  'odom',
  'contract',
  'sheryl',
  'crow',
  'jason',
  'aldean',
  'song',
  'controversy',
  'richmond',
  'housing',
  'resident',
  'homeowner',
  'program',
  'oklahoma',
  'transfer',
  'jake',
  'groves',
  'identity',
  'leader',
  'uva',
  'midsummers',
  'east',
  'end',
  'varina',
  'alum',
  'billups',
  'vcu',
  'basketball',
  'love',
  'city',
  'feds',
  'virginia',
  'million',
  'medicaid',
  'patient',
  'abb',
  'investment',
  'mechanicsville',
  'industry',
  'growth',
  'virginia',
  'coach',
  'world',
  'cup',
  'player',
  'wage',
  'child',
  'care',
  'crisis',
  'richmond',
  'area',
  'parent',
  'pressure',
  'waitlist',
  'price',
  'splash',
  'pad',
  'waterway',
  'lewis',
  'ginter',
  'botanical',
  'garden',
  'storm',
  'day',
  'gov.',
  'glenn',
  'youngkin',
  'office',
  'condition',
  'motorist',
  'vehicle',
  'temperature',
  'sen.',
  'tim',
  'kaine',
  'd',
  'va.',
  'office',
  'washington',
  'day',
  'hour',
  'home',
  'north',
  'richmond',
  'lesson',
  'safety',
  'virginians',
  'kaine',
  'statement',
  'friday',
  'response',
  'report',
  'commonwealth',
  'recommendation',
  'future',
  'situation',
  'motorist',
  'i-95.”“and',
  'level',
  'implementation',
  'bipartisan',
  'infrastructure',
  'law',
  'virginians',
  'crippling',
  'i-95',
  'state',
  'agency',
  'lesson',
  'snowstorm',
  'traffic',
  'interstate',
  'bristol',
  'inspector',
  'general',
  'state',
  'measure',
  'storm',
  'forecast',
  'danger',
  'public',
  'report',
  'vdot',
  'contractor',
  'snow',
  'emergencies“they’ve',
  'thing',
  'ben',
  'sutphin',
  'audit',
  'manager',
  'i-95',
  'investigation',
  'report',
  'june',
  'virginia',
  'department',
  'transportation',
  'contractor',
  'snow',
  'roadway',
  'emergency',
  'condition',
  'inspector',
  'general',
  'snow',
  'removal',
  'study',
  'i-95',
  'snow',
  'incident',
  'sutphin',
  'interview',
  'friday',
  'report',
  'virginia',
  'department',
  'emergency',
  'management',
  'plan',
  'disaster',
  'snowstorm',
  'january',
  'situation',
  'snowfall',
  'snow',
  'removal',
  '”more',
  'snow',
  'rainfall',
  'pre',
  '-',
  'treatment',
  'pavement',
  'report',
  'temperature',
  'condition',
  'tractor',
  'trailer',
  'jackknife',
  'section',
  'interstate',
  'direction',
  'traffic',
  'new',
  'year',
  'holiday',
  'air',
  'travel',
  'covid-19',
  'pandemic',
  'winter',
  'weather',
  'exercise',
  'january',
  'fact',
  'challenge',
  'incident',
  'report',
  'traffic',
  'highway',
  'system',
  'apple',
  'podcast',
  'google',
  'podcast',
  'rss',
  'feed',
  'omny',
  'studio',
  'motorist',
  'assistance',
  'need',
  'food',
  'water',
  'review',
  'northam',
  'agency',
  'action',
  'standstill',
  'i-95one',
  'fault',
  'report',
  'state',
  'communication',
  'public',
  'severity',
  'road',
  'hazard',
  'driver',
  'danger',
  'weather',
  'holiday',
  'weekend',
  'storm',
  'report',
  'state',
  'message',
  'phone',
  'channel',
  'highway',
  'message',
  'board',
  'message',
  'motorist',
  'state',
  'local',
  'supply',
  'inspector',
  'general',
  'message',
  'secretary',
  'transportation',
  'shannon',
  'valentine',
  'driver',
  'state',
  'control',
  'highway',
  'vehicle',
  'way',
  'motorist',
  'safety',
  'opinion',
  'people',
  'help',
  'message',
  'sutphin',
  'reality',
  'story',
  'stafford',
  'family',
  'people',
  'january',
  'snowthe',
  'report',
  'shortcoming',
  'awareness',
  'condition',
  'communication',
  'state',
  'office',
  'lack',
  'resource',
  'contractor',
  'snow',
  'inspector',
  'report',
  'inspector',
  'general',
  'lack',
  'power',
  'vdot',
  'road',
  'camera',
  'highway',
  'condition',
  'state',
  'telephone',
  'service',
  'radio',
  'communication',
  'vdot',
  'vehicle',
  'power',
  'camera',
  'sutphin',
  'report',
  'state',
  'funding',
  'general',
  'assembly',
  'network',
  'power',
  'source',
  'sean',
  'sublette',
  'jim',
  'duncan',
  'column',
  'paralysis',
  'i-95',
  'inspector',
  'general',
  'gov.',
  'ralph',
  'northam',
  'state',
  'emergency',
  'storm',
  'event',
  'level',
  'emergency',
  'declaration',
  'report',
  'alternative',
  'west',
  'virginia',
  'funding',
  'resource',
  'precaution',
  'storm',
  'resource',
  'staging',
  'national',
  'guard',
  'motorist',
  'archive',
  'photo',
  'virginia',
  'weather',
  'event',
  '1980',
  '1980',
  'week',
  'snow',
  'commonwealth',
  'jan.',
  'accident',
  'tree',
  'power',
  'outage',
  'metro',
  'richmond',
  'storm',
  'richmond',
  'snowfall',
  'record',
  'inch',
  'williamsburg',
  'inches.***caption',
  'jan.',
  'grtc',
  'riders',
  'samaritan',
  'shovel',
  'bus',
  'semmes',
  'avenue',
  'second',
  'snowstorm',
  'tidewater',
  'region',
  'feb.',
  'time',
  '7-',
  'inch',
  'total',
  'hampton',
  'roads',
  'century',
  'thousand',
  'motorist',
  'section',
  'virginia',
  'parade',
  'winter',
  'storm',
  'month',
  'night',
  'freezing',
  'low',
  'degree',
  'richmond',
  'area.***caption',
  'feb.',
  'people',
  'ice',
  'skate',
  'ice',
  'staples',
  'mill',
  'pond',
  'yesterday',
  'weather',
  'pond',
  'skater',
  'paradise',
  'season',
  'snowstorm',
  'blizzard',
  'march',
  'bunch',
  'wind',
  'snow',
  'life',
  'region',
  'people',
  'virginia',
  'traffic',
  'accident',
  'exposure',
  'heart',
  'attack',
  'norfolk',
  'inch',
  'storm',
  'month',
  'accumulation',
  'richmond',
  'inch',
  'record',
  'book',
  'winter',
  'mix',
  'ice',
  'snow',
  'virginia',
  'mid',
  '-',
  'march',
  'april',
  'weather',
  'rain',
  'tornado',
  'commonwealth',
  'hope',
  'weather',
  'winter',
  'april',
  'golf',
  'ball',
  'hail',
  'hanover',
  'county',
  'million',
  'dollar',
  'damage',
  'car',
  'crop',
  'roof',
  'window',
  'national',
  'weather',
  'service',
  'dog',
  'area',
  'storm',
  'richmond',
  'tornado',
  'afternoon',
  'damage',
  'field',
  'hampton',
  'roads',
  'tornado',
  'hailstorm',
  'month.***caption',
  'april',
  'cindee',
  'moore',
  'hail',
  'fell',
  'cars',
  'storm',
  'mechanicsville',
  'june',
  'derecho',
  'term',
  'storm',
  'kind',
  'area',
  'event',
  'july',
  'wind',
  'damage',
  'virginia',
  'line',
  'storm',
  'iowa',
  'day',
  'ohio',
  'valley',
  'west',
  'virginia',
  'wind',
  'mph',
  'boat',
  'chesapeake',
  'bay',
  'james',
  'river',
  'plane',
  'charlottesville',
  'power',
  'outage',
  'tree',
  'state',
  'concert',
  'richmond',
  'city',
  'stadium',
  'wind',
  'july',
  'limb',
  'car',
  'windshield',
  'franklin',
  'belvidere',
  'street',
  'high',
  '100',
  'time',
  'summer',
  'fall',
  'measure',
  'heat',
  'time',
  'richmond',
  'degree',
  'heat',
  'september',
  'degree',
  'record',
  'set',
  'richmond',
  'international',
  'airport',
  'sept.',
  'july',
  'mid',
  '-',
  'august',
  'richmond',
  'streak',
  'time',
  'high',
  'degree',
  'day',
  'record',
  'duration',
  'sept.',
  'pedestrian',
  'temperature',
  'richmond',
  'winter',
  'spring',
  'summer',
  'condition',
  'virginia',
  'half',
  'sept.',
  'bar',
  'fisherman',
  'rock',
  'hazard',
  'hershul',
  'england',
  'time',
  'james',
  'river',
  'fisherman',
  'rock',
  'yesterday',
  'water',
  'place',
  'line',
  'channel',
  'river',
  'belle',
  'island',
  'flow',
  'rock',
  'water',
  'england',
  'yesterday',
  'river',
  'drought',
  'rain',
  'pressure',
  'temperature',
  'road',
  'sidewalk',
  'virginia',
  'ice',
  'rink',
  'morning',
  'dec.',
  '1980.hundred',
  'accident',
  'highway',
  'hospital',
  'injury',
  'fall',
  'tow',
  'truck',
  'trouble',
  'wintry',
  'mix',
  'road',
  'dec.',
  '28.***caption',
  'dec.',
  'wrecker',
  'jahnke',
  'road',
  'auto',
  'litteraccidents',
  'richmond',
  'henrico',
  'chesterfield',
  'drought',
  'effect',
  'year',
  'virginia',
  'drought',
  'condition',
  'january',
  'february',
  'stream',
  'flow',
  'spring',
  'virginia',
  'january',
  'december',
  'february',
  'winter',
  'record.***caption',
  'jan.',
  'water',
  'covered',
  'charlottesville',
  'reservoir',
  'beach',
  'widespread',
  'drought',
  'virginia',
  'temperature',
  'half',
  'january',
  'low',
  'degree',
  'richmond',
  'ashland',
  'wytheville',
  'lack',
  'snow',
  'cover',
  'death',
  'exposure',
  'nws.richmond',
  'night',
  'degree',
  'winter',
  'climate',
  'then.***caption',
  'jan.',
  'ice',
  'fountain',
  'lake',
  'byrd',
  'park',
  'inch',
  'skater',
  'chance',
  'paddle',
  'boat',
  'summer',
  'january',
  'weather',
  'potomac',
  'river',
  'navigation',
  'foot',
  'ton',
  'iceberg',
  'rappahannock',
  'highway',
  'bridge',
  'thaw',
  'rescue.***caption',
  'jan.',
  'lt',
  'cmdr',
  'duane',
  'preston',
  'ice',
  'buoy',
  'shotgun(the',
  'coast',
  'guard',
  'cutter',
  'madrona',
  'ice',
  'potomac',
  'river',
  'quantico',
  'mid',
  '-',
  'february',
  'sequence',
  'weather',
  'midwinter',
  'tornado',
  'bellwood',
  'area',
  'chesterfield',
  'county',
  'feb.',
  'wind',
  'mph',
  'high',
  '60',
  '30',
  'day',
  'low',
  'teen',
  'pressure',
  'system',
  'richmond',
  'time',
  'reading',
  'millibar',
  'feb.',
  'caption',
  'feb.',
  'roof',
  'building',
  'reynolds',
  'reclamation',
  'plantbesides',
  'damage',
  'storm',
  'power',
  'line',
  'operation',
  'virginia',
  'rain',
  'june',
  'storm',
  'metro',
  'richmond',
  'june',
  'tree',
  'yard',
  'golf',
  'ball',
  'hail',
  'street',
  'floodwater.***caption',
  'june',
  'bicyclist',
  'tree',
  'damage',
  'w.',
  'thomas',
  'rice',
  'property',
  'riverside',
  'drivehigh',
  'wind',
  'tornado',
  'james',
  'river',
  'rice',
  'property',
  'lot',
  'storm',
  'virginia',
  'landfall',
  'eastern',
  'shore',
  'july',
  'tropical',
  'storm',
  'bret',
  'west',
  'atlantic',
  'bret',
  'land',
  'damage',
  'coast',
  'chesapeake',
  'bay',
  'bret',
  'rain',
  'area',
  'shenandoah',
  'national',
  'park',
  'year',
  'drought',
  'ebb',
  'record',
  'richmond',
  'westham',
  'gauge',
  'sept.',
  'foot',
  'year',
  'nws',
  'datum',
  'time',
  'low',
  'foot',
  'sept.',
  'oct.',
  'rock',
  'james',
  'river',
  'level',
  'yearstaken',
  'richmond',
  'boulevard',
  'bridge',
  'east',
  'outbreak',
  'arctic',
  'air',
  'virginia',
  'mid',
  '-',
  'january',
  '1982.richmond',
  'low',
  'degree',
  'wave',
  'high',
  'point',
  'area',
  'west',
  'wave',
  'snow',
  'sleet',
  'plumber',
  'auto',
  'mechanic',
  'repair',
  'lynchburg',
  'fire',
  'hydrant',
  'weather',
  'life',
  'virginia',
  'estimate',
  'injuries.***staff',
  'photo',
  'jan.',
  'glaze',
  'sleet',
  'rain',
  'virginia',
  'day',
  'mid',
  'january',
  ...],
 ['associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hawaii',
  'winter',
  'storm',
  'thunder',
  'hail',
  'power',
  'outage',
  'honolulu',
  'ap',
  'winter',
  'storm',
  'tree',
  'power',
  'soccer',
  'field',
  'hawaiian',
  'islands',
  'snow',
  'big',
  'island',
  'peak',
  'national',
  'weather',
  'service',
  'meteorologist',
  'scott',
  'rozanski',
  'tuesday',
  'weather',
  'kind',
  'storm',
  'hawaii',
  'december',
  'january',
  'storm',
  '”the',
  'northwest',
  'thunderstorm',
  'wind',
  'gust',
  'surf',
  'resident',
  'hail',
  'rozanski',
  'storm',
  'kind',
  'honolulu',
  'dozen',
  'tree',
  'branch',
  'county',
  'park',
  'department',
  'waipio',
  'soccer',
  'field',
  'sentencing',
  'arizona',
  'mother',
  'murder',
  'child',
  'abuse',
  'starvation',
  'son',
  'bluffing',
  'putin',
  'deployment',
  'weapon',
  'belarus',
  'saber',
  'england',
  'home',
  'crowd',
  'women',
  'world',
  'cup',
  'australia',
  'power',
  'outage',
  'closure',
  'wailuku',
  'courthouse',
  'hawaii',
  'chief',
  'justice',
  'mark',
  'recktenwald',
  'rescheduling',
  'hearing',
  'trial',
  'filing',
  'deadline',
  'maui',
  'talmadge',
  'magno',
  'director',
  'hawaii',
  'county',
  'civil',
  'defense',
  'agency',
  'tree',
  'flooding',
  'road',
  'snow',
  'mauna',
  'kea',
  'mauna',
  'loa',
  'vent',
  'lava',
  'week',
  'mauna',
  'loa',
  'time',
  'year',
  'snow',
  'mountain',
  'elevation',
  'mauna',
  'kea',
  'foot',
  'meter',
  'mauna',
  'loa',
  'foot',
  'storm',
  'big',
  'island',
  'tuesday',
  'magno',
  'agency',
  'extent',
  'storm',
  'damage',
  'hawaii',
  'emergency',
  'management',
  'agency',
  'friday',
  'storm',
  'pacific',
  'northwest',
  'tuesday',
  'rockies',
  'plains',
  'midwest',
  'associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights'],
 ['accessibility',
  'link',
  'content',
  'keyboard',
  'shortcut',
  'player',
  'books',
  'movies',
  'television',
  'pop',
  'culture',
  'food',
  'art',
  'design',
  'performing',
  'arts',
  'life',
  'kit',
  'gaming',
  'podcasts',
  'shows',
  'expand',
  'collapse',
  'submenu',
  'podcast',
  'u.s.',
  'winter',
  'storm',
  'holiday',
  'travel',
  'nationwide',
  'thousand',
  'flight',
  'place',
  'temperature',
  'degree',
  'hour',
  'wind',
  'chill',
  'inch',
  'snow',
  'winter',
  'storm',
  'u.s.',
  'holiday',
  'travel',
  'december',
  'pm',
  'et',
  'december',
  'et',
  'person',
  'blanket',
  'snow',
  'street',
  'thursday',
  'st.',
  'louis',
  'person',
  'blanket',
  'snow',
  'street',
  'thursday',
  'st.',
  'louis',
  'day',
  'million',
  'americans',
  'winter',
  'holiday',
  'weather',
  'system',
  'united',
  'states',
  'record',
  'wind',
  'precipitation',
  'state',
  'montana',
  'alabama',
  'national',
  'weather',
  'service',
  'nation',
  'resident',
  'sort',
  'winter',
  'weather',
  'alert',
  'thursday',
  'winter',
  'malady',
  'blizzard',
  'snow',
  'squall',
  'ice',
  'storm',
  'wind',
  'wind',
  'chill',
  'freeze',
  'thursday',
  'forecast',
  'nws',
  'record',
  'life',
  'wind',
  'chill',
  'great',
  'plains',
  'half',
  'nation',
  'friday',
  'weather',
  'winter',
  'weather',
  'temperature',
  'drop',
  'minute',
  'u.s.',
  'weather',
  'alert',
  'president',
  'biden',
  'reporter',
  'thursday',
  'morning',
  'map',
  'wind',
  'chill',
  'forecast',
  'snow',
  'day',
  'kid',
  'stuff',
  'temperature',
  'rocky',
  'mountains',
  'record',
  'pace',
  'wednesday',
  'night',
  'cheyenne',
  'wyo',
  '.',
  'temperature',
  'degree',
  'minute',
  'snow',
  'minneapolis',
  'thursday',
  'snow',
  'minneapolis',
  'thursday',
  'governor',
  'georgia',
  'kansas',
  'kentucky',
  'north',
  'carolina',
  'oklahoma',
  'west',
  'virginia',
  'wyoming',
  'state',
  'emergency',
  'indiana',
  'colorado',
  'missouri',
  'governor',
  'national',
  'guard',
  'texas',
  'winter',
  'storm',
  'state',
  'power',
  'grid',
  'people',
  'official',
  'grid',
  'forecast',
  'weather',
  'precipitation',
  'president',
  'biden',
  'americans',
  'weather',
  'warning',
  'brendan',
  'smialowski',
  'afp',
  'getty',
  'images',
  'brendan',
  'smialowski',
  'afp',
  'getty',
  'images',
  'president',
  'biden',
  'americans',
  'weather',
  'warning',
  'brendan',
  'smialowski',
  'afp',
  'getty',
  'images',
  'grid',
  'peter',
  'lake',
  'chairman',
  'state',
  'public',
  'utility',
  'commission',
  'wednesday',
  'news',
  'conference',
  'generation',
  'demand',
  'winter',
  'weather',
  'event',
  'city',
  'county',
  'state',
  'warming',
  'center',
  'term',
  'emergency',
  'shelter',
  'resident',
  'cold',
  'road',
  'highway',
  'wyoming',
  'missouri',
  'wind',
  'snow',
  'visibility',
  'official',
  'state',
  'colorado',
  'illinois',
  'driver',
  'travel',
  'danger',
  'visibility',
  'condition',
  'wyoming',
  'gov.',
  'mark',
  'gordon',
  'vehicle',
  'state',
  'road',
  'weather',
  'challenge',
  'semitruck',
  'pickup',
  'fuel',
  'temperature',
  'truck',
  'lot',
  'road',
  'gordon',
  'thing',
  'thursday',
  'message',
  'people',
  'road',
  'thing',
  'clothe',
  'food',
  'country',
  'forecaster',
  'road',
  'idea',
  'snow',
  'wind',
  'driving',
  'condition',
  'minimum',
  'mike',
  'bardou',
  'forecaster',
  'nws',
  'office',
  'chicago',
  'blowing',
  'drifting',
  'level',
  'people',
  'drift',
  'temperature',
  'studio',
  'today',
  '@wypublicradio',
  'day',
  'wyoming',
  'decade',
  'car',
  'gauge',
  'wyoming',
  'host',
  'work',
  'news',
  'radio',
  'walkey',
  'december',
  'air',
  'prospect',
  'afternoon',
  'thursday',
  'flight',
  'u.s.',
  'flight',
  'tracking',
  'website',
  'flightaware',
  'airport',
  'denver',
  'international',
  'airport',
  'temperature',
  'degree',
  'dia',
  'flight',
  'quarter',
  'flight',
  'airport',
  'thursday',
  'chicago',
  'inch',
  'snow',
  'course',
  'day',
  'thursday',
  'friday',
  'temperature',
  'weather',
  'weather',
  'condition',
  'u.s.',
  'mean',
  'bomb',
  'cyclone',
  'city',
  'official',
  'crew',
  'clock',
  'flight',
  'city',
  'airport',
  "o'hare",
  'midway',
  'hub',
  'airline',
  'individual',
  'disposal',
  'piece',
  'snow',
  'removal',
  'equipment',
  'gallon',
  'deicer',
  'runway',
  'taxiway',
  'ton',
  'salt',
  'andrew',
  'velasquez',
  'city',
  'deputy',
  'aviation',
  'commissioner',
  'airport',
  'flight',
  'thursday',
  'traveler',
  'floor',
  'denver',
  'international',
  'airport',
  'thursday',
  'morning',
  'temperature',
  'degree',
  'traveler',
  'floor',
  'denver',
  'international',
  'airport',
  'thursday',
  'morning',
  'temperature',
  'degree',
  'mile',
  'kansas',
  'city',
  'winter',
  'weather',
  'inch',
  'snow',
  'temperature',
  'day',
  'strain',
  'city',
  'service',
  'area',
  'shelter',
  'bed',
  'week',
  'capacity',
  'people',
  'shelter',
  'city',
  'streetcar',
  'thursday',
  'crew',
  'a.m.',
  'route',
  'platform',
  'library',
  'bus',
  'parking',
  'garage',
  'pete',
  'place',
  'kcur',
  'montana',
  'sun',
  'thursday',
  'snow',
  'midwest',
  'temperature',
  'weekend',
  'forecast',
  'lisa',
  'carter',
  'snowmobile',
  'rental',
  'business',
  'west',
  'yellowstone',
  'time',
  'hank',
  'willemsma',
  'rancher',
  'dillon',
  'thursday',
  'temperature',
  'degree',
  'cold',
  'hay',
  'cattle',
  'winter',
  'year',
  'montana',
  'cattle',
  'time',
  'stuff',
  'willemsma',
  'reporting',
  'npr',
  'david',
  'schaper',
  'chicago',
  'montana',
  'public',
  'radio',
  'john',
  'hooks',
  'butte',
  'kcur',
  'savannah',
  'hawley',
  'bates',
  'kansas',
  'city',
  'npr',
  'ivy',
  'winfrey',
  'washington',
  'd.c.',
  'support',
  'public',
  'radio',
  'sponsor',
  'npr',
  'npr',
  'careers',
  'npr',
  'shop',
  'npr',
  'event',
  'npr',
  'term',
  'use',
  'privacy',
  'privacy',
  'choices',
  'text'],
 ['content',
  'search',
  'dnr',
  'website',
  'toggle',
  'navigation',
  'toggle',
  'search',
  'search',
  'dnr',
  'website',
  'search',
  'recreationbiking',
  'line',
  'skatingboatingcampingcanoeing',
  'kayakingcross',
  '-',
  'country',
  'skiingfishinghikinghorseback',
  'ridinghunting',
  'trappingnature',
  'viewingoff',
  'highway',
  'vehicle',
  'ridingrecreation',
  'sportssnowmobilingsnowshoeingmore',
  'management',
  'piershunter',
  'highway',
  'vehicle',
  'trailsruffed',
  'grouse',
  'management',
  'areasscientific',
  'forestsstate',
  'park',
  'recreation',
  'trailsstate',
  'water',
  'trailswalk',
  'accesseswildlife',
  'management',
  'wildlifeforestsinvasive',
  'speciesplantsprairiesrare',
  'speciesrock',
  'mineralswatermore',
  'education',
  'safetyboat',
  'water',
  'education',
  'safety',
  'resource',
  'vehicle',
  'safety',
  'classessafety',
  'training',
  'instructorsmore',
  'licenses',
  'permits',
  'regulationscritical',
  'habitat',
  'license',
  'plateslicense',
  'information',
  'license',
  'license',
  'online',
  'hunting',
  'lotteriespermitsregulationsmilitary',
  'personnel',
  'benefitsmore',
  'event',
  'seasonscommunity',
  'eventsenvironmental',
  'seasonshunting',
  'trapping',
  'seasonshunting',
  'fishing',
  'eventssafety',
  'training',
  'class',
  'area',
  'park',
  'trail',
  'dnrcareerscontact',
  'office',
  'locator',
  'map',
  'medium',
  'inquiriesmission',
  'engagementsocial',
  'mediavolunteeringmore',
  '\u200c',
  'homenatureclimatesummaries',
  'publications',
  'climate',
  'summaries',
  'publicationsgeneral',
  'statistics',
  'summariesextremes',
  'time',
  'recordstemperature',
  'frost',
  'freeze',
  'probsgrowing',
  'degree',
  'daysdroughtprecipitationextreme',
  'rainfall',
  'icerelative',
  'humidity',
  'dew',
  'pointwindtornadoesthunderstorms',
  'floods',
  'lightningsolar',
  'radiationsoil',
  'temperature',
  'soil',
  'moistureevaporationlake',
  'ice',
  'fall',
  'colorshistoric',
  'weather',
  'eventshistory',
  'weather',
  'observingeducational',
  'articles',
  'page',
  'menu',
  'winter',
  'storm',
  'nov',
  'storm',
  'shipwreck',
  'great',
  'lakes',
  'sailor',
  'diedfeb',
  'blizzard',
  'minnesota',
  'history',
  'day',
  'ft',
  'barn',
  'county',
  'nite',
  'death',
  'nov',
  'winter',
  'storm',
  'warning',
  'u.s.',
  'army',
  'signal',
  'corpsmar',
  'blizzard',
  'iowa',
  'sw',
  'minnesota',
  'inch',
  'snowfall',
  'use',
  'term',
  'blizzard',
  'boxing',
  'volley',
  'punch',
  'estherville',
  'ia',
  'vindicator',
  'newspaper',
  'term',
  'blizzard',
  'u.s.',
  'signal',
  'corps',
  'weather',
  'service',
  'day',
  'people',
  'blizzard',
  'temperature',
  'drop',
  'death',
  'cattle',
  'train',
  'day',
  'drift',
  'october',
  'blizzard',
  'minnesota',
  'sw',
  'wc',
  'county',
  'drift',
  'ft',
  'canby',
  'area',
  'springjan',
  'day',
  'child',
  'school',
  'people',
  'wave',
  'snow',
  'temperature',
  'degree',
  'f.',
  'children',
  'school',
  'death',
  'minnesota',
  'blizzard',
  'east',
  'coast',
  'blizzard',
  'month',
  'march',
  'mar',
  'duluth',
  'blizzard',
  'mph',
  'wind',
  'snow',
  'drift',
  'ft',
  'story',
  'window',
  'building',
  'jan',
  'blizzard',
  'park',
  'rapids',
  'mn',
  'temperature',
  'drop',
  'degree',
  'f',
  'hour',
  'nov',
  'thanksgiving',
  'day',
  'storm',
  'rain',
  'thunderstorm',
  'minnesota',
  'snow',
  'blizzard',
  'nd',
  'mn',
  'county',
  'people',
  'holiday',
  'wave',
  'pokegama',
  'dam',
  'f.nov',
  'blizzard',
  'duluth',
  'mph',
  'wind',
  'sank',
  'ship',
  'lake',
  'superior',
  'nov',
  'november',
  'storm',
  'great',
  'lakes',
  'blizzard',
  'mn',
  'mph',
  'wind',
  'duluth',
  'ship',
  'lake',
  'superior',
  'oct',
  'blizzard',
  'inch',
  'snow',
  'county',
  'degree',
  'f',
  'temperature',
  'drop',
  'jan',
  'blizzard',
  'condition',
  'county',
  'mph',
  'wind',
  'soil',
  'minnesota',
  'county',
  'feb',
  'ice',
  'storm',
  'blizzard',
  'feb',
  'dust',
  'blizzard',
  'snow',
  'ndnov',
  'dust',
  'storm',
  'county',
  'visibility',
  'blizzard',
  'nw',
  'county',
  'nov',
  'armistice',
  'day',
  'blizzard',
  'day',
  'season',
  'swing',
  'inch',
  'snow',
  'msp',
  'inch',
  'collegeville',
  'duck',
  'hunter',
  'mississippi',
  'river',
  'island',
  'death',
  'sailor',
  'great',
  'lakes',
  'moving',
  'system',
  'mar',
  'blizzard',
  'county',
  'mph',
  'wind',
  'grand',
  'forks',
  'mph',
  'wind',
  'duluth',
  'death',
  'footnote',
  'blizzard',
  'winter',
  'weather',
  'service',
  'forecast',
  'responsibility',
  'minnesota',
  'jurisdiction',
  'chicago',
  'office',
  'responsibility',
  'forecast',
  'procedures.)dec',
  'blizzard',
  'mn',
  'inch',
  'snow',
  'duluth',
  'nov',
  'blizzard',
  'mph',
  'wind',
  'man',
  'sinking',
  'carl',
  'd.',
  'bradley',
  'lake',
  'michigan',
  'nov',
  'storm',
  'blizzard',
  'lake',
  'superior',
  'shoreline',
  'ft',
  'wave',
  'shoreline',
  'property',
  'foot',
  'water',
  'flood',
  'street',
  'grand',
  'marais',
  'mn',
  'wind',
  'mph',
  'duluth',
  'ft',
  'snowfall',
  'thousand',
  'chord',
  'pulpwood',
  'lake',
  'superior',
  'mar',
  'blizzard',
  'south',
  'dakota',
  'north',
  'dakota',
  'northwest',
  'minnesota',
  'duration',
  'event',
  'inch',
  'snow',
  'mph',
  'wind',
  'time',
  'person',
  'storm',
  'minnesota',
  'thousand',
  'livestock',
  'transportation',
  'area',
  'drift',
  'foot',
  'photograph',
  'aftermath',
  'storm',
  'north',
  'dakota',
  'dot',
  'employee',
  'bill',
  'koch',
  'power',
  'line',
  'hat',
  'level',
  'wires.)jan',
  'blizzard',
  'death',
  'snow',
  'dec',
  'jan',
  'winter',
  'blizzard',
  'warning',
  'state',
  'snowfall',
  'inch',
  'county',
  'storm',
  'jan',
  'blizzard',
  'sw',
  'mn',
  'mph',
  'wind',
  'worthington',
  'inch',
  'snow',
  'school',
  'bus',
  'shelter',
  'farm',
  'home',
  'dec',
  'new',
  'year',
  'eve',
  'blizzard',
  'celebration',
  'activity',
  'jan',
  'blizzard',
  'storm',
  'road',
  'state',
  'day',
  'ft',
  'drift',
  'foot',
  'snow',
  'train',
  'willmar',
  'head',
  'livestock',
  'pressure',
  'record',
  'duluth',
  'wind',
  'mph',
  'storm',
  'state',
  'people',
  'blizzard',
  'heart',
  'attack',
  'mar',
  'mar',
  'blizzard',
  'mn',
  'mph',
  'wind',
  'ft',
  'wave',
  'lake',
  'superior',
  'shoreline',
  'property',
  'visibility',
  'duluth',
  'ft',
  'snow',
  'storm',
  'nov',
  'winter',
  'storm',
  'mph',
  'wind',
  'ft',
  'wave',
  'lake',
  'superior',
  'edmund',
  'fitzgerald',
  'storm',
  'area',
  'nov',
  'snow',
  'blizzard',
  'condition',
  'foot',
  'snow',
  'fabric',
  'metrodome',
  'feb',
  'blizzard',
  'mn',
  'wind',
  'mph',
  'wall',
  'snowfall',
  'total',
  'inch',
  'windchill',
  'vehicle',
  'fish',
  'house',
  'mar',
  'blizzard',
  'inch',
  'snowfall',
  'duluth',
  'wind',
  'mph',
  '-',
  'story',
  'drift',
  'school',
  'international',
  'falls',
  'nov',
  'blizzard',
  'condition',
  'county',
  'inch',
  'snow',
  'international',
  'falls',
  'nov',
  'blizzard',
  'state',
  'time',
  'wind',
  'mph',
  'windom',
  'snow',
  'ft',
  'snowfall',
  'inch',
  'east',
  'mn.jan',
  'blizzard',
  'red',
  'river',
  'valley',
  'inch',
  'snow',
  'road',
  'mph',
  'wind',
  'flooding',
  'oct',
  'nov',
  'halloween',
  'blizzard',
  'inch',
  'msp',
  'inch',
  'duluth',
  'windchill',
  'condition',
  'snow',
  'wildlife',
  'road',
  'day',
  'blizzard',
  'state',
  'history',
  'feb',
  'mar',
  'blizzard',
  'inch',
  'snow',
  'wind',
  'mph',
  'duluth',
  'area',
  'blizzard',
  'heel',
  'winter',
  'storm',
  'upper',
  'midwest',
  'foot',
  'snow',
  'minnesota',
  'february',
  'february',
  'duluth',
  'area',
  'inch',
  'snow',
  'event',
  'national',
  'weather',
  'service',
  'summary',
  'stormharsh',
  'winters:1995',
  'dec',
  'blizzard',
  'wc',
  'mn',
  'jan',
  'blizzard',
  'wc',
  'mn',
  'jan',
  'blizzard',
  'sw',
  'mn',
  'jan',
  'blizzard',
  'county',
  'feb',
  'blizzard',
  'county',
  'governor',
  'school',
  'mar',
  'blizzard',
  'county',
  'hwy',
  'closed)1996',
  'nov',
  'blizzard',
  'nw',
  'wc',
  'dec',
  'blizzard',
  'county',
  'dec',
  'blizzard',
  'nw',
  'dec',
  'blizzard',
  'wc',
  'dec',
  'new',
  'year',
  'eve',
  'blizzard',
  'nw',
  'jan',
  'blizzard',
  'county',
  'jan',
  'blizzard',
  'county',
  'jan',
  'blizzard',
  'county',
  'jan',
  'blizzard',
  'county',
  'mar',
  'blizzard',
  'wc',
  'apr',
  'blizzard',
  'county',
  'flood',
  'fight',
  'snowfall',
  'fargo',
  'moorhead',
  'inch',
  'flooding',
  'information',
  'contact',
  'email',
  'questions?call',
  'email',
  'email',
  'updatesemail',
  'address',
  'minnesota',
  'dnr',
  'opportunity',
  'employer',
  'datum',
  'access',
  'disclaimer',
  'notice',
  'policy',
  'a‑z',
  'list'],
 ['advertisementskip',
  'main',
  'contentaccessibility',
  'helpthe',
  'weather',
  'channeltype',
  'character',
  'auto',
  'complete',
  'location',
  'search',
  'query',
  'option',
  'arrow',
  'selection',
  'search',
  'city',
  'zip',
  'codesearchrecentsyou',
  'locationsglobeus',
  '°',
  'farrow',
  '°',
  'f',
  '°',
  'chybridimperial',
  'f',
  'mph',
  'mile',
  'inchesamericasarrow',
  'downantigua',
  'barbuda',
  'englishargentina',
  'españolbahamas',
  'englishbarbados',
  'englishbelize',
  'englishbolivia',
  'españolbrazil',
  'portuguêscanada',
  'englishcanada',
  'françaischile',
  'españolcolombia',
  'españolcosta',
  'rica',
  'españoldominica',
  'englishdominican',
  'republic',
  '',
  '',
  'españolecuador',
  'españolel',
  'salvador',
  '',
  '',
  'españolgrenada',
  'englishguatemala',
  'españolguyana',
  'englishhaiti',
  'françaishonduras',
  'españoljamaica',
  'englishmexico',
  'españolnicaragua',
  'españolpanama',
  'españolpanama',
  'englishparaguay',
  'españolperu',
  '',
  '',
  'españolst',
  'kitts',
  'nevis',
  'englishst',
  'lucia',
  '',
  '',
  'englishst',
  'vincent',
  'grenadines',
  'englishsuriname',
  'nederlandstrinidad',
  'tobago',
  'englishuruguay',
  'españolunited',
  'states',
  'englishunited',
  'states',
  'españolvenezuela',
  'españolafricaarrow',
  'downalgeria',
  'françaisangola',
  'portuguêsbenin',
  'françaisburkina',
  'faso',
  'françaisburundi',
  'françaiscameroon',
  '',
  '',
  'françaiscameroon',
  '',
  '',
  'englishcape',
  'verde',
  'portuguêscentral',
  'african',
  'republic',
  'françaischad',
  'françaischad',
  'العربيةcomoro',
  'françaiscomoros',
  '',
  '',
  'العربيةdemocratic',
  'republic',
  'congo',
  '',
  '',
  'françaisrepublic',
  'congo',
  'françaiscôte',
  "d'ivoire",
  'françaisdjibouti',
  'françaisdjibouti',
  'العربيةegypt',
  'العربيةequatorial',
  'guinea',
  'españoleritrea',
  'françaisgambia',
  'englishghana',
  'englishguinea',
  'françaisguinea',
  'bissau',
  'portuguêskenya',
  'englishlesotho',
  'englishliberia',
  'englishlibya',
  'العربيةmadagascar',
  'françaismali',
  'françaismauritania',
  'العربيةmauritius',
  '',
  '',
  'englishmauritius',
  'françaismorocco',
  '',
  '',
  'françaismozambique',
  'portuguêsnamibia',
  'englishniger',
  'françaisnigeria',
  'englishrwanda',
  'françaisrwanda',
  'englishsao',
  'tome',
  'principe',
  'portuguêssenegal',
  'françaissierra',
  'leone',
  'englishsomalia',
  'africa',
  'englishsouth',
  'sudan',
  'englishsudan',
  '',
  '',
  'englishtanzania',
  'françaistunisia',
  'العربيةuganda',
  'englishasia',
  'pacificarrow',
  'downaustralia',
  'englishbangladesh',
  'বাংলাbrunei',
  'bahasa',
  'melayuchina',
  'kong',
  'sar',
  '',
  '',
  'timor',
  'portuguêsfiji',
  'englishindia',
  'english',
  'englishindia',
  'hindi',
  'हिन्दीindonesia',
  'bahasa',
  'indonesiajapan',
  'englishsouth',
  'korea',
  '한국어kyrgyzstan',
  'русскийmalaysia',
  'bahasa',
  'melayumarshall',
  'islands',
  'englishmicronesia',
  'englishnew',
  'zealand',
  'englishpalau',
  'englishphilippines',
  'englishphilippines',
  'tagalogsamoa',
  'englishsingapore',
  'englishsingapore',
  '',
  '',
  '中文solomon',
  'islands',
  'englishtaiwan',
  '中文thailand',
  'ไทยtonga',
  'englishtuvalu',
  'englishvanuatu',
  'englishvanuatu',
  'françaisvietnam',
  'tiếng',
  'việteuropearrow',
  'downandorra',
  'catalàandorra',
  'françaisaustria',
  'deutschbelarus',
  'русскийbelgium',
  'dutchbelgium',
  'françaisbosnia',
  'herzegovina',
  'hrvatskicroatia',
  'hrvatskicyprus',
  'ελληνικάczech',
  'republic',
  'češtinadenmark',
  'danskestonia',
  'русскийestonia',
  'eestifinland',
  'suomifrance',
  'françaisgermany',
  'deutschgreece',
  'ελληνικάhungary',
  'magyarireland',
  'englishitaly',
  'italianoliechtenstein',
  'deutschluxembourg',
  'françaismalta',
  'englishmonaco',
  'françaisnetherlands',
  'nederlandsnorway',
  'norskpoland',
  'polskiportugal',
  'portuguêsromania',
  'românărussia',
  'русскийsan',
  'marino',
  'italianoslovakia',
  'slovenčinaspain',
  'españolspain',
  'catalàsweden',
  'svenskaswitzerland',
  'deutschturkey',
  'turkçeukraine',
  'українськаunited',
  'kingdom',
  'englishstate',
  'vatican',
  'city',
  'holy',
  'italianomiddle',
  'eastarrow',
  'downbahrain',
  'فارسىiraq',
  'العربيةisrael',
  'עִבְרִיתjordan',
  '',
  '',
  'العربيةlebanon',
  'العربيةpakistan',
  'اردوpakistan',
  'englishqatar',
  'arabia',
  'العربيةsyria',
  'arab',
  'emirates',
  'العربيةweathertoday',
  'forecasthourly',
  'forecastweekend',
  'forecastmonthly',
  'forecastnational',
  'forecastnational',
  'newsalmanacradarweather',
  'motionradar',
  'mapsclassic',
  'weather',
  'mapsregional',
  'satelliteseveresevere',
  'alertssafety',
  'preparednesshurricane',
  'centralaccountsign',
  'upgo',
  'premiumlog',
  'inget',
  'newsletterweb',
  'notificationsnewvideo',
  'photostop',
  'storiesvideophotosclimate',
  'newsexternal',
  'linkaward',
  'investigationsexternal',
  'linkhealth',
  'activitiesallergy',
  'trackercold',
  'fluair',
  'quality',
  'forecasttv',
  'weatheralexa',
  'skillexternal',
  'linkwatch',
  'liveexternal',
  'linkpersonalitiesexternal',
  'linkweather',
  'productsalexa',
  'skillexternal',
  'linkseasonal',
  'dealsprivacyreview',
  'privacy',
  'ad',
  'settingsdata',
  'rightsprivacy',
  'policyarrow',
  'leftarrow',
  'righttodayhourly10',
  'dayweekendmonthlyradarvideovideomore',
  'forecastsmorearrow',
  'forecastsyesterday',
  'weatherexternal',
  'linkallergy',
  'trackercold',
  'fluair',
  'quality',
  'forecastadvertisementflood',
  'safety',
  'preparednessdeadly',
  'destructive',
  'flooding',
  'swamped',
  'vermont',
  'new',
  'york',
  'pennsylvaniaby',
  'glancedestructive',
  'flash',
  'flooding',
  'hudson',
  'valley',
  'eastern',
  'pennsylvania',
  'sunday',
  'noaa',
  'risk',
  'flash',
  'flooding',
  'new',
  'england',
  'monday',
  'vermont',
  'tropical',
  'storm',
  'irene',
  'morning',
  'brief',
  'email',
  'newsletter',
  'update',
  'weather',
  'channel',
  'meteorologist',
  'flash',
  'flooding',
  'northeast',
  'sunday',
  'july',
  'tuesday',
  'july',
  'portion',
  'new',
  'york',
  'vermont',
  'low',
  'northeast',
  'moisture',
  'july',
  'standard',
  'rain',
  'period',
  'time',
  'area',
  'hour',
  'rainfall',
  'rate',
  'inch',
  'hour',
  'northeast',
  'hour',
  'period',
  'morning',
  'july',
  'july',
  'national',
  'weather',
  'service',
  'report',
  'flash',
  'flooding',
  'east',
  'border',
  'new',
  'york',
  'vermont',
  'north',
  'carolina',
  'area',
  'july',
  'area',
  'u.s.',
  'military',
  'academy',
  'west',
  'point',
  'new',
  'york',
  'inch',
  'rain',
  'hour',
  'vehicle',
  'road',
  'rainfall',
  'rate',
  'percent',
  'chance',
  'year',
  'i\u200bn',
  'northwest',
  'connecticut',
  'flooding',
  'road',
  'home',
  'town',
  'norfolk',
  'band',
  'rain',
  'street',
  'underpass',
  'providence',
  'rhode',
  'island',
  'i\u200bn',
  'eastern',
  'pennsylvania',
  'inch',
  'rain',
  'lead',
  'road',
  'water',
  'rescue',
  'reading',
  'pennsylvania',
  'july',
  'day',
  'record',
  'civil',
  'war',
  'day',
  'aug.',
  'major',
  'northeast',
  'flash',
  'flooding)h\u200bowever',
  'flooding',
  'vermont',
  'winooski',
  'river',
  'level',
  'year',
  'downtown',
  'state',
  'capital',
  'montpelier',
  'river',
  'level',
  'foot',
  'crest',
  'tropical',
  'storm',
  'irene',
  'great',
  'flood',
  'state',
  'disaster',
  'time',
  'calendar',
  'day',
  'record',
  'july',
  'inch',
  'record',
  'irene',
  'inch',
  'flash',
  'flood',
  'emergency',
  'flash',
  'flood',
  'alert',
  'nws',
  'county',
  'vermont',
  'town',
  'ludlow',
  'inch',
  'rain',
  'building',
  'road',
  'town',
  'otter',
  'creek',
  'rutland',
  'level',
  'irene',
  'lamoille',
  'river',
  'level',
  'jeffersonville',
  'level',
  'flood',
  'johnson',
  'vermont',
  'advertisementa\u200bt',
  'time',
  'state',
  'vermont',
  'flash',
  'flood',
  'warning',
  'total',
  'inch',
  'region',
  'rainfall',
  'total',
  'state',
  'vermont',
  '9\u200b.20',
  'inch',
  'york',
  'inch',
  'stormvillep\u200bennsylvania',
  'inch',
  'penn',
  'state',
  'berksc\u200bonnecticut',
  'inch',
  'south',
  'kentm\u200bassachusetts',
  'inch',
  'ashfieldn\u200bew',
  'hampshire',
  'inch',
  'new',
  'londonn\u200bew',
  'jersey',
  'inch',
  'califona\u200b',
  'irene',
  'august',
  'hurricane',
  'irene',
  'landfall',
  'north',
  'carolina',
  'new',
  'jersey',
  'vermont',
  'storm',
  'i\u200brene',
  'legacy',
  'flooding',
  'new',
  'england',
  'new',
  'york',
  'vermont',
  'irene',
  'flood',
  'road',
  'home',
  'bridge',
  'vermont',
  'disaster',
  'november',
  'flood',
  'town',
  'road',
  'electricity',
  'communication',
  'catskill',
  'mountain',
  'town',
  'new',
  'york',
  'noaa',
  'national',
  'centers',
  'environmental',
  'information',
  'monitoring',
  'station',
  'vermont',
  'time',
  'precipitation',
  'record',
  'irene',
  'location',
  'vermont',
  'inch',
  'rain',
  'irene',
  'national',
  'hurricane',
  'center',
  'report',
  'catskills',
  'new',
  'york',
  'inch',
  'rain',
  'irene',
  'leftarrow',
  'rightwater',
  'flood',
  'house',
  'route',
  'july',
  'windham',
  'vt',
  'rain',
  'flooding',
  'million',
  'people',
  'vermont',
  'north',
  'carolina',
  'scott',
  'eisen',
  'getty',
  'images)the',
  'weather',
  'company',
  'mission',
  'weather',
  'news',
  'environment',
  'importance',
  'science',
  'life',
  'story',
  'position',
  'parent',
  'company',
  'ibm',
  'toovideorecord',
  'heat',
  'countryvideonortheast',
  'heat',
  'wave',
  'wind',
  'tree',
  'new',
  'york',
  'hot',
  'morethat',
  'way',
  'cool',
  'offvideocat',
  'beachvideowhoop',
  'cat',
  'poolvideoalright',
  'pet',
  'pig',
  'poolsee',
  'moreadvertisementsign',
  'morning',
  'briefwake',
  'weather',
  'inbox',
  'weekday',
  'newsletter',
  'forecast',
  'weather',
  'insight',
  'photo',
  'trivium',
  'dash',
  'delight',
  'subscribetrending',
  'toddler',
  'brain',
  'landslide',
  'england',
  'southern',
  'coastvideokey',
  'ocean',
  'current',
  'study',
  'suggestsvideosea',
  'lions',
  'crowded',
  'san',
  'diego',
  'beachsee',
  'moreadvertisementadvertisementstay',
  'safeadvertisementin',
  'airvideohow',
  'app',
  'air',
  'qualityvideohow',
  'wildfire',
  'smoke',
  'oceans',
  'lake',
  'energy',
  'harmful',
  'air',
  'pollutionsee',
  'moreadvertisementadvertisementthe',
  'weather',
  'companythe',
  'weather',
  'channelweather',
  'undergroundfeedbackcareerspress',
  'roomadvertise',
  'sign',
  'upterm',
  'useprivacy',
  'policyadchoicesad',
  'choicesaccessibility',
  'statementdata',
  'vendorsgeorgiaessential',
  'accessibilitywe',
  'responsibility',
  'datum',
  'technology',
  'datum',
  'data',
  'vendor',
  'control',
  'datum',
  'privacy',
  'ad',
  'settingschoose',
  'information',
  'right',
  'copyright',
  'twc',
  'product',
  'technology',
  'llc',
  'theibm',
  'cloudibm',
  'cloudhidden',
  'weather',
  'icon',
  'maskshidden',
  'weather',
  'icon',
  'symbol'],
 ['bbc',
  'homepageskip',
  'helpyour',
  'accounthomenewssportreelworklifetravelfuturemore',
  'menumore',
  'bbchomenewssportreelworklifetravelfutureculturemusictvweathersoundsclose',
  'newsmenuhomewar',
  'ukraineclimatevideoworldus',
  'canadaukbusinesstechsciencemoreentertainment',
  'artshealthin',
  'picturesbbc',
  'verifyworld',
  'news',
  'tvnewsbeatus',
  'canadamississippi',
  'tornado',
  'destructive?published27',
  'marchshareclose',
  'panelshare',
  'video',
  'video',
  'javascript',
  'browser',
  'medium',
  'caption',
  'truck',
  'building',
  'tornado',
  'mississippiby',
  'nadine',
  'yousifbbc',
  'tornado',
  'mississippi',
  'storm',
  'chaser',
  'meteorologist',
  'shock',
  'devastation',
  'official',
  'people',
  'result',
  'storm',
  'tornado',
  'town',
  'rolling',
  'fork',
  'wedge',
  'tornado"',
  'national',
  'weather',
  'service',
  'storm',
  'hour',
  'stephanie',
  'cox',
  'storm',
  'chaser',
  'oklahoma',
  'tornado',
  'mississippi',
  'ms',
  'cox',
  'bbc',
  'storm',
  'roar',
  'lightning',
  'strike',
  'monster',
  'tornado',
  'roar',
  'train',
  'horn',
  'nws',
  'tornado',
  'mississippi',
  'friday',
  'night',
  'mississippi',
  'river',
  'mile',
  'kilometre',
  'width',
  'quarter',
  'mile',
  'hour',
  'minute',
  'storm',
  'storm',
  'updraft',
  'downdraft',
  'air',
  'ground',
  'speed',
  'direction',
  'wind',
  'height',
  'storm',
  'nws',
  'image',
  'source',
  'stephanie',
  'cox',
  '@stormwatcher771image',
  'caption',
  'storm',
  'wedge',
  'tornado',
  'width',
  'town',
  'rolling',
  'forksupercell',
  'storm',
  'condition',
  'storm',
  'time',
  'lance',
  'perrilloux',
  'meteorologist',
  'nws',
  'jackson',
  'mississippi',
  'tornado',
  'havoc',
  'distance',
  'ms',
  'cox',
  'wedge',
  'tornado',
  'term',
  'tornado',
  'length',
  'type',
  'tornado',
  'width',
  'damage',
  'area',
  'home',
  'building',
  'rolling',
  'fork',
  'aftermath',
  'storm',
  'vehicle',
  'samuel',
  'emmerson',
  'member',
  'radar',
  'research',
  'group',
  'university',
  'oklahoma',
  'tornado',
  'debris',
  'foot',
  'km',
  'air',
  'image',
  'source',
  'maxar',
  'satellite',
  'imagespreliminary',
  'finding',
  'tornado',
  'enhanced',
  'fujita',
  'ef',
  'scale',
  'second',
  'gust',
  'mph',
  'mr',
  'perrilloux',
  'tornado',
  'rolling',
  'fork',
  'mile',
  'kilometre',
  'north',
  'east',
  'town',
  'black',
  'hawk',
  'mississippi',
  'ef',
  'scale',
  'storm',
  'mile',
  'kilometre',
  'nws',
  'alabama',
  'tornado',
  'factor',
  'devastation',
  'mississippi',
  'timing',
  'storm',
  'town',
  'rolling',
  'fork',
  'time',
  'gmt',
  'nws',
  'tornado',
  'minute',
  'study',
  'night',
  'time',
  'tornado',
  'day',
  'statessevere',
  'weathermore',
  'storyrescue',
  'effort',
  'way',
  'tornado',
  'marchin',
  'picture',
  'mississippi',
  'tornado',
  'marchwhat',
  'marchtop',
  'storiesniger',
  'soldier',
  'coup',
  'tvpublished1',
  'hour',
  'singer',
  'sinãad',
  "o'connor",
  'hour',
  'agohow',
  'ukraine',
  'offensive',
  'south',
  'hour',
  'agofeaturessinãad',
  "o'connor",
  'obituary',
  'talent',
  'comparehow',
  'sinãad',
  "o'connor",
  'uhow',
  'ukraine',
  'offensive',
  'south',
  'stutteredn',
  'koreaâ\x80\x99s',
  'prisoner',
  'war',
  'plot',
  'flame',
  'buddha',
  'china',
  'videowatch',
  'flame',
  'buddha',
  'chinathe',
  'claim',
  'india',
  'violenceputin',
  'leader',
  'star',
  'role?can',
  'india',
  'chip',
  'powerhouse?world',
  'city',
  'bbcthe',
  'way',
  'homeswhy',
  'brand',
  'mediathe',
  'film',
  'usmost',
  'read1irish',
  'singer',
  'sinãad',
  "o'connor",
  'family',
  "grid'3how",
  'ukraine',
  'offensive',
  'south',
  'stuttered4niger',
  'soldier',
  'coup',
  'national',
  'tv5alien',
  'congress',
  'biden',
  'plea',
  'deal',
  'apart7mastercard',
  'bank',
  'debit',
  'weed8sinãad',
  "o'connor",
  'obituary',
  'talent',
  'koreaâ\x80\x99s',
  'prisoner',
  'war',
  'plot',
  'toy',
  'maker',
  'movie',
  'sale',
  'news',
  'mobileon',
  'news',
  'alertscontact',
  'bbc',
  'newshomenewssportreelworklifetravelfutureculturemusictvweathersoundsterms',
  'useabout',
  'bbcprivacy',
  'policycookiesaccessibility',
  'helpparental',
  'guidancecontact',
  'bbcget',
  'newsletterswhy',
  'bbcadvertise',
  'usâ',
  'bbc',
  'bbc',
  'content',
  'site',
  'approach',
  'linking'],
 ['glenn',
  'hegar',
  'texas',
  'comptroller',
  'public',
  'accounts',
  'glenn',
  'hegar',
  'texas',
  'comptroller',
  'public',
  'accounts',
  'glenn',
  'hegar',
  'texas',
  'comptroller',
  'public',
  'accounts',
  'sale',
  'tax',
  'sales',
  'tax',
  'permit',
  'application',
  'franchise',
  'tax',
  'search',
  'account',
  'status',
  'terminate',
  'business',
  'motor',
  'vehicle',
  'taxes',
  'surcharges',
  'property',
  'tax',
  'assistance',
  'taxes',
  'fees',
  'tax',
  'information',
  'topic',
  'penalty',
  'waivers',
  'exempt',
  'organizations',
  'general',
  'information',
  'letters',
  'private',
  'letter',
  'ruling',
  'refund',
  'information',
  'publications',
  'question',
  'tax',
  'training',
  'resources',
  'tax',
  'sites',
  'audit',
  'file',
  'webfile',
  'esystems',
  'webfile',
  'login',
  'webfile',
  'videos',
  'edi',
  'form',
  'account',
  'changes',
  'virtual',
  'field',
  'office',
  'rule',
  'subject',
  'matter',
  'search',
  'texas',
  'laws',
  'texas',
  'tax',
  'code',
  'rules',
  'texas',
  'administrative',
  'code',
  'state',
  'tax',
  'automated',
  'research',
  'star',
  'system',
  'practitioners',
  'corner',
  'contracts',
  'monthly',
  'revenue',
  'severance',
  'taxes',
  'sources',
  'revenue',
  'guide',
  'taxes',
  'texas',
  'field',
  'guide',
  'pdf',
  'financial',
  'reports',
  'forecasts',
  'budget',
  'process',
  'primer',
  'texas',
  'investments',
  'acfr',
  'cash',
  'report',
  'acfr',
  'pdf',
  'analysis',
  'reports',
  'dashboards',
  'debt',
  'glance',
  'profiles',
  'pension',
  'search',
  'tool',
  'search',
  'dataset',
  'domain',
  'hotel',
  'occupancy',
  'tax',
  'government',
  'debt',
  'sheriffs',
  'constables',
  'fee',
  'spd',
  'financials',
  'taxes',
  'tax',
  'allocation',
  'summaries',
  'transparency',
  'star',
  'reports',
  'tools',
  'regional',
  'reports',
  'forecast',
  'key',
  'economic',
  'indicators',
  'statewide',
  'economic',
  'data',
  'texindex',
  'special',
  'reports',
  'search',
  'statewide',
  'contracts',
  'contract',
  'development',
  'contract',
  'management',
  'procurement',
  'oversight',
  'delegation',
  'texas',
  'multiple',
  'award',
  'schedule',
  'txmas',
  'txsmartbuy.com',
  'dir',
  'contracts',
  'vendor',
  'information',
  'center',
  'centralized',
  'master',
  'bidders',
  'list',
  'cmbl',
  'underutilized',
  'business',
  'hub',
  'modify',
  'cmbl',
  'hub',
  'profile',
  'electronic',
  'state',
  'business',
  'daily',
  'esbd',
  'help',
  'contact',
  'outreach',
  'team',
  'vendor',
  'performance',
  'tracking',
  'system',
  'vpts',
  'texas',
  'smartbuy',
  'membership',
  'program',
  'state',
  'payment',
  'travel',
  'card',
  'state',
  'travel',
  'management',
  'state',
  'mail',
  'services',
  'vehicle',
  'fleet',
  'management',
  'retail',
  'fuel',
  'card',
  'texas',
  'procurement',
  'contract',
  'management',
  'guide',
  'publications',
  'forms',
  'state',
  'print',
  'services',
  'nigp',
  'commodity',
  'book',
  'search',
  'cmbl',
  'hub',
  'vendors',
  'statutes',
  'procedures',
  'grant',
  'management',
  'purchasing',
  'contract',
  'development',
  'ctcd',
  'contract',
  'manager',
  'ctcm',
  'certification',
  'continuing',
  'education',
  'training',
  'policy',
  'development',
  'faq',
  'broadband',
  'outreach',
  'news',
  'events',
  'coverage',
  'maps',
  'planning',
  'tools',
  'boot',
  'program',
  'tobacco',
  'enforcement',
  'sheriffs',
  'constables',
  'fees',
  'judiciary',
  'criminal',
  'investigation',
  'treasury',
  'operations',
  'fiscal',
  'management',
  'texnet',
  'login',
  'esystems',
  'direct',
  'deposit',
  'developer',
  'resource',
  'property',
  'holder',
  'search',
  'unclaimed',
  'property',
  'faq',
  'view',
  'govdeals',
  'auction',
  'claim',
  'status',
  'report',
  'unclaimed',
  'property',
  'contact',
  'texas',
  'tuition',
  'promise',
  'fund',
  'texas',
  'college',
  'savings',
  'plan',
  'texas',
  'guaranteed',
  'tuition',
  'plan',
  'promise',
  'foundation',
  '℠',
  'minnie',
  'stevens',
  'piper',
  'foundation',
  'college',
  'compendium',
  'texas',
  'able',
  '℠',
  'program',
  'funding',
  'incentives',
  'programs',
  'energy',
  'codes',
  'energy',
  'reporting',
  'resources',
  'news',
  'comunicados',
  'de',
  'prensa',
  'comptroller',
  'agency',
  'infographics',
  'video',
  'library',
  'media',
  'kits',
  'job',
  'opportunity',
  'interviewing',
  'internship',
  'program',
  'benefits',
  'careers',
  'cpa',
  'professional',
  'development',
  'career',
  'center',
  'faqs',
  'locations',
  'hour',
  'toll',
  'numbers',
  'agency',
  'phone',
  'directory',
  'email',
  'assistance',
  'online',
  'help',
  'report',
  'fraud',
  'open',
  'records',
  'employee',
  'information',
  'system',
  'agency',
  'calendar',
  'privacy',
  'security',
  'customer',
  'service',
  'link',
  'social',
  'media',
  'vote',
  'cost',
  'saving',
  'ideas',
  'main',
  'searchfind',
  'allabouteconomyprogramspurchasingtaxestransparencystart',
  'search',
  'termgo',
  'button',
  'fiscalnotes',
  'review',
  'texas',
  'economy',
  'winter',
  'storm',
  'uri',
  'pdf',
  'comptroller',
  'message',
  'economic',
  'impact',
  'storm',
  'texans',
  'storm',
  'legislature',
  'electricity',
  'reform',
  'fiscal',
  'note',
  'fiscal',
  'notes',
  'archive',
  'subscribe',
  'fiscal',
  'notes',
  'monthly',
  'state',
  'revenue',
  'key',
  'economic',
  'indicators',
  'texindex',
  'winter',
  'storm',
  'uri',
  'economic',
  'impact',
  'storm',
  'jess',
  'donald',
  'published',
  'october',
  'winter',
  'storm',
  'uri',
  'weather',
  'event',
  'february',
  'texans',
  'mind',
  'opportunity',
  'resident',
  'snow',
  'accumulation',
  'power',
  'blackout',
  'state',
  'feb.',
  'survey',
  'university',
  'houston',
  'uh',
  'hobby',
  'school',
  'public',
  'affairs',
  'mid',
  '-',
  'march',
  'percent',
  'texans',
  'power',
  'point',
  'feb.',
  'percent',
  'disruption',
  'water',
  'service',
  'storm',
  'death',
  'source',
  'federal',
  'reserve',
  'bank',
  'dallas',
  'state',
  'storm',
  'loss',
  'texas',
  'energy',
  'winter',
  'storm',
  'thing',
  'texas',
  'energy',
  'independence',
  'texas',
  'place',
  'state',
  'united',
  'states',
  'eastern',
  'interconnection',
  'western',
  'interconnection',
  'exhibit',
  'public',
  'utility',
  'commission',
  'texas',
  'puc',
  'electric',
  'reliability',
  'council',
  'texas',
  'ercot',
  'electricity',
  'grid',
  'texas',
  'customer',
  'percent',
  'state',
  'population',
  'ercot',
  'electricity',
  'service',
  'ercot',
  'grid',
  'infrastructure',
  'power',
  'generation',
  'company',
  'electricity',
  'provider',
  'utility',
  'investor',
  'provider',
  'cooperative',
  'river',
  'authority',
  'transmission',
  'distribution',
  'utility',
  'energy',
  'market',
  'texas',
  'energy',
  'variety',
  'source',
  'pdf',
  'majority',
  'gas',
  'wind',
  'coal',
  'percent',
  'percent',
  'percent',
  'exhibit',
  'market',
  'participant',
  'electricity',
  'ercot',
  'consumer',
  'electricity',
  'process',
  'ercot',
  'planning',
  'report',
  'change',
  'weather',
  'demand',
  'emergency',
  'datum',
  'outage',
  'maintenance',
  'purpose',
  'exhibit',
  'ercot',
  'generating',
  'capacity',
  'february',
  'winter',
  'storm',
  'uri',
  'parameter',
  'ercot',
  'planning',
  'national',
  'weather',
  'service',
  'rain',
  'drizzle',
  'north',
  'central',
  'texas',
  'storm',
  'feb.',
  'half',
  'inch',
  'ice',
  'accumulation',
  'location',
  'snow',
  'feb.',
  'inch',
  'dallas',
  'fort',
  'worth',
  'dfw',
  'international',
  'airport',
  'inch',
  'waco',
  'regional',
  'airport',
  'dfw',
  'hour',
  'temperature',
  'waco',
  'airport',
  'hour',
  'gov.',
  'greg',
  'abbott',
  'state',
  'emergency',
  'declaration',
  'pdf',
  'feb.',
  'severity',
  'storm',
  'feb.',
  'electricity',
  'generator',
  'outage',
  'feb.',
  'ercot',
  'plea',
  'customer',
  'energy',
  'usage',
  'power',
  'generation',
  'demand',
  'grid',
  'demand',
  'blackout',
  'feb.',
  'ercot',
  'declaration',
  'emergency',
  'university',
  'texas',
  'austin',
  'ut',
  'austin',
  'energy',
  'report',
  'pdf',
  'grid',
  'feb.',
  'failure',
  'blackout',
  'state',
  'ut',
  'austin',
  'report',
  'uri',
  'texas',
  'winter',
  'storm',
  'record',
  'loss',
  'electricity',
  'report',
  'blackout',
  'stress',
  'power',
  'grid',
  'outage',
  'state',
  'day',
  'report',
  'factor',
  'blackout',
  'ercot',
  'peak',
  'demand',
  'percent',
  'weather',
  'forecast',
  'severity',
  'timing',
  'storm',
  'generator',
  'outage',
  'range',
  'ercot',
  'plan',
  'report',
  'outage',
  'number',
  'energy',
  'power',
  'generator',
  'gas',
  'wind',
  'coal',
  'exhibit',
  'percentage',
  'texans',
  'electricity',
  'running',
  'water',
  'feb',
  'source',
  'university',
  'houston',
  'hobby',
  'school',
  'public',
  'affairs',
  'winter',
  'storm',
  'survey',
  'people',
  'winter',
  'storm',
  'uri',
  'texas',
  'department',
  'state',
  'health',
  'services',
  'dshs',
  'fatality',
  'hypothermia',
  'vehicle',
  'crash',
  'carbon',
  'monoxide',
  'poisoning',
  'condition',
  'storm',
  'dshs',
  'figure',
  'information',
  'resident',
  'condition',
  'home',
  'temperature',
  'freezing',
  'texas',
  'resident',
  'equipment',
  'uh',
  'survey',
  'percent',
  'texans',
  'power',
  'storm',
  'disruption',
  'hour',
  'percent',
  'texans',
  'water',
  'disruption',
  'hour',
  'exhibit',
  'addition',
  'electricity',
  'utility',
  'disruption',
  'texas',
  'resident',
  'host',
  'effect',
  'winter',
  'storm',
  'exhibit',
  'uh',
  'survey',
  'quarter',
  'respondent',
  'difficulty',
  'food',
  'grocery',
  'percent',
  'water',
  'damage',
  'residence',
  'percent',
  'insurance',
  'damage',
  'exhibit',
  'percentage',
  'texan',
  'effect',
  'winter',
  'storm',
  'uri',
  'negative',
  'impact',
  'percentage',
  'texans',
  'effect',
  'injury',
  'illness',
  'immediate',
  'family',
  '%',
  'source',
  'university',
  'houston',
  'hobby',
  'school',
  'public',
  'affairs',
  'winter',
  'storm',
  'survey',
  'study',
  'texas',
  'real',
  'estate',
  'center',
  'texas',
  'a&m',
  'university',
  'percent',
  'homeowner',
  'area',
  'homeowner',
  'insurance',
  'percent',
  'homeowner',
  'area',
  'center',
  'income',
  'texans',
  'entirety',
  'home',
  'repair',
  'supply',
  'chain',
  'turmoil',
  'covid-19',
  'pandemic',
  'disruption',
  'winter',
  'storm',
  'uri',
  'setback',
  'texas',
  'chemical',
  'plant',
  'percent',
  'u.s.',
  'chemical',
  'production',
  'manufacture',
  'ingredient',
  'disinfectant',
  'bottle',
  'fertilizer',
  'pesticide',
  'packaging',
  'temperature',
  'blackout',
  'equipment',
  'plant',
  'supply',
  'line',
  'chemical',
  'plastic',
  'rubber',
  'export',
  'percent',
  'texas',
  'export',
  'month',
  'winter',
  'storm',
  'inflation',
  'value',
  'decrease',
  'percent',
  'february',
  'supply',
  'chain',
  'good',
  'truck',
  'rail',
  'weather',
  'condition',
  'estimate',
  'texas',
  'a&m',
  'agrilife',
  'extension',
  'service',
  'agrilife',
  'extension',
  'march',
  'texas',
  'agriculture',
  'loss',
  'winter',
  'storm',
  'uri',
  'agrilife',
  'extension',
  'rancher',
  'cattle',
  'sheep',
  'goat',
  'poultry',
  'cold',
  'grazing',
  'grain',
  'rancher',
  'option',
  'feed',
  'dairy',
  'operator',
  'milk',
  'transportation',
  'difficulty',
  'storm',
  'winter',
  'storm',
  'birthing',
  'season',
  'loss',
  'calf',
  'lamb',
  'agrilife',
  'extension',
  'loss',
  'rancher',
  'group',
  'loss',
  'citrus',
  'farmer',
  'rio',
  'grande',
  'valley',
  'producer',
  'percent',
  'crop',
  'crop',
  'storm',
  'year',
  'fruit',
  'impact',
  'crop',
  'loss',
  'impact',
  'farmer',
  'onion',
  'green',
  'watermelon',
  'production',
  'disruption',
  'cost',
  'livestock',
  'feed',
  'cost',
  'grocery',
  'store',
  'yield',
  'price',
  'complexity',
  'texas',
  'grid',
  'system',
  'variety',
  'consumer',
  'option',
  'impact',
  'texas',
  'energy',
  'customer',
  'winter',
  'storm',
  'uri',
  'devastation',
  'estimate',
  'storm',
  'toll',
  'result',
  'power',
  'loss',
  ...],
 ['associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'storm',
  'hail',
  'tornado',
  'midwest',
  'south',
  'residents',
  'swath',
  'u.s.',
  'sunday',
  'destruction',
  'storm',
  'dozen',
  'tornado',
  'south',
  'midwest',
  'northeast',
  'people',
  'april',
  'des',
  'moines',
  'iowa',
  'ap',
  'people',
  'wreckage',
  'home',
  'weekend',
  'weather',
  'wave',
  'storm',
  'midwest',
  'south',
  'tuesday',
  'evening',
  'tornado',
  'tuesday',
  'night',
  'official',
  'resident',
  'night',
  'basement',
  'tom',
  'philip',
  'meteorologist',
  'davenport',
  'iowa',
  'national',
  'weather',
  'service',
  'tornado',
  'warning',
  'tuesday',
  'evening',
  'iowa',
  'illinois',
  'twister',
  'southwest',
  'chicago',
  'bryant',
  'illinois',
  'damage',
  'storm',
  'area',
  'weather',
  'dozen',
  'tornado',
  'day',
  'people',
  'misery',
  'home',
  'arkansas',
  'iowa',
  'illinois',
  'condition',
  'hour',
  'tuesday',
  'missouri',
  'oklahoma',
  'texas',
  'farther',
  'west',
  'fire',
  'danger',
  'thunderstorm',
  'michigan',
  'power',
  'typhoon',
  'doksuri',
  'thousand',
  'philippines',
  'funnel',
  'cloud',
  'capitol',
  'photo',
  'tornado',
  'little',
  'rock',
  'arkansas',
  'friday',
  'kimberly',
  'shaw',
  'storm',
  'foot',
  'injury',
  'stitch',
  'glass',
  'door',
  'wind',
  'storm',
  'shaw',
  'time',
  'shelter',
  'home',
  'plan',
  'tornado',
  'shelter',
  'shaw',
  'shelter',
  'warning',
  'videotaping',
  'tuesday',
  'thunderstorm',
  'quad',
  'cities',
  'area',
  'iowa',
  'illinois',
  'wind',
  'mph',
  'kph',
  'baseball',
  'size',
  'hail',
  'injury',
  'tree',
  'business',
  'moline',
  'illinois',
  'weather',
  'service',
  'illinois',
  'emergency',
  'management',
  'tornado',
  'tuesday',
  'morning',
  'illinois',
  'community',
  'colona',
  'news',
  'report',
  'wind',
  'damage',
  'business',
  'northern',
  'illinois',
  'moline',
  'chicago',
  'mph',
  'kph',
  'wind',
  'inch',
  'centimeter',
  'diameter',
  'tuesday',
  'afternoon',
  'national',
  'weather',
  'service',
  'meteorologist',
  'scott',
  'baker',
  'agency',
  'report',
  'semitruck',
  'wind',
  'lee',
  'county',
  'mile',
  'km',
  'west',
  'chicago',
  'tuesday',
  'storm',
  'illinois',
  'iowa',
  'wisconsin',
  'area',
  'missouri',
  'arkansas',
  'risk',
  'keokuk',
  'county',
  'iowa',
  'home',
  'friday',
  'emergency',
  'management',
  'official',
  'marissa',
  'reisen',
  'damage',
  'storm',
  'people',
  'storm',
  'friday',
  'night',
  'work',
  'stuff',
  'debris',
  'reisen',
  'storm',
  'work',
  'place',
  'people',
  'storm',
  'tornado',
  'hail',
  'wednesday',
  'illinois',
  'michigan',
  'ohio',
  'valley',
  'indiana',
  'ohio',
  'storm',
  'prediction',
  'center',
  'weather',
  'threat',
  'kentucky',
  'missouri',
  'tennessee',
  'arkansas',
  'storm',
  'friday',
  'weekend',
  'tornado',
  'state',
  'system',
  'arkansas',
  'south',
  'midwest',
  'northeast',
  'condition',
  'storm',
  'area',
  'pressure',
  'wind',
  'weather',
  'tuesday',
  'wednesday',
  'ryan',
  'bunker',
  'meteorologist',
  'national',
  'weather',
  'center',
  'norman',
  'oklahoma',
  'condition',
  'air',
  'west',
  'rockies',
  'air',
  'gulf',
  'mexico',
  'u.s.',
  'tornado',
  'storm',
  'temperature',
  'change',
  'tuesday',
  'high',
  'f',
  'c',
  'des',
  'moines',
  'f',
  'c',
  'kansas',
  'city',
  'f',
  'c',
  'little',
  'rock',
  'arkansas',
  'tuesday',
  'f',
  'c',
  'record',
  'date',
  'blizzard',
  'warning',
  'effect',
  'north',
  'dakota',
  'south',
  'dakota',
  'wednesday',
  'night',
  'national',
  'weather',
  'service',
  'south',
  'dakota',
  'inch',
  'centimeter',
  'snow',
  'wind',
  'gust',
  'mph',
  'kph',
  'dozen',
  'school',
  'south',
  'dakota',
  'tuesday',
  'blizzard',
  'condition',
  'state',
  'branch',
  'office',
  'state',
  'north',
  'dakota',
  'gov.',
  'doug',
  'burgum',
  'tuesday',
  'emergency',
  'snow',
  'removal',
  'grant',
  'locality',
  'official',
  'resident',
  'neighbor',
  'home',
  'food',
  'water',
  'medicine',
  'battery',
  'radio',
  'case',
  'power',
  'outage',
  'gas',
  'meter',
  'furnace',
  'vent',
  'snow',
  'fire',
  'danger',
  'portion',
  'oklahoma',
  'texas',
  'panhandle',
  'new',
  'mexico',
  'colorado',
  'humidity',
  'vegetation',
  'wind',
  'gust',
  'official',
  'fire',
  'warning',
  'custer',
  'county',
  'oklahoma',
  'resident',
  'town',
  'weatherford',
  'home',
  'press',
  'writer',
  'trisha',
  'ahmed',
  'st.',
  'paul',
  'minnesota',
  'margery',
  'a.',
  'beck',
  'omaha',
  'nebraska',
  'claire',
  'savage',
  'chicago',
  'lisa',
  'baumann',
  'bellingham',
  'washington',
  'ben',
  'finley',
  'norfolk',
  'virginia',
  'report',
  'associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights'],
 ['contentskip',
  'footertrending',
  'hall',
  'pass',
  'cash',
  'ed',
  'sheeran',
  'vegasmatt',
  'lizzy',
  'demand92',
  'moose',
  'apptownsquare',
  'talentseize',
  'dealsports',
  'scoreboardsubmit',
  'community',
  'hiringhomeon',
  'airmoose',
  'crewmatt',
  'lizzy',
  'morningmatt',
  'jamescooper',
  'fox92',
  'moose',
  'throwback',
  'lunchthe',
  "o'clock",
  'traffic',
  'jampopcrush',
  'nightsget',
  'newsletternewsweathersportslistenlisten',
  'moose',
  'alexalisten',
  'demandcontestsbecome',
  'moose',
  'valuable',
  'listenercontest',
  'ruleseventsbeats',
  'eatsplaylistmvlsign',
  'supportcommunitymarch',
  'petnesscommunity',
  'eventssubmit',
  'community',
  'event',
  'dealauctioncontactvirtual',
  'job',
  'fair',
  'sign',
  'upreport',
  'itstation',
  'infoadvertisenewslettermusic',
  'submissionjob',
  'opportunitieseeomorehomeon',
  'airmoose',
  'crewmatt',
  'lizzy',
  'morningmatt',
  'jamescooper',
  'fox92',
  'moose',
  'throwback',
  'lunchthe',
  "o'clock",
  'traffic',
  'jampopcrush',
  'nightsget',
  'newsletternewsweathersportslistenlisten',
  'moose',
  'alexalisten',
  'demandcontestsbecome',
  'moose',
  'valuable',
  'listenercontest',
  'ruleseventsbeats',
  'eatsplaylistmvlsign',
  'supportcommunitymarch',
  'petnesscommunity',
  'eventssubmit',
  'community',
  'event',
  'dealauctioncontactvirtual',
  'job',
  'fair',
  'sign',
  'upreport',
  'itstation',
  'infoadvertisenewslettermusic',
  'submissionjob',
  'youtubevisit',
  'facebookvisit',
  'snow',
  'central',
  'maine',
  'nor’eastermatt',
  'jamesmatt',
  'jamespublished',
  'march',
  'featshare',
  'facebookshare',
  'twitterwas',
  'snow',
  'ground',
  'driveway',
  'driveway',
  'springtime',
  'mud',
  'mr',
  'mrs',
  'awesome',
  'bit',
  'mcpissed',
  'driveway',
  'article',
  'matt',
  'james',
  'bitch',
  'driveway',
  'bitch',
  'article',
  'snow',
  'accumulation',
  'scale',
  'b',
  'word',
  'article',
  'weather',
  'mobile',
  'apptoday',
  'storm',
  'fact',
  'heaping',
  'pile',
  'nothingness',
  'central',
  'maine',
  'area',
  'storm',
  'debut',
  'lunchtime',
  'pb&j',
  'cape',
  'cod',
  'chip',
  'week',
  'storm',
  'year',
  'meteorologist',
  'suit',
  'storm',
  'year',
  'suit',
  'ryan',
  'munn',
  'wgme',
  'storm',
  'way',
  'southern',
  'maine',
  'storm',
  'tackahstorm',
  'tackahloading',
  'wind',
  'central',
  'maine',
  'day',
  'half',
  'mile',
  'hour',
  'couple',
  'snow',
  'recipe',
  'power',
  'outage',
  'worry',
  'cmp',
  'versant',
  'storm',
  'crew',
  'stand',
  'maine',
  'puc',
  'today',
  'state',
  'maine',
  'j',
  'mills',
  'plug',
  'state',
  'employee',
  'day',
  'kid',
  'school',
  'winter',
  'storm',
  'warning',
  'central',
  'maine',
  'warning',
  "o'clock",
  'wednesday',
  'afternoon',
  "take'er",
  'iight?look',
  'out!look',
  'out!loading',
  'meat',
  'potato',
  'driveway',
  'bit',
  'irritation',
  'wgme',
  'foot',
  'foot',
  'snow',
  'season',
  'easter',
  'dodge',
  'shoveling',
  'temp',
  "'",
  'storm',
  'lawn',
  'monday',
  'thar',
  'crazy',
  'maine',
  'weather',
  'events',
  'central',
  'maine',
  'school',
  'closing',
  'road',
  'maine',
  'snow',
  'maine',
  'new',
  'hampshire',
  'today',
  'snow',
  'maine',
  'maine',
  'weather',
  'snow',
  'snow',
  'stopcategorie',
  'local',
  'news',
  'moose',
  'morning',
  'news',
  'photos',
  'trending',
  'weathercommentsleave',
  'commentmore',
  'moosemaine',
  'tops',
  'list',
  'state',
  'natural',
  'disastersmaine',
  'tops',
  'list',
  'state',
  'natural',
  'disastersthis',
  'maine',
  'meteorologist',
  'nuggets',
  'win',
  'mvpthis',
  'maine',
  'meteorologist',
  'nuggets',
  'win',
  'sundresses',
  'khaki',
  'shorts',
  'folk',
  'central',
  'maine',
  'finna',
  'toasty',
  'warm',
  'weekbust',
  'sundresses',
  'khaki',
  'shorts',
  'folk',
  'central',
  'maine',
  'finna',
  'toasty',
  'warm',
  'weeksevere',
  'weather',
  'alert',
  'warning',
  'effect',
  'central',
  'maine',
  'monday',
  'morningsevere',
  'weather',
  'alert',
  'warning',
  'effect',
  'central',
  'maine',
  'monday',
  'morningenjoy',
  'cold',
  'heat',
  'wave',
  'maine',
  'weekenjoy',
  'cold',
  'heat',
  'wave',
  'maine',
  'weektick',
  'trouble',
  'maine',
  'severe',
  'tick',
  'season?tick',
  'troubles',
  'maine',
  'severe',
  'tick',
  'season?maine',
  'nation',
  'state',
  'springmaine',
  'nation',
  'state',
  'springhere',
  'best',
  'place',
  'snow',
  'fall',
  'maine',
  'winterhere',
  'best',
  'place',
  'snow',
  'fall',
  'maine',
  'wintermassive',
  'snowstorm',
  'winter',
  'maine',
  'new',
  'hampshire',
  'weekmassive',
  'snowstorm',
  'winter',
  'maine',
  'new',
  'hampshire',
  'weekinformationeeomarketing',
  'advertising',
  'solutionspublic',
  'fileneed',
  'assistancefcc',
  'applicationsreport',
  'rulesprivacy',
  'policyaccessibility',
  'statementexercise',
  'data',
  'rightscontactcentral',
  'maine',
  'business',
  'listingsfollow',
  'usvisit',
  'youtubevisit',
  'facebookvisit',
  'twitter2023',
  'moose',
  'townsquare',
  'media',
  'inc.',
  'right'],
 ['illinois',
  'storm',
  'chasers',
  'llc',
  'mother',
  'nature',
  'tue',
  'sat',
  'july',
  '29th',
  't’storm',
  'episode',
  'update',
  '10:30pm',
  'd',
  'july',
  '26th',
  'wednesday',
  'night',
  'update',
  'disturbance',
  'storm',
  'system',
  'region',
  'saturday',
  'periphery',
  'ridge',
  'place',
  'region',
  'pattern',
  'chance',
  'rain',
  't’storm',
  't’storm',
  'portion',
  'state',
  'read',
  'tue',
  'sat',
  'july',
  '29th',
  't’storm',
  'episode',
  'update',
  'july',
  'illinois',
  'storm',
  'chasersleave',
  'comment',
  'tue',
  'sat',
  'july',
  '29th',
  'heat',
  'wave',
  'update',
  '8:30pm',
  'd',
  'july',
  '26th',
  'wednesday',
  'update',
  'ridge',
  'region',
  'push',
  'condition',
  'state',
  'condition',
  'period',
  'weekend',
  'chance',
  'rain',
  't’storm',
  'portion',
  'state',
  'condition',
  'time',
  'read',
  'tue',
  'sat',
  'july',
  '29th',
  'heat',
  'wave',
  'update',
  'july',
  'illinois',
  'storm',
  'chasersleave',
  'comment',
  'tue',
  'wed',
  'july',
  '26th',
  't’storm',
  'episode',
  'update',
  'd',
  'july',
  '26th',
  'wednesday',
  'morning',
  'update',
  'disturbance',
  'region',
  'tonight',
  'chance',
  'round',
  'rain',
  't’storm',
  'portion',
  'state',
  't’storm',
  'threat',
  'setup',
  'product',
  'level',
  'flow',
  'read',
  'tue',
  'wed',
  'july',
  '26th',
  't’storm',
  'episode',
  'update',
  'july',
  'illinois',
  'storm',
  'chasersleave',
  'comment',
  'tue',
  'wed',
  'july',
  '26th',
  't’storm',
  'episode',
  'update',
  '10:30pm',
  'tues',
  'july',
  '25th',
  'tuesday',
  'night',
  'update',
  'disturbance',
  'region',
  'wednesday',
  'chance',
  'round',
  'rain',
  't’storm',
  'portion',
  'state',
  't’storm',
  'threat',
  'setup',
  'product',
  'level',
  'flow',
  'read',
  'tue',
  'wed',
  'july',
  '26th',
  't’storm',
  'episode',
  'update',
  'july',
  'illinois',
  'storm',
  'chasersleave',
  'comment',
  'tue',
  'sat',
  'july',
  '29th',
  'heat',
  'wave',
  'update',
  'tues',
  'july',
  '25th',
  'tuesday',
  'update',
  'ridge',
  'region',
  'push',
  'condition',
  'portion',
  'state',
  'condition',
  'period',
  'middle',
  'week',
  'weekend',
  'chance',
  'rain',
  't’storm',
  'portion',
  'read',
  'tue',
  'sat',
  'july',
  '29th',
  'heat',
  'wave',
  'update',
  'july',
  'illinois',
  'storm',
  'chasersleave',
  'comment',
  'tuesday',
  'ridge',
  'region',
  'push',
  'condition',
  'portion',
  'state',
  'condition',
  'period',
  'middle',
  'week',
  'weekend',
  'chance',
  'rain',
  't’storm',
  'portion',
  'state',
  'condition',
  'read',
  'tue',
  'sat',
  'july',
  '29th',
  'heat',
  'wave',
  'july',
  'illinois',
  'storm',
  'chasersleave',
  'comment',
  'tue',
  'wed',
  'july',
  '26th',
  't’storm',
  'episode',
  'tues',
  'july',
  '25th',
  'disturbance',
  'region',
  'today',
  'wednesday',
  'chance',
  'round',
  'rain',
  't’storm',
  'portion',
  'state',
  't’storm',
  'threat',
  'setup',
  'product',
  'level',
  'flow',
  'region',
  'periphery',
  'read',
  'tue',
  'wed',
  'july',
  '26th',
  't’storm',
  'episode',
  'july',
  'illinois',
  'storm',
  'chasersleave',
  'comment',
  'spring',
  'summer',
  'drought',
  'july',
  '20th',
  'update',
  'thur',
  'july',
  '20th',
  'noaa',
  'drought',
  'monitor',
  'update',
  'tuesday',
  'july',
  '18th',
  'illinois',
  'd0',
  'drought',
  'd3',
  'condition',
  'round',
  'hit',
  'rain',
  't’storm',
  'state',
  'week',
  'drought',
  'condition',
  'spring',
  'summer',
  'drought',
  'july',
  '20th',
  'update',
  'july',
  'illinois',
  'storm',
  'chasersleave',
  'comment',
  'sun',
  'thur',
  'july',
  '20th',
  't’storm',
  'episode',
  'update',
  '10:30am',
  'thur',
  'july',
  '20th',
  'thursday',
  'morning',
  'update',
  'storm',
  'system',
  'stretch',
  'region',
  'today',
  'tonight',
  'pattern',
  'product',
  'level',
  'flow',
  'region',
  'flank',
  'troughing',
  'canada',
  'great',
  'lakes',
  'read',
  'sun',
  'thur',
  'july',
  '20th',
  't’storm',
  'episode',
  'update',
  'july',
  'illinois',
  'storm',
  'chasersleave',
  'comment',
  'sun',
  'thur',
  'july',
  '20th',
  't’storm',
  'episode',
  'update',
  '11:00pm',
  'd',
  'july',
  '19th',
  'wednesday',
  'night',
  'update',
  'disturbance',
  'storm',
  'system',
  'region',
  'thursday',
  'flank',
  'troughing',
  'canada',
  'great',
  'lakes',
  'periphery',
  'ridge',
  'place',
  'desert',
  'southwest',
  'southern',
  'plains',
  'pattern',
  'read',
  'sun',
  'thur',
  'july',
  '20th',
  't’storm',
  'episode',
  'update',
  'july',
  'illinois',
  'storm',
  'chasersleave',
  'comment',
  'wordpress',
  'theme',
  'cerauno'],
 ['account',
  'sign',
  'sign',
  'facebook',
  'arizona',
  'climate',
  'landscape',
  'desert',
  'region',
  'city',
  'phoenix',
  'tucson',
  'weather',
  'winter',
  'summer',
  'month',
  'august',
  'temperature',
  'level',
  '°',
  'f',
  '°',
  'c',
  'temperature',
  '°',
  'f',
  '°',
  'c',
  '°',
  'f',
  'night',
  'elevation',
  'arizona',
  'city',
  'flagstaff',
  'temperature',
  '°',
  'f',
  '°',
  'c',
  'winter',
  'month',
  'december',
  'january',
  'february',
  'drop',
  'snow',
  'area',
  'state',
  'highland',
  'region',
  'summer',
  'temperature',
  'average',
  '°',
  'f',
  '°',
  'weather',
  'arizona',
  'landscape',
  'precipitation',
  'year',
  'desert',
  'region',
  'south',
  'central',
  'arizona',
  'rainfall',
  'area',
  'precipitation',
  'form',
  'snowfall',
  'blanket',
  'region',
  'winter',
  'summer',
  'monsoon',
  'july',
  'september',
  'bout',
  'rain',
  'thunderstorm',
  'arizona',
  'moisture',
  'humidity',
  'level',
  'year',
  'united',
  'states',
  'time',
  'arizonabefore',
  'arizona',
  'visitor',
  'type',
  'holiday',
  'weather',
  'condition',
  'tourist',
  'arizona',
  'desert',
  'landscape',
  'trip',
  'month',
  'january',
  'february',
  'march',
  'sunshine',
  'temperature',
  'middle',
  'summer',
  'hotel',
  'rate',
  'june',
  'august',
  'crowd',
  'summer',
  'month',
  'ski',
  'holiday',
  'january',
  'march',
  'tourist',
  'region',
  'june',
  'august',
  'weather',
  'sky',
  'landscape',
  'period',
  'budget',
  'traveler',
  'money',
  'region',
  'arizona',
  'january',
  'march',
  'arizona',
  'festivals',
  'event',
  'countries',
  'planet',
  'deserts',
  'bloom',
  'spot',
  'springtime',
  'wildflower',
  'luxury',
  'safari',
  'africa',
  'yoho',
  'national',
  'park',
  'incredible',
  'place',
  'source',
  'adventure',
  'tourism',
  'travel',
  'guide'],
 ['main',
  'content',
  'sensor',
  'network',
  'maps',
  'radar',
  'severe',
  'weather',
  'news',
  'blogs',
  'mobile',
  'apps',
  'nearest',
  'station',
  'manage',
  'favorite',
  'citieslog',
  'joinsettingsaccount_box',
  'log',
  'person_add',
  'join',
  'setting',
  'settings',
  'sensor',
  'networkmaps',
  'radarsevere',
  'weathernews',
  'blogsmobile',
  'appshistorical',
  'weatherstarnews',
  'blogs',
  'category',
  'new',
  'stories',
  'infographics',
  'posters',
  'category',
  'category',
  'storiesinfographicspostersexpect',
  'storm',
  'surge',
  'foot',
  'landfalling',
  'category',
  'storm',
  'carolinasdr',
  'jeff',
  'masters',
  'september',
  'pm',
  'edtabove',
  'atlantic',
  'house',
  'restaurant',
  'folly',
  'beach',
  'south',
  'carolina',
  'hurricane',
  'hugo',
  'storm',
  'surge',
  'inset',
  'credit',
  'noaa',
  'photo',
  'library',
  'landfalling',
  'category',
  'hurricane',
  'mainland',
  'u.s.',
  'landfall',
  'average',
  'year',
  'category',
  'landfall',
  'record',
  'landfall',
  'cat4s',
  'cat5s',
  'south',
  'carolina',
  'latitude',
  'florence',
  'company',
  'landfall',
  'category',
  'strength',
  'north',
  'south',
  'carolina',
  'florence',
  'coast',
  'north',
  'south',
  'carolina',
  'category',
  'hurricane',
  'record',
  'storm',
  'surge',
  'height',
  'surge',
  'expert',
  'today',
  'dr.',
  'robert',
  'young',
  'professor',
  'coastal',
  'geology',
  'western',
  'carolina',
  'university',
  'track',
  'hurricane',
  'florence',
  'size',
  'strength',
  'landfall',
  'geomorphology',
  'region',
  'record',
  'storm',
  'surge',
  'portion',
  'warning',
  'area',
  'storm',
  'surge',
  'expert',
  'dr.',
  'hal',
  'needham',
  '+',
  'foot',
  'storm',
  'surge',
  'storm',
  'tide',
  'carolinas',
  'florence',
  'bit',
  'time',
  'landfall',
  'surge',
  'height',
  'wind',
  'wind',
  'landfall',
  '”it',
  'thing',
  'landfall',
  'hurricane',
  'south',
  'carolina',
  'north',
  'carolina',
  'coast',
  'coastline',
  'storm',
  'carolina',
  'category',
  'hurricane',
  'storm',
  'tide',
  'foot',
  'hugo',
  'hazel',
  'storm',
  'gracie',
  '-did',
  'tide',
  'flooding',
  'storm',
  'tide',
  'combination',
  'storm',
  'surge',
  'tide',
  'height',
  'sea',
  'level',
  'national',
  'hurricane',
  'center',
  'terminology',
  'height',
  'ground',
  'level',
  'storm',
  'tide',
  'height',
  'surge',
  'tide',
  'tide',
  'mark',
  'vulnerability',
  'coastline',
  'shelf',
  'mile',
  'shore',
  'region',
  'water',
  'foot',
  'storm',
  'surge',
  'water',
  'height',
  'storm',
  'surge',
  'basic',
  'page',
  'maximum',
  'maximum',
  'envelope',
  'water',
  'mom',
  'storm',
  'tide',
  'image',
  'surge',
  'suite',
  'mid',
  '-',
  'strength',
  'category',
  'hurricane',
  'wind',
  'mph',
  'tide',
  'tide',
  'level',
  'north',
  'carolina',
  'south',
  'carolina',
  'border',
  'storm',
  'tide',
  'height',
  'ground',
  'storm',
  'surge',
  'rise',
  'case',
  'storm',
  'tide',
  'grid',
  'cell',
  'coloration',
  'inundation',
  'inundation',
  'case',
  'scenario',
  'coast',
  'section',
  'coast',
  'surge',
  'level',
  'peak',
  'value',
  'right',
  'storm',
  'center',
  'landfall',
  'image',
  'national',
  'hurricane',
  'center',
  'sea',
  'lake',
  'overland',
  'surge',
  'hurricanes',
  'slosh',
  'model',
  'storm',
  'surge',
  'inundation',
  'map',
  'u.s.',
  'coast',
  'information',
  'wu',
  'storm',
  'surge',
  'inundation',
  'map',
  'u.s.',
  'coast',
  'noaa',
  'slosh',
  'model',
  'story',
  'center',
  'landfall',
  'mid',
  '-',
  'strength',
  'category',
  'hurricane',
  'mph',
  'wind',
  'tide',
  'case',
  'scenario',
  'storm',
  'tide',
  'excess',
  'foot',
  'ground',
  'level',
  'coast',
  'south',
  'carolina',
  'coast',
  'north',
  'carolina',
  'south',
  'carolina',
  'border',
  'morehead',
  'city',
  'location',
  'surge',
  'foot',
  'category',
  'storm',
  'peak',
  'storm',
  'tide',
  'foot',
  'slosh',
  'model',
  'intracoastal',
  'waterway',
  'north',
  'myrtle',
  'beach',
  'south',
  'carolina',
  'peak',
  'surge',
  'mile',
  'stretch',
  'coast',
  'eyewall',
  'landfall',
  'florence',
  'landfall',
  'wilmington',
  'nc',
  'example',
  'surge',
  'jacksonville',
  'hurdat',
  'hurricane',
  'database',
  'category',
  'hurricane',
  'u.s.',
  'coast',
  'georgia',
  'record',
  'keeping',
  'hurricane',
  'hugohurricane',
  'hugo',
  'landfall',
  'charleston',
  'south',
  'carolina',
  'september',
  'category',
  'storm',
  'mph',
  'wind',
  'mb',
  'pressure',
  'storm',
  'surge',
  'foot',
  'awendaw',
  'foot',
  'bull',
  'bay',
  'charleston',
  'storm',
  'surge',
  'animation',
  'hugo',
  'surge',
  'destruction',
  'portion',
  'damage',
  'dollar',
  'storm',
  'time',
  'hugo',
  'hurricane',
  'record',
  'figure',
  'track',
  'hurricane',
  'hugo',
  'storm',
  'hurricane',
  'hugo',
  'noaa',
  'slosh',
  'model',
  'hurricane',
  'graciehurricane',
  'gracie',
  'landfall',
  'edisto',
  'beach',
  'south',
  'carolina',
  'september',
  'category',
  'hurricane',
  'mph',
  'wind',
  'mb',
  'pressure',
  'hurricane',
  'mph',
  'wind',
  'end',
  'category',
  'storm',
  'saffir',
  'simpson',
  'scale',
  'storm',
  'surge',
  'flooding',
  'storm',
  'landfall',
  'time',
  'tide',
  'animation',
  'charleston',
  'storm',
  'tide',
  'coast',
  'south',
  'carolina',
  'storm',
  'tide',
  'foot',
  'sea',
  'level',
  'figure',
  'track',
  'hurricane',
  'gracie',
  'storm',
  'hurricane',
  'gracie',
  'noaa',
  'slosh',
  'model',
  'hurricane',
  'hazelhurricane',
  'hazel',
  'landfall',
  'north',
  'carolina',
  'south',
  'carolina',
  'border',
  'october',
  'category',
  'hurricane',
  'mph',
  'wind',
  'mb',
  'pressure',
  'mile',
  'eye',
  'mile',
  'stretch',
  'north',
  'carolina',
  'coast',
  'south',
  'carolina',
  'border',
  'storm',
  'surge',
  'excess',
  'foot',
  'peak',
  'storm',
  'tide',
  'foot',
  'sunset',
  'beach',
  'storm',
  'surge',
  'animation',
  'damage',
  'hurricane',
  'tide',
  'year',
  'hazel',
  'surge',
  'destruction',
  'beach',
  'new',
  'hanover',
  'brunswick',
  'county',
  'building',
  'long',
  'beach',
  'north',
  'carolina',
  'report',
  'weather',
  'bureau',
  'raleigh',
  'north',
  'carolina',
  'result',
  'hazel',
  'trace',
  'civilization',
  'waterfront',
  'state',
  'line',
  'cape',
  'fear',
  'noaa',
  'pier',
  'distance',
  'mile',
  'coastline',
  'figure',
  'track',
  'hurricane',
  'hazel',
  'storm',
  'hurricane',
  'hazel',
  'noaa',
  'slosh',
  'model',
  'category',
  'hurricane',
  'storm',
  'surge',
  'north',
  'carolinaas',
  'number',
  'category',
  'hurricane',
  'storm',
  'surge',
  'north',
  'carolina',
  'hurricane',
  'fran',
  'state',
  'end',
  'category',
  'storm',
  'mph',
  'wind',
  'pressure',
  'foot',
  'storm',
  'tide',
  'coast',
  'topsail',
  'island',
  'line',
  'florence',
  'storm',
  'surge',
  'minute',
  'life',
  'post',
  'friday',
  'storm',
  'surge',
  'damage',
  'florence',
  'moon',
  'phase',
  'weather',
  'company',
  'mission',
  'weather',
  'news',
  'environment',
  'importance',
  'science',
  'life',
  'story',
  'position',
  'parent',
  'company',
  'ibm',
  'dr.',
  'jeff',
  'mastersdr',
  'jeff',
  'masters',
  'weather',
  'underground',
  'ph.d.',
  'air',
  'pollution',
  'meteorology',
  'university',
  'michigan',
  'noaa',
  'hurricane',
  'hunters',
  'flight',
  'articlescategory',
  'sight',
  'rainbow',
  'bob',
  'henson',
  'june',
  'edt',
  'section',
  'miscellaneous',
  'alexander',
  'von',
  'humboldt',
  'scientist',
  'extraordinaire',
  'tom',
  'niziol',
  'june',
  'pm',
  'edt',
  'section',
  'time',
  'weather',
  'underground',
  'favorite',
  'posts',
  'christopher',
  'c.',
  'burt',
  'june',
  'pm',
  'edt',
  'section',
  'miscellaneous',
  'appsabout',
  'uscontactcareerspws',
  'networkwundermapfeedback',
  'supportterms',
  'useprivacy',
  'policyaccessibility',
  'statementadchoicesdata',
  'vendorswe',
  'responsibility',
  'datum',
  'technology',
  'datum',
  'data',
  'vendor',
  'control',
  'datum',
  'datum',
  'rightspowered',
  'ibm',
  'cloud',
  'copyright',
  'twc',
  'product',
  'technology',
  'llc',
  'javascript',
  'application'],
 ['material',
  'language',
  'content',
  'site',
  'wolters',
  'kluwer',
  'provider',
  'information',
  'software',
  'solution',
  'service',
  'clinician',
  'nurse',
  'accountant',
  'lawyer',
  'tax',
  'finance',
  'audit',
  'risk',
  'compliance',
  'sector',
  'site',
  'location',
  'health',
  'technology',
  'evidence',
  'solution',
  'decision',
  'making',
  'outcome',
  'healthcare',
  'effectiveness',
  'learning',
  'research',
  'safety',
  'health',
  'overview',
  'uptodateindustry',
  'decision',
  'support',
  'ovidthe',
  'world',
  'research',
  'platform',
  'lexicompevidence',
  'drug',
  'solution',
  'sentri7',
  'surveillancetargeting',
  'infection',
  'prevention',
  'pharmacy',
  'sepsis',
  'management',
  'clinical',
  'workflow',
  'patient',
  'safety',
  'decision',
  'support',
  'clinical',
  'variation',
  'update',
  'usp',
  'standard',
  'answer',
  'area',
  'uptodate',
  'disease',
  'specialist',
  'member',
  'education',
  'health',
  'equity',
  'population',
  'standard',
  'approach',
  'determinant',
  'health',
  'sdoh',
  'datum',
  'health',
  'equity',
  'tax',
  'accounting',
  'enabling',
  'tax',
  'accounting',
  'professional',
  'business',
  'size',
  'productivity',
  'change',
  'outcome',
  'workflow',
  'technology',
  'domain',
  'expertise',
  'organization',
  'business',
  'client',
  'business',
  'tax',
  'accounting',
  'overview',
  'tax',
  'accounting',
  'u.s.',
  'hubcentral',
  'hub',
  'u.s.',
  'solution',
  'cch',
  'axcess',
  'suitecloud',
  'tax',
  'preparation',
  'compliance',
  'workflow',
  'management',
  'audit',
  'solution',
  'cch',
  'prosystem',
  'tax',
  'accounting',
  'audit',
  'workflow',
  'software',
  'tool',
  'taxwisetax',
  'preparation',
  'software',
  'tax',
  'preparers',
  'tutorial',
  'cch',
  'prosystem',
  'fx',
  'fixed',
  'assets',
  'tutorial',
  'cch',
  'prosystem',
  'fx',
  'engagement',
  'step',
  'succession',
  'planning',
  'retirement',
  'tutorial',
  'cch',
  'axcess',
  'tax',
  'tutorial',
  'cch',
  'fixed',
  'assets',
  'manager',
  'tutorial',
  'cch',
  'suretax',
  'expert',
  'guide',
  'beps',
  'pillar',
  'implementation',
  'tax',
  'relief',
  'victim',
  'vermont',
  'flooding',
  'ira',
  'hsa',
  'deadline',
  'esg',
  'offering',
  'tool',
  'expert',
  'guidance',
  'company',
  'requirement',
  'sustainability',
  'effort',
  'esg',
  'risk',
  'esg',
  'overview',
  'cch',
  'tagetikunified',
  'performance',
  'management',
  'software',
  'solution',
  'esg',
  'climate',
  'risk',
  'requirement',
  'teammatesolutions',
  'auditor',
  'enablonsoftware',
  'risk',
  'compliance',
  'engineering',
  'operation',
  'ehsq',
  'sustainability',
  'esg',
  'market',
  'study',
  'wolters',
  'kluwer',
  'cch',
  'tagetik',
  'vendor',
  'environmental',
  'social',
  'governance',
  'reporting',
  'market',
  'study',
  'dresner',
  'advisory',
  'services',
  'agility',
  'planning',
  'step',
  'guide',
  'climate',
  'risk',
  'disclosure',
  'verdantix',
  'green',
  'quadrant',
  'esg',
  'reporting',
  'data',
  'management',
  'software',
  'issb',
  'set',
  'sustainability',
  'reporting',
  'standard',
  'apac',
  'emea',
  'q2',
  'finance',
  'risk',
  'regulatory',
  'update',
  'webinar',
  'finance',
  'solution',
  'department',
  'institution',
  'customer',
  'obligation',
  'regulator',
  'process',
  'time',
  'view',
  'position',
  'finance',
  'overview',
  'cch',
  'tagetikunified',
  'performance',
  'management',
  'software',
  'onesumx',
  'finance',
  'risk',
  'regulatory',
  'reportingintegrated',
  'compliance',
  'reporting',
  'solution',
  'suite',
  'lien',
  'solutionsmarket',
  'leader',
  'ucc',
  'filing',
  'search',
  'management',
  'eoriginaleoriginal',
  'lending',
  'process',
  'close',
  'market',
  'tutorial',
  'cch',
  'prosystem',
  'fx',
  'fixed',
  'assets',
  'tutorial',
  'cch',
  'prosystem',
  'fx',
  'engagement',
  'tutorial',
  'cch',
  'axcess',
  'tax',
  'tutorial',
  'cch',
  'fixed',
  'assets',
  'manager',
  'tutorial',
  'cch',
  'suretax',
  'esg',
  'market',
  'study',
  'wolters',
  'kluwer',
  'cch',
  'tagetik',
  'vendor',
  'environmental',
  'social',
  'governance',
  'reporting',
  'market',
  'study',
  'dresner',
  'advisory',
  'services',
  'beps',
  'pillar',
  'resource',
  'oecd',
  'regulation',
  'agility',
  'planning',
  'step',
  'guide',
  'compliance',
  'enabling',
  'organization',
  'adherence',
  'obligation',
  'risk',
  'efficiency',
  'business',
  'outcome',
  'compliance',
  'overview',
  'onesumx',
  'finance',
  'risk',
  'regulatory',
  'reportingintegrated',
  'compliance',
  'reporting',
  'solution',
  'suite',
  'teammatesolutions',
  'suite',
  'auditor',
  'enablonsoftware',
  'risk',
  'compliance',
  'engineering',
  'operation',
  'ehsq',
  'sustainability',
  'ct',
  'corporationregistered',
  'agent',
  'business',
  'license',
  'solution',
  'beneficial',
  'ownership',
  'information',
  'reporting',
  'business',
  'owner',
  'sector',
  'performance',
  'audit',
  'team',
  'audit',
  'stakeholder',
  'relationship',
  'management',
  'pharmacy',
  'business',
  'license',
  'requirement',
  'license',
  'painter',
  'conversation',
  'cfpb',
  'section',
  'mail',
  'order',
  'pharmacy',
  'license',
  'requirement',
  'performance',
  'audit',
  'team',
  'business',
  'alignment',
  'professional',
  'law',
  'firm',
  'general',
  'counsel',
  'office',
  'department',
  'data',
  'decision',
  'tool',
  'research',
  'analysis',
  'workflow',
  'value',
  'organization',
  'society',
  'legal',
  'overview',
  'kluwer',
  'arbitrationonline',
  'resource',
  'arbitration',
  'research',
  'enterprise',
  'legal',
  'managementlegal',
  'matter',
  'management',
  'ai',
  'bill',
  'review',
  'analytic',
  'solution',
  'legiswayall',
  'management',
  'software',
  'department',
  'bizfilings',
  'incorporation',
  'service',
  'entrepreneur',
  'infographic',
  'control',
  'cost',
  'operation',
  'excellence',
  'guide',
  'ai',
  'technology',
  'solution',
  'provider',
  'reason',
  'elm',
  'ai',
  'bill',
  'whitepaper',
  'intelligence',
  'bill',
  'generative',
  'ai',
  'deeper',
  'webinar',
  'panel',
  'session',
  'multiparty',
  'arbitration',
  'gaps',
  'pitfalls',
  'opportunities',
  'tax',
  'relief',
  'indiana',
  'victim',
  'storm',
  'line',
  'wind',
  'compliancetax',
  'accountingapril',
  '2023tax',
  'relief',
  'indiana',
  'victim',
  'storm',
  'line',
  'wind',
  'tornado',
  'ira',
  'hsa',
  'deadline',
  'postponedby',
  'michael',
  'schiller',
  'destruction',
  'storm',
  'line',
  'wind',
  'tornado',
  'indiana',
  'march',
  'april',
  'internal',
  'revenue',
  'service',
  'irs',
  'taxpayer',
  'tax',
  'relief',
  'tax',
  'relief',
  'postpone',
  'july',
  'deadline',
  'march',
  'july',
  'deadline',
  'retirement',
  'account',
  'iras',
  'health',
  'saving',
  'accounts',
  'hsas',
  'coverdell',
  'education',
  'savings',
  'accounts',
  'cesas',
  'tax',
  'account',
  'time',
  'period',
  'irs',
  'disaster',
  'assistance',
  'emergency',
  'relief',
  'individuals',
  'businesses',
  'page',
  'detail',
  'return',
  'payment',
  'tax',
  'action',
  'time',
  'act',
  'revenue',
  'procedure',
  'postponement',
  'time',
  'pay',
  'information',
  'return',
  'w-2',
  'series',
  'form',
  's',
  'employment',
  'tax',
  'deposit',
  'opportunity',
  'ira',
  'tax',
  'account',
  'health',
  'savings',
  'accounts',
  'coverdell',
  'education',
  'savings',
  'accounts',
  'wolters',
  'kluwer',
  'ira',
  'library',
  'demand',
  'video',
  'training',
  'variety',
  'topic',
  'training',
  'opportunity',
  'michael',
  'schillermanager',
  'specialized',
  'consulting',
  'tax',
  'advantaged',
  'accountswith',
  'year',
  'experience',
  'mike',
  'organization',
  'implement',
  'tax',
  'account',
  'program',
  'explore',
  'topicsexpert',
  'newscoverdell',
  'education',
  'savings',
  'accountshealth',
  'savings',
  'accountsindividual',
  'retirement',
  'accounts',
  'printed',
  'documentsprinted',
  'ira',
  'hsa',
  'material',
  'account',
  'opening',
  'process',
  'account',
  'holder',
  'experience',
  'warranty',
  'tax',
  'relief',
  'victim',
  'vermont',
  'flooding',
  'ira',
  'hsa',
  'deadline',
  'tax',
  'relief',
  'victim',
  'typhoon',
  'mawar',
  'ira',
  'hsa',
  'deadline',
  'health',
  'savings',
  'accounts',
  'cost',
  'living',
  'adjustment',
  'sector',
  'risk',
  'landscape',
  'sector',
  'government',
  'agency',
  'risk',
  'performance',
  'audit',
  'team',
  'audit',
  'stakeholder',
  'relationship',
  'management',
  'discover',
  'characteristic',
  'performance',
  'audit',
  'team',
  'stakeholder',
  'management',
  'strategy',
  'success',
  'step',
  'succession',
  'planning',
  'retirement',
  'planning',
  'consideration',
  'client',
  'hand',
  'success',
  'firm',
  'conversation',
  'cfpb',
  'section',
  'information',
  'exchange',
  'knowledge',
  'sharing',
  'wolters',
  'kluwer',
  'webinar',
  'representative',
  'cfpb',
  'rule',
  'wolters',
  'kluwer',
  'n.v.',
  'subsidiary',
  'right'],
 ['main',
  'content',
  'sensor',
  'network',
  'maps',
  'radar',
  'severe',
  'weather',
  'news',
  'blogs',
  'mobile',
  'apps',
  'nearest',
  'station',
  'manage',
  'favorite',
  'citieslog',
  'joinsettingsaccount_box',
  'log',
  'person_add',
  'join',
  'setting',
  'settings',
  'sensor',
  'networkmaps',
  'radarsevere',
  'weathernews',
  'blogsmobile',
  'appshistorical',
  'weatherstarnews',
  'blogs',
  'category',
  'news',
  'stories',
  'infographics',
  'posters',
  'news',
  'stories',
  'category',
  'storiesinfographicsposterspublished',
  'weather',
  'company',
  'mission',
  'weather',
  'news',
  'environment',
  'importance',
  'science',
  'life',
  'story',
  'position',
  'parent',
  'company',
  'ibm.recent',
  'storiesweather',
  'articlesour',
  'appsabout',
  'uscontactcareerspws',
  'networkwundermapfeedback',
  'supportterms',
  'useprivacy',
  'policyaccessibility',
  'statementadchoicesdata',
  'vendorswe',
  'responsibility',
  'datum',
  'technology',
  'datum',
  'data',
  'vendor',
  'control',
  'datum',
  'datum',
  'rightspowered',
  'ibm',
  'cloud',
  'copyright',
  'twc',
  'product',
  'technology',
  'llc',
  'javascript',
  'application'],
 ['woman',
  'fury',
  'rendition',
  'star',
  'spangled',
  'banner',
  'world',
  'cup',
  'holland',
  'player',
  'anthem',
  'arm',
  'moment',
  'operator',
  'crane',
  'moment',
  'manhattan',
  'sidewalk',
  'co',
  '-',
  'worker',
  'chant',
  'water',
  'motherf****r',
  'beyonce',
  'mom',
  'tina',
  'knowles',
  'divorce',
  'husband',
  'richard',
  'lawson',
  'year',
  'marriage',
  'difference',
  'warning',
  'sign',
  'alzheimer',
  'symptom',
  'study',
  'acting',
  'meghan',
  'markle',
  'actor',
  'strike',
  'ohio',
  'cop',
  'fired',
  'footage',
  'k-9',
  'trucker',
  'hand',
  'police',
  'chase',
  'mud',
  'flap',
  'revealed',
  'marines',
  'carbon',
  'monoxide',
  'poisoning',
  'car',
  'gas',
  'station',
  'camp',
  'lejeune',
  'outdoors',
  'nbc',
  'report',
  'people',
  'space',
  'trauma',
  'people',
  'trump',
  'flag',
  'ariana',
  'grande',
  'boyfriend',
  'ethan',
  'slater',
  'divorce',
  'wife',
  'romance',
  'singer',
  'set',
  'movie',
  'month',
  'search',
  'la',
  'attorney',
  'downtown',
  'area',
  'day',
  'family',
  'physio',
  '50',
  'kg',
  'body',
  'ache',
  'pain',
  'person',
  'week',
  'joe',
  'rogan',
  'critic',
  'jason',
  'aldean',
  'song',
  'small',
  'town',
  'rap',
  'song',
  'vampire',
  'appliance',
  'cash',
  'device',
  'energy',
  'bill',
  'somber',
  'michelle',
  'martha',
  'vineyard',
  'golf',
  'club',
  'game',
  'tennis',
  'outing',
  'chef',
  'paddle',
  'boarding',
  'obamas',
  'home',
  'shocking',
  'moment',
  'naked',
  'woman',
  'fire',
  'driver',
  'police',
  'chase',
  'san',
  'francisco',
  'bay',
  'bridge',
  'california',
  'gov.',
  'gavin',
  'newsom',
  'hollywood',
  'strike',
  'industry',
  'billion',
  'state',
  'economy',
  'chaos',
  'fiancé',
  'sperm',
  'friend',
  'lady',
  'view',
  'hunter',
  'biden',
  'joe',
  'pain',
  'loss',
  'republicans',
  'witch',
  'hunt',
  'son',
  'judge',
  'hunter',
  'job',
  'president',
  'son',
  'drug',
  'alcohol',
  'employment',
  'condition',
  'release',
  'plea',
  'deal',
  'hunter',
  'biden',
  'extent',
  'drug',
  'alcohol',
  'use',
  'president',
  'addict',
  'son',
  'rehab',
  'stint',
  'year',
  'court',
  'appearance',
  'hunter',
  'plea',
  'deal',
  'joe',
  'president',
  'line',
  'son',
  'deal',
  'china',
  'ukraine',
  'republicans',
  'allegation',
  'hunter',
  'biden',
  'prosecutor',
  'crime',
  'deal',
  'china',
  'ukraine',
  'joe',
  'moment',
  'judge',
  'hunter',
  'sweetheart',
  'plea',
  'deal',
  'tax',
  'gun',
  'charge',
  'investigation',
  'karine',
  'jean',
  'pierre',
  'rejects',
  'white',
  'house',
  'story',
  'joe',
  'knowledge',
  'hunter',
  'deal',
  'press',
  'secretary',
  'plea',
  'deal',
  'firearm',
  'possession',
  'northeast',
  'brace',
  'flooding',
  'hurricane',
  'irene',
  'region',
  'flash',
  'flood',
  'watch',
  'rain',
  'onehudson',
  'valley',
  'new',
  'york',
  'inch',
  'rain',
  'yesterday',
  'way',
  'flash',
  'flood',
  'weather',
  'warning',
  'place',
  'northeast',
  'state',
  'monday',
  'woman',
  'home',
  'dog',
  'west',
  'point',
  'military',
  'academy',
  'basedby',
  'claudia',
  'aoraha',
  'reporter',
  'dailymail',
  'com',
  'published',
  'edt',
  'july',
  'edt',
  'july',
  'e',
  '-',
  'mail',
  'share',
  'view',
  'comment',
  'advertisement',
  'swathe',
  'northeast',
  'flooding',
  'monday',
  'downpour',
  'inch',
  'rain',
  'road',
  'person',
  'storm',
  'hurricane',
  'irene',
  'new',
  'york',
  'road',
  'hudson',
  'valley',
  'sunday',
  'flood',
  'today',
  'rain',
  'new',
  'york',
  'downpours',
  'pennsylvania',
  'massachusetts',
  'connecticut',
  'vermont',
  'new',
  'hampshire',
  'maine',
  'morning',
  'americans',
  'flash',
  'flood',
  'alert',
  'woman',
  'yesterday',
  'highland',
  'falls',
  'westchester',
  'home',
  'town',
  'bank',
  'hudson',
  'river',
  'west',
  'point',
  'town',
  'home',
  'military',
  'academy',
  'local',
  'year',
  'rain',
  'event',
  'home',
  'meteorologist',
  'damage',
  'hurricane',
  'irene',
  'people',
  'storm',
  'east',
  'coast',
  'caribbean',
  'yesterday',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'risk',
  'warning',
  'light',
  'storm',
  'new',
  'york',
  'governor',
  'kathy',
  'hochul',
  'state',
  'emergency',
  'county',
  'night',
  'home',
  'power',
  'emergency',
  'team',
  'house',
  'house',
  'yesterday',
  'stony',
  'point',
  'new',
  'york',
  'woman',
  'home',
  'dog',
  'highland',
  'falls',
  'west',
  'point',
  'vehicle',
  'way',
  'flood',
  'water',
  'old',
  'yorktown',
  'rd',
  'shrub',
  'oak',
  'n.y.',
  'july',
  'storm',
  'sunday',
  'evening',
  'flash',
  'flooding',
  'fatality',
  'new',
  'york',
  'hudson',
  'valley',
  'cars',
  'drift',
  'road',
  'west',
  'point',
  'year',
  'rain',
  'event',
  'riverside',
  'town',
  'home',
  'road',
  'bear',
  'mountain',
  'state',
  'park',
  'tourist',
  'attraction',
  'summer',
  'month',
  'washout',
  'yesterday',
  'storm',
  'king',
  'highway/9w',
  'orange',
  'county',
  'new',
  'york',
  'storm-',
  'portion',
  'road',
  'number',
  'vehicle',
  'stream',
  'rainwater',
  'deluge',
  'new',
  'york',
  'car',
  'water',
  'rescue',
  'team',
  'night',
  'flash',
  'flooding',
  'red',
  'mill',
  'road',
  'cortlandt',
  'manor',
  'new',
  'york',
  'new',
  'york',
  'governor',
  'kathy',
  'hochul',
  'state',
  'emergency',
  'state',
  'night',
  'home',
  'power',
  'bridge',
  'road',
  'deluge',
  'trooper',
  'steven',
  'v.',
  'nevel',
  'new',
  'york',
  'state',
  'police',
  'search',
  'mission',
  'hour',
  'monday',
  'hand',
  'deck',
  'new',
  'york',
  'city',
  'forecaster',
  'weather',
  'borough',
  'manhattan',
  'queens',
  'bronx',
  'basement',
  'level',
  'tenant',
  'ground',
  'night',
  'preparation',
  'flooding',
  'official',
  'monday',
  'home',
  'ontario',
  'county',
  'resident',
  'american',
  'red',
  'cross',
  'shelter',
  'town',
  'hall',
  'storm',
  'national',
  'weather',
  'service',
  'flash',
  'flood',
  'warning',
  'connecticut',
  'city',
  'stamford',
  'greenwich',
  'massachusetts',
  'forecaster',
  'area',
  'inch',
  'rain',
  'vehicle',
  'standstill',
  'portion',
  'palisades',
  'parkway',
  'traffic',
  'circle',
  'bear',
  'mountain',
  'bridge',
  'county',
  'executive',
  'steve',
  'neuhaus',
  'state',
  'emergency',
  'orange',
  'county',
  'new',
  'york',
  'town',
  'cornwall',
  'shore',
  'hudson',
  'river',
  'state',
  'emergency',
  'sunday',
  'night',
  'goat',
  'trail',
  'bear',
  'mountain',
  'bridge',
  'hudson',
  'valley',
  'weather',
  'forecast',
  'maps',
  'woman',
  'floodwater',
  'west',
  'point',
  'home',
  'military',
  'academy',
  'road',
  'river',
  'area',
  'force',
  'flash',
  'flooding',
  'boulder',
  'woman',
  'house',
  'wall',
  'orange',
  'county',
  'executive',
  'steven',
  'neuhaus',
  'associated',
  'press',
  'house',
  'water',
  "'she",
  'flooding',
  'dog',
  'wave',
  'type',
  'wave',
  'photo',
  'road',
  'thayer',
  'road',
  'base',
  'state',
  'official',
  'road',
  'orange',
  'county',
  'new',
  'york',
  'official',
  'resident',
  'line',
  'storm',
  'road',
  "'the",
  'water',
  'governor',
  'kathy',
  'hochul',
  'night',
  'extent',
  'destruction',
  'storm',
  'area',
  'inch',
  'rain',
  'sunrise',
  'resident',
  'official',
  'damage',
  'official',
  'storm',
  'million',
  'dollar',
  'damage',
  'hochul',
  'wcbs',
  'radio',
  'people',
  'home',
  'commuter',
  'rain',
  'east',
  'coast',
  'sunday',
  'amtrak',
  'train',
  'service',
  'new',
  'york',
  'city',
  'albany',
  'weather',
  'condition',
  'flight',
  'new',
  'york',
  'city',
  'boston',
  'philadelphia',
  'airport',
  'sunday',
  'weather',
  'area',
  'north',
  'carolina',
  'northeast',
  'watch',
  'warning',
  'rain',
  'region',
  'new',
  'york',
  'new',
  'jersey',
  'pennsylvania',
  'rest',
  'new',
  'england',
  'rescuers',
  'family',
  'wheelchair',
  'female',
  'flood',
  'water',
  'park',
  'stony',
  'point',
  'town',
  'unit',
  'victim',
  'water',
  'war',
  'zone',
  'video',
  'video',
  'grey',
  'smoke',
  'sea',
  'foot',
  'ship',
  'fire',
  'video',
  'ohio',
  'man',
  'meltdown',
  'gender',
  'bathroom',
  'cctv',
  'connor',
  'gibson',
  'sister',
  'amber',
  'video',
  'ex',
  '-',
  'official',
  'technology',
  'ufo',
  'video',
  'whistleblower',
  'congress',
  'government',
  'knowledge',
  'uap',
  'watch',
  'video',
  'disturbing',
  'footage',
  'cop',
  'kid',
  'dog',
  'cage',
  'watch',
  'video',
  'moment',
  'shoplifter',
  'getaway',
  'burlington',
  'store',
  'watch',
  'video',
  'grusch',
  'biological',
  'pilot',
  'video',
  'ufo',
  'whistleblower',
  'government',
  'possession',
  'ufo',
  'video',
  'retired',
  'air',
  'force',
  'officer',
  'ufo',
  'info',
  'video',
  'bodycam',
  'moment',
  'police',
  'head',
  'trial',
  'watch',
  'video',
  'ex',
  '-',
  'official',
  'info',
  'state',
  'senator',
  'james',
  'skoufis',
  'infrastructure',
  'home',
  'weather',
  'event',
  'brave',
  'rescuer',
  'night',
  'video',
  'video',
  'grey',
  'smoke',
  'sea',
  'foot',
  'ship',
  'fire',
  'video',
  'ohio',
  'man',
  'meltdown',
  'gender',
  'bathroom',
  'cctv',
  'connor',
  'gibson',
  'sister',
  'amber',
  'video',
  'ex',
  '-',
  'official',
  'technology',
  'ufo',
  'video',
  'whistleblower',
  'congress',
  'government',
  'knowledge',
  'uap',
  'watch',
  'video',
  'disturbing',
  'footage',
  'cop',
  'kid',
  'dog',
  'cage',
  'watch',
  'video',
  'moment',
  'shoplifter',
  'getaway',
  'burlington',
  'store',
  'watch',
  'video',
  'grusch',
  'biological',
  'pilot',
  'video',
  'ufo',
  'whistleblower',
  'government',
  'possession',
  'ufo',
  'video',
  'retired',
  'air',
  'force',
  'officer',
  'ufo',
  'info',
  'video',
  'bodycam',
  'moment',
  'police',
  'head',
  'trial',
  'watch',
  'video',
  'ex',
  '-',
  'official',
  'info',
  'piermont',
  'fire',
  'department',
  'stony',
  'point',
  'rescue',
  'squad',
  'adult',
  'male',
  'home',
  'flood',
  'executive',
  'steve',
  'neuhaus',
  'state',
  'emergency',
  'orange',
  'county',
  'new',
  'york',
  'town',
  'cornwall',
  'shore',
  'hudson',
  'river',
  'state',
  'emergency',
  'sunday',
  'night',
  'neuhaus',
  'village',
  'highland',
  'falls',
  'west',
  'point',
  'scene',
  'war',
  'zone',
  'repair',
  'water',
  'damage',
  'month',
  'situation',
  'lot',
  'people',
  'way',
  'state',
  'senator',
  'james',
  'skoufis',
  'infrastructure',
  'home',
  'weather',
  'event',
  'rockland',
  'county',
  'executive',
  'ed',
  'day',
  'hiker',
  'location',
  'dozen',
  'driver',
  'downpour',
  'day',
  'orange',
  'county',
  'rockland',
  'county',
  'fire',
  'dept',
  'people',
  'car',
  'mountain',
  'circle',
  'palisades',
  'parkway',
  'lee',
  'grant',
  'housing',
  'area',
  '¿',
  'pic.twitter.com/xfa81f80bg',
  'mike',
  'lyons',
  'july',
  'military',
  'academy',
  'west',
  'point',
  'hudson',
  'river',
  'car',
  'home',
  'area',
  'people',
  'knee',
  'water',
  'car',
  'road',
  'camp',
  'rosemary',
  'willkomm',
  'cornwall',
  'hudson',
  'destruction',
  'home',
  'fence',
  'inch',
  'water',
  'basement',
  'way',
  'den',
  'property',
  'piermont',
  'fire',
  'department',
  'stony',
  'point',
  'rescue',
  'squad',
  'adult',
  'male',
  'home',
  'flood',
  'water',
  'rescuer',
  'family',
  ...],
 ['bbc',
  'homepageskip',
  'helpyour',
  'accounthomenewssportreelworklifetravelfuturemore',
  'menumore',
  'bbchomenewssportreelworklifetravelfutureculturemusictvweathersoundsclose',
  'newsmenuhomewar',
  'ukraineclimatevideoworldus',
  'canadaukbusinesstechsciencemoreentertainment',
  'artshealthin',
  'picturesbbc',
  'verifyworld',
  'news',
  'tvnewsbeatus',
  'canadamissouri',
  'tornado',
  'search',
  'effort',
  'aprilshareclose',
  'panelshare',
  'sharingimage',
  'source',
  'handoutby',
  'chelsea',
  'bailey',
  'max',
  'matzabbc',
  'newsat',
  'people',
  'tornado',
  'missouri',
  'authority',
  'â',
  'twister',
  'gmt',
  'wednesday',
  'bollinger',
  'county',
  'official',
  'resident',
  'damage',
  'tree',
  'car',
  'roof',
  'home',
  'search',
  'rescue',
  'effort',
  'million',
  'americans',
  'texas',
  'great',
  'lakes',
  'region',
  'tornado',
  'watch',
  'wednesday',
  'national',
  'weather',
  'service',
  'nws',
  'official',
  'bollinger',
  'county',
  'mile',
  'km',
  'st',
  'louis',
  'report',
  'tornado',
  'ef2',
  'enhanced',
  'fujita',
  'scale',
  'ef5',
  'peak',
  'wind',
  'mph',
  'nws',
  'mile',
  'span',
  'minute',
  'official',
  'bbc',
  'news',
  'police',
  'state',
  'highway',
  'patrol',
  'team',
  'rescue',
  'recovery',
  'effort',
  'image',
  'source',
  'getty',
  'imagesresident',
  'josh',
  'wells',
  'sister',
  'home',
  'tornado',
  'basement',
  'home',
  'wall',
  'brother',
  'law',
  'second',
  'roaring',
  'sound',
  'wind',
  'debris',
  'cbs',
  'bbc',
  'partner',
  'image',
  'source',
  'getty',
  'imagesimage',
  'caption',
  'frame',
  'home',
  'responder',
  'emergency',
  'crew',
  'resident',
  'storm',
  'neighbourhood',
  'machinery',
  'chainsaw',
  'wednesday',
  'afternoon',
  'rescue',
  'effort',
  'tree',
  'vehicle',
  'home',
  'kian',
  'sutter',
  'man',
  'bathtub',
  'dog',
  'tornado',
  'porch',
  'wall',
  'living',
  'room',
  'bollinger',
  'county',
  'administrator',
  'larry',
  'welker',
  'resident',
  'trailer',
  'home',
  'destruction',
  'storm',
  'system',
  'people',
  'region',
  'dozen',
  'tornado',
  'thunderstorm',
  'tornado',
  'march',
  'nws',
  'video',
  'video',
  'javascript',
  'browser',
  'medium',
  'caption',
  'watch',
  'video',
  'tornado',
  'iowa',
  'corn',
  'fieldrelated',
  'statessevere',
  'weathermore',
  'toll',
  'storm',
  'uspublished3',
  'aprilwhat',
  'marchtop',
  'storiesirish',
  'singer',
  'sinãad',
  "o'connor",
  'hour',
  'biden',
  'plea',
  'deal',
  'hour',
  'agoniger',
  'soldier',
  'coup',
  'tvpublished1',
  'hour',
  'agofeaturessinãad',
  "o'connor",
  'obituary',
  'talent',
  'gulf',
  'stream',
  'musk',
  'tweet',
  'vaccine',
  'rise',
  'fall',
  'china',
  'ministerthe',
  'indian',
  'pride',
  'march',
  'china',
  'pick',
  'bank',
  'world',
  'countrydramatic',
  'downfall',
  'banker',
  'nigeriathe',
  'breath',
  'bbcthe',
  'way',
  'homeswhy',
  'brand',
  'mediathe',
  'film',
  'usmost',
  'read1irish',
  'singer',
  'sinãad',
  "o'connor",
  'biden',
  'plea',
  'deal',
  'apart3niger',
  'soldier',
  'coup',
  'tv4mcconnell',
  'news',
  'billionaire',
  'yacht',
  'fraud',
  'case6sinãad',
  "o'connor",
  'obituary',
  'talent',
  'compare7mastercard',
  'bank',
  'debit',
  'weed8alien',
  'congress',
  'together9officer',
  'dog',
  "driver10'grateful",
  'kevin',
  'spacey',
  'sex',
  'assault',
  'news',
  'serviceson',
  'mobileon',
  'news',
  'alertscontact',
  'bbc',
  'newshomenewssportreelworklifetravelfutureculturemusictvweathersoundsterms',
  'useabout',
  'bbcprivacy',
  'policycookiesaccessibility',
  'helpparental',
  'guidancecontact',
  'bbcget',
  'newsletterswhy',
  'bbcadvertise',
  'usâ',
  'bbc',
  'bbc',
  'content',
  'site',
  'approach',
  'linking'],
 ['link',
  'weather',
  'news',
  'feed',
  'montana',
  'sports',
  'montana',
  'ag',
  'network',
  'open',
  'houses',
  'contests',
  'indian',
  'country',
  'fire',
  'voice',
  'positively',
  'montana',
  'obituaries',
  'snow',
  'storm',
  'school',
  'closure',
  'montana',
  'apr',
  'billing',
  'winter',
  'storm',
  'snow',
  'school',
  'closure',
  'montana',
  'area',
  'tuesday',
  'april',
  '2022).areas',
  'glendive',
  'baker',
  'foot',
  'snow',
  'area',
  'livingston',
  'montana',
  'blizzard',
  'warning',
  'effect',
  'montana',
  'wind',
  'mph',
  'list',
  'closure',
  'billing',
  'public',
  'schoolslockwood',
  'schoolshuntley',
  'project',
  'schoolsshepherd',
  'public',
  'schoolsbillings',
  'catholic',
  'schoolsbridger',
  'schoolschief',
  'dull',
  'knife',
  'collegebroadus',
  'schoolssidney',
  'public',
  'schoolsabsarokee',
  'schoolscolstrip',
  'public',
  'schoolsgeyser',
  'school',
  'districtelder',
  'grove',
  'schoolselysian',
  'school',
  'districtcuster',
  'schoolsbroadview',
  'schoolscanyon',
  'creek',
  'schoolbelfry',
  'schoolsfromberg',
  'school',
  'districtjoliet',
  'public',
  'schoolsharlowton',
  'public',
  'schoolspark',
  'city',
  'schoolslame',
  'deer',
  'public',
  'schoolsryegate',
  'schoolsred',
  'lodge',
  'schoolslavina',
  'schoolsrapelje',
  'schoolsreed',
  'point',
  'schoolsthe',
  'snow',
  'wednesday',
  'snow',
  'portion',
  'montana',
  'trending',
  'articlessnow',
  'storm',
  'school',
  'closure',
  'montanagf',
  'woman',
  'trafficking',
  'methwhat',
  'property',
  'gf?roadwork',
  'black',
  'list',
  'april',
  'copyright',
  'scripps',
  'media',
  'inc.',
  'right',
  'material',
  'headlines',
  'newsletter',
  'date',
  'information',
  'headlines',
  'newsletter',
  'newsletters',
  'golf',
  'hole',
  'scripps',
  'local',
  'media',
  'scripps',
  'media',
  'inc',
  'light',
  'people',
  'way'],
 ['abc',
  'newsvideoliveshowselectionsinterest',
  'successfully',
  "addedwe'll",
  'news',
  'desktop',
  'notification',
  'story',
  'interest',
  'offonlog',
  'instream',
  'louisiana',
  'storm',
  'watch',
  'southtornado',
  'watch',
  'line',
  'storm',
  'bydaniel',
  'amarante',
  'teddy',
  'grantfebruary',
  'pm2:31video',
  'tornado',
  'louisiana',
  'mississippiabc',
  'newsa',
  'tornado',
  'tangipahoa',
  'louisiana',
  'wednesday',
  'evening',
  'national',
  'weather',
  'service',
  'new',
  'orleans',
  'resident',
  'shelter',
  'tornado',
  'people',
  'tornado',
  'village',
  'tangipahoa',
  'tangipahoa',
  'parish',
  'police',
  'chief',
  'jimmy',
  'travis',
  'wednesday',
  'tornado',
  'watch',
  'state',
  'south',
  'storm',
  'region',
  'mississippi',
  'arkansas',
  'louisiana',
  'county',
  'texas',
  'alert',
  'tornado',
  'p.m.',
  'et.more',
  'thousand',
  'texas',
  'customer',
  'day',
  'power',
  'week',
  'tornado',
  'watch',
  'line',
  'storm',
  'mississippi',
  'tennessee',
  'people',
  'risk',
  'weather',
  'south',
  'storm',
  'wind',
  'flash',
  'flooding',
  'tornado',
  'abc',
  'newsjackson',
  'mississippi',
  'center',
  'weather',
  'threat',
  'storm',
  'area',
  'evening',
  'hour',
  'tornado',
  'time',
  'tornado',
  'daytime',
  'storm',
  'country',
  'range',
  'weather',
  'hazard',
  'weather',
  'wind',
  'snow',
  'video',
  'americans',
  'state',
  'wind',
  'alert',
  'gulf',
  'coast',
  'great',
  'lakes',
  'wind',
  'gust',
  'mph',
  'wednesday',
  'thursday',
  'winter',
  'alert',
  'effect',
  'iowa',
  'wisconsin',
  'inch',
  'snow',
  'accumulation',
  'wednesday',
  'thursday',
  'afternoon',
  'abc',
  'news',
  'max',
  'golembo',
  'report',
  'topicstornadoestop',
  'storiesruin',
  'vatican',
  'emperor',
  'nero',
  'theaterjul',
  'pmhouse',
  'ufo',
  'hearing',
  'ex',
  'knowledge',
  'craftjul',
  'amsinead',
  "o'connor",
  'u',
  'singer',
  '56jul',
  'pmmcconnell',
  'press',
  'conference',
  'return',
  'pmwhistleblower',
  'congress',
  'decade',
  'program',
  'ufosjul',
  'pmabc',
  'news',
  'live24/7',
  'coverage',
  'news',
  'eventsabc',
  'news',
  'networkprivacy',
  'policyyour',
  'state',
  'privacy',
  'rightschildren',
  'online',
  'privacy',
  'policyinterest',
  'adsabout',
  'nielsen',
  'measurementterms',
  'usedo',
  'sell',
  'informationcontact',
  'uscopyright',
  'abc',
  'news',
  'internet',
  'ventures',
  'right'],
 ['search',
  'homepage',
  'local',
  'news',
  'national',
  'news',
  'weather',
  'closings',
  'radar',
  'future',
  'politics',
  'closeup',
  'conversation',
  'candidate',
  'fact',
  'fact',
  'local',
  'news',
  'investigates',
  'sports',
  'sports',
  'betting',
  'high',
  'school',
  'sports',
  'coronavirus',
  'project',
  'community',
  'nh',
  'chronicle',
  'summer',
  'songfest',
  'home',
  'health',
  'state',
  'addiction',
  'entertainment',
  'viewers',
  'choice',
  'community',
  'calendar',
  'pet',
  'traffic',
  'news',
  'love',
  'contests',
  'editorials',
  'news',
  'team',
  'contact',
  'advertise',
  'wmur',
  'metv',
  'privacy',
  'notice',
  'terms',
  'use',
  'press',
  'type',
  'search',
  'storm',
  'new',
  'hampshire',
  'wednesday',
  'night',
  'pm',
  'edt',
  'jun',
  'storm',
  'new',
  'hampshire',
  'wednesday',
  'night',
  'pm',
  'edt',
  'jun',
  'transcript',
  'video',
  'spoken',
  'words',
  'alerts',
  'breaking',
  'update',
  'email',
  'inbox',
  'storm',
  'new',
  'hampshire',
  'wednesday',
  'night',
  'pm',
  'edt',
  'jun',
  'new',
  'hampshire',
  'shower',
  'thunderstorm',
  'evening',
  'shower',
  'system',
  'downpour',
  'thunderstorm',
  'wednesday',
  'afternoon',
  'evening',
  'rain',
  'head',
  'night',
  'lightning',
  'strike',
  'area',
  'bedford',
  'wind',
  'tree',
  'power',
  'line',
  'fire',
  'rolling',
  'woods',
  'drive',
  'interactive',
  'radar',
  'cloud',
  'shower',
  'fog',
  'low',
  '50',
  'weather',
  'alertsthursday',
  'friday',
  'sun',
  'afternoon',
  'cloud',
  'shower',
  'high',
  'day',
  '70',
  'shower',
  'weekend',
  'temperature',
  'bit',
  'high',
  'saturday',
  '60',
  'weather',
  'wmur',
  'app',
  'apple',
  'android',
  'device',
  'push',
  'notification',
  'weather',
  'alert',
  'geolocation',
  'zip',
  'code',
  'addition',
  'word',
  'precipitation',
  'area',
  'storm',
  'team',
  'medium',
  'mike',
  'haddad',
  'facebook',
  'twitterkevin',
  'skarupa',
  'facebook',
  'twitterhayley',
  'lapoint',
  'facebook',
  'twitterjacqueline',
  'thomas',
  'facebook',
  'twittermatt',
  'hoenig',
  'facebook',
  '',
  '',
  'twitter',
  'manchester',
  'n.h.',
  'new',
  'hampshire',
  'shower',
  'thunderstorm',
  'evening',
  'shower',
  'system',
  'downpour',
  'thunderstorm',
  'wednesday',
  'afternoon',
  'evening',
  'rain',
  'head',
  'night',
  'lightning',
  'strike',
  'area',
  'bedford',
  'wind',
  'tree',
  'power',
  'line',
  'fire',
  'rolling',
  'woods',
  'drive',
  'interactive',
  'radar',
  'cloud',
  'shower',
  'fog',
  'low',
  '50',
  'weather',
  'alert',
  'thursday',
  'friday',
  'sun',
  'afternoon',
  'cloud',
  'shower',
  'high',
  'day',
  '70',
  'shower',
  'weekend',
  'temperature',
  'bit',
  'high',
  'saturday',
  '60',
  'weather',
  'wmur',
  'app',
  'apple',
  'android',
  'device',
  'push',
  'notification',
  'weather',
  'alert',
  'geolocation',
  'zip',
  'code',
  'addition',
  'word',
  'precipitation',
  'area',
  'storm',
  'team',
  'medium',
  'mike',
  'haddad',
  'facebook',
  'twitterkevin',
  'skarupa',
  'facebook',
  'twitterhayley',
  'lapoint',
  'facebook',
  'twitterjacqueline',
  'thomas',
  'facebook',
  'twittermatt',
  'hoenig',
  'facebook',
  '',
  '',
  'twitter',
  'mattel',
  'barbie',
  'movie',
  'dolls',
  'margot',
  'robbie',
  'ryan',
  'gosling',
  'barbie',
  'movie',
  'amazon',
  'shop',
  'pink',
  'fantastic',
  'merch',
  'contact',
  'news',
  'team',
  'apps',
  'social',
  'email',
  'alerts',
  'careers',
  'internships',
  'digital',
  'advertising',
  'terms',
  'conditions',
  'broadcast',
  'terms',
  'conditions',
  'rss',
  'eeo',
  'captioning',
  'contacts',
  'public',
  'inspection',
  'file',
  'public',
  'file',
  'assistance',
  'fcc',
  'applications',
  'news',
  'policy',
  'statements',
  'hearst',
  'television',
  'affiliate',
  'marketing',
  'program',
  'commission',
  'product',
  'link',
  'retailer',
  'site',
  'hearst',
  'television',
  'inc.',
  'behalf',
  'wmur',
  'tv',
  'privacy',
  'notice',
  'california',
  'privacy',
  'rights',
  'interest',
  'ads',
  'terms',
  'use',
  'site',
  'map'],
 ['national',
  'world',
  'news',
  'political',
  'news',
  'outdoor',
  'news',
  'health',
  'medical',
  'news',
  'science',
  'technology',
  'business',
  'entertainment',
  'news',
  'current',
  'conditions',
  'seven',
  'day',
  'outlook',
  'interactive',
  'radar',
  'weather',
  'alerts',
  'school',
  'alert',
  'traffic',
  'kstp',
  'tv',
  'schedule',
  'issue',
  'tom',
  'hauser',
  'minnesota',
  'live',
  'twin',
  'cities',
  'sports',
  'home',
  'minnesota',
  'vikings',
  'minnesota',
  'timberwolves',
  'minnesota',
  'wild',
  'minnesota',
  'lynx',
  'minnesota',
  'twins',
  'minnesota',
  'united',
  'college',
  'sports',
  'high',
  'school',
  'sports',
  'link',
  'minnesota',
  'community',
  'event',
  'health',
  'contest',
  'contact',
  'eyewitness',
  'news',
  'news',
  'team',
  'kstp',
  'mobile',
  'apps',
  'news',
  'tip',
  'photo',
  'videos',
  'advertising',
  'marketing',
  'services',
  'viewer',
  'newsletter',
  'question',
  'hubbard',
  'broadcasting',
  'stations',
  'photo',
  'pop',
  'storm',
  'damage',
  'east',
  'metro',
  'wisconsin',
  'storm',
  'damage',
  'north',
  'metro',
  'wisconsin',
  'heattree',
  'roof',
  'apartment',
  'building',
  'north',
  'hudson',
  'crew',
  'power',
  'thousand',
  'people',
  'tuesday',
  'temperature',
  'minnesota',
  'wisconsin',
  'power',
  'outage',
  'tuesday',
  'morning',
  'customer',
  'electricity',
  'a.m.',
  'outage',
  'metro',
  'wisconsin',
  'click',
  'outage',
  'map',
  'company',
  'customer',
  'power',
  'monday',
  'night',
  'storm',
  'tree',
  'roof',
  'apartment',
  'building',
  'hudson',
  'wisc',
  '.',
  'monday',
  'tree',
  'ground',
  'vadnais',
  'heights',
  'tuesday',
  'morning',
  'rain',
  'door',
  'bathroom',
  'bill',
  'schifsky',
  'vadnais',
  'heights',
  'hail',
  'storm',
  'report',
  'addition',
  'downpour',
  'size',
  'golf',
  'ball',
  'report',
  'hudson',
  'hampton',
  'hail',
  'clearwater',
  'size',
  'quarter',
  'temperature',
  'edge',
  'heat',
  'dome',
  'american',
  'southwest',
  'doctor',
  'heat',
  'toll',
  'spike',
  'people',
  'contact',
  'burn',
  'people',
  'pavement',
  'concrete',
  'sidewalk',
  'rock',
  'temperature',
  'surface',
  'degree',
  'bit',
  'temperature',
  'boiling',
  'water',
  'fraction',
  'burn',
  'dr.',
  'kevin',
  'foster',
  'director',
  'arizona',
  'burn',
  'center',
  'phoenix',
  'day',
  'degree',
  'tuesday',
  'city',
  'degree',
  'week',
  'kstp',
  'app',
  'weather',
  'alert',
  'radar',
  'forecast',
  'click',
  'app',
  'version',
  'report',
  'storm',
  'wisconsinstorms',
  'batter',
  'wisconsininitial',
  'report',
  'outburst',
  'storm',
  'monday',
  'afternoon',
  'tree',
  'damage',
  'east',
  'twin',
  'cities',
  'metro',
  'wisconsin',
  'scene',
  'eyewitness',
  'news',
  'viewer',
  'tree',
  'white',
  'bear',
  'lake',
  'vadnais',
  'heights',
  'wisconsin',
  'rain',
  'wind',
  'way',
  'north',
  'hudson',
  'brant',
  'wesolek',
  'house',
  'foot',
  'patio',
  'wesolek',
  'umbrella',
  'patio',
  'storm',
  'cover',
  'neighbor',
  'porch',
  'safety',
  'minute',
  'branch',
  'walnut',
  'tree',
  'moment',
  'wesolek',
  'wind',
  'hail',
  'rain',
  'area',
  'storm',
  'branch',
  'trail',
  'debris',
  'neighborhood',
  'people',
  'hour',
  'mother',
  'nature',
  'lot',
  'cleanup',
  'neighbor',
  'hour',
  'wesolek',
  'people',
  'east',
  'metro',
  'western',
  'wisconsin',
  'power',
  'monday',
  'storm',
  'xcel',
  'energy',
  'crew',
  'member',
  'ground',
  'light',
  'p.m.',
  'customer',
  'power',
  'xcel',
  'power',
  'window',
  'bunch',
  'wind',
  'husband',
  'skylar',
  'north',
  'hudson',
  'resident',
  'skylar',
  'family',
  'ground',
  'floor',
  'apartment',
  'building',
  'apartment',
  'bang',
  'roof',
  'storm',
  'roof',
  'resident',
  'cover',
  'skylar',
  'image',
  'eyewitness',
  'news',
  'viewer',
  'picture',
  'weather',
  'forecast',
  'radar',
  'veronica',
  'frye',
  'north',
  'hudson)(courtesy',
  'veronica',
  'frye',
  'north',
  'hudson)(courtesy',
  'veronica',
  'frye',
  'north',
  'hudson)(courtesy',
  'chris',
  'bickel',
  'vadnais',
  'heights)(courtesy',
  'chris',
  'bickel',
  'vadnais',
  'heights)(courtesy',
  'chris',
  'bickel',
  'vadnais',
  'heights)(courtesy',
  'chris',
  'bickel',
  'vadnais',
  'heights)(courtesy',
  'john',
  'spelman',
  'white',
  'bear',
  'phil',
  'sutherland',
  'cottage',
  'phil',
  'sutherland',
  'cottage',
  'phil',
  'sutherland',
  'cottage',
  'park)courtesy',
  'steve',
  'loftness',
  'kenyoncourtesy',
  'bernice',
  'lock',
  'vadnais',
  'heightscourtesy',
  'bernice',
  'lock',
  'vadnais',
  'heightscourtesy',
  'bernice',
  'lock',
  'vadnais',
  'heightscourtesy',
  'dave',
  'hochstein',
  'bayportcourtesy',
  'james',
  'tarmak',
  'white',
  'bear',
  'lakecourtesy',
  'james',
  'tarmak',
  'white',
  'bear',
  'lake(courtesy',
  'phil',
  'sutherland',
  'cottage',
  'phil',
  'sutherland',
  'cottage',
  'phil',
  'sutherland',
  'cottage',
  'park)nerstrand',
  'minn.',
  'stories',
  'minnesota',
  'storm',
  'damage',
  'storms',
  'weather',
  'news',
  'wisconsin',
  'home',
  'page',
  'watch',
  'newscasts',
  'news',
  'weather',
  'video',
  'programming',
  'sports',
  'contact',
  'kstp',
  'tv',
  'fcc',
  'public',
  'inspection',
  'file',
  'kstc',
  'tv',
  'fcc',
  'public',
  'inspection',
  'file',
  'ksax',
  'tv',
  'fcc',
  'public',
  'inspection',
  'file',
  'krwf',
  'tv',
  'fcc',
  'public',
  'inspection',
  'file',
  'additional',
  'public',
  'information',
  'kstp',
  'tv',
  'kstc',
  'tv',
  'fcc',
  'applications',
  'ksax',
  'tv',
  'fcc',
  'applications',
  'krwf',
  'tv',
  'fcc',
  'applications',
  'terms',
  'use',
  'dmca',
  'notice',
  'contest',
  'rules',
  'hubbard',
  'television',
  'group',
  'privacy',
  'policy',
  'person',
  'disability',
  'help',
  'content',
  'fcc',
  'public',
  'file',
  'kstp',
  'form',
  'website',
  'user',
  'european',
  'economic',
  'area',
  'kstp',
  'tv',
  'llc',
  'hubbard',
  'broadcasting',
  'company'],
 ['news',
  'headlines',
  'crime',
  'public',
  'safety',
  'photos',
  'videos',
  'elections',
  'weather',
  'capitol',
  'ideas',
  'education',
  'pennsylvania',
  'news',
  'coronavirus',
  'sports',
  'high',
  'school',
  'sports',
  'college',
  'sports',
  'philadelphia',
  'phillies',
  'athlete',
  'week',
  'philadelphia',
  'eagles',
  'outdoors',
  'golf',
  'nhl',
  'thing',
  'entertainment',
  'restaurants',
  'food',
  'drink',
  'nightcrawler',
  'music',
  'concerts',
  'theater',
  'lehigh',
  'valley',
  'insider',
  'movies',
  'tv',
  'streaming',
  'death',
  'notice',
  'listings',
  'place',
  'death',
  'notice',
  'branded',
  'content',
  'advertising',
  'ascend',
  'paid',
  'partner',
  'content',
  'paid',
  'content',
  'brandpoint',
  'storms',
  'new',
  'jersey',
  'winter',
  'twitter',
  'opens',
  'window)click',
  'facebook',
  'opens',
  'window',
  'news',
  'headlines',
  'crime',
  'public',
  'safety',
  'elections',
  'weather',
  'capitol',
  'ideas',
  'education',
  'pennsylvania',
  'news',
  'coronavirus',
  'search',
  'month',
  'family',
  'bucks',
  'county',
  'flash',
  'flood',
  'mean',
  'july',
  'pm',
  'storm',
  'new',
  'jersey',
  'winter',
  'tornado',
  'share',
  'twitter',
  'opens',
  'window)click',
  'facebook',
  'opens',
  'window',
  'map',
  'national',
  'weather',
  'service',
  'survey',
  'crew',
  'damage',
  'storm',
  'new',
  'jersey',
  'tuesday',
  'feb.',
  'tornado',
  'warning',
  'courtesy',
  'national',
  'weather',
  'service',
  'associated',
  'press',
  '',
  '',
  'february',
  'a.m.',
  'tornado',
  'warning',
  'tuesday',
  'line',
  'thunderstorm',
  'new',
  'jersey',
  'wind',
  'tree',
  'ground',
  'pennington',
  'west',
  'windsor',
  'tree',
  'damage',
  'house',
  'car',
  'report',
  'resident',
  'police',
  'warning',
  'mercer',
  'middlesex',
  'monmouth',
  'county',
  'p.m.',
  'p.m.',
  'thunderstorm',
  'cell',
  'region',
  'sky',
  'hail',
  'bolt',
  'lightning',
  'air',
  'newark',
  'star',
  'ledger',
  'meteorologist',
  'national',
  'weather',
  'service',
  'mercer',
  'county',
  'wednesday',
  'tornado',
  'survey',
  'team',
  'damage',
  'west',
  'windsor',
  'lawrenceville',
  'evidence',
  'twister',
  'damage',
  'line',
  'thunderstorm',
  'wind',
  'agency',
  'finding',
  'p.m.',
  'wednesday',
  'police',
  'chief',
  'christopher',
  'longo',
  'lawrence',
  'township',
  'police',
  'department',
  'footage',
  'damage',
  'lawrence',
  'square',
  'village',
  'housing',
  'development',
  'resident',
  'command',
  'post',
  'help',
  'medium',
  'mercer',
  'county',
  'executive',
  'brian',
  'hughes',
  'official',
  'report',
  'county',
  'wind',
  'damage',
  'tree',
  'building',
  'damage',
  'princeton',
  'junction',
  'photo',
  'video',
  'damage',
  'tree',
  'power',
  'line',
  'debris',
  'neighborhood',
  'wind',
  'damage',
  'area',
  'west',
  'windsor',
  'roof',
  'home',
  'building',
  'tree',
  'car',
  'storm',
  'damage',
  'u.s.',
  'route',
  'direction',
  'tuesday',
  'afternoon',
  'area',
  'quaker',
  'bridge',
  'mall',
  'lawrenceville',
  'tornado',
  'tuesday',
  'storm',
  'february',
  'tornado',
  'record',
  'new',
  'jersey',
  'thing',
  'step',
  'plane',
  'collision',
  'feetthe',
  'business',
  'strip',
  'club',
  'colorado',
  'dancer',
  'way',
  'uncertainties‘funnel',
  'cloud',
  'tree',
  'brooklyn',
  'power',
  'outage',
  'staten',
  'island',
  'nursing',
  'hometaylor',
  'swift',
  'album',
  'swiftie',
  '.',
  'guide',
  'tip',
  'search',
  'month',
  'family',
  'bucks',
  'county',
  'flash',
  'flood',
  'mean',
  'heat',
  'advisory',
  'lehigh',
  'valley',
  'condition',
  'week',
  'update',
  'thunderstorm',
  'watch',
  'lehigh',
  'valley',
  'tuesday',
  'temperature',
  'lehigh',
  'valley',
  'week',
  'record',
  'chicago',
  'tribune',
  'baltimore',
  'sun',
  'sun',
  'sentinel',
  'fla.',
  'daily',
  'press',
  'va.',
  'daily',
  'meal',
  'new',
  'york',
  'daily',
  'news',
  'orlando',
  'sentinel',
  'hartford',
  'courant',
  'virginian',
  'pilot',
  'studio',
  'place',
  'ad',
  'classifieds',
  'local',
  'print',
  'ads',
  'job',
  'ads',
  'subscriber',
  'terms',
  'conditions',
  'terms',
  'service',
  'privacy',
  'policy',
  'cookie',
  'policy',
  'cookie',
  'preferences',
  'notice',
  'collection',
  'notice',
  'financial',
  'incentive',
  'share',
  'information'],
 ['contentskip',
  'content',
  'register',
  'article',
  'newsletter',
  'weather',
  'forecast',
  'weather',
  'alert',
  'inbox',
  'subscriber',
  'sign',
  'time',
  'owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'lee',
  'enterprises',
  'terms',
  'service',
  '',
  '',
  'privacy',
  'policy',
  'help',
  'center',
  'account',
  'dashboard',
  'profile',
  'item',
  'shower',
  'storm',
  'nebraska',
  'friday',
  'storm',
  'shower',
  'storm',
  'nebraska',
  'friday',
  'storm',
  'jun',
  'jun',
  'day',
  'shower',
  'storm',
  'nebraska',
  'wind',
  'hail',
  'flooding',
  'half',
  'state',
  'info',
  'threat',
  'storm',
  'state',
  'forecast',
  'video',
  'apple',
  'podcast',
  'google',
  'podcast',
  'rss',
  'feed',
  'omny',
  'studio',
  'news',
  'community',
  'local',
  'weather',
  'forecast',
  'weather',
  'alert',
  'inbox',
  'registration',
  'use',
  'site',
  'agreement',
  'user',
  'agreement',
  'privacy',
  'policy',
  'friday',
  'june',
  'weather',
  'update',
  'nebraska',
  'watch',
  'mitch',
  'mcconnell',
  'freezes',
  'press',
  'conference',
  'republican',
  'colleagues',
  'ivy',
  'league',
  'colleges',
  'rich',
  'class',
  'student',
  'ivy',
  'league',
  'colleges',
  'rich',
  'class',
  'student',
  'swimming',
  'seine',
  'returns',
  'paris',
  'year',
  'swimming',
  'seine',
  'returns',
  'paris',
  'year',
  'fifa',
  'lotr',
  'fan',
  'new',
  'zealand',
  'hobbiton',
  'fifa',
  'lotr',
  'fan',
  'new',
  'zealand',
  'hobbiton',
  'copyright',
  'scottsbluff',
  'star',
  'herald',
  'online',
  'po',
  'box',
  'scottsbluff',
  'ne',
  'term',
  'use',
  '',
  '',
  'privacy',
  'policy',
  '',
  '',
  'info',
  '',
  '',
  'cookie',
  'preferences',
  'blox',
  'content',
  'management',
  'system',
  'minute',
  'news',
  'device'],
 ['news',
  'sports',
  'kentucky',
  'derby',
  'life',
  'opinion',
  'advertise',
  'obituaries',
  'enewspaper',
  'legals',
  'damage',
  'death',
  'storm',
  'lucas',
  'aulbachlouisville',
  'courier',
  'journalwhile',
  'nation',
  'saturday',
  'morning',
  'series',
  'tornado',
  'western',
  'kentucky',
  'area',
  'southeast',
  'midwest',
  'dozen',
  'casualty',
  'ton',
  'damage',
  'town',
  'commonwealth',
  'louisville',
  'damage',
  'wind',
  'rain',
  'kentucky',
  'city',
  'night',
  'area',
  'portion',
  'state',
  'breakdown',
  'condition',
  'kentucky',
  'gov.',
  'andy',
  'beshear',
  'update',
  'day',
  'update',
  'kentucky',
  'storm',
  'damage',
  'death',
  'toll',
  'kentucky',
  'tornado',
  'stand?an',
  'count',
  'saturday',
  'afternoon',
  'beshear',
  'death',
  'toll',
  'day',
  'a.m.',
  'news',
  'conference',
  'beshear',
  'death',
  'toll',
  'saturday',
  'tornado',
  'casualty',
  'number',
  'official',
  'time',
  'damage',
  'reaction',
  'tornado',
  'kentucky',
  'saturday',
  'damage',
  'people',
  'area',
  'kentucky',
  'hardest?much',
  'state',
  'saturday',
  'tornado',
  'power',
  'outage',
  'people',
  'kentucky',
  'a.m.',
  'beshear',
  'people',
  'power',
  'number',
  'saturday',
  'night',
  'lg&e',
  'outage',
  'western',
  'kentucky',
  'damage',
  'tornado',
  'state',
  'arkansas',
  'north',
  'bluegrass',
  'state',
  'mile',
  'central',
  'kentucky',
  'coverage',
  'tornado',
  'kentucky',
  'mile',
  'path',
  'mayfield',
  'town',
  'state',
  'downtown',
  'storm',
  'bowling',
  'green',
  'home',
  'western',
  'kentucky',
  'university',
  'damage',
  'damage',
  'campbellsville',
  'taylor',
  'county',
  'wind',
  'storm',
  'power',
  'line',
  'interstate',
  'louisville',
  'kentucky',
  'tornado',
  'damage',
  'mayfield?mayfield',
  'tornado',
  'storm',
  'town',
  'midnight',
  'trail',
  'destruction',
  'mayfield',
  'courthouse',
  'roof',
  'building',
  'downtown',
  'area',
  'number',
  'casualty',
  'candle',
  'production',
  'factory',
  'roof',
  'beshear',
  'employee',
  'building',
  'time',
  'collapse',
  'interview',
  'nbc',
  'today',
  'kyana',
  'parsons',
  'perez',
  'employee',
  'candle',
  'factory',
  'facility',
  'time',
  'collapse',
  'building',
  'hour',
  '"everything',
  'people',
  'spanish',
  'bowling',
  'green',
  'wku?bowling',
  'green',
  'kentucky',
  'tennessee',
  'border',
  'damage',
  'building',
  'campus',
  'western',
  'kentucky',
  'university',
  'damage',
  'school',
  'presiden',
  'tim',
  'caboni',
  'statement',
  'student',
  'campus',
  'caboni',
  'student',
  'campus',
  'saturday',
  'relative',
  'storm',
  'bowling',
  'green',
  'home',
  'damage',
  'place',
  'city',
  'resident',
  'commencement',
  'ceremony',
  'saturday',
  'evaluation',
  'time',
  'focus',
  'campus',
  'community',
  'caboni',
  'day',
  'week',
  'damage',
  'debris',
  'significance',
  'event',
  'aulbach',
  'laulbach@courier-journal.com',
  'twitter',
  '@lucasaulbach',
  'staff',
  'directory',
  'careers',
  'accessibility',
  'support',
  'site',
  'map',
  'legals',
  'ethical',
  'principles',
  'subscription',
  'terms',
  'conditions',
  'terms',
  'service',
  'privacy',
  'policy',
  'california',
  'privacy',
  'rights',
  'privacy',
  'policydo',
  'sell',
  'share',
  'target',
  'infocookie',
  'settingscontact',
  'support',
  'business',
  'business',
  'advertising',
  'terms',
  'conditions',
  'event',
  'sell',
  'event',
  'licensing',
  'reprints',
  'help',
  'center',
  'courier',
  'journal',
  'store',
  'subscriber',
  'guide',
  'account',
  'eventsubscribe',
  'today',
  'newsletters',
  'mobile',
  'app',
  'facebook',
  'twitter',
  'enewspaper',
  'storytellers',
  'archives',
  'rss',
  'feedsjobs',
  'cars',
  'homes',
  'classifieds',
  'education',
  'event',
  'moonlighting',
  'localiq',
  'digital',
  'marketing',
  'solutions',
  'event',
  'right'],
 ['website',
  'united',
  'states',
  'government',
  'website',
  '.mil',
  'website',
  'u.s.',
  'department',
  'defense',
  'organization',
  'united',
  'states',
  'secure',
  'website',
  'https',
  'lock',
  'lock',
  'https://',
  '.mil',
  'website',
  'share',
  'information',
  'website',
  'content',
  'press',
  'enter',
  'yg824',
  '-',
  'humvees',
  'wisconsin',
  'army',
  'national',
  'guard',
  'oak',
  'creek',
  'armory',
  'feb.',
  'response',
  'assistance',
  'winter',
  'storm',
  'wisconsin',
  'guard',
  'member',
  'storm',
  'soldier',
  'winter',
  'storm',
  'duty',
  'iowa',
  'minnesota',
  'wisconsin',
  'madison',
  'wis.',
  'gov.',
  'scott',
  'walker',
  'wisconsin',
  'national',
  'guard',
  'duty',
  'winter',
  'storm',
  'inch',
  'snow',
  'rain',
  'wind',
  'mph',
  'walker',
  'emergency',
  'declaration',
  'p.m.',
  'wednesday',
  'maj',
  '.',
  'gen.',
  'don',
  'dunbar',
  'wisconsin',
  'adjutant',
  'general',
  'national',
  'guard',
  'thursday',
  'state',
  'iowa',
  'minnesota',
  'personnel',
  'number',
  'troop',
  'onslaught',
  'snow',
  'national',
  'guard',
  'bureau',
  'figure',
  'national',
  'weather',
  'service',
  'snow',
  'iowa',
  'southeast',
  'minnesota',
  'north',
  'wisconsin',
  'blizzard',
  'condition',
  'snow',
  'inch',
  'wisconsin',
  'national',
  'guard',
  'winter',
  'force',
  'package',
  'guard',
  'member',
  'equipment',
  'person',
  'team',
  'force',
  'package',
  'force',
  'package',
  'area',
  'state',
  'authority',
  'manpower',
  'mobility',
  'emergency',
  'response',
  'duty',
  'aid',
  'motorist',
  'welfare',
  'check',
  'area',
  'hour',
  'coverage',
  'hour',
  'shift',
  'kind',
  'support',
  'core',
  'responsibility',
  'dunbar',
  'contingency',
  'oklahoma',
  'guardsmen',
  'finish',
  'cyber',
  'shield',
  'guard',
  'news',
  'hour',
  'washington',
  'guard',
  'aviation',
  'crews',
  'wildfire',
  'guard',
  'news',
  'hour',
  'south',
  'dakota',
  '153rd',
  'engineer',
  'battalion',
  'trains',
  'fort',
  'mccoy',
  'guard',
  'news',
  'hour',
  'florida',
  'guard',
  'guyana',
  'partnership',
  'tradewinds23',
  'state',
  'partnership',
  'program',
  'hour',
  'alaska',
  'air',
  'guard',
  'teens',
  'motorcyclist',
  'home',
  'site',
  'map',
  'privacy',
  'security',
  'policy',
  'link',
  'disclaimer',
  'web',
  'policy',
  'dod',
  'information',
  'quality',
  'dod',
  'open',
  'government',
  'foia',
  'fear',
  'act',
  'accessibility',
  'section',
  'contact',
  'army',
  'guard',
  'careersair',
  'guard',
  'careers',
  'usa.gov',
  'defense',
  'media',
  'activity',
  'web.mil'],
 ['day',
  'woman',
  'birth',
  'hospital',
  'heart',
  'attack',
  'seizure',
  'kidney',
  'failure',
  'blood',
  'transfusion',
  'problem',
  'death',
  'human',
  'trafficking',
  'sports',
  'entertainment',
  'life',
  'money',
  'tech',
  'travel',
  'opinion',
  'obituariesonly',
  'usa',
  'today',
  'newsletters',
  'subscribers',
  'archives',
  'crossword',
  'enewspaper',
  'magazines',
  'investigations',
  'weather',
  'forecast',
  'video',
  'humankind',
  'curiousbest',
  'booklist',
  'pets',
  'food',
  'reviewed',
  'coupons',
  'blueprint',
  'best',
  'auto',
  'insurance',
  'best',
  'pet',
  'insurance',
  'best',
  'travel',
  'insurance',
  'best',
  'credit',
  'cards',
  'best',
  'cd',
  'rate',
  'best',
  'personal',
  'loans',
  'weathernational',
  'weather',
  'serviceadd',
  'topicwind',
  'chill',
  'winter',
  'storm',
  'warning',
  'way',
  'country',
  'weekend',
  'weather',
  'marina',
  'pitofskyusa',
  'todayanother',
  'winter',
  'storm',
  'way',
  'united',
  'states',
  'snow',
  'temperature',
  'midwest',
  'day',
  'snowflake',
  'east',
  'coast',
  'storm',
  'snow',
  'montana',
  'wyoming',
  'northern',
  'plains',
  'area',
  'foot',
  'snow',
  'montana',
  'north',
  'dakota',
  'minnesota',
  'wind',
  'chill',
  'advisory',
  'weekend',
  'wind',
  'chill',
  'degree',
  'national',
  'weather',
  'service',
  'grand',
  'forks',
  'north',
  'dakota',
  'winter',
  'weather',
  'weekend',
  "behavior':why",
  'london',
  'iceberg',
  'antarctica',
  "unusual':what",
  'winter',
  'nyc',
  'washington',
  'philadelphiawinter',
  'weather',
  'east',
  'snow',
  'michigan',
  'sunday',
  'meteorologist',
  'accuweather',
  'winter',
  'weather',
  'advisory',
  'effect',
  'state',
  'sunday',
  'national',
  'weather',
  'service',
  'forecast',
  'sunday',
  'snow',
  'great',
  'lakes',
  'risk',
  'rainfall',
  'gulf',
  'coast',
  'southeast',
  'pocket',
  'rain',
  'rain',
  'southern',
  'plains',
  'great',
  'lakes',
  'temperature',
  'degree',
  'rockies',
  'high',
  'plains',
  'snow',
  'state',
  'northeast',
  'new',
  'york',
  'vermont',
  'new',
  'hampshire',
  'maine',
  'snow',
  'sunday',
  'albany',
  'new',
  'york',
  'temperature',
  'high',
  'degree',
  'area',
  'chance',
  'snow',
  'shower',
  'monday',
  'afternoon',
  'week',
  'winter',
  'storm',
  'trackernational',
  'weather',
  'radarfeatured',
  'weekly',
  'adabout',
  'newsroom',
  'staff',
  'ethical',
  'principles',
  'correction',
  'press',
  'accessibility',
  'sitemap',
  'subscription',
  'terms',
  'conditions',
  'terms',
  'service',
  'california',
  'privacy',
  'rights',
  'privacy',
  'policy',
  'privacy',
  'policydo',
  'sell',
  'share',
  'target',
  'infocookie',
  'settingscontact',
  'account',
  'feedback',
  'home',
  'delivery',
  'enewspaper',
  'usa',
  'today',
  'shop',
  'usa',
  'today',
  'print',
  'editions',
  'licensing',
  'reprints',
  'advertise',
  'careers',
  'internships',
  'businessnews',
  'tips',
  'letter',
  'editor',
  'newsletters',
  'mobile',
  'app',
  'facebook',
  'twitter',
  'instagram',
  'linkedin',
  'pinterest',
  'youtube',
  'reddit',
  'flipboard',
  'jobs',
  'sports',
  'betting',
  'sports',
  'weekly',
  'studio',
  'gannett',
  'classifieds',
  'coupons',
  'blueprint',
  'auto',
  'insurance',
  'pet',
  'insurance',
  'travel',
  'insurance',
  'credit',
  'cards',
  'banking',
  'personal',
  'loans',
  'usa',
  'today',
  'division',
  'gannett',
  'satellite',
  'information',
  'network',
  'llc'],
 ['nbc',
  'ct',
  'weather',
  'blog',
  'nbc',
  'ct',
  'connection',
  'hartford',
  'whalers',
  'ct',
  'fairs',
  'festivals',
  'ct',
  'live',
  'fact',
  'damage',
  'flooding',
  'ct',
  'storm',
  'published',
  'july',
  'july',
  'pm',
  'storm',
  'damage',
  'state',
  'thunderstorm',
  'connecticut',
  'town',
  'town',
  'breakdown',
  'damage',
  'chaplin',
  'portion',
  'tower',
  'hill',
  'road',
  'chaplin',
  'tree',
  'connecticut',
  'news',
  'weather',
  'forecast',
  'entertainment',
  'story',
  'inbox',
  'sign',
  'nbc',
  'connecticut',
  'newsletter',
  'tree',
  'car',
  'chaplin',
  'homeowner',
  'driveway',
  'tree',
  'car',
  'davis',
  'road',
  'chaplin',
  'hartford',
  'flooding',
  'brainard',
  'airport',
  'storm',
  'area',
  'water',
  'murphy',
  'road',
  'airport',
  'police',
  'people',
  'shooting',
  'year',
  'bridgeport',
  'bulbs',
  'fixture',
  'connecticut',
  'highway',
  'city',
  'hartford',
  'people',
  'flash',
  'flooding',
  'naugatuck',
  'power',
  'line',
  'johnson',
  'street',
  'naugatuck',
  'eversource',
  'crew',
  'scene',
  'power',
  'johnson',
  'street',
  'street',
  'hillcrest',
  'avenue',
  'hill',
  'street',
  'fire',
  'crew',
  'power',
  'line',
  'andrew',
  'avenue',
  'melbourne',
  'street',
  'scotland',
  'tree',
  'road',
  'little',
  'field',
  'road',
  'tyler',
  'road',
  'windham',
  'town',
  'line',
  'windham',
  'crews',
  'tree',
  'house',
  'babcock',
  'hill',
  'road',
  'fire',
  'department',
  'report',
  'tree',
  'wire',
  'town',
  'people',
  'caution',
  'tree',
  'garage',
  'willimantic',
  'section',
  'town',
  'babcock',
  'hill',
  'road',
  'wire',
  'roadway',
  'forecast',
  'day',
  'week',
  'weather',
  'newsletter',
  'bulbs',
  'fixture',
  'connecticut',
  'highway',
  'defect',
  'man',
  'stamford',
  'police',
  'officer',
  'road',
  'police',
  'sinéad',
  "o'connor",
  'singer',
  'storm',
  'heat',
  'thursday',
  'bristol',
  'wolcott',
  'resident',
  'flooding',
  'nbc',
  'connecticut',
  'news',
  'standards',
  'tips',
  'investigations',
  'newsletters',
  'contact',
  'accessibility',
  'public',
  'inspection',
  'file',
  'accessibility',
  'wvit',
  'employment',
  'information',
  'fcc',
  'applications',
  'privacy',
  'policy',
  'privacy',
  'choices',
  'terms',
  'service',
  'advertise',
  'feedback',
  'notice',
  'ad',
  'choice',
  'copyright',
  'nbcuniversal',
  'media',
  'llc',
  'right',
  'sign',
  'school',
  'closing',
  'text',
  'alert',
  'nbc',
  'telemundo',
  'connecticut',
  'job',
  'opportunities'],
 ['bbc',
  'homepageskip',
  'helpyour',
  'accounthomenewssportreelworklifetravelfuturemore',
  'menumore',
  'bbchomenewssportreelworklifetravelfutureculturemusictvweathersoundsclose',
  'newsmenuhomewar',
  'ukraineclimatevideoworldus',
  'canadaukbusinesstechsciencemoreentertainment',
  'artshealthin',
  'picturesbbc',
  'verifyworld',
  'news',
  'tvnewsbeatus',
  'canadawinter',
  'storm',
  'north',
  'america',
  'blizzard',
  'heat',
  'februaryshareclose',
  'video',
  'video',
  'javascript',
  'browser',
  'medium',
  'caption',
  'northern',
  'snowfall',
  'decadesby',
  'chloe',
  'kim',
  'nadine',
  'yousifbbc',
  'newsa',
  'winter',
  'storm',
  'disruption',
  'country',
  'brace',
  'record',
  'temperature',
  'wednesday',
  'people',
  'state',
  'winter',
  'weather',
  'alert',
  'blizzard',
  'dakotas',
  'minnesota',
  'wisconsin',
  'school',
  'business',
  'temperature',
  'washington',
  'dc',
  'year',
  'record',
  'record',
  'temperature',
  'wind',
  'mph',
  'km/h',
  'wind',
  'chill',
  'image',
  'source',
  'getty',
  'imagesin',
  'northern',
  'state',
  'forecast',
  'ft',
  'cm',
  'snow',
  'area',
  'snowfall',
  'year',
  'minnesota',
  'governor',
  'tim',
  'walz',
  'national',
  'guard',
  'motorist',
  'blizzard',
  'condition',
  'state',
  'record',
  'snowfall',
  'official',
  'forecaster',
  'storm',
  'system',
  'mile',
  'nebraska',
  'new',
  'hampshire',
  'flight',
  'result',
  'storm',
  'la',
  'meteorologist',
  'blizzard',
  'weather',
  'los',
  'angeles',
  'california',
  'blizzard',
  'warning',
  'snow',
  'wind',
  'mph',
  'mountain',
  'foothill',
  'ventura',
  'los',
  'angeles',
  'county',
  'california',
  'resident',
  'snow',
  'mountain',
  'daniel',
  'swain',
  'climate',
  'scientist',
  'university',
  'california',
  'los',
  'angeles',
  'wednesday',
  'night',
  'temperature',
  '-9f',
  'montana',
  'image',
  'source',
  'getty',
  'imagesrecord',
  'temperature',
  'toomeanwhile',
  'temperature',
  'time',
  'year',
  'wednesday',
  'mcallen',
  'texas',
  '95f.',
  'heat',
  'wednesday',
  'lexington',
  'kentucky',
  'nashville',
  'tennessee',
  'record',
  'century',
  'cincinnati',
  'indianapolis',
  'atlanta',
  'city',
  'record',
  'high',
  'washington',
  'dc',
  '80f',
  'thursday',
  'record',
  'set',
  'florida',
  'new',
  'orleans',
  'louisiana',
  'winter',
  'pattern',
  'temperature',
  'temperature',
  'climate',
  'scientist',
  'andrew',
  'kruczkiewicz',
  'researcher',
  'columbia',
  'university',
  'bbc',
  'news',
  'twitter',
  'post',
  'browser',
  'javascript',
  'browser',
  'view',
  'content',
  'twitterthe',
  'bbc',
  'content',
  'site',
  'twitter',
  'post',
  'mark',
  'follmanallow',
  'twitter',
  'article',
  'content',
  'twitter',
  'permission',
  'cookie',
  'technology',
  'twitterâ\x80\x99s',
  'cookie',
  'policy',
  'privacy',
  'policy',
  'content',
  'continueâ\x80\x99.accept',
  'bbc',
  'content',
  'site',
  'end',
  'twitter',
  'post',
  'mark',
  'follmancanada',
  'effect',
  'winter',
  'stormlarge',
  'country',
  'weather',
  'alert',
  'toronto',
  'cm',
  'snow',
  'ice',
  'pellet',
  'rain',
  'winter',
  'storm',
  'flight',
  'air',
  'canada',
  'quarter',
  'flight',
  'wednesday',
  'afternoon',
  'country',
  'record',
  'temperature',
  'february',
  'toronto',
  'ice',
  'build',
  'result',
  'snap',
  'alberta',
  'prairie',
  'warning',
  'temperature',
  'region',
  '-40f',
  '-40c',
  'range',
  'wind',
  'chill',
  'video',
  'video',
  'javascript',
  'browser',
  'medium',
  'caption',
  'winter',
  'stormcheck',
  'weather',
  'airport',
  'flightsnational',
  'weather',
  'service',
  'zip',
  'code',
  'watch',
  'alert',
  'usgovernment',
  'canada',
  'weather',
  'forecast',
  'alert',
  'weather',
  'weather',
  'weather',
  'forecast',
  'area',
  'breakdown',
  'day',
  'lookahead',
  'winter',
  'storm',
  'experience',
  'haveyoursay@bbc.co.uk',
  'contact',
  'number',
  'bbc',
  'journalist',
  'touch',
  'way',
  'whatsapp',
  '+44',
  'picture',
  'videoplease',
  'term',
  'condition',
  'privacy',
  'policy',
  'page',
  'form',
  'version',
  'bbc',
  'website',
  'question',
  'comment',
  'haveyoursay@bbc.co.uk',
  'age',
  'location',
  'submission',
  'topicssnowunited',
  'statessevere',
  'weathermore',
  'week',
  'weatherpublished21',
  'februaryla',
  'meteorologist',
  'blizzard',
  'warningspublished22',
  'februarytop',
  'storiesniger',
  'soldier',
  'coup',
  'tvpublished1',
  'hour',
  'singer',
  'sinãad',
  "o'connor",
  'hour',
  'agohow',
  'ukraine',
  'offensive',
  'south',
  'hour',
  'agofeaturessinãad',
  "o'connor",
  'obituary',
  'talent',
  'comparehow',
  'sinãad',
  "o'connor",
  'uhow',
  'ukraine',
  'offensive',
  'south',
  'stutteredn',
  'koreaâ\x80\x99s',
  'prisoner',
  'war',
  'plot',
  'flame',
  'buddha',
  'china',
  'videowatch',
  'flame',
  'buddha',
  'chinathe',
  'claim',
  'india',
  'violenceputin',
  'leader',
  'star',
  'role?can',
  'india',
  'chip',
  'powerhouse?world',
  'city',
  'bbcthe',
  'way',
  'homeswhy',
  'brand',
  'mediathe',
  'film',
  'usmost',
  'read1irish',
  'singer',
  'sinãad',
  "o'connor",
  'family',
  "grid'3how",
  'ukraine',
  'offensive',
  'south',
  'stuttered4niger',
  'soldier',
  'coup',
  'national',
  'tv5alien',
  'congress',
  'biden',
  'plea',
  'deal',
  'apart7mastercard',
  'bank',
  'debit',
  'weed8sinãad',
  "o'connor",
  'obituary',
  'talent',
  'koreaâ\x80\x99s',
  'prisoner',
  'war',
  'plot',
  'toy',
  'maker',
  'movie',
  'sale',
  'news',
  'mobileon',
  'news',
  'alertscontact',
  'bbc',
  'newshomenewssportreelworklifetravelfutureculturemusictvweathersoundsterms',
  'useabout',
  'bbcprivacy',
  'policycookiesaccessibility',
  'helpparental',
  'guidancecontact',
  'bbcget',
  'newsletterswhy',
  'bbcadvertise',
  'usâ',
  'bbc',
  'bbc',
  'content',
  'site',
  'approach',
  'linking'],
 ['earthbeat',
  'project',
  'national',
  'catholic',
  'reporter',
  'mission',
  'ministry',
  'woman',
  'world',
  'lay',
  'journalism',
  'south',
  'dakota',
  'state',
  'generation',
  'storm',
  'man',
  'street',
  'car',
  'amherst',
  'n.y.',
  'dec.',
  'winter',
  'storm',
  'buffalo',
  'region',
  'cns',
  'reuters',
  'brendan',
  'mcdermid',
  'gina',
  'christianview',
  'author',
  'profilecatholic',
  'news',
  'serviceview',
  'author',
  'profilejoin',
  'conversationsend',
  'thought',
  'letter',
  'editor',
  'moredecember',
  'facebookshare',
  'twitteremail',
  'friendprint',
  'buffalo',
  'new',
  'york',
  'community',
  'couple',
  'inch',
  'snow',
  'dec.',
  'foot',
  'snow',
  'day',
  'period',
  'buffalo',
  'mayor',
  'generation',
  'storm',
  'rest',
  'country',
  'record',
  'snowfall',
  'south',
  'dakota',
  'clare',
  'willrodt',
  'director',
  'communication',
  'outreach',
  'st.',
  'joseph',
  'indian',
  'school',
  'chamberlain',
  'school',
  'house',
  'student',
  'staff',
  'family',
  'hour',
  'school',
  'storm',
  'day',
  'willrodt',
  'catholic',
  'news',
  'service',
  'dec.',
  'telephone',
  'staff',
  'campus',
  'campus',
  'blizzard',
  'temperature',
  'staff',
  'student',
  'home',
  'dec.',
  'advantage',
  'pocket',
  'time',
  'wind',
  'temperature',
  'pipe',
  'school',
  'cold',
  'thousand',
  'gallon',
  'water',
  'basement',
  'classroom',
  'assembly',
  'area',
  'st.',
  'joseph',
  'board',
  'member',
  'larry',
  'jandreau',
  'emergency',
  'service',
  'director',
  'lower',
  'brule',
  'sioux',
  'tribe',
  'lower',
  'brule',
  'south',
  'dakota',
  'drift',
  'foot',
  'jandreau',
  'temperature',
  'wind',
  'effort',
  'road',
  'snow',
  'time',
  'plow',
  'wind',
  'snow',
  'highway',
  'dec.',
  'gov.',
  'kristi',
  'noem',
  'south',
  'dakota',
  'national',
  'guard',
  'winter',
  'storm',
  'state',
  'snow',
  'removal',
  'firewood',
  'black',
  'hills',
  'forest',
  'service',
  'tribe',
  'need',
  'jandreau',
  'community',
  'power',
  'glitch',
  'storm',
  'beginning',
  'state',
  'colleague',
  'assistance',
  'storm',
  'resource',
  'god',
  'plan',
  'pope',
  'francis',
  'vatican',
  'signal',
  'change',
  'catholic',
  'church',
  'synod',
  'vatican',
  'hall',
  'iraq',
  'cardinal',
  'baghdad',
  'president',
  'decree',
  'church',
  'authority',
  'newspope',
  'francis',
  'davenport',
  'bishop',
  'zinkula',
  'dubuque',
  'iowa',
  'archbishopbyosv',
  'news',
  'ncr',
  'voicesopinionjoy',
  'struggle',
  'woman',
  'church',
  'eventbyheidi',
  'schlumpf',
  'newsbiden',
  'administration',
  'texas',
  'buoy',
  'rio',
  'grandebykate',
  'scanlon',
  'osv',
  'news',
  'vatican',
  'newsvaticanvatican',
  'abuse',
  'investigator',
  'audit',
  'peru',
  'catholic',
  'societybyfranklin',
  'briceño',
  'earthbeat',
  'free',
  'newslettersselect',
  'newsletter',
  'email',
  'address',
  'earthbeat',
  'daily',
  'article',
  'morning',
  'earthbeat',
  'weekly',
  'climate',
  'editor',
  'stephanie',
  'clary',
  'week',
  'climate',
  'change',
  'news',
  'earthbeat',
  'reflection',
  'spirituality',
  'series',
  'theme',
  'advertising',
  'guidelines',
  'web',
  'user',
  'guidelines',
  'site',
  'map',
  'mailing',
  'address',
  'e',
  'armour',
  'boulevard',
  'kansas',
  'city',
  'mo',
  'phone',
  'number',
  '+1'],
 ['view',
  'calendarsubmit',
  'eventmeet',
  'teamadvertise',
  'us!subscribesubscribegovernmentculturebusinesseducationhealthpolice',
  'firesportsweekly',
  'review',
  'delaware',
  'hurricane',
  'season',
  'jarek',
  'rutz',
  'june',
  'headline',
  'health',
  'atlantic',
  'hurricane',
  'season',
  'june',
  'midst',
  'haze',
  'smoke',
  'northeast',
  'wildfire',
  'state',
  'challenge',
  'mother',
  'nature',
  'hurricane',
  'season',
  'delaware',
  'emergency',
  'management',
  'agency',
  'tip',
  'delaware',
  'resident',
  'visitor',
  'zone',
  'start',
  'hurricane',
  'season',
  'june',
  'agency',
  'delaware',
  'storm',
  'delmarva',
  'peninsula',
  'elevation',
  'state',
  'foot',
  'sea',
  'level',
  'history',
  'tropical',
  'storm',
  'isaias',
  'august',
  'state',
  'tornado',
  'delaware',
  'ef2',
  'tornado',
  'dover',
  'kent',
  'county',
  'southwest',
  'glasgow',
  'new',
  'castle',
  'county',
  'milford',
  'woman',
  'tree',
  'storm',
  'ef2',
  'tornado',
  'damage',
  'wind',
  'mile',
  'hour',
  'september',
  'remnant',
  'hurricane',
  'ida',
  'rainfall',
  'brandywine',
  'creek',
  'area',
  'downtown',
  'wilmington',
  'people',
  'flooding',
  'million',
  'dollar',
  'property',
  'damage',
  'disaster',
  'declaration',
  'new',
  'castle',
  'county',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'hurricane',
  'season',
  'storm',
  'hurricane',
  'hurricane',
  'wind',
  'mile',
  'hour',
  'hurricane',
  'gust',
  'mile',
  'hour',
  'administration',
  'preparede',
  'ready.gov',
  'national',
  'weather',
  'service',
  'national',
  'hurricane',
  'center',
  'hurricanestrong',
  'information',
  'resource',
  'action',
  'resource',
  'zone',
  'user',
  'location',
  'state',
  'evacuation',
  'zone',
  'user',
  'zone',
  'evacuation',
  'zone',
  'lookup',
  'tool',
  'evacuation',
  'zone',
  'map',
  'address',
  'evacuation',
  'zone',
  'event',
  'hurricane',
  'evacuation',
  'zones',
  'delaware',
  'b',
  'c',
  'd.',
  'zone',
  'area',
  'flooding',
  'storm',
  'surge',
  'emergency',
  'disaster',
  'state',
  'evacuation',
  'warning',
  'order',
  'community',
  'evacuation',
  'zone',
  'delaware',
  'hurricane',
  'zone',
  'preparede',
  'tip',
  'resident',
  'safety',
  'plan',
  'hurricane',
  'flood',
  'risk',
  'step',
  'evacuation',
  'zone',
  'flood',
  'zone',
  'coast',
  'risk',
  'remnant',
  'system',
  'tornado',
  'rainfall',
  'life',
  'flooding',
  'area',
  'mile',
  'coast',
  'hurricane',
  'area',
  'family',
  'community',
  'emergency',
  'plan',
  'declutter',
  'drain',
  'gutter',
  'water',
  'tree',
  'property',
  'tree',
  'limb',
  'flood',
  'insurance',
  'policy',
  'day',
  'policy',
  'effect',
  'homeowner',
  'policy',
  'flooding',
  'account',
  'senior',
  'need',
  'preparedness',
  'buddy',
  'program',
  'individual',
  'office',
  'animal',
  'welfare',
  'delaware',
  'animal',
  'response',
  'program',
  'resource',
  'pet',
  'emergency',
  'plan',
  'family',
  'child',
  'plan',
  'family',
  'emergency',
  'management',
  'agency',
  'safety',
  'rescue',
  'kit',
  'supply',
  'week',
  'member',
  'family',
  'food',
  'water',
  'medication',
  'infant',
  'formula',
  'diaper',
  'child',
  'aid',
  'kit',
  'flashlight',
  'radio',
  'match',
  'container',
  'battery',
  'cash',
  'place',
  'case',
  'atms',
  'supply',
  'crate',
  'food',
  'water',
  'item',
  'document',
  'place',
  'password',
  'copy',
  'container',
  'copy',
  'cell',
  'phone',
  'power',
  'bank',
  'car',
  'charger',
  'phone',
  'time',
  'car',
  'gasoline',
  'tank',
  'propane',
  'tank',
  'grill',
  'generator',
  'power',
  'backup',
  'source',
  'generator',
  'gasoline',
  'machinery',
  'window',
  'neighbor',
  'supply',
  'insurance',
  'policy',
  'property',
  'advance',
  'photograph',
  'case',
  'insurance',
  'claim',
  'list',
  'storm',
  'world',
  'meteorological',
  'organization',
  'year',
  'storm',
  'harvey',
  'irma',
  'maria',
  'nate',
  'season',
  'cyclone',
  'arlene',
  'bret',
  'cindy',
  'don',
  'emily',
  'franklin',
  'gert',
  'harold',
  'idalia',
  'jose',
  'katia',
  'lee',
  'margot',
  'nigel',
  'ophelia',
  'philippe',
  'rina',
  'sean',
  'tammy',
  'vince',
  'whitney',
  'information',
  'hurricane',
  'season',
  'resource',
  'deldot',
  'state',
  'evacuation',
  'route',
  'arcgis',
  'deldot',
  'mobile',
  'phone',
  'app',
  'free',
  'fema',
  'mobile',
  'phone',
  'app',
  'free',
  'fema',
  'general',
  'hurricane',
  'information',
  'fema',
  'general',
  'evacuation',
  'information',
  'noaa',
  'national',
  'hurricane',
  'center',
  'hurricane',
  'tracker',
  'noaa',
  'national',
  'weather',
  'service',
  'hurricane',
  'preparedness',
  'hurricanestrong.org',
  'city',
  'wilmington',
  'office',
  'emergency',
  'management',
  'new',
  'castle',
  'county',
  'office',
  'emergency',
  'management',
  'kent',
  'county',
  'emergency',
  'management',
  'sussex',
  'county',
  'emergency',
  'operations',
  'center',
  'story',
  'post',
  'legion',
  'championship07/26/2023frederica',
  'brian',
  'perry',
  'odd',
  'olympian',
  '07/26/2023new',
  'rep',
  'season',
  'heat',
  'night',
  'deathtrap',
  'exodus',
  "godot'07/26/2023plan",
  'delaware',
  'city',
  'pond',
  'sportsmen',
  'group07/26/2023jarek',
  'rutzraised',
  'doylestown',
  'pennsylvania',
  'jarek',
  'b.a.',
  'journalism',
  'b.a.',
  'science',
  'temple',
  'university',
  'cnn',
  'michael',
  'smerconish',
  'youtube',
  'channel',
  'jarek',
  'reporter',
  'bucks',
  'county',
  'herald',
  'delaware',
  'news',
  'jarek',
  'email',
  'email',
  'phone',
  'twitter',
  '@jarekrutz',
  'atlantic',
  'stormsdelaware',
  'emergency',
  'management',
  'agencydelaware',
  'hurricane',
  'seasonemergency',
  'planevacuation',
  'zoneshurricanepreparedestorm',
  'preparedness',
  'dma',
  'need',
  'comeback',
  'win',
  'charter',
  'drew',
  'simpson',
  'dma',
  'scoring',
  'run',
  'photo',
  'nick',
  'halliday',
  'no.6',
  'delaware',
  'military',
  'academy',
  'dma',
  'seahawks',
  'charter',
  'school',
  'wilmington',
  'tuesday',
  'night',
  'frawley',
  'stadium',
  'pitcher',
  'duel',
  'seahawks',
  'game',
  'diamond',
  'state',
  'conference',
  'matchup',
  'seahawks',
  'charters',
  'pitcher',
  'run',
  'comeback',
  'victory',
  'force',
  'charter',
  'tie',
  'inning',
  'inning',
  'justin',
  'terranova',
  'middle',
  'tyler',
  'kreps',
  'plate',
  'ground',
  'ball',
  'glove',
  'drew',
  'simpson',
  'outfield',
  'terranova',
  'basis',
  'error',
  'force',
  'lead',
  'team',
  'pitching',
  'performance',
  'pitcher',
  'junior',
  'logan',
  'wiley',
  'dma',
  'sophomore',
  'brady',
  'harach',
  'charter',
  'inning',
  'run',
  'game',
  'point',
  'starter',
  'hit',
  'wiley',
  'batter',
  'harach',
  'batter',
  'inning',
  'pitcher',
  'run',
  'inning',
  'seahawks',
  'charters',
  'pitcher',
  'harach',
  'jackson',
  'dorsey',
  'walk',
  'ball',
  'harach',
  'dorsey',
  'base',
  'drew',
  'simpson',
  'error',
  'inning',
  'line',
  'drive',
  'center',
  'scoring',
  'dorsey',
  'base',
  'harach',
  'batter',
  'tyler',
  'august',
  'luke',
  'burdett',
  'basis',
  'walk',
  'charter',
  'pitching',
  'change',
  'justin',
  'terranova',
  'harach',
  'basis',
  'logan',
  'wiley',
  'pitch',
  'couple',
  'charter',
  'player',
  'field',
  'simpson',
  'seahwawks',
  'lead',
  'game',
  'game',
  'run',
  'wiley',
  'inning',
  'way',
  'drew',
  'simpson',
  'mound',
  'simpson',
  'force',
  'inning',
  'strikeout',
  'save',
  'wiley',
  'win',
  'seahawks',
  'simpson',
  'dma',
  'plate',
  'scoring',
  'run',
  'sean',
  'bogan',
  'tyler',
  'august',
  'hit',
  'justin',
  'terranova',
  'samuel',
  'lefton',
  'brendan',
  'craig',
  'max',
  'aukamp',
  'justin',
  'hahn',
  'piece',
  'force',
  'read',
  'moreglobal',
  'case',
  'manufacturer',
  'maryland',
  'delaware',
  'company',
  'manufacture',
  'performance',
  'case',
  'rack',
  'industry',
  'broadcasting',
  'defense',
  'frankford',
  'site',
  'united',
  'states',
  'operation',
  'cp',
  'cases',
  'usa',
  'owner',
  'company',
  'united',
  'kingdom',
  'foot',
  'site',
  'bishopville',
  'maryland',
  'foot',
  'site',
  'frankford',
  'business',
  'park',
  'u.s.',
  'route',
  'company',
  'employee',
  'sussex',
  'county',
  'location',
  'job',
  'year',
  'cp',
  'cases',
  'community',
  'sussex',
  'county',
  'delaware',
  'support',
  'delaware',
  'sussex',
  'county',
  'operation',
  'manager',
  'peter',
  'gill',
  'quality',
  'manufacturing',
  'job',
  'community',
  'term',
  'operation',
  'delaware',
  'entertainment',
  'industry',
  'company',
  'customer',
  'act',
  'rolling',
  'stones',
  'elton',
  'john',
  'led',
  'zeppelin',
  'queen',
  'pink',
  'floyd',
  'product',
  'rack',
  'mount',
  'transit',
  'case',
  'air',
  'transit',
  'case',
  'lightweight',
  'airship',
  'container',
  'camera',
  'rain',
  'textile',
  'material',
  'product',
  'company',
  'broadcasting',
  'medium',
  'entertainment',
  'event',
  'energy',
  'marine',
  'security',
  'defense',
  'industry',
  'royale',
  'group',
  'seaford',
  'site',
  'gov.',
  'john',
  'carney',
  'delaware',
  'environment',
  'business',
  'cp',
  'cases',
  'frankford',
  'investment',
  'delaware',
  'leader',
  'manufacturing',
  'technique',
  'carney',
  'company',
  'delaware',
  'location',
  'utilization',
  'roto',
  'molding',
  'process',
  'cp',
  'cases',
  'case',
  'rack',
  'product',
  'gas',
  'fuel',
  'process',
  'martin',
  'property',
  'development',
  'decision',
  'gas',
  'frankford',
  'business',
  'park',
  'tenant',
  'cp',
  'cases',
  'decision',
  'company',
  'press',
  'release',
  'dupont',
  'plant',
  'newark',
  'cp',
  'cases',
  'grant',
  'state',
  'council',
  'development',
  'finance',
  'jobs',
  'performance',
  'grant',
  'capital',
  'expenditure',
  'grant',
  'distribution',
  'grant',
  'delaware',
  'strategic',
  'fund',
  'company',
  'commitment',
  'council',
  'cp',
  'cases',
  'request',
  'grant',
  'funding',
  'read',
  'morenew',
  'bear',
  'drive',
  'cargo',
  'container',
  'screen',
  'drive',
  'field',
  'lowe',
  'bear',
  'screen',
  'bear',
  'drive',
  'month',
  'lowe',
  'bear',
  'bob',
  'weir',
  'director',
  'playhouse',
  'rodney',
  'square',
  'business',
  'movie',
  'screen',
  'cargo',
  'container',
  'facility',
  'acre',
  'field',
  'christiana',
  'bear',
  'road',
  'container',
  'screen',
  'christiana',
  'bear',
  'route',
  'direction',
  'route',
  'projection',
  'booth',
  'concession',
  'stand',
  'cargo',
  'container',
  'weir',
  'monday',
  'night',
  'news',
  'drive',
  'facebook',
  'page',
  'week',
  'permit',
  'drive',
  'movie',
  'theatre',
  'weir',
  'post',
  'friend',
  'county',
  'permit',
  'process',
  'friend',
  'post',
  'monday',
  'share',
  'weir',
  'theater',
  'site',
  'sign',
  'middle',
  'field',
  'life',
  'theater',
  'movie',
  'buff',
  'place',
  'end',
  'july',
  'october',
  'bear',
  'drive',
  'movie',
  'classic',
  'patron',
  'field',
  'radio',
  'ticket',
  'person',
  'popcorn',
  'soda',
  'concession',
  'stand',
  'discount',
  'child',
  'senior',
  'weir',
  'people',
  'pizza',
  'hamburger',
  'dinner',
  'food',
  'concession',
  'stand',
  'popcorn',
  'soda',
  'snack',
  'food',
  'container',
  'week',
  'weir',
  'screen',
  'surface',
  'cargo',
  'container',
  'challenge',
  'facility',
  'cost',
  'lumber',
  'week',
  'historic',
  'movie',
  'theaters',
  'delaware',
  'facebook',
  'page',
  'news',
  'theater',
  'news',
  'facebook',
  'site',
  'bear',
  'drive',
  'inn',
  'delaware',
  'movie',
  'theater',
  'bear',
  'screen',
  'drive',
  'state',
  'history',
  'writer',
  'clarification',
  'delmar',
  'drive',
  'screen',
  'point',
  'writer',
  'bear',
  'drive',
  'theater',
  'site',
  'state',
  'movie',
  'theater',
  'drive',
  'operation',
  'drive',
  'movie',
  'theater',
  'year',
  'movie',
  'theater',
  'new',
  'castle',
  'county',
  'year',
  'state',
  'drive',
  'logo',
  'bob',
  'weir',
  ...],
 ['health',
  'sex',
  'relationships',
  'viral',
  'trends',
  'human',
  'interest',
  'parenting',
  'fashion',
  'beauty',
  'food',
  'drink',
  'travel',
  'flash',
  'flooding',
  'vermont',
  'storm',
  'tornado',
  'northeast',
  'thursday',
  'social',
  'link',
  'chris',
  'oberholtz',
  'fox',
  'weather',
  'thank',
  'submission',
  'thunderstorm',
  'watch',
  'high',
  'plains',
  'forecaster',
  'storm',
  'hail',
  'heat',
  'wave',
  'million',
  'calvin',
  'hurricane',
  'eastern',
  'pacific',
  'new',
  'england',
  'flooding',
  'year',
  'round',
  'rain',
  'thunderstorm',
  'watch',
  'p.m.',
  'edt',
  'southeast',
  'indiana',
  'eastern',
  'kentucky',
  'ohio',
  'southwest',
  'pennsylvania',
  'west',
  'virginia',
  'thunderstorm',
  'watch',
  'effect',
  'p.m.',
  'edt',
  'new',
  'york',
  'vermont',
  'massachusetts',
  'connecticut',
  'series',
  'disturbance',
  'shower',
  'thunderstorm',
  'northeast',
  'thursday',
  'weekend',
  'city',
  'town',
  'northeast',
  'new',
  'england',
  'foot',
  'rain',
  'sunday',
  'area',
  'inch',
  'person',
  'flooding',
  'new',
  'york',
  'vermont',
  'state',
  'flooding',
  'event',
  'area',
  'flooding',
  'week',
  'vermont',
  'flash',
  'flooding',
  'inch',
  'rain',
  'northeast',
  'saturday',
  'shower',
  'thunderstorm',
  'northeast',
  'weekend',
  'fox',
  'weather',
  'day',
  'flash',
  'flood',
  'emergency',
  'hudson',
  'valley',
  'vermont',
  'fox',
  'weather',
  'meteorologist',
  'britta',
  'merwin',
  'storm',
  'rain',
  'weather',
  'flash',
  'flood',
  'emergency',
  'level',
  'trough',
  'pressure',
  'thursday',
  'east',
  'coast',
  'chance',
  'thunderstorm',
  'rain',
  'ohio',
  'valley',
  'northeast',
  'flow',
  'system',
  'moisture',
  'fox',
  'forecast',
  'center',
  'city',
  'town',
  'northeast',
  'inch',
  'rain',
  'sunday',
  'fox',
  'weather',
  'upstate',
  'new',
  'york',
  'new',
  'england',
  'ohio',
  'valley',
  'risk',
  'flash',
  'flooding',
  'friday',
  'flood',
  'watch',
  'new',
  'york',
  'vermont',
  'merwin',
  'response',
  'flash',
  'flood',
  'threat',
  'coast',
  'friday',
  'new',
  'england',
  'mid',
  'risk',
  'flooding',
  'fox',
  'forecast',
  'center',
  'flash',
  'flood',
  'threat',
  'saturday',
  'rain',
  'thunderstorm',
  'flash',
  'flooding',
  'alert',
  'new',
  'york',
  'interior',
  'new',
  'england',
  'ohio',
  'valley',
  'friday',
  'fox',
  'weather',
  'hail',
  'wind',
  'northeast',
  'ohio',
  'valley',
  'thursday',
  'thunderstorm',
  'new',
  'york',
  'vermont',
  'wind',
  'hail',
  'couple',
  'tornado',
  'thursday',
  'afternoon',
  'evening',
  'noaa',
  'storm',
  'prediction',
  'center',
  'spc',
  'schenectady',
  'utica',
  'rome',
  'saratoga',
  'springs',
  'rotterdam',
  'new',
  'york',
  'city',
  'northeast',
  'level',
  'risk',
  'zone',
  'weather',
  'level',
  'risk',
  'storm',
  'area',
  'northeast',
  'ohio',
  'valley',
  'tornado',
  'pennsylvania',
  'joke',
  'reality',
  'merwin',
  'shelter',
  'spc',
  'outlook',
  '%',
  'tornado',
  'risk',
  'area',
  'new',
  'york',
  'state',
  '%',
  'tornado',
  'risk',
  'area',
  'ohio',
  'valley',
  'vermont',
  'pentagon',
  'dig',
  'tuberville',
  'm',
  'story',
  'time',
  'girl',
  'montana',
  'police',
  'station',
  'miracle',
  'story',
  'time',
  'onlooker',
  'hunter',
  'biden',
  'sweetheart',
  'plea',
  'deal',
  'court',
  'story',
  'time',
  'teen',
  'country',
  'concert',
  'girlfriend',
  'horror',
  'expert',
  'weight',
  'overview',
  'found',
  'program',
  'safety',
  'pack',
  'fire',
  'extinguisher',
  '%',
  'sheet',
  'sleeper',
  'review',
  'expert',
  'sleep',
  'foundation',
  '%',
  'wayfair',
  'outdoor',
  'seating',
  'sale',
  'set',
  'sectional',
  'today',
  'beach',
  'wagon',
  'cart',
  'rollin',
  'beach',
  'kylie',
  'jenner',
  'stormi',
  'surgery',
  'teen',
  'kylie',
  'jenner',
  'boob',
  'job',
  'year',
  'denial',
  'jamie',
  'lynn',
  'spears',
  'responsibility',
  'fame',
  'noise',
  'activity',
  'mid',
  '-',
  'prison',
  'r.i.p.',
  'sinéad',
  'o’connor',
  'irish',
  'singer',
  'compare',
  'subject',
  'dead',
  'kevin',
  'spacey',
  'drinking',
  'acquittal',
  'london',
  'hotspot',
  'girl',
  'montana',
  'police',
  'station',
  'miracle',
  'news',
  'metro',
  'sports',
  'sports',
  'betting',
  'business',
  'opinion',
  'entertainment',
  'fashion',
  'beauty',
  'shopping',
  'lifestyle',
  'real',
  'estate',
  'media',
  'tech',
  'health',
  'travel',
  'astrology',
  'video',
  'photos',
  'stories',
  'alexa',
  'cover',
  'horoscopes',
  'sport',
  'odd',
  'podcast',
  'columnists',
  'classifieds',
  'email',
  'newsletters',
  'rss',
  'ny',
  'post',
  'official',
  'store',
  'home',
  'delivery',
  'new',
  'york',
  'post',
  'customer',
  'service',
  'apps',
  'community',
  'guidelines',
  'contact',
  'tips',
  'newsroom',
  'letters',
  'editor',
  'licensing',
  'reprints',
  'careers',
  'vulnerability',
  'disclosure',
  'program',
  'nyp',
  'holdings',
  'inc.',
  'rights',
  'reserved',
  'terms',
  'use',
  'membership',
  'terms',
  'privacy',
  'notice',
  'sitemap',
  'information'],
 ['leading',
  'edge',
  'sciencescope',
  'basic',
  'research',
  'innovation',
  'invention',
  'inbox',
  'subscribe',
  'deal',
  'politic',
  'newsletter',
  'analysis',
  'inbox',
  'news',
  'alert',
  'pbs',
  'newshour',
  'turn',
  'desktop',
  'notification',
  'feb',
  'pm',
  'edt',
  'storm',
  'rain',
  'wind',
  'michigan',
  'monday',
  'challenge',
  'crew',
  'electricity',
  'thousand',
  'customer',
  'dark',
  'ice',
  'line',
  'day',
  'state',
  'utility',
  'consumers',
  'energy',
  'dte',
  'energy',
  'customer',
  'power',
  'mid',
  '-',
  'afternoon',
  'consumer',
  'outage',
  'map',
  'hour',
  'finish',
  'line',
  'week',
  'storm',
  'storm',
  'michigan',
  'county',
  'ice',
  'rain',
  'wind',
  'gust',
  'consumer',
  'spokesperson',
  'josh',
  'paciorek',
  'email',
  'blizzard',
  'warning',
  'effect',
  'sierra',
  'nevada',
  'range',
  'round',
  'rain',
  'snow',
  'california',
  'nevada',
  'tornado',
  'wind',
  'southern',
  'plains',
  'person',
  'oklahoma',
  'crew',
  'power',
  'michigan',
  'california',
  'breather',
  'winter',
  'storm',
  'peak',
  'week',
  'michigan',
  'outage',
  'rain',
  'ice',
  'tree',
  'limb',
  'line',
  'resident',
  'jo',
  'ann',
  'davis',
  'livingston',
  'county',
  'light',
  'monday',
  'day',
  'davis',
  'shower',
  'electricity',
  'course',
  'light',
  'appliance',
  'problem',
  'water',
  'davis',
  'husband',
  'tim',
  'home',
  'electricity',
  'water',
  'house',
  'hassle',
  'water',
  'creek',
  'gallon',
  'bucket',
  'toilet',
  'tuesday',
  'detroit',
  'leah',
  'thomas',
  'teen',
  'son',
  'parent',
  'home',
  'power',
  'day',
  'beverly',
  'hills',
  'neighborhood',
  'electricity',
  'sunday',
  'monday',
  'thomas',
  'food',
  'meal',
  'freezer',
  'finger',
  'dte',
  'customer',
  'electricity',
  'hour',
  'credit',
  'dte',
  'customer',
  'week',
  'comfort',
  'power',
  'vice',
  'president',
  'ryan',
  'stowe',
  'ice',
  'storm',
  'utility',
  'nightmare',
  'monday',
  'utility',
  'worker',
  'power',
  'home',
  'day',
  'bloomfield',
  'hills',
  'michigan',
  'december',
  'photo',
  'jeff',
  'kowalsky',
  'afp',
  'getty',
  'images',
  'tornadoes',
  'southern',
  'plains',
  'northeast',
  'california',
  'brace',
  'winter',
  'storm',
  'rick',
  'callahan',
  'christopher',
  'weber',
  'associated',
  'press',
  'crews',
  'power',
  'michigan',
  'california',
  'breather',
  'winter',
  'storm',
  'rick',
  'callahan',
  'christopher',
  'weber',
  'associated',
  'press',
  'blizzards',
  'california',
  'mountain',
  'winter',
  'storm',
  'john',
  'antczak',
  'associated',
  'press',
  'inbox',
  'subscribe',
  'deal',
  'politic',
  'newsletter',
  'analysis',
  'inbox',
  'news',
  'wrap',
  'winter',
  'storm',
  'u.s.',
  'newshour',
  'productions',
  'llc',
  'rights',
  'deal',
  'politic',
  'newsletter',
  'inbox',
  'journalism',
  'friends',
  'newshour'],
 ['thu',
  'jul',
  'gmt',
  'centerwatch',
  'thu',
  'fri',
  'flood',
  'rain',
  'wind',
  'rhode',
  'islandby',
  'wjar',
  'stafffri',
  'december',
  '23rd',
  'pm',
  'utc9view',
  'photoswaves',
  'seawall',
  'narragansett',
  'rhode',
  'island',
  'storm',
  'friday',
  'dec.',
  'wjar)0loading'],
 ['journalism',
  'month',
  'home',
  'rjespañol',
  'video',
  'lake',
  'mead',
  'news',
  'nation',
  'world',
  'science',
  'technology',
  'special',
  'features',
  'state',
  'despair',
  'alpine',
  'motel',
  'fire',
  'storm',
  'area',
  'nevada',
  'north',
  'las',
  'vegas',
  'southwest',
  'summerlin',
  'centennial',
  'hills',
  'strip',
  'oct.',
  'columns',
  'poker',
  'national',
  'finals',
  'rodeo',
  'las',
  'vegas',
  'bowl',
  'super',
  'bowl',
  'nba',
  'summer',
  'league',
  'tv',
  'radio',
  'lights',
  'fc',
  'mma',
  'ufc',
  'boxing',
  'golf',
  'entrepreneurs',
  'real',
  'estate',
  'news',
  'business',
  'press',
  'sheldon',
  'adelson',
  'michael',
  'ramirez',
  'cartoon',
  'victor',
  'joecks',
  'richard',
  'a.',
  'epstein',
  'victor',
  'davis',
  'hanson',
  'auto',
  'news',
  'dealer',
  'news',
  'classifieds',
  'place',
  'ad',
  'content',
  'new',
  'homes',
  'real',
  'estate',
  'millions',
  'real',
  'estate',
  'news',
  'classifieds',
  'place',
  'classified',
  'ad',
  'service',
  'directory',
  'transportation',
  'merchandise',
  'legal',
  'information',
  'real',
  'estate',
  'classifieds',
  'garage',
  'sales',
  'pets',
  'rentals',
  'faq',
  'place',
  'classified',
  'ad',
  'contests',
  'promotions',
  'best',
  'las',
  'vegas',
  'contests',
  'tv',
  'guide',
  'partnered',
  'content',
  'record',
  'storm',
  'northern',
  'nevada',
  'california',
  'storm',
  'mountain',
  'northern',
  'california',
  'nevada',
  'highway',
  'monday',
  'snowfall',
  'december',
  'record',
  'donner',
  'pass',
  'sierra',
  'storm',
  'record',
  'snowfall',
  'sierra',
  'nevada',
  'stn',
  'december',
  'pm',
  'december',
  'pm',
  'snowfall',
  'place',
  'broad',
  'street',
  'nevada',
  'city',
  'calif.',
  'electricity',
  'snow',
  'elias',
  'funez',
  'union',
  'ap)a',
  'vehicle',
  'snow',
  'brunswick',
  'road',
  'sutton',
  'way',
  'monday',
  'morning',
  'dec.',
  'grass',
  'valley',
  'calif.',
  'elias',
  'funez',
  'union',
  'ap',
  'san',
  'francisco',
  'snow',
  'mountain',
  'northern',
  'california',
  'nevada',
  'highway',
  'blast',
  'temperature',
  'pacific',
  'northwest',
  'weather',
  'texas',
  'southeast',
  'donner',
  'pass',
  'sierra',
  'official',
  'university',
  'california',
  'berkeley',
  'central',
  'sierra',
  'snow',
  'laboratory',
  'monday',
  'snowfall',
  'december',
  'record',
  'inch',
  'record',
  'inch',
  'snow',
  'northstar',
  'california',
  'resort',
  'truckee',
  'mountain',
  'operation',
  'monday',
  'blizzard',
  'condition',
  'ski',
  'resort',
  'foot',
  'snow',
  'hour',
  'resort',
  'facebook',
  'post',
  'search',
  'rescue',
  'crew',
  'skier',
  'saturday',
  'morning',
  'lift',
  'ski',
  'resort',
  'kcra',
  'snowpack',
  'sierra',
  'level',
  'week',
  'weather',
  'state',
  'department',
  'water',
  'resources',
  'monday',
  'snowpack',
  '%',
  '%',
  'range',
  'snow',
  'pacific',
  'northwest',
  'pacific',
  'northwest',
  'emergency',
  'warming',
  'shelter',
  'washington',
  'oregon',
  'temperature',
  'teen',
  'forecaster',
  'blast',
  'day',
  'sunday',
  'snow',
  'shower',
  'pacific',
  'northwest',
  'gulf',
  'alaska',
  'inch',
  'seattle',
  'area',
  'foot',
  'port',
  'angeles',
  'puget',
  'sound',
  'olympic',
  'peninsula',
  'portland',
  'oregon',
  'snowfall',
  'temperature',
  'region',
  'record',
  'day',
  'national',
  'weather',
  'service',
  'seattle',
  'sunday',
  'degree',
  'mark',
  'bellingham',
  'degree',
  'degree',
  'record',
  'set',
  'state',
  'official',
  'oregon',
  'emergency',
  'multnomah',
  'county',
  'home',
  'portland',
  'weather',
  'shelter',
  'plan',
  'site',
  'oregon',
  'convention',
  'center',
  'seattle',
  'city',
  'leader',
  'weather',
  'shelter',
  'saturday',
  'wednesday',
  'storm',
  'nevada',
  'nevada',
  'air',
  'snow',
  'state',
  'monday',
  'travel',
  'business',
  'sierra',
  'nevada',
  'highway',
  'airport',
  'flight',
  'state',
  'office',
  'interstate',
  'visibility',
  'snow',
  'nevada',
  'state',
  'line',
  'placer',
  'county',
  'california',
  'avalanche',
  'state',
  'route',
  'tahoe',
  'city',
  'ski',
  'resort',
  'olympic',
  'valley',
  'authority',
  'motorist',
  'travel',
  'flight',
  'reno',
  'tahoe',
  'international',
  'airport',
  'harry',
  'reid',
  'international',
  'airport',
  'las',
  'vegas',
  'sky',
  'mountain',
  'snow',
  'monday',
  'forecast',
  'reno',
  'las',
  'vegas',
  'nevada',
  'gov.',
  'steve',
  'sisolak',
  'state',
  'worker',
  'safety',
  'correction',
  'personnel',
  'storm',
  'reminder',
  'state',
  'office',
  'northern',
  'nevada',
  'today',
  'weather',
  'warning',
  'transit',
  'police',
  'road',
  'governor',
  'sisolak',
  '@govsisolak',
  'december',
  'travel',
  'advisory',
  'nevada',
  'elko',
  'possibility',
  'snow',
  'nevada',
  'state',
  'police',
  'driver',
  'snow',
  'roof',
  'vehicle',
  'fine',
  'crash',
  'driver',
  'vehicle',
  'snow',
  'roof',
  'vehicle',
  'fine',
  'crash',
  'nevada',
  'state',
  'police',
  'highway',
  'patrol',
  'northern',
  'comm',
  '@nvstatepolice_n',
  'december',
  'weather',
  'storm',
  'california',
  'nevada',
  'day',
  'rain',
  'snow',
  'arizona',
  'inch',
  'rain',
  'day',
  'airport',
  'phoenix',
  'friday',
  'inch',
  'snow',
  'arizona',
  'snowbowl',
  'ski',
  'resort',
  'flagstaff',
  'inch',
  'snow',
  'hour',
  'monday',
  'morning',
  'storm',
  'desert',
  'state',
  'monday',
  'afternoon',
  'week',
  'temperature',
  'southern',
  'plains',
  'arkansas',
  'city',
  'record',
  'christmas',
  'day',
  'temperature',
  'forecaster',
  'storm',
  'midweek',
  'storm',
  'system',
  'deep',
  'south',
  'alabama',
  'mississippi',
  'risk',
  'weather',
  'storm',
  'prediction',
  'center',
  'norman',
  'oklahoma',
  'snow',
  'monday',
  'evening',
  'california',
  'sierra',
  'nevada',
  'area',
  'break',
  'snap',
  'thursday',
  'emily',
  'heller',
  'meteorologist',
  'national',
  'weather',
  'service',
  'temperature',
  'washington',
  'oregon',
  'thursday',
  'weekend',
  'forecaster',
  'las',
  'vegas',
  'weather',
  'local',
  'local',
  'nevada',
  'nation',
  'world',
  'newstagged',
  'video',
  'mc',
  'news',
  'story',
  'facebook',
  'ufo',
  'retrieval',
  'program',
  'whistleblower',
  'nomaan',
  'merchant',
  'associated',
  'press',
  'july',
  'pm',
  'house',
  'subcommittee',
  'testimony',
  'congress',
  'foray',
  'world',
  'flying',
  'object',
  'mega',
  'millions',
  'winner',
  'jackpot',
  'm',
  'associated',
  'press',
  'july',
  'pmjuly',
  'pm',
  'time',
  'mega',
  'millions',
  'player',
  'prize',
  'april',
  'woman',
  'grizzly',
  'bear',
  'yellowstone',
  'national',
  'park',
  'associated',
  'press',
  'july',
  'pm',
  'authority',
  'woman',
  'injury',
  'bear',
  'attack',
  'rescue',
  'effort',
  'death',
  'valley',
  'heat',
  'july',
  'pm',
  'park',
  'ranger',
  'heat',
  'visitor',
  'park',
  'official',
  'heat',
  'helicopter',
  'lift',
  'winner',
  'mega',
  'millions',
  'jackpot',
  'm',
  'july',
  'pm',
  'time',
  'mega',
  'millions',
  'player',
  'prize',
  'april',
  'drawing',
  'tuesday',
  'tony',
  'bennett',
  'singer',
  'artist',
  'charles',
  'j.',
  'gans',
  'associated',
  'press',
  'july',
  'album',
  'grammys',
  '60',
  'affection',
  'fan',
  'artist',
  'billionaire',
  'la',
  'store',
  'powerball',
  'ticket',
  'marcio',
  'sanchez',
  'associated',
  'press',
  'july',
  'pm',
  'neighborhood',
  'store',
  'downtown',
  'los',
  'angeles',
  'skid',
  'row',
  'ticket',
  'powerball',
  'jackpot',
  'california',
  'ticket',
  '1b',
  'powerball',
  'prize',
  'history',
  'july',
  'powerball',
  'jackpot',
  'u.s.',
  'lottery',
  'history',
  'irs',
  'whistleblower',
  'hunter',
  'biden',
  'case',
  'farnoush',
  'amiri',
  'associated',
  'press',
  'july',
  'pm',
  'irs',
  'agent',
  'hunter',
  'biden',
  'case',
  'house',
  'committee',
  'republicans',
  'allegation',
  'interference',
  'tax',
  'investigation',
  'mega',
  'millions',
  'jackpot',
  'm',
  'game',
  'history',
  'associated',
  'press',
  'july',
  'pm',
  'time',
  'mega',
  'millions',
  'player',
  'prize',
  'april',
  'drawing',
  'friday',
  'thunderstorm',
  'hail',
  'henderson',
  'july',
  'heat',
  'wave',
  'vegas',
  'tie',
  'record',
  'day',
  'day',
  'condition',
  'degree',
  'las',
  'vegas',
  'heat',
  'record',
  'las',
  'vegas',
  'monsoon',
  'season',
  'zap',
  'las',
  'vegas',
  'degree',
  'time',
  'year',
  'day',
  'las',
  'vegas',
  'info',
  'editionstraffic',
  'las',
  'vegas',
  'weather',
  'e',
  '-',
  'edition',
  'download',
  'apps',
  'contests',
  'promotions',
  'partnered',
  'content',
  'solutionsadvertise',
  'place',
  'ad',
  'faq',
  'scene',
  'store',
  'rights',
  'permissions',
  'subscriptionssubscription',
  'paper',
  'hold',
  'report',
  'delivery',
  'issue',
  'newsletter',
  'sign',
  'connectionscontact',
  'letter',
  'editor',
  'news',
  'tips',
  'press',
  'releases',
  'work',
  'las',
  'vegas',
  'review',
  'journal',
  'inc.',
  'internships',
  'affiliate',
  'las',
  'vegas',
  'business',
  'press',
  'las',
  'vegas',
  'review',
  'journal',
  'en',
  'español',
  'pahrump',
  'valley',
  'times',
  'boulder',
  'city',
  'review',
  'lv',
  'new',
  'homes',
  'guide',
  'vegas',
  'nation',
  'rj',
  'magazine',
  'copyright',
  'las',
  'vegas',
  'review',
  'journal',
  'inc.',
  'privacy',
  'policy',
  'term',
  'service',
  'wordpress.com',
  'vip',
  'cookies',
  'storing',
  'party',
  'party',
  'cookie',
  'device',
  'consent',
  'disclosure',
  'information',
  'party',
  'service',
  'provider',
  'advertising',
  'partner',
  'experience',
  'traffic',
  'content'],
 ['owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'account',
  'dashboard',
  'profile',
  'items',
  'today',
  'cloud',
  'shower',
  'thunderstorm',
  'winds',
  'ssw',
  'mph',
  'tonight',
  'cloud',
  'shower',
  'thunderstorm',
  'winds',
  'ssw',
  'mph',
  'july',
  'pm',
  'account',
  'dashboard',
  'profile',
  'items',
  'fall',
  'storm',
  'season',
  'west',
  'virginia',
  'josiah',
  'cork',
  'matt',
  'harvey',
  'staff',
  'writers',
  'clarksburg',
  'w.va',
  'wv',
  'news',
  'temperature',
  'leave',
  'risk',
  'storm',
  'weather',
  'change',
  'air',
  'temperature',
  'season',
  'air',
  'gulf',
  'mexico',
  'air',
  'canada',
  'temperature',
  'difference',
  'air',
  'head',
  'system',
  'air',
  'fall',
  'air',
  'canada',
  'lot',
  'jennifer',
  'berryman',
  'meteorologist',
  'national',
  'weather',
  'service',
  '“the',
  'head',
  'system',
  'air',
  'gulf',
  'air',
  'berryman',
  'hurricane',
  'season',
  'people',
  'east',
  'coast',
  'potential',
  'boarding',
  'window',
  'west',
  'virginia',
  'remnant',
  'storm',
  'national',
  'preparedness',
  'month',
  'september',
  'hurricane',
  'season',
  'hurricane',
  'brewing',
  'florida',
  'pegi',
  'bailey',
  'harrison',
  'county',
  'office',
  'emergency',
  'management',
  'seashore',
  'ocean',
  'kind',
  'storm',
  'lot',
  'rain',
  'lot',
  'wind',
  'bailey',
  'accuweather',
  'senior',
  'meteorologist',
  'paul',
  'pastelok',
  'hurricane',
  'fiona',
  'canada',
  'west',
  'virginia',
  'tropical',
  'depression',
  'pastelok',
  'friday',
  'afternoon',
  'storm',
  'south',
  'american',
  'coast',
  'term',
  'forecast',
  'model',
  'shift',
  'depression',
  'cuba',
  'pastelok',
  'track',
  'storm',
  'united',
  'states',
  'coast',
  'west',
  'virginia',
  'rain',
  'event',
  'future',
  'condition',
  'september',
  'north',
  'central',
  'west',
  'virginia',
  'area',
  'accuweather',
  'senior',
  'meteorologist',
  'paul',
  'pastelok',
  'region',
  'august',
  'rain',
  'september',
  'area',
  'inch',
  'rain',
  'average',
  'rest',
  'country',
  'west',
  'virginia',
  'drought',
  'condition',
  'thursday',
  'u.s.',
  'drought',
  'monitor',
  'map',
  'idea',
  'storm',
  'home',
  'bailey',
  'case',
  'flooding',
  'power',
  'outage',
  'preparedness',
  'rule',
  'emergency',
  'day',
  'hour',
  'safety',
  'kit',
  'water',
  'food',
  'medicine',
  'person',
  'house',
  'bailey',
  'gutter',
  'time',
  'care',
  'debris',
  'tree',
  'drainage',
  'ditch',
  'weekend',
  'issue',
  'bailey',
  'reaction',
  '×',
  'post',
  'comment',
  'anonymous',
  'commenter',
  'discussion',
  'discussion',
  'email',
  'notification',
  'discussion',
  'notification',
  'discussion',
  'language',
  'turn',
  'caps',
  'lock',
  'threat',
  'person',
  'racism',
  'sexism',
  'sort',
  '-ism',
  'person',
  'report',
  'link',
  'comment',
  'post',
  'eyewitness',
  'account',
  'history',
  'article',
  'discussion',
  'discussion',
  'wv',
  'news',
  'hewes',
  'avenue',
  'po',
  'box',
  'clarksburg',
  'wv',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'minute',
  'news',
  'device',
  'switch',
  'account',
  'photo',
  'comment',
  'blog',
  'post',
  'email',
  'address',
  'account',
  'password',
  'email',
  'address',
  'wv',
  'news',
  'dailynews',
  'state',
  'world',
  'today',
  'wv',
  'news',
  'weeklyfind',
  'state',
  'email',
  'alert',
  'thursday',
  'evening',
  'wv',
  'obituariessign',
  'obit',
  'inbox',
  'state',
  'journal',
  'newslettersign',
  'newsletter',
  'thing',
  'business',
  'politic',
  'west',
  'virginia',
  'morgantown',
  'news',
  'weeklymorgantown',
  'news',
  'inbox',
  'week',
  'wv',
  'special',
  'offersspecial',
  'business',
  'area',
  'expert',
  'wvu',
  'college',
  'high',
  'school',
  'sports',
  'updateget',
  'headline',
  'wvu',
  'college',
  'high',
  'school',
  'sport',
  'newsget',
  'news',
  'state',
  'exponent',
  'telegram',
  'daily',
  'newsletterdaily',
  'news',
  'sport',
  'event',
  'et',
  'wv',
  'biz',
  'gov',
  'frequent)sign',
  'wv',
  'government',
  'business',
  'newsletter',
  'week',
  'wv',
  'new',
  'story',
  'weekthis',
  'week',
  'news',
  'state',
  'blue',
  'gold',
  'newsletterdaily',
  'blue',
  'gold',
  'news',
  'wvu',
  'sport',
  'fairmont',
  'daily',
  'newsletterdaily',
  'news',
  'sport',
  'event',
  'marion',
  'county',
  'garrett',
  'county',
  'weekly',
  'newsletterdaily',
  'news',
  'sport',
  'event',
  'garrett',
  'county',
  'area',
  'jackson',
  'star',
  'herald',
  'weeklyget',
  'jackson',
  'news',
  'weekly',
  'inbox',
  'mineral',
  'news',
  'tribune',
  'daily',
  'updatedaily',
  'news',
  'mineral',
  'news',
  'tribune',
  'email',
  'preston',
  'county',
  'daily',
  'newsletterdaily',
  'news',
  'sport',
  'event',
  'preston',
  'county',
  'river',
  'cities',
  'weekly',
  'newsletterget',
  'river',
  'cities',
  'tribune',
  'register',
  'email',
  'mountain',
  'statesman',
  'newsletternews',
  'sports',
  'event',
  'grafton',
  'taylor',
  'county',
  'record',
  'delta',
  'newsletterthe',
  'best',
  'news',
  'buckhannon',
  'upshur',
  'county',
  'weston',
  'democrat',
  'dailydaily',
  'news',
  'sport',
  'event',
  'weston',
  'area',
  'job',
  'offer',
  'inbox',
  'bulletin',
  'board',
  'listingsarea',
  'listing',
  'bulletin',
  'board',
  'update',
  'account',
  'email',
  'detail',
  'password',
  'account',
  'log',
  'link',
  'form',
  'message',
  'email',
  'link',
  'password',
  'email',
  'message',
  'instruction',
  'password',
  'email',
  'address',
  'account',
  'log',
  'link',
  'facebook',
  'google',
  'switch',
  'account',
  'alabamaalaskaarizonaarkansascaliforniacoloradoconnecticutdelawarefloridageorgiahawaiiidahoillinoisindianaiowakansaskentuckylouisianamainemarylandmassachusettsmichiganminnesotamississippimissourimontananebraskanevadanew',
  'hampshirenew',
  'jerseynew',
  'mexiconew',
  'yorknorth',
  'carolinanorth',
  'dakotaohiooklahomaoregonpennsylvaniarhode',
  'islandsouth',
  'carolinasouth',
  'virginiawisconsinwyomingpuerto',
  'ricous',
  'virgin',
  'islandsarmed',
  'forces',
  'americasarmed',
  'forces',
  'pacificarmed',
  'forces',
  'europenorthern',
  'mariana',
  'islandsmarshall',
  'islandsamerican',
  'samoafederated',
  'states',
  'micronesiaguampalaualberta',
  'canadabritish',
  'columbia',
  'canadamanitoba',
  'canadanew',
  'brunswick',
  'canadanewfoundland',
  'canadanova',
  'scotia',
  'canadanorthwest',
  'territories',
  'canadanunavut',
  'canadaontario',
  'canadaprince',
  'edward',
  'island',
  'canadaquebec',
  'canadasaskatchewan',
  'canadayukon',
  'territory',
  'canada',
  'united',
  'states',
  'virgin',
  'islandsunited',
  'states',
  'minor',
  'outlying',
  'islandscanadamexico',
  'united',
  'mexican',
  'statesbahamas',
  'commonwealth',
  'thecuba',
  'republic',
  'ofdominican',
  'republichaiti',
  'republic',
  'ofjamaicaafghanistanalbania',
  'people',
  'socialist',
  'republic',
  'ofalgeria',
  'people',
  'democratic',
  'republic',
  'samoaandorra',
  'principality',
  'ofangola',
  'republic',
  'ofanguillaantarctica',
  'territory',
  'south',
  'deg',
  's)antigua',
  'barbudaargentina',
  'argentine',
  'republicarmeniaarubaaustralia',
  'commonwealth',
  'ofaustria',
  'republic',
  'ofazerbaijan',
  'republic',
  'ofbahrain',
  'kingdom',
  'ofbangladesh',
  'people',
  'republic',
  'ofbarbadosbelarusbelgium',
  'kingdom',
  'ofbelizebenin',
  'people',
  'republic',
  'ofbermudabhutan',
  'kingdom',
  'ofbolivia',
  'republic',
  'ofbosnia',
  'herzegovinabotswana',
  'republic',
  'ofbouvet',
  'island',
  'bouvetoya)brazil',
  'federative',
  'republic',
  'ofbritish',
  'indian',
  'ocean',
  'territory',
  'chagos',
  'virgin',
  'islandsbrunei',
  'darussalambulgaria',
  'people',
  'republic',
  'ofburkina',
  'fasoburundi',
  'republic',
  'ofcambodia',
  'kingdom',
  'ofcameroon',
  'united',
  'republic',
  'ofcape',
  'verde',
  'republic',
  'islandscentral',
  'african',
  'republicchad',
  'republic',
  'ofchile',
  'republic',
  'ofchina',
  'people',
  'republic',
  'ofchristmas',
  'islandcocos',
  'keeling',
  'islandscolombia',
  'republic',
  'ofcomoros',
  'union',
  'thecongo',
  'democratic',
  'republic',
  'ofcongo',
  'people',
  'republic',
  'ofcook',
  'islandscosta',
  'rica',
  'republic',
  'ofcote',
  "d'ivoire",
  'ivory',
  'coast',
  'republic',
  'thecyprus',
  'republic',
  'ofczech',
  'republicdenmark',
  'kingdom',
  'ofdjibouti',
  'republic',
  'ofdominica',
  'commonwealth',
  'ofecuador',
  'republic',
  'ofegypt',
  'arab',
  'republic',
  'ofel',
  'salvador',
  'republic',
  'ofequatorial',
  'guinea',
  'republic',
  'oferitreaestoniaethiopiafaeroe',
  'islandsfalkland',
  'islands',
  'malvinas)fiji',
  'republic',
  'fiji',
  'islandsfinland',
  'republic',
  'offrance',
  'republicfrench',
  'guianafrench',
  'polynesiafrench',
  'southern',
  'territoriesgabon',
  'gabonese',
  'republicgambia',
  'republic',
  'republic',
  'ofgibraltargreece',
  'hellenic',
  'republicgreenlandgrenadaguadaloupeguamguatemala',
  'republic',
  'ofguinea',
  'revolutionary',
  'people',
  "rep'c",
  'ofguinea',
  'bissau',
  'republic',
  'ofguyana',
  'republic',
  'ofheard',
  'mcdonald',
  'islandsholy',
  'vatican',
  'city',
  'state)honduras',
  'republic',
  'ofhong',
  'kong',
  'special',
  'administrative',
  'region',
  'chinahrvatska',
  'croatia)hungary',
  'people',
  'republiciceland',
  'republic',
  'ofindia',
  'republic',
  'ofindonesia',
  'republic',
  'ofiran',
  'islamic',
  'republic',
  'republic',
  'state',
  'italian',
  'republicjapanjordan',
  'hashemite',
  'kingdom',
  'ofkazakhstan',
  'republic',
  'ofkenya',
  'republic',
  'ofkiribati',
  'republic',
  'ofkorea',
  'democratic',
  'people',
  'republic',
  'ofkorea',
  'republic',
  'ofkuwait',
  'state',
  'ofkyrgyz',
  'republiclao',
  'people',
  'democratic',
  'republiclatvialebanon',
  'lebanese',
  'republiclesotho',
  'kingdom',
  'ofliberia',
  'republic',
  'arab',
  'jamahiriyaliechtenstein',
  'oflithuanialuxembourg',
  'grand',
  'duchy',
  'ofmacao',
  'special',
  'administrative',
  'region',
  'chinamacedonia',
  'yugoslav',
  'republic',
  'ofmadagascar',
  'republic',
  'ofmalawi',
  'republic',
  'ofmalaysiamaldives',
  'republic',
  'ofmali',
  'republic',
  'ofmalta',
  'republic',
  'ofmarshall',
  'islandsmartiniquemauritania',
  'islamic',
  'republic',
  'ofmauritiusmayottemicronesia',
  'federated',
  'states',
  'ofmoldova',
  'republic',
  'ofmonaco',
  'ofmongolia',
  'mongolian',
  'people',
  'republicmontserratmorocco',
  'kingdom',
  'ofmozambique',
  'people',
  'republic',
  'ofmyanmarnamibianauru',
  'republic',
  'ofnepal',
  'kingdom',
  'ofnetherlands',
  'antillesnetherlands',
  'kingdom',
  'thenew',
  'caledonianew',
  'zealandnicaragua',
  'republic',
  'ofniger',
  'republic',
  'thenigeria',
  'federal',
  'republic',
  'ofniue',
  'republic',
  'ofnorfolk',
  'islandnorthern',
  'mariana',
  'islandsnorway',
  'kingdom',
  'ofoman',
  'sultanate',
  'islamic',
  'republic',
  'ofpalaupalestinian',
  'territory',
  'occupiedpanama',
  'republic',
  'ofpapua',
  'new',
  'guineaparaguay',
  'republic',
  'ofperu',
  'republic',
  'ofphilippines',
  'republic',
  'thepitcairn',
  'islandpoland',
  'polish',
  'people',
  'republicportugal',
  'portuguese',
  'republicpuerto',
  'ricoqatar',
  'state',
  'socialist',
  'republic',
  'ofrussian',
  'federationrwanda',
  'rwandese',
  'republicsamoa',
  'independent',
  'state',
  'ofsan',
  'marino',
  'republic',
  'tome',
  'principe',
  'democratic',
  'republic',
  'ofsaudi',
  'arabia',
  'kingdom',
  'ofsenegal',
  'republic',
  'ofserbia',
  'montenegroseychelles',
  'republic',
  'ofsierra',
  'leone',
  'republic',
  'ofsingapore',
  'republic',
  'ofslovakia',
  'slovak',
  'republic)sloveniasolomon',
  'islandssomalia',
  'somali',
  'republicsouth',
  'africa',
  'republic',
  'ofsouth',
  'georgia',
  'south',
  'sandwich',
  'islandsspain',
  'spanish',
  'statesri',
  'lanka',
  'democratic',
  'socialist',
  'republic',
  'ofst',
  'helenast',
  'kitts',
  'nevisst',
  'luciast',
  'pierre',
  'miquelonst',
  'vincent',
  'grenadinessudan',
  'democratic',
  'republic',
  'thesuriname',
  'republic',
  'ofsvalbard',
  'jan',
  'mayen',
  'islandsswaziland',
  'kingdom',
  'ofsweden',
  'kingdom',
  'ofswitzerland',
  'swiss',
  'confederationsyrian',
  'arab',
  'republictaiwan',
  'province',
  'chinatajikistantanzania',
  'united',
  'republic',
  'ofthailand',
  'kingdom',
  'oftimor',
  'leste',
  'democratic',
  'republic',
  'oftogo',
  'togolese',
  'republictokelau',
  'tokelau',
  'islands)tonga',
  'kingdom',
  'oftrinidad',
  'tobago',
  'republic',
  'oftunisia',
  'republic',
  'ofturkey',
  'republic',
  'ofturkmenistanturks',
  'caicos',
  'islandstuvaluuganda',
  'republic',
  'arab',
  'emiratesunited',
  'kingdom',
  'great',
  'britain',
  'n.',
  'irelanduruguay',
  'eastern',
  'republic',
  'ofuzbekistanvanuatuvenezuela',
  'bolivarian',
  'republic',
  'ofviet',
  'nam',
  'socialist',
  'republic',
  'ofwallis',
  'futuna',
  'islandswestern',
  'saharayemenzambia',
  'republic',
  'state',
  'alabamaalaskaarizonaarkansascaliforniacoloradoconnecticutdelawarefloridageorgiahawaiiidahoillinoisindianaiowakansaskentuckylouisianamainemarylandmassachusettsmichiganminnesotamississippimissourimontananebraskanevadanew',
  'hampshirenew',
  'jerseynew',
  'mexiconew',
  'yorknorth',
  'carolinanorth',
  'dakotaohiooklahomaoregonpennsylvaniarhode',
  'islandsouth',
  'carolinasouth',
  'virginiawisconsinwyomingpuerto',
  'ricous',
  'virgin',
  'islandsarmed',
  'forces',
  'americasarmed',
  'forces',
  'pacificarmed',
  'forces',
  'europenorthern',
  'mariana',
  'islandsmarshall',
  'islandsamerican',
  'samoafederated',
  'states',
  'micronesiaguampalaualberta',
  'canadabritish',
  'columbia',
  'canadamanitoba',
  'canadanew',
  'brunswick',
  'canadanewfoundland',
  'canadanova',
  'scotia',
  'canadanorthwest',
  'territories',
  'canadanunavut',
  'canadaontario',
  'canadaprince',
  'edward',
  'island',
  'canadaquebec',
  'canadasaskatchewan',
  'canadayukon',
  'territory',
  'canada',
  ...],
 ['main',
  'content',
  'sensor',
  'network',
  'maps',
  'radar',
  'severe',
  'weather',
  'news',
  'blogs',
  'mobile',
  'apps',
  'nearest',
  'station',
  'manage',
  'favorite',
  'citieslog',
  'joinsettingsaccount_box',
  'log',
  'person_add',
  'join',
  'setting',
  'settings',
  'sensor',
  'networkmaps',
  'radarsevere',
  'weathernews',
  'blogsmobile',
  'appshistorical',
  'weatherstarnews',
  'blogs',
  'category',
  'news',
  'stories',
  'infographics',
  'posters',
  'news',
  'stories',
  'category',
  'storiesinfographicsposterspublished',
  'weather',
  'company',
  'mission',
  'weather',
  'news',
  'environment',
  'importance',
  'science',
  'life',
  'story',
  'position',
  'parent',
  'company',
  'ibm.recent',
  'storiesweather',
  'articlesour',
  'appsabout',
  'uscontactcareerspws',
  'networkwundermapfeedback',
  'supportterms',
  'useprivacy',
  'policyaccessibility',
  'statementadchoicesdata',
  'vendorswe',
  'responsibility',
  'datum',
  'technology',
  'datum',
  'data',
  'vendor',
  'control',
  'datum',
  'datum',
  'rightspowered',
  'ibm',
  'cloud',
  'copyright',
  'twc',
  'product',
  'technology',
  'llc',
  'javascript',
  'application'],
 ['manage',
  'delivery',
  'manage',
  'digital',
  'contact',
  'customer',
  'service',
  'manage',
  'delivery',
  'manage',
  'digital',
  'contact',
  'customer',
  'service',
  'maine',
  'news',
  'sport',
  'politic',
  'election',
  'result',
  'obituary',
  'spring',
  'storm',
  'maine',
  'island',
  'mph',
  'gust',
  'associated',
  'press',
  'share',
  'twitter',
  'opens',
  'window)click',
  'facebook',
  'opens',
  'window)click',
  'reddit',
  'opens',
  'window)click',
  'opens',
  'window)click',
  'link',
  'friend',
  'opens',
  'window',
  'road',
  'monday',
  'camden',
  'rockport',
  'area',
  'credit',
  'courtesy',
  'rockport',
  'police',
  'department',
  'storm',
  'rain',
  'gust',
  'power',
  'thousand',
  'home',
  'business',
  'maine',
  'road',
  'new',
  'hampshire',
  'river',
  'monday',
  'official',
  'wind',
  'sunday',
  'mph',
  'matinicus',
  'island',
  'mile',
  'mph',
  'bath',
  'shipbuilder',
  'bath',
  'iron',
  'works',
  'crane',
  'report',
  'damage',
  'home',
  'business',
  'monday',
  'morning',
  'maine',
  'flood',
  'warning',
  'effect',
  'number',
  'river',
  'maine',
  'new',
  'hampshire',
  'official',
  'maine',
  'inch',
  'rain',
  'inch',
  'stephen',
  'baron',
  'meteorologist',
  'national',
  'weather',
  'service',
  'road',
  'new',
  'hampshire',
  'kancamagus',
  'highway',
  'white',
  'mountain',
  'national',
  'forest',
  'police',
  'lincoln',
  'road',
  'monday',
  'morning',
  'hancock',
  'campground',
  'washout',
  'conway',
  'post',
  'navigation',
  'mainecf',
  'vice',
  'presidentnext',
  'hiker',
  'remain',
  'rockport',
  'readnorthern',
  'maine',
  'fair',
  'nascar',
  'champmaine',
  'credit',
  'union',
  'coinsmusician',
  'nirvana',
  'portlandthe',
  'maine',
  'town',
  'chemical',
  'friend',
  'east',
  'lobsterman',
  'love',
  'fishing2',
  'body',
  'penobscot',
  'county',
  'drowningsbroccoli',
  'caribou',
  'farm',
  'pesticide',
  'subscribe',
  'donate',
  'manage',
  'print',
  'subscription',
  'manage',
  'digital',
  'subscription',
  'customer',
  'service',
  'newsletters',
  'mission',
  'staff',
  'directory',
  'contact',
  'privacy',
  'policy',
  'terms',
  'service',
  'services',
  'public',
  'notices',
  'classifieds',
  'jobs',
  'autos',
  'real',
  'estate',
  'coupons',
  'deals',
  'photo',
  'video',
  'store',
  'advertise',
  'pulse',
  'marketing',
  'agency',
  'creative',
  'guide',
  'special',
  'sections',
  'archive',
  'newspack',
  'automattic',
  'privacy',
  'policy'],
 ['livenewsweathergood',
  'watch',
  'expand',
  'collapse',
  'search',
  '☰',
  'search',
  'site',
  'news',
  'local',
  'newsnational',
  'newsworld',
  'newscrime',
  'public',
  'safetygood',
  'dayviralfox',
  'news',
  'sundayweather',
  'weather',
  'alertsclosingstim',
  'weather',
  'takeawaysweather',
  'teamweather',
  'apphurricanesfox',
  'weathertraffic',
  "transportationtravelctametrao'hare",
  'airportmidway',
  'airportunion',
  'stationpolitics',
  'flannery',
  'fired',
  'upchicago',
  'city',
  'councilimmigrationjoe',
  'bidenjb',
  'pritzkerbrandon',
  'johnsonsports',
  'fifa',
  'women',
  'world',
  'cupbearsblackhawksbullscubswhite',
  'soxfireskycollege',
  'sportsentertainment',
  'chicagofox',
  'starsfood',
  'drinkmovies!watch',
  'fox',
  'showsmoney',
  'businessconsumerdealsjobspersonal',
  'financereal',
  'estatesmall',
  'businessstock',
  'markethealth',
  'coronaviruscannabisfitness',
  'beinghealth',
  'carerecallsmore',
  'news',
  'educationlifestylesciencetechnologyunusualpet',
  'personsregional',
  'news',
  'milwaukee',
  'news',
  'fox',
  'newsdetroit',
  'news',
  'fox',
  'detroitminneapolis',
  'news',
  'fox',
  'special',
  'reportsvoice',
  'changejake',
  'takesgood',
  'news',
  'guaranteethat',
  'itabout',
  'streammobile',
  'appsemail',
  'newsletterscontact',
  'uscontestspersonalitiesjobs',
  'fox',
  'public',
  'filefcc',
  'applications',
  'heat',
  'advisory',
  'thu',
  'pm',
  'cdt',
  'grundy',
  'county',
  'kankakee',
  'county',
  'la',
  'salle',
  'county',
  'southern',
  'county',
  'newton',
  'county',
  'jasper',
  'county',
  'heat',
  'advisory',
  'thu',
  'pm',
  'cdt',
  'thu',
  'pm',
  'cdt',
  'dekalb',
  'county',
  'eastern',
  'county',
  'kendall',
  'county',
  'northern',
  'county',
  'southern',
  'cook',
  'county',
  'lake',
  'county',
  'porter',
  'county',
  'air',
  'quality',
  'alert',
  'fri',
  'cdt',
  'lake',
  'county',
  'newton',
  'county',
  'porter',
  'county',
  'jasper',
  'county',
  'weather',
  'service',
  'governor',
  'illinois',
  'storm',
  'damage',
  'march',
  'news',
  'fox',
  'chicago',
  'share',
  'copy',
  'link',
  'email',
  'facebook',
  'twitter',
  'linkedin',
  'reddit',
  'article',
  'ottawa',
  'ill.',
  'ap',
  'national',
  'weather',
  'service',
  'survey',
  'team',
  'illinois',
  'damage',
  'number',
  'tornado',
  'state',
  'meteorologist',
  'amy',
  'seeley',
  'team',
  'wednesday',
  'tornado',
  'ground',
  'illinois',
  'emergency',
  'management',
  'agency',
  'spokeswoman',
  'patti',
  'thompson',
  'person',
  'tuesday',
  'illinois',
  'city',
  'ottawa',
  'tornado',
  'winter',
  'storm',
  'system',
  'tornado',
  'lasalle',
  'county',
  'nursing',
  'home',
  'ottawa',
  'injury',
  'resident',
  'gov.',
  'bruce',
  'rauner',
  'damage',
  'wednesday',
  'morning',
  'naplate',
  'fire',
  'chief',
  'john',
  'nevins',
  'home',
  'village',
  'ottawa',
  'nevins',
  'news',
  'tribune',
  'ottawa',
  'injury',
  'jay',
  'z',
  'stop',
  'bbq',
  'bronzeville',
  'soul',
  'beyoncé',
  'chicago',
  'concert',
  'illinois',
  'woman',
  'boat',
  'renter',
  'phone',
  'water',
  'argument',
  'dave',
  'chappelle',
  'comedy',
  'chicago',
  'man',
  'north',
  'lawndale',
  'home',
  'police',
  'maywood',
  'man',
  'chicago',
  'man',
  'officer',
  'news',
  'alicia',
  'navarro',
  'arizona',
  'girl',
  'montana',
  'pd',
  'lawmaker',
  'ufo',
  'transparency',
  'investigation',
  'south',
  'school',
  'graduate',
  'college',
  'supply',
  'florida',
  'girl',
  'text',
  'friend',
  'deputy',
  'crash',
  'tanker',
  'hazmat',
  'situation',
  'northwest',
  'indiana',
  'hour',
  'daily',
  'newsletter',
  'news',
  'day',
  'sign',
  'privacy',
  'policy',
  'terms',
  'service',
  'news',
  'local',
  'newsnational',
  'newsworld',
  'newscrime',
  'public',
  'safetygood',
  'dayviralfox',
  'news',
  'sundayweather',
  'weather',
  'alertsclosingstim',
  'weather',
  'takeawaysweather',
  'teamweather',
  'apphurricanesfox',
  'weathertraffic',
  "transportationtravelctametrao'hare",
  'airportmidway',
  'airportunion',
  'stationpolitics',
  'flannery',
  'fired',
  'upchicago',
  'city',
  'councilimmigrationjoe',
  'bidenjb',
  'pritzkerbrandon',
  'johnsonsports',
  'fifa',
  'women',
  'world',
  'cupbearsblackhawksbullscubswhite',
  'soxfireskycollege',
  'sportsentertainment',
  'chicagofox',
  'starsfood',
  'drinkmovies!watch',
  'fox',
  'showsmoney',
  'businessconsumerdealsjobspersonal',
  'financereal',
  'estatesmall',
  'businessstock',
  'markethealth',
  'coronaviruscannabisfitness',
  'beinghealth',
  'carerecallsmore',
  'news',
  'educationlifestylesciencetechnologyunusualpet',
  'personsregional',
  'news',
  'milwaukee',
  'news',
  'fox',
  'newsdetroit',
  'news',
  'fox',
  'detroitminneapolis',
  'news',
  'fox',
  'special',
  'reportsvoice',
  'changejake',
  'takesgood',
  'news',
  'guaranteethat',
  'itabout',
  'streammobile',
  'appsemail',
  'newsletterscontact',
  'uscontestspersonalitiesjobs',
  'fox',
  'public',
  'filefcc',
  'application',
  'new',
  'privacy',
  'policyterms',
  'serviceyour',
  'privacy',
  'choicesfcc',
  'public',
  'public',
  'fileclosed',
  'captioningabout',
  'usjobs',
  'fox',
  'material',
  'fox',
  'television',
  'stations'],
 ['person',
  'story',
  'experience',
  'idaho',
  'product',
  'cart',
  'sign',
  'homeread!listen!read!watch!subscribeprint',
  'gift',
  'subscriptionsdigital',
  'subscriptionadvertisecontestsfiction',
  'contestfb',
  'favesarchiveprint',
  'archivedigital',
  'archivecontactsubmitmy',
  'addressesprivacy',
  'policy←',
  'kooskia',
  'spotlight',
  'jimmy',
  '→storm',
  'salmon',
  'ray',
  'brooksand',
  'flood',
  'snakeby',
  'ray',
  'brooksafter',
  'winter',
  'drought',
  'salmon',
  'river',
  'june',
  'wife',
  'dorita',
  'multi',
  'day',
  'fourth',
  'july',
  'whitewater',
  'rafting',
  'trip',
  'flow',
  'lower',
  'salmon',
  'white',
  'bird',
  'slide',
  'fool',
  'folk',
  'class',
  'v',
  'rapid',
  'flow',
  'foot',
  'second',
  'permit',
  'rafter',
  'friend',
  'class',
  'iii',
  'lower',
  'salmon',
  'detail',
  'trip',
  'group',
  'alaskans',
  'idaho',
  'friend',
  'alaska',
  'trip',
  'raft',
  'friend',
  'river',
  'water',
  'pop',
  'trip',
  'leader',
  'beer',
  'august',
  'float',
  'beer',
  'drinking',
  'alaskans',
  'beer',
  'diet',
  'content',
  'purchase',
  'option',
  'register',
  'purchase',
  'purchase',
  'ray',
  'brooks',
  'ray',
  'brooks',
  'idahoan',
  'retirement',
  'age',
  'rock',
  'climber',
  'river',
  'runner',
  'hiker',
  'idaho',
  'history',
  'climbing',
  'career',
  'idaho',
  'habit',
  'forest',
  'service',
  'helicopter',
  'fire',
  'crew',
  'middle',
  'fork',
  'salmon',
  'boatman',
  'shop',
  'moscow',
  'sale',
  'representative',
  'gear',
  'view',
  'post',
  'ray',
  'brooks',
  'comment',
  'cancel',
  'email',
  'address',
  'field',
  'email',
  'email',
  'website',
  'browser',
  'time',
  'order',
  'mailclick',
  'order',
  'formmail',
  'subscription',
  'idaho',
  'magazine',
  'p.o.',
  'box',
  'boise',
  'id',
  'issue',
  'addressbilling',
  'subscription',
  'inquiriesfor',
  'inquiry',
  'billing',
  'subscription',
  'issue',
  'change',
  'address',
  'subscription',
  'status',
  'email',
  'bulk',
  'subscriptionsidaho',
  'magazine',
  'gift',
  'client',
  'employee',
  'e',
  '-',
  'mail',
  'gerry',
  'fleischman',
  'information',
  'email',
  'winners',
  'areour',
  'photo',
  'contest',
  'winner',
  'idaho',
  'sight',
  'view',
  'galleryhere',
  'idaho',
  'fiction',
  'contest',
  'view',
  'email',
  'journeyquestion',
  'giftadvertisead',
  'specsdeadlinessponsorsponsor',
  'issuesponsored',
  'issuesaccountaccount',
  'settingscartchange',
  'orderidaho',
  'magazine',
  'rights'],
 ['day',
  'woman',
  'birth',
  'hospital',
  'heart',
  'attack',
  'seizure',
  'kidney',
  'failure',
  'blood',
  'transfusion',
  'problem',
  'death',
  'human',
  'trafficking',
  'sports',
  'entertainment',
  'life',
  'money',
  'tech',
  'travel',
  'opinion',
  'obituariesonly',
  'usa',
  'today',
  'newsletters',
  'subscribers',
  'archives',
  'crossword',
  'enewspaper',
  'magazines',
  'investigations',
  'weather',
  'forecast',
  'video',
  'humankind',
  'curiousbest',
  'booklist',
  'pets',
  'food',
  'reviewed',
  'coupons',
  'blueprint',
  'best',
  'auto',
  'insurance',
  'best',
  'pet',
  'insurance',
  'best',
  'travel',
  'insurance',
  'best',
  'credit',
  'cards',
  'best',
  'cd',
  'rate',
  'best',
  'personal',
  'loans',
  'weathernational',
  'weather',
  'serviceadd',
  'topicwind',
  'chill',
  'winter',
  'storm',
  'warning',
  'way',
  'country',
  'weekend',
  'weather',
  'marina',
  'pitofskyusa',
  'todayanother',
  'winter',
  'storm',
  'way',
  'united',
  'states',
  'snow',
  'temperature',
  'midwest',
  'day',
  'snowflake',
  'east',
  'coast',
  'storm',
  'snow',
  'montana',
  'wyoming',
  'northern',
  'plains',
  'area',
  'foot',
  'snow',
  'montana',
  'north',
  'dakota',
  'minnesota',
  'wind',
  'chill',
  'advisory',
  'weekend',
  'wind',
  'chill',
  'degree',
  'national',
  'weather',
  'service',
  'grand',
  'forks',
  'north',
  'dakota',
  'winter',
  'weather',
  'weekend',
  "behavior':why",
  'london',
  'iceberg',
  'antarctica',
  "unusual':what",
  'winter',
  'nyc',
  'washington',
  'philadelphiawinter',
  'weather',
  'east',
  'snow',
  'michigan',
  'sunday',
  'meteorologist',
  'accuweather',
  'winter',
  'weather',
  'advisory',
  'effect',
  'state',
  'sunday',
  'national',
  'weather',
  'service',
  'forecast',
  'sunday',
  'snow',
  'great',
  'lakes',
  'risk',
  'rainfall',
  'gulf',
  'coast',
  'southeast',
  'pocket',
  'rain',
  'rain',
  'southern',
  'plains',
  'great',
  'lakes',
  'temperature',
  'degree',
  'rockies',
  'high',
  'plains',
  'snow',
  'state',
  'northeast',
  'new',
  'york',
  'vermont',
  'new',
  'hampshire',
  'maine',
  'snow',
  'sunday',
  'albany',
  'new',
  'york',
  'temperature',
  'high',
  'degree',
  'area',
  'chance',
  'snow',
  'shower',
  'monday',
  'afternoon',
  'week',
  'winter',
  'storm',
  'trackernational',
  'weather',
  'radarfeatured',
  'weekly',
  'adabout',
  'newsroom',
  'staff',
  'ethical',
  'principles',
  'correction',
  'press',
  'accessibility',
  'sitemap',
  'subscription',
  'terms',
  'conditions',
  'terms',
  'service',
  'california',
  'privacy',
  'rights',
  'privacy',
  'policy',
  'privacy',
  'policydo',
  'sell',
  'share',
  'target',
  'infocookie',
  'settingscontact',
  'account',
  'feedback',
  'home',
  'delivery',
  'enewspaper',
  'usa',
  'today',
  'shop',
  'usa',
  'today',
  'print',
  'editions',
  'licensing',
  'reprints',
  'advertise',
  'careers',
  'internships',
  'businessnews',
  'tips',
  'letter',
  'editor',
  'newsletters',
  'mobile',
  'app',
  'facebook',
  'twitter',
  'instagram',
  'linkedin',
  'pinterest',
  'youtube',
  'reddit',
  'flipboard',
  'jobs',
  'sports',
  'betting',
  'sports',
  'weekly',
  'studio',
  'gannett',
  'classifieds',
  'coupons',
  'blueprint',
  'auto',
  'insurance',
  'pet',
  'insurance',
  'travel',
  'insurance',
  'credit',
  'cards',
  'banking',
  'personal',
  'loans',
  'usa',
  'today',
  'division',
  'gannett',
  'satellite',
  'information',
  'network',
  'llc'],
 ['wfrv',
  'green',
  'bay',
  'appleton',
  'local',
  'news',
  'national',
  'positively',
  'wisconsin',
  'crime',
  'traffic',
  'coronavirus',
  'healthwatch',
  'newsmaker',
  'sunday',
  'midwest',
  'farm',
  'fox',
  'valley',
  'regional',
  'news',
  'green',
  'bay',
  'area',
  'regional',
  'news',
  'politics',
  'hill',
  'election',
  'center',
  'press',
  'releases',
  'd.c.',
  'bureau',
  'kemps',
  'food',
  'pantry',
  'green',
  'bay',
  'sights',
  'stories',
  'sounds',
  'titletown',
  'update',
  'interstate',
  'northbound',
  'green',
  'bay',
  'fan',
  'globe',
  'green',
  'bay',
  'verdict',
  'taylor',
  'schabusiness',
  'wisconsin',
  'weather',
  'forecast',
  'interactive',
  'radar',
  'road',
  'conditions',
  'skyview',
  'network',
  'closings',
  'delays',
  'report',
  'closing',
  'heat',
  'humidity',
  'peak',
  'tomorrow',
  'chance',
  'rain',
  't',
  'storm',
  'opening',
  'day',
  'training',
  'clouds',
  'increase',
  'tonight',
  'storm',
  'morning',
  'spotty',
  'shower',
  'today',
  'start',
  'smoky',
  'week',
  'high',
  'school',
  'sports',
  'packers',
  'locker',
  'room',
  'green',
  'bay',
  'nation',
  'brewers',
  'bucks',
  'ncaa',
  'freddy',
  'peralta',
  'career',
  'ks',
  'taylor',
  'report',
  'packers',
  'quarterback',
  'aaron',
  'rodgers',
  'sights',
  'stories',
  'sounds',
  'titletown',
  'aaron',
  'rodgers',
  'burke',
  'green',
  'bay',
  'packers',
  'training',
  'camp',
  'edition',
  'wfrv',
  'local',
  '’',
  'green',
  'gold',
  'training',
  'camp',
  'preview',
  'women',
  'hometown',
  'heroes',
  'high',
  'school',
  'theater',
  'sunday',
  'mass',
  'birthday',
  'club',
  'events',
  'pet',
  'saver',
  'dish',
  'wisconsin',
  'supper',
  'clubs',
  'wisconsin',
  'lottery',
  'pizza',
  'card',
  'fish',
  'fry',
  'guide',
  'kemps',
  'food',
  'pantry',
  'green',
  'bay',
  'sights',
  'stories',
  'sounds',
  'titletown',
  'cop',
  'culver',
  'people',
  'need',
  'green',
  'bay',
  'nonprofit',
  'arpa',
  'grant',
  'uw',
  'green',
  'bay',
  'packers',
  'partner',
  'certificate',
  'program',
  'experts',
  'town',
  'road',
  'trip',
  'community',
  'fitness',
  'recipes',
  'live',
  'feature',
  'holiday',
  'spotlight',
  'tension',
  'rock',
  'studio',
  'bellin',
  'health',
  'bike',
  'rodeo',
  'return',
  'year',
  'simple',
  'beef',
  'flank',
  'steak',
  'recipe',
  'wisconsin',
  'food',
  'trucks',
  'firefighter',
  'suamico',
  'plan',
  'strategic',
  'newsletter',
  'sign',
  'video',
  'center',
  'wfrv',
  'wfrv',
  'mobile',
  'apps',
  'cbs',
  'news',
  'cbs',
  'access',
  'contests',
  'pro',
  'football',
  'challenge',
  'contests',
  'holiday',
  'spotlight',
  'giveaway',
  'advertise',
  'local',
  'wfrv',
  'team',
  'wfrv',
  'history',
  'contact',
  'newsletters',
  'tv',
  'schedule',
  'personal',
  'information',
  'regional',
  'news',
  'partners',
  'job',
  'post',
  'job',
  'jobs',
  'wfrv',
  'winter',
  'storm',
  'tonight',
  'thursday',
  'jan',
  'cst',
  'jan',
  'pm',
  'cst',
  'jan',
  'cst',
  'jan',
  'pm',
  'cst',
  'weather',
  'article',
  'wisconsin',
  'weather',
  'forecast',
  'storm',
  'team',
  'storm',
  'wednesday',
  'snow',
  'tonight',
  'spot',
  'water',
  'day',
  'sun',
  'cloud',
  'high',
  '30',
  'tonight',
  'wind',
  'storm',
  'snow',
  'pm',
  'inch',
  'snow',
  'ground',
  'sunrise',
  'thursday',
  'low',
  'degree',
  'plan',
  'morning',
  'commute',
  'thursday',
  'snow',
  'morning',
  'afternoon',
  'snow',
  'area',
  'mixing',
  'drizzle',
  'high',
  'degree',
  'snowfall',
  'accumulation',
  'inch',
  'total',
  'inch',
  'total',
  'inch',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'thank',
  'inbox',
  'amazon',
  'school',
  'deal',
  'schooler',
  'school',
  'corner',
  'amazon',
  'supply',
  'school',
  'deal',
  'supply',
  'schooler',
  'august',
  'vegetable',
  'flower',
  'flower',
  'plant',
  'hour',
  'soil',
  'air',
  'temperature',
  'sunshine',
  'august',
  'month',
  'planting',
  'chemical',
  'guys',
  'kit',
  'car',
  'car',
  'care',
  'hour',
  'chemical',
  'guys',
  'car',
  'wash',
  'kit',
  'time',
  'deal',
  'titletown',
  'business',
  'bomb',
  'kemps',
  'milk',
  'gb',
  'food',
  'pantry',
  'peralta',
  'ks',
  'taylor',
  'homer',
  'brewers',
  'win',
  'report',
  'rodgers',
  'pay',
  'cut',
  'jet',
  'day',
  'packers',
  'training',
  'camp',
  'kemps',
  'milk',
  'gb',
  'food',
  'pantry',
  'samsung',
  'smartphone',
  'bet',
  'people',
  'high',
  'arizona',
  'day',
  'packers',
  'training',
  'camp',
  'arizona',
  'girl',
  'montana',
  'update',
  'i-43',
  'nb',
  'green',
  'bay',
  'vehicle',
  'attorney',
  'm',
  'settlement',
  'water',
  'wfrv',
  'local',
  'green',
  'bay',
  'appleton',
  'video',
  'kemps',
  'food',
  'pantry',
  'green',
  'bay',
  'teardown',
  'main',
  'street',
  'commons',
  'begins',
  'verdict',
  'taylor',
  'schabusiness',
  'fan',
  'training',
  'camp',
  'verdict',
  'taylor',
  'schabusiness',
  'update',
  'courtroom',
  'schabusiness',
  'healthwatch',
  'michelle',
  'story',
  '7/26/2023',
  'brown',
  'county',
  'stride',
  'combating',
  'wisconsin',
  'dairy',
  'brand',
  'k',
  'shelf',
  'packers',
  'training',
  'camp',
  'preview',
  'special',
  'wfrv',
  'local',
  'green',
  'bay',
  'appleton',
  'update',
  'i-43',
  'nb',
  'green',
  'bay',
  'vehicle',
  'fan',
  'arrive',
  'packers',
  'training',
  'camp',
  'verdict',
  'taylor',
  'schabusiness',
  'heat',
  'humidity',
  'peak',
  'tomorrow',
  'chance',
  'rodgers',
  'love',
  'night',
  'training',
  'lightning',
  'strike',
  'wi',
  'total',
  'truck',
  'component',
  'fond',
  'du',
  'lac',
  'man',
  'homicide',
  'update',
  'year',
  'ripon',
  'wfrv',
  'local',
  'green',
  'bay',
  'appleton',
  'thanks',
  'inbox',
  'storm',
  'light',
  'weds',
  '.',
  'thurs',
  'local',
  'news',
  'month',
  'noaa',
  'el',
  'niño',
  'forecast',
  'month',
  'lyrid',
  'meteor',
  'shower',
  'forecast',
  'month',
  'moon',
  'forecast',
  'month',
  'asteroid',
  'earth',
  'saturday',
  'thank',
  'inbox',
  'verdict',
  'taylor',
  'schabusiness',
  'lightning',
  'strike',
  'wi',
  'total',
  'truck',
  'component',
  'update',
  'i-43',
  'nb',
  'green',
  'bay',
  'vehicle',
  'update',
  'year',
  'ripon',
  'rodgers',
  'love',
  'night',
  'training',
  'gift',
  'summer',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'home',
  'depot',
  'foot',
  'skeleton',
  'halloween',
  'deal',
  'day',
  'prime',
  'day',
  'favorite',
  'eeo',
  'nexstar',
  'cc',
  'certification',
  'wfrv',
  'fcc',
  'public',
  'file',
  'android',
  'app',
  'google',
  'play',
  'android',
  'weather',
  'app',
  'google',
  'play',
  'personal',
  'information',
  'personal',
  'information',
  'nexstar',
  'media',
  'inc.',
  'rights'],
 ['north',
  'carolinasubscribepostadvertisestate',
  'newscommunity',
  'cornercrime',
  'safetypolitics',
  'governmentschoolstraffic',
  'transitobituariespersonal',
  'financebest',
  'ofarts',
  'entertainmentbusinesshealth',
  'wellnesshome',
  'gardensportstravelkids',
  'familypetsrestaurants',
  'barslocalstreamsee',
  'communitiescharlotte',
  'ncnoda',
  'midwood',
  'belmont',
  'ncmyers',
  'park',
  'south',
  'end',
  'dilworth',
  'nchuntersville',
  'nccornelius',
  'ncdavidson',
  'ncmooresville',
  'ncwinston',
  'salem',
  'ncirmo',
  'seven',
  'oaks',
  'scgreensboro',
  'ncstate',
  'editionnorth',
  'carolinanational',
  'editiontop',
  'national',
  'newssee',
  'communities0weathertropical',
  'storm',
  'laura',
  'storm',
  'track',
  'nctropical',
  'storm',
  'laura',
  'hurricane',
  'gulf',
  'mexico',
  'tuesday',
  'night',
  'nc',
  'forecaster',
  'kimberly',
  'johnson',
  'patch',
  'staffposted',
  'mon',
  'aug',
  'pm',
  'etreply',
  'tropical',
  'storm',
  'laura',
  'hurricane',
  'gulf',
  'mexico',
  'tuesday',
  'night',
  'nc',
  'forecaster',
  'shutterstock)north',
  'carolina',
  'north',
  'carolina',
  'impact',
  'storm',
  'gulf',
  'mexico',
  'coastline',
  'weekend',
  'forecaster',
  'monday',
  'afternoon',
  'tropical',
  'storm',
  'laura',
  'end',
  'florida',
  'wind',
  'band',
  'rain',
  'tropical',
  'storm',
  'marco',
  'havoc',
  'end',
  'state',
  'laura',
  'hurricane',
  'gulf',
  'marco',
  'laura',
  'landfall',
  'louisiana',
  'coast',
  'hour',
  'end',
  'week',
  'north',
  'carolina',
  'effect',
  'laura',
  'state',
  'emergency',
  'official',
  'north',
  'carolinawith',
  'time',
  'update',
  'patch',
  'hurricane',
  'chance',
  'united',
  'states',
  'thursday',
  'weekend',
  'north',
  'carolina',
  'emergency',
  'management',
  'monday',
  'rain',
  'laura',
  'north',
  'carolina',
  'friday',
  'morning',
  'southeast',
  'monday',
  'aug.',
  'ncem',
  'north',
  'carolina',
  'rainfall',
  'coast',
  'mountain',
  'soil',
  'flooding',
  'north',
  'carolinawith',
  'time',
  'update',
  'patch',
  'subscribehere',
  'national',
  'weather',
  'service',
  'forecast',
  'north',
  'carolina',
  'weekend',
  'afternoon',
  'aug.',
  'percent',
  'chance',
  'shower',
  'thunderstorm',
  'pm',
  'wind',
  'mph',
  'rainfall',
  'tenth',
  'inch',
  'thunderstorm',
  'tonighta',
  'percent',
  'chance',
  'shower',
  'thunderstorm',
  'pm',
  'wind',
  'mph',
  'rainfall',
  'tenth',
  'inch',
  'thunderstorm',
  'tuesday',
  'aug.',
  'percent',
  'chance',
  'shower',
  'thunderstorm',
  'west',
  'wind',
  'mph',
  'rainfall',
  'tenth',
  'inch',
  'thunderstorm',
  'tuesday',
  'nighta',
  'chance',
  'shower',
  'thunderstorm',
  'pm',
  'chance',
  'shower',
  'pm',
  'pm',
  'wind',
  'mph',
  'chance',
  'precipitation',
  'aug.',
  'west',
  'wind',
  'wednesday',
  'aug.',
  'percent',
  'chance',
  'shower',
  'thunderstorm',
  'pm',
  'low',
  'aug.',
  'percent',
  'chance',
  'shower',
  'thunderstorm',
  'pm',
  'nighta',
  'chance',
  'shower',
  'thunderstorm',
  'chance',
  'shower',
  'chance',
  'precipitation',
  'aug.',
  '29)a',
  'percent',
  'chance',
  'shower',
  'thunderstorm',
  '92.saturday',
  'aug.',
  '30)a',
  'percent',
  'chance',
  'shower',
  'thunderstorm',
  'nighta',
  'percent',
  'chance',
  'shower',
  'aug.',
  'chance',
  'shower',
  '85.paul',
  'scicchitano',
  'patch',
  'staff',
  'contributedget',
  'news',
  'inbox',
  'sign',
  'patch',
  'newsletter',
  'alert',
  'thankreply',
  'sharetropical',
  'storm',
  'laura',
  'storm',
  'track',
  'ncthe',
  'rule',
  'space',
  'discussion',
  'language',
  'claim',
  'reply',
  'topic',
  'patch',
  'community',
  'guidelines',
  'reply',
  'articlereplymore',
  'north',
  'carolinacommunity',
  'tips',
  'grilling',
  'bonfire',
  'safetyobituaries',
  'jun',
  'leo',
  'william',
  'kraft',
  'trending',
  'patchacross',
  'america',
  'newssinéad',
  'o’connor',
  'nj',
  "news'finding",
  'nemo',
  'tiktok',
  'promo',
  'brick',
  'theatre',
  'group',
  'memeacross',
  'america',
  'newsdelta',
  'aquariid',
  'perseid',
  'meteor',
  'showers',
  'ramp',
  'fireballsbaltimore',
  'md',
  'newsmustard',
  'skittle',
  'debut',
  'national',
  'mustard',
  'dayacross',
  'america',
  'newsmodern',
  'homes',
  'pool',
  'art',
  'house',
  'yourcommunity',
  'patch',
  'appcorporate',
  'infoabout',
  'patchcareerspartnershipsadvertise',
  'patchsupportfaqscontact',
  'patchcommunity',
  'guidelinesposting',
  'instructionsterms',
  'useprivacy',
  'policy',
  'patch',
  'media',
  'rights'],
 ['ie',
  'experience',
  'site',
  'browser',
  'skip',
  'news',
  'newsworldbusinesshealthvideoculture',
  'trendsnbc',
  'news',
  'tiplineshare',
  'save',
  'newsmanage',
  'profileemail',
  'preferencessign',
  'outsearchsearchprofile',
  'newssign',
  'sign',
  'increate',
  'profilesectionsu.s.',
  'newspoliticsworldlocalbusinesshealthinvestigationsculture',
  'trendssciencesportstech',
  'mediavideo',
  'featuresphotosweathernbc',
  'selectdecision',
  'blknbc',
  'newsmsnbcmeet',
  'pressdatelinefeaturednbc',
  'news',
  'nowbetternightly',
  'filmsstay',
  'tunedspecial',
  'featuresnewsletterspodcastslisten',
  'nowmore',
  'nbccnbcnbc.comnbcu',
  'learnpeacocknext',
  'steps',
  'vetsparent',
  'news',
  'site',
  'maphelpfollow',
  'nbc',
  'newssearchsearchfacebooktwitteremailsmsprintwhatsappredditpocketflipboardpinterestlinkedinu.s.',
  'newsat',
  'tornado',
  'year',
  'boy',
  'georgia',
  'tree',
  'car',
  'tornado',
  'alabama03:21get',
  'news',
  'nowprintjan',
  'pm',
  'utc',
  'jan.',
  'minyvonne',
  'burke',
  'steve',
  'strouss',
  'doha',
  'madani',
  'phil',
  'helselat',
  'people',
  'alabama',
  'tornado',
  'state',
  'thursday',
  'home',
  'selma',
  'mayor',
  'damage',
  'year',
  'boy',
  'georgia',
  'tree',
  'car',
  'alabama',
  'death',
  'autauga',
  'county',
  'northwest',
  'montgomery',
  'county',
  'emergency',
  'management',
  'agency',
  'director',
  'ernie',
  'baggett',
  'death',
  'day',
  'tornado',
  'landfall',
  'state',
  'friday',
  'tornado',
  'community',
  'old',
  'kingston',
  'marbury',
  'path',
  'mile',
  'home',
  'point',
  'baggett',
  'selma',
  'mayor',
  'james',
  'perkins',
  'jr.',
  'news',
  'conference',
  'city',
  'extent',
  'damage',
  'fatality',
  'thursday',
  'afternoon',
  'resident',
  'photo',
  'damage',
  'selma',
  'video',
  'watch',
  'drone',
  'video',
  'alabama',
  'tornado',
  '.',
  'bobby',
  'green',
  'car',
  'storm',
  'selma',
  'nbc',
  'affiliate',
  'wvtm',
  'birmingham',
  'car',
  'debris',
  'passenger',
  'window',
  'emergency',
  'response',
  'crew',
  'ground',
  'assistance',
  'lot',
  'report',
  'damage',
  'national',
  'weather',
  'service',
  'birmingham',
  'statement',
  'storm',
  'survey',
  'tornado',
  'day',
  'street',
  'selma',
  'power',
  'line',
  'tree',
  'facebook',
  'post',
  'city',
  'selma',
  'official',
  'curfew',
  'dusk',
  'dawn',
  'resident',
  'power',
  'line',
  'situation',
  'school',
  'student',
  'school',
  'point',
  'school',
  'child',
  'school',
  'official',
  'tornado',
  'selma',
  'alabama',
  'thursday',
  'caleb',
  'legrone',
  'facebookaround',
  'household',
  'business',
  'selma',
  'power',
  'p.m.',
  'city',
  'center',
  'perkins',
  'crew',
  'route',
  'cell',
  'service',
  'city',
  'power',
  'selma',
  'city',
  'council',
  'emergency',
  'meeting',
  'audio',
  'cell',
  'phone',
  'facebook',
  'member',
  'damage',
  'home',
  'body',
  'budget',
  'surplus',
  'disaster',
  'people',
  'photo',
  'video',
  'damage',
  'selma',
  'street',
  'building',
  'user',
  'dozen',
  'photo',
  'facebook',
  'home',
  'tree',
  'road',
  'car',
  'power',
  'line',
  'twitter',
  'user',
  'video',
  'funnel',
  'cloud',
  'vantage',
  'point',
  'interstate',
  'flight',
  'hartsfield',
  'jackson',
  'atlanta',
  'international',
  'airport',
  'ground',
  'stop',
  'thunderstorm',
  'federal',
  'aviation',
  'administration',
  'thursday',
  'stop',
  'faa',
  'delay',
  'minute',
  'flight',
  'atlanta',
  'spokesperson',
  'airport',
  'situation',
  'impact',
  'hartsfield',
  'jackson',
  'morgan',
  'county',
  'sheriff',
  'office',
  'building',
  'storm',
  'people',
  'life',
  'decatur',
  'morgan',
  'county',
  'truck',
  'tree',
  'police',
  'injury',
  'report',
  'tornado',
  'thursday',
  'alabama',
  'georgia',
  'kentucky',
  'weather',
  'service',
  'tornado',
  'storm',
  'survey',
  'damage',
  'hale',
  'bibb',
  'sumter',
  'autauga',
  'county',
  'alabama',
  'georgia',
  'butts',
  'county',
  'deputy',
  'county',
  'manager',
  'j.',
  'michael',
  'brewer',
  'year',
  'boy',
  'tree',
  'vehicle',
  'child',
  'passenger',
  'car',
  'hospital',
  'brewer',
  'statement',
  'extent',
  'injury',
  'spalding',
  'county',
  'georgia',
  'sheriff',
  'office',
  'tree',
  'road',
  'power',
  'line',
  'city',
  'griffin',
  'county',
  'damage',
  'resident',
  'car',
  'walmart',
  'parking',
  'lot',
  'griffin',
  'vehicle',
  'video',
  'nbc',
  'affiliate',
  'wxia',
  'atlanta',
  'alabama',
  'gov.',
  'kay',
  'ivey',
  'people',
  'life',
  'state',
  'prayer',
  'community',
  'weather',
  'people',
  'ivey',
  'state',
  'emergency',
  'county',
  'thursday',
  'autauga',
  'chambers',
  'coosa',
  'dallas',
  'elmore',
  'tallapoosa',
  'georgia',
  'gov.',
  'brian',
  'kemp',
  'state',
  'emergency',
  'agency',
  'hand',
  'deck',
  'approach',
  'community',
  'people',
  'tornado',
  'watch',
  'thursday',
  'evening',
  'weather',
  'service',
  'correction',
  'jan.',
  'p.m.',
  'et',
  'version',
  'article',
  'nbc',
  'affiliate',
  'montgomery',
  'wsfa',
  'wfsa',
  'version',
  'article',
  'autauga',
  'county',
  'emergency',
  'management',
  'agency',
  'prattville',
  'prattsville',
  'minyvonne',
  'burkeminyvonne',
  'burke',
  'news',
  'reporter',
  'nbc',
  'news',
  'steve',
  'strousssteve',
  'strouss',
  'meteorologist',
  'producer',
  'nbc',
  'news',
  'doha',
  'madanidoha',
  'madani',
  'news',
  'reporter',
  'nbc',
  'news',
  'pronoun',
  'phil',
  'helselphil',
  'helsel',
  'reporter',
  'nbc',
  'news',
  'josh',
  'cradduck',
  'chantal',
  'da',
  'silva',
  'cristian',
  'santana',
  'aboutcontacthelpcareersad',
  'choicesprivacy',
  'policydo',
  'informationca',
  'noticenew',
  'terms',
  'service',
  'july',
  'news',
  'sitemapadvertiseselect',
  'shoppingselect',
  'personal',
  'finance',
  'nbc',
  'universalnbc',
  'news',
  'logomsnbc',
  'logotoday',
  'logo'],
 ['link',
  'weather',
  'news',
  'feed',
  'montana',
  'sports',
  'montana',
  'ag',
  'network',
  'open',
  'houses',
  'contests',
  'indian',
  'country',
  'fire',
  'voice',
  'positively',
  'montana',
  'obituaries',
  'snow',
  'storm',
  'school',
  'closure',
  'montana',
  'apr',
  'billing',
  'winter',
  'storm',
  'snow',
  'school',
  'closure',
  'montana',
  'area',
  'tuesday',
  'april',
  '2022).areas',
  'glendive',
  'baker',
  'foot',
  'snow',
  'area',
  'livingston',
  'montana',
  'blizzard',
  'warning',
  'effect',
  'montana',
  'wind',
  'mph',
  'list',
  'closure',
  'billing',
  'public',
  'schoolslockwood',
  'schoolshuntley',
  'project',
  'schoolsshepherd',
  'public',
  'schoolsbillings',
  'catholic',
  'schoolsbridger',
  'schoolschief',
  'dull',
  'knife',
  'collegebroadus',
  'schoolssidney',
  'public',
  'schoolsabsarokee',
  'schoolscolstrip',
  'public',
  'schoolsgeyser',
  'school',
  'districtelder',
  'grove',
  'schoolselysian',
  'school',
  'districtcuster',
  'schoolsbroadview',
  'schoolscanyon',
  'creek',
  'schoolbelfry',
  'schoolsfromberg',
  'school',
  'districtjoliet',
  'public',
  'schoolsharlowton',
  'public',
  'schoolspark',
  'city',
  'schoolslame',
  'deer',
  'public',
  'schoolsryegate',
  'schoolsred',
  'lodge',
  'schoolslavina',
  'schoolsrapelje',
  'schoolsreed',
  'point',
  'schoolsthe',
  'snow',
  'wednesday',
  'snow',
  'portion',
  'montana',
  'trending',
  'articlessnow',
  'storm',
  'school',
  'closure',
  'montanagf',
  'woman',
  'trafficking',
  'methwhat',
  'property',
  'gf?roadwork',
  'black',
  'list',
  'april',
  'copyright',
  'scripps',
  'media',
  'inc.',
  'right',
  'material',
  'headlines',
  'newsletter',
  'date',
  'information',
  'headlines',
  'newsletter',
  'newsletters',
  'golf',
  'hole',
  'scripps',
  'local',
  'media',
  'scripps',
  'media',
  'inc',
  'light',
  'people',
  'way'],
 ['energy',
  'environment',
  'extreme',
  'weather',
  'concern',
  'nh',
  'dam',
  'safety',
  'amanda',
  'pirani',
  'july',
  'penacook',
  'lake',
  'dam',
  'concord',
  'condition',
  'dana',
  'wormald',
  'new',
  'hampshire',
  'bulletin',
  'expert',
  'increase',
  'precipitation',
  'event',
  'century',
  'emphasis',
  'importance',
  'dam',
  'safety',
  'new',
  'hampshire',
  'state',
  'dam',
  'case',
  'failure',
  'loss',
  'life',
  'property',
  'damage',
  'repair',
  'year',
  'dozen',
  'hazard',
  'dam',
  'condition',
  'help',
  'funding',
  'american',
  'rescue',
  'plan',
  'act',
  'number',
  'hazard',
  'dam',
  'condition',
  'new',
  'hampshire',
  'percent',
  'period',
  'year',
  'ap',
  'news',
  'analysis',
  'hazard',
  'classification',
  'dam',
  'loss',
  'life',
  'community',
  'destruction',
  'state',
  'hazard',
  'dam',
  'failure',
  'meadow',
  'pond',
  'dam',
  'alton',
  'failure',
  'death',
  'injury',
  'property',
  'damage',
  'rainstorm',
  'month',
  'forest',
  'lake',
  'dam',
  'winchester',
  'flood',
  'water',
  'dam',
  'condition',
  'assessment',
  'hazard',
  'failure',
  'harm',
  'people',
  'property',
  'dam',
  'new',
  'hampshire',
  'state',
  'ownership',
  'authority',
  'state',
  'safety',
  'standard',
  'ownership',
  'ap',
  'analysis',
  'majority',
  'hazard',
  'dam',
  'condition',
  'state',
  'month',
  'analysis',
  'arpa',
  'funding',
  'executive',
  'council',
  'repair',
  'removal',
  'state',
  'hazard',
  'dam',
  'total',
  'funding',
  'state',
  'dam',
  'grant',
  'dam',
  'corey',
  'clark',
  'engineer',
  'new',
  'hampshire',
  'department',
  'environmental',
  'services',
  'dam',
  'bureau',
  'funding',
  'dozen',
  'dam',
  'need',
  'funding',
  'money',
  'development',
  'breach',
  'inundation',
  'map',
  'emergency',
  'action',
  'plan',
  'rehabilitation',
  'design',
  'construction',
  'project',
  'clark',
  'construction',
  'project',
  'year',
  'steve',
  'doyon',
  'dam',
  'engineer',
  'new',
  'hampshire',
  'dam',
  'bureau',
  'dam',
  'condition',
  'discharge',
  'requirement',
  'water',
  'flow',
  'dam',
  'deficiency',
  'crack',
  'sign',
  'instability',
  'clark',
  'discharge',
  'requirement',
  'computer',
  'modeling',
  'hazard',
  'dam',
  'time',
  'output',
  'year',
  'storm',
  'event',
  'precipitation',
  'event',
  'chance',
  'condition',
  'modeling',
  'precipitation',
  'event',
  'modeling',
  'software',
  'flow',
  'pond',
  'dam',
  'clark',
  'dam',
  'flow',
  'operation',
  'gate',
  'lot',
  'time',
  'manpower',
  'manpower',
  'site',
  'new',
  'hampshire',
  'climate',
  'assessment',
  'rate',
  'greenhouse',
  'gas',
  'emission',
  'precipitation',
  'event',
  'minimum',
  'percent',
  'flood',
  'risk',
  'end',
  'century',
  'clark',
  'step',
  'place',
  'rainfall',
  'climate',
  'change',
  'bureau',
  'system',
  'computer',
  'software',
  'database',
  'national',
  'weather',
  'service',
  'atlas-14',
  'date',
  'information',
  'precipitation',
  'clark',
  'climate',
  'change',
  'datum',
  'system',
  'level',
  'rainfall',
  'year',
  'storm',
  'account',
  'design',
  'process',
  'rainfall',
  'datum',
  'agency',
  'resource',
  'increase',
  'fear',
  'rainfall',
  'dam',
  'failure',
  'doyon',
  'dam',
  'failure',
  'risk',
  'community',
  'risk',
  'dam',
  'risk',
  'instance',
  'failure',
  'majority',
  'state',
  'dam',
  'menace',
  'impact',
  'community',
  'case',
  'failure',
  'weather',
  'concern',
  'nh',
  'dam',
  'safety',
  'amanda',
  'pirani',
  'new',
  'hampshire',
  'bulletin',
  'july',
  'weather',
  'concern',
  'nh',
  'dam',
  'safety',
  'amanda',
  'pirani',
  'new',
  'hampshire',
  'bulletin',
  'july',
  'expert',
  'increase',
  'precipitation',
  'event',
  'century',
  'emphasis',
  'importance',
  'dam',
  'safety',
  'new',
  'hampshire',
  'state',
  'dam',
  'case',
  'failure',
  'loss',
  'life',
  'property',
  'damage',
  'repair',
  'year',
  'dozen',
  'hazard',
  'dam',
  'condition',
  'help',
  'funding',
  'american',
  'rescue',
  'plan',
  'act',
  'number',
  'hazard',
  'dam',
  'condition',
  'new',
  'hampshire',
  'percent',
  'period',
  'year',
  'ap',
  'news',
  'analysis',
  'hazard',
  'classification',
  'dam',
  'loss',
  'life',
  'community',
  'destruction',
  'state',
  'hazard',
  'dam',
  'failure',
  'meadow',
  'pond',
  'dam',
  'alton',
  'failure',
  'death',
  'injury',
  'property',
  'damage',
  'rainstorm',
  'month',
  'forest',
  'lake',
  'dam',
  'winchester',
  'flood',
  'water',
  'dam',
  'condition',
  'assessment',
  'hazard',
  'failure',
  'harm',
  'people',
  'property',
  'dam',
  'new',
  'hampshire',
  'state',
  'ownership',
  'authority',
  'state',
  'safety',
  'standard',
  'ownership',
  'ap',
  'analysis',
  'majority',
  'hazard',
  'dam',
  'condition',
  'state',
  'month',
  'analysis',
  'arpa',
  'funding',
  'executive',
  'council',
  'repair',
  'removal',
  'state',
  'hazard',
  'dam',
  'total',
  'funding',
  'state',
  'dam',
  'grant',
  'dam',
  'corey',
  'clark',
  'engineer',
  'new',
  'hampshire',
  'department',
  'environmental',
  'services',
  'dam',
  'bureau',
  'funding',
  'dozen',
  'dam',
  'need',
  'funding',
  'money',
  'development',
  'breach',
  'inundation',
  'map',
  'emergency',
  'action',
  'plan',
  'rehabilitation',
  'design',
  'construction',
  'project',
  'clark',
  'construction',
  'project',
  'year',
  'steve',
  'doyon',
  'dam',
  'engineer',
  'new',
  'hampshire',
  'dam',
  'bureau',
  'dam',
  'condition',
  'discharge',
  'requirement',
  'water',
  'flow',
  'dam',
  'deficiency',
  'crack',
  'sign',
  'instability',
  'clark',
  'discharge',
  'requirement',
  'computer',
  'modeling',
  'hazard',
  'dam',
  'time',
  'output',
  'year',
  'storm',
  'event',
  'precipitation',
  'event',
  'chance',
  'condition',
  'modeling',
  'precipitation',
  'event',
  'modeling',
  'software',
  'flow',
  'pond',
  'dam',
  'clark',
  'dam',
  'flow',
  'operation',
  'gate',
  'lot',
  'time',
  'manpower',
  'manpower',
  'site',
  'new',
  'hampshire',
  'climate',
  'assessment',
  'rate',
  'greenhouse',
  'gas',
  'emission',
  'precipitation',
  'event',
  'minimum',
  'percent',
  'flood',
  'risk',
  'end',
  'century',
  'clark',
  'step',
  'place',
  'rainfall',
  'climate',
  'change',
  'bureau',
  'system',
  'computer',
  'software',
  'database',
  'national',
  'weather',
  'service',
  'atlas-14',
  'date',
  'information',
  'precipitation',
  'clark',
  'climate',
  'change',
  'datum',
  'system',
  'level',
  'rainfall',
  'year',
  'storm',
  'account',
  'design',
  'process',
  'rainfall',
  'datum',
  'agency',
  'resource',
  'increase',
  'fear',
  'rainfall',
  'dam',
  'failure',
  'doyon',
  'dam',
  'failure',
  'risk',
  'community',
  'risk',
  'dam',
  'risk',
  'instance',
  'failure',
  'majority',
  'state',
  'dam',
  'menace',
  'impact',
  'community',
  'case',
  'failure',
  'new',
  'hampshire',
  'bulletin',
  'states',
  'newsroom',
  'network',
  'news',
  'bureaus',
  'grant',
  'coalition',
  'donor',
  'charity',
  'new',
  'hampshire',
  'bulletin',
  'independence',
  'contact',
  'editor',
  'dana',
  'wormald',
  'question',
  'new',
  'hampshire',
  'bulletin',
  'facebook',
  'twitter',
  'story',
  'print',
  'creative',
  'commons',
  'license',
  'cc',
  'nc',
  'nd',
  'style',
  'attribution',
  'link',
  'web',
  'site',
  'guideline',
  'use',
  'photo',
  'graphic',
  'amanda',
  'piraniamanda',
  'newsroom',
  'intern',
  'new',
  'hampshire',
  'bulletin',
  'news',
  'editor',
  'new',
  'hampshire',
  'university',
  'new',
  'hampshire',
  'student',
  'newspaper',
  'campus',
  'affair',
  'politic',
  'health',
  'new',
  'hampshire',
  'native',
  'amanda',
  'culture',
  'home',
  'state',
  'experience',
  'campaign',
  'degree',
  'science',
  'junior',
  'university',
  'michigan',
  'author',
  'related',
  'news',
  'new',
  'hampshire',
  'primary',
  'ethan',
  'dewitt',
  'december',
  'dnc',
  'meeting',
  'tension',
  'new',
  'hampshire',
  'ethan',
  'dewitt',
  'january',
  'new',
  'hampshire',
  'cannabis',
  'legalization',
  'hadley',
  'barndollar',
  'june',
  'democracy',
  'toolkit',
  'register',
  '',
  '',
  '',
  '',
  'state',
  'representative',
  '',
  '',
  'state',
  'senator',
  'contact',
  'u.s.',
  'rep.',
  'chris',
  'pappas',
  'contact',
  'u.s.',
  'rep.',
  'annie',
  'kuster',
  'contact',
  'u.s.',
  'sen.',
  'jeanne',
  'shaheen',
  'contact',
  'u.s.',
  'sen.',
  'maggie',
  'hassan',
  'register',
  'state',
  'representative',
  'state',
  'senator',
  'contact',
  'u.s.',
  'rep.',
  'chris',
  'pappas',
  'contact',
  'u.s.',
  'rep.',
  'annie',
  'kuster',
  'contact',
  'u.s.',
  'sen.',
  'jeanne',
  'shaheen',
  'contact',
  'u.s.',
  'sen.',
  'maggie',
  'hassan',
  'new',
  'hampshire',
  'bulletin',
  'word',
  'state',
  'constitution',
  'government',
  'day',
  'official',
  'state',
  'agency',
  'standard',
  'deij',
  'policy',
  'ethics',
  'policy',
  '',
  '',
  'privacy',
  'policy',
  'story',
  'print',
  'creative',
  'commons',
  'license',
  'cc',
  'nc',
  'nd',
  'style',
  'attribution',
  'link',
  'web',
  'site',
  'deij',
  'policy',
  'ethics',
  'policy',
  '',
  '',
  'privacy',
  'policy'],
 ['salvation',
  'army',
  'red',
  'kettle',
  'challenge',
  'quick',
  'link',
  'weather',
  'news',
  'school',
  'nc5',
  'investigates',
  'talk',
  'town',
  'contest',
  'blue',
  'cross',
  'henry',
  'county',
  'hospital',
  'money',
  'franklin',
  'kroger',
  'self',
  'checkout',
  'millersville',
  'cop',
  'newschannel',
  'investigation',
  'franklin',
  'police',
  'man',
  'gun',
  'woman',
  'twra',
  'agent',
  'business',
  'bird',
  'prey',
  'shooting',
  'lebanon',
  'grandmother',
  'police',
  'justice',
  'news',
  'franklin',
  'coach',
  'child',
  'rape',
  'case',
  'nashville',
  'victim',
  'news',
  'bill',
  'nes',
  'house',
  'news',
  'shoe',
  'supply',
  'student',
  'davidson',
  'county',
  'news',
  'extreme',
  'heat',
  'country',
  'price',
  'pump',
  'news',
  'cardiac',
  'arrest',
  'death',
  'adult',
  'news',
  'music',
  'city',
  'grand',
  'prix',
  'indycar',
  'presence',
  'news',
  'safety',
  'consultant',
  'crane',
  'safety',
  'collapse',
  'nyc',
  'news',
  'legend',
  'mentor',
  'interview',
  'kid',
  'news',
  'grandmother',
  'dementia',
  'grad',
  'self',
  'wheelchair',
  'scripps',
  'news',
  'hunter',
  'biden',
  'tax',
  'crime',
  'plea',
  'deal',
  'consumer',
  'report',
  'day',
  'beach',
  'pool',
  'news',
  'women',
  'national',
  'team',
  'women',
  'world',
  'cup',
  'weather',
  'afternoon',
  'high',
  '90',
  'week',
  'kid',
  'mullet',
  'championship',
  'haircut',
  'mullet',
  'commitment',
  'kentucky',
  'thank',
  'billy',
  'ray',
  'cyrus',
  'dime',
  'dozen',
  'vogue',
  'kid',
  'story',
  'week',
  'forrest',
  'sanders',
  'tennessee',
  'kid',
  'lock',
  'hill',
  'news',
  'new',
  'alzheimer',
  'drug',
  'patient',
  'symptom',
  'month',
  'news',
  'mnpd',
  'use',
  'force',
  'report',
  'spike',
  'escalation',
  'case',
  'news',
  'mansion',
  'renovation',
  'news',
  'speedway',
  'proposal',
  'news',
  'group',
  'old',
  'stone',
  'fort',
  'bridge',
  'location',
  'news',
  'run',
  'rudolph',
  'run',
  'k',
  'run',
  'child',
  'gift',
  'newschannel',
  'investigates',
  'dozens',
  'trial',
  'charge',
  'newschannel',
  'investigates',
  'deputy',
  'charge',
  'use',
  'force',
  'investigator',
  'tennessee',
  'post',
  'commissioner',
  'millersville',
  'pd',
  'levi',
  'ismail',
  'pm',
  'jul',
  'investigation',
  'nashville',
  'da',
  'office',
  'state',
  'attorney',
  'phil',
  'williams',
  'pm',
  'jul',
  'nashville',
  'family',
  'transition',
  'toddler',
  'poisoning',
  'levi',
  'ismail',
  'pm',
  'jul',
  'nashville',
  'lawmaker',
  'tennessee',
  'hospital',
  'jennifer',
  'kraus',
  'pm',
  'jul',
  'thing',
  'middle',
  'tennessee',
  'jefferson',
  'street',
  'jazz',
  'blues',
  'festival',
  'nashville',
  'araceli',
  'crescencio',
  'pm',
  'jul',
  'engine',
  'throttle',
  'music',
  'city',
  'grand',
  'prix',
  'guide',
  'kelly',
  'broderick',
  'jul',
  'bee',
  'renaissance',
  'world',
  'tour',
  'weekend',
  'kelly',
  'broderick',
  'jul',
  'sec',
  'media',
  'day',
  'nashville',
  'time',
  'kelly',
  'broderick',
  'jul',
  'family',
  'community',
  'calendar',
  'newschannel',
  'nashville',
  'scripps',
  'local',
  'media',
  'scripps',
  'media',
  'inc',
  'light',
  'people',
  'way'],
 ['ad',
  'issue',
  'video',
  'player',
  'content',
  'ad',
  'video',
  'content',
  'ad',
  'audio',
  'ad',
  'ad',
  'page',
  'content',
  'ad',
  'ad',
  'ad',
  'effort',
  'contribution',
  'feedback',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'tornado',
  'havoc',
  'louisiana',
  'southeast',
  'amir',
  'vera',
  'joe',
  'sutton',
  'jason',
  'hanna',
  'cnn',
  'est',
  'thu',
  'december',
  'devastation',
  'tornado',
  'hit',
  'devastation',
  'tornado',
  'hit',
  'concertgoers',
  'hail',
  'colorado',
  'body',
  'temperature',
  'flooding',
  'china',
  'couple',
  'car',
  'house',
  'cliff',
  'river',
  'foundation',
  'video',
  'tornado',
  'home',
  'debris',
  'video',
  'moment',
  'soldier',
  'heat',
  'video',
  'tornado',
  'texas',
  'barren',
  'land',
  'impact',
  'spain',
  'record',
  'heat',
  'windshield',
  'helicopter',
  'hail',
  'shelf',
  'cloud',
  'sky',
  'downtown',
  'chicago',
  'man',
  'street',
  'flooding',
  'man',
  'tornado',
  'van',
  'footage',
  'california',
  'weather',
  'crisis',
  'lake',
  'life',
  'unbelievable',
  'cnn',
  'reporter',
  'snowfall',
  'california',
  'graphic',
  'change',
  'temperature',
  'people',
  'dozen',
  'louisiana',
  'hour',
  'weather',
  'south',
  'path',
  'destruction',
  'tornado',
  'new',
  'orleans',
  'p.m.',
  'ct',
  'wednesday',
  'national',
  'weather',
  'service',
  'tornado',
  'debris',
  'signature',
  'radar',
  'power',
  'flash',
  'tower',
  'camera',
  'storm',
  'portion',
  'city',
  'damage',
  'extent',
  'time',
  'tornado',
  'report',
  'new',
  'orleans',
  'metro',
  'hour',
  'weather',
  'service',
  'report',
  'detail',
  'path',
  'tornado',
  'area',
  'gretna',
  'arabi',
  'louisiana',
  'wdsu',
  'tower',
  'camera',
  'tornado',
  'ground',
  'lower',
  'ninth',
  'ward',
  'arabi',
  'wednesday',
  'weather',
  'hurricane',
  'ida',
  'gretna',
  'mayor',
  'belinda',
  'constant',
  'cnn',
  'affiliate',
  'wdsu',
  'hurricane',
  'area',
  'year',
  'year',
  'woman',
  'tornado',
  'home',
  'killona',
  'mile',
  'new',
  'orleans',
  'tweet',
  'louisiana',
  'department',
  'health',
  'identity',
  'woman',
  'official',
  'st.',
  'charles',
  'parish',
  'wednesday',
  'people',
  'parish',
  'injury',
  'sheriff',
  'greg',
  'champagne',
  'news',
  'conference',
  'wednesday',
  'champagne',
  'tornado',
  'piece',
  'debris',
  'levee',
  'firing',
  'range',
  'mile',
  'time',
  'week',
  'tornado',
  'st.',
  'charles',
  'parish',
  'bit',
  'devastation',
  'mile',
  'boy',
  'mother',
  'tornado',
  'home',
  'tuesday',
  'louisiana',
  'community',
  'keithville',
  'caddo',
  'parish',
  'sheriff',
  'office',
  'boy',
  'body',
  'tuesday',
  'mile',
  'home',
  'sheriff',
  'steve',
  'prator',
  'cnn',
  'affiliate',
  'ksla',
  'official',
  'debris',
  'field',
  'tornado',
  'victim',
  'december',
  'dawson',
  'springs',
  'kentucky',
  'climate',
  'crisis',
  'tornado',
  'mother',
  'wednesday',
  'street',
  'house',
  'people',
  'community',
  'sheriff',
  'office',
  'people',
  'union',
  'parish',
  'town',
  'farmerville',
  'louisiana',
  'arkansas',
  'border',
  'farmerville',
  'police',
  'detective',
  'cade',
  'nolan',
  'rest',
  'state',
  'debris',
  'home',
  'car',
  'community',
  'resident',
  'cnn',
  'bathtub',
  'fear',
  'storm',
  'storm',
  'system',
  'power',
  'customer',
  'louisiana',
  'mississippi',
  'poweroutage.us',
  '.',
  'louisiana',
  'gov.',
  'john',
  'bel',
  'edwards',
  'state',
  'emergency',
  'wednesday',
  'response',
  'storm',
  'emergency',
  'proclamation',
  'storm',
  'weather',
  'warning',
  'official',
  'governor',
  'louisiana',
  'lt',
  'gov.',
  'billy',
  'nungesser',
  'cnn',
  'anderson',
  'cooper',
  'state',
  'hurricane',
  'season',
  'storm',
  'state',
  'weather',
  'havoc',
  'louisiana',
  'southeast',
  'system',
  'snow',
  'place',
  'blizzard',
  'condition',
  'wednesday',
  'threat',
  'storm',
  'tuesday',
  'tornado',
  'home',
  'business',
  'oklahoma',
  'dallas',
  'fort',
  'worth',
  'area',
  'mississippi',
  'louisiana',
  'total',
  'tornado',
  'wednesday',
  'louisiana',
  'mississippi',
  'storm',
  'prediction',
  'center',
  'addition',
  'tornado',
  'report',
  'tuesday',
  'oklahoma',
  'texas',
  'louisiana',
  'mississippi',
  'tuesday',
  'a.m.',
  'ct',
  'wednesday',
  'a.m.',
  'ct',
  'wednesday',
  'louisiana',
  'new',
  'iberia',
  'weather',
  'risk',
  'rainfall',
  'flash',
  'flooding',
  'wednesday',
  'louisiana',
  'mississippi',
  'west',
  'alabama',
  'storm',
  'prediction',
  'center',
  'wednesday',
  'level',
  'risk',
  'level',
  'storm',
  'people',
  'eastern',
  'louisiana',
  'new',
  'orleans',
  'mississippi',
  'gulfport',
  'alabama',
  'mobile',
  'prediction',
  'center',
  'level',
  'storm',
  'risk',
  'december',
  'level',
  'december',
  'decade',
  'cnn',
  'weather',
  'analysis',
  'louisiana',
  'center',
  'damage',
  'louisiana',
  'gov.',
  'john',
  'bel',
  'edwards',
  'wednesday',
  'state',
  'office',
  'weather',
  'state',
  'storm',
  'closure',
  'louisiana',
  'state',
  'university',
  'southern',
  'university',
  'baton',
  'rouge',
  'wednesday',
  'tornado',
  'region',
  'wednesday',
  'new',
  'orleans',
  'area',
  'weather',
  'closure',
  'causeway',
  'bridge',
  'bridge',
  'mile',
  'lake',
  'pontchartrain',
  'causeway',
  'website',
  'bridge',
  'longest',
  'bridge',
  'world',
  'water',
  'causeway',
  'website',
  'car',
  'i-15',
  'storm',
  'lehi',
  'utah',
  'december',
  'storm',
  'blizzard',
  'condition',
  'weather',
  'south',
  'northeast',
  'week',
  'photo',
  'george',
  'frey',
  'afp',
  'photo',
  'george',
  'frey',
  'afp',
  'getty',
  'images',
  'snow',
  'travel',
  'condition',
  'million',
  'storm',
  'tornado',
  'east',
  'mile',
  'new',
  'orleans',
  'official',
  'jefferson',
  'parish',
  'sheriff',
  'office',
  'damage',
  'search',
  'rescue',
  'operation',
  'damage',
  'parish',
  'sheriff',
  'office',
  'fire',
  'department',
  'government',
  'damage',
  'assessment',
  'home',
  'business',
  'damage',
  'facility',
  'damage',
  'facility',
  'sheriff',
  'office',
  'facebook',
  'page',
  'concern',
  'area',
  'afternoon',
  'tornado',
  'need',
  'jefferson',
  'parish',
  'sheriff',
  'office',
  'wednesday',
  'december',
  'mile',
  'west',
  'twister',
  'wednesday',
  'morning',
  'home',
  'city',
  'new',
  'iberia',
  'rescue',
  'effort',
  'number',
  'people',
  'city',
  'police',
  'new',
  'iberia',
  'police',
  'department',
  'video',
  'facebook',
  'tornado',
  'city',
  'department',
  'home',
  'people',
  'southport',
  'subdivision',
  'tornado',
  'new',
  'iberia',
  'resisent',
  'lizzie',
  'taylor',
  'cnn',
  'home',
  'minute',
  'tornado',
  'place',
  'unit',
  'taylor',
  'landlord',
  'taylor',
  'family',
  'apartment',
  'year',
  'people',
  'damage',
  'tornado',
  'iberia',
  'medical',
  'center',
  'wednesday',
  'december',
  'new',
  'iberia',
  'louisiana',
  'leslie',
  'westbrook',
  'times',
  'picayune',
  'new',
  'orleans',
  'advocate',
  'ap',
  'restriction',
  'place',
  'southport',
  'subdivision',
  'city',
  'police',
  'wednesday',
  'citizen',
  'southport',
  'subdivision',
  'neighborhood',
  'department',
  'proof',
  'residency',
  'access',
  'curfew',
  'place',
  'area',
  'p.m.',
  'a.m.',
  'time',
  'time',
  'traffic',
  'resident',
  'work',
  'emergency',
  'police',
  'iberia',
  'medical',
  'center',
  'damage',
  'police',
  'capt',
  'leland',
  'laseter',
  'facebook',
  'cnn',
  'comment',
  'center',
  'shelter',
  'new',
  'iberia',
  'senior',
  'high',
  'school',
  'gym',
  'st.',
  'charles',
  'parish',
  'sheriff',
  'office',
  'wednesday',
  'report',
  'tornado',
  'killona',
  'damage',
  'home',
  'state',
  'emergency',
  'parish',
  'st.',
  'charles',
  'parish',
  'mile',
  'new',
  'orleans',
  'emergency',
  'operations',
  'center',
  'report',
  'damage',
  'killona',
  'area',
  'power',
  'line',
  'road',
  'facebook',
  'post',
  'st.',
  'charles',
  'parish',
  'resident',
  'area',
  'power',
  'line',
  'farmerville',
  'resident',
  'storm',
  'train',
  'people',
  'union',
  'parish',
  'town',
  'farmerville',
  'louisiana',
  'tornado',
  'tuesday',
  'night',
  'farmerville',
  'police',
  'detective',
  'cade',
  'nolan',
  'apartment',
  'complex',
  'home',
  'park',
  'farmerville',
  'area',
  'tree',
  'debris',
  'road',
  'field',
  'cnn',
  'crew',
  'wednesday',
  'resident',
  'cnn',
  'correspondent',
  'storm',
  'train',
  'home',
  'truck',
  'wednesday',
  'tornado',
  'farmerville',
  'louisiana',
  'people',
  'tornado',
  'tuesday',
  'night',
  'beth',
  'tabor',
  'storm',
  'weather',
  'farmerville',
  'cnn',
  'wednesday',
  'afternoon',
  'freight',
  'train',
  'tabor',
  'cnn',
  'derek',
  'van',
  'dam',
  'noise',
  'ordeal',
  'bathroom',
  'roommate',
  'baby',
  'second',
  'tabor',
  'lot',
  'creak',
  'noise',
  'tabor',
  'tabor',
  'home',
  'storm',
  'hallway',
  'sky',
  'bedroom',
  'window',
  'night',
  'act',
  'god',
  'people',
  'debris',
  'home',
  'park',
  'farmerville',
  'area',
  'union',
  'parish',
  'louisiana',
  'wednesday',
  'patsy',
  'andrews',
  'child',
  'tornado',
  'farmerville',
  'tuesday',
  'night',
  'cnn',
  'affiliate',
  'knoe',
  'tv',
  'prayer',
  'faith',
  'line',
  'rain',
  'wind',
  'train',
  'door',
  'wind',
  'son',
  'door',
  'wind',
  'door',
  'andrews',
  'light',
  'glass',
  'daughter',
  'floor',
  'way',
  'stuff',
  'window',
  'glass',
  'andrews',
  'damage',
  'debris',
  'apartment',
  'complex',
  'farmerville',
  'louisiana',
  'december',
  'place',
  'hall',
  'way',
  'glass',
  'water',
  'roof',
  'daughter',
  'bathroom',
  'door',
  'family',
  'bathtub',
  'tub',
  'jesus',
  'andrews',
  'family',
  'storm',
  'aftermath',
  'awe',
  'room',
  'house',
  'water',
  'material',
  'item',
  'neighbor',
  'car',
  'car',
  'wood',
  'street',
  'tank',
  'ground',
  'directvs',
  'ground',
  'storm',
  'storm',
  'damage',
  'farmville',
  'louisiana',
  'december',
  'tiyia',
  'stringfellow',
  'boyfriend',
  'child',
  'farmerville',
  'apartment',
  'tuesday',
  'tornado',
  'cnn',
  'kitchen',
  'closet',
  'boyfriend',
  'window',
  'tornado',
  'house',
  'roof',
  'cave',
  'house',
  'stringfellow',
  'tornado',
  'home',
  'business',
  'south',
  'tuesday',
  'storm',
  'region',
  'oklahoma',
  'dallas',
  'fort',
  'worth',
  'area',
  'mississippi',
  'louisiana',
  'tuesday',
  'wayne',
  'oklahoma',
  'ef2',
  'tornado',
  'home',
  'outbuilding',
  'barn',
  'tuesday',
  'official',
  'home',
  'roof',
  'tree',
  'twig',
  'video',
  'cnn',
  'affiliate',
  'koco',
  'texas',
  'people',
  'tuesday',
  'morning',
  'storm',
  'dallas',
  'fort',
  'worth',
  'area',
  'city',
  'grapevine',
  'tornado',
  'report',
  'grapevine',
  'police',
  'mall',
  'business',
  'storm',
  'damage',
  'decatur',
  'texas',
  'tuesday',
  'people',
  'tuesday',
  'texas',
  'wise',
  'county',
  'northwest',
  'fort',
  'worth',
  'county',
  'official',
  'wind',
  'vehicle',
  'vehicle',
  'debris',
  'official',
  'ef2',
  'tornado',
  'county',
  'community',
  'paradise',
  'decatur',
  'home',
  'business',
  'official',
  'weather',
  'home',
  'ruin',
  'tuesday',
  'texas',
  'city',
  'blue',
  'ridge',
  'mile',
  'downtown',
  'dallas',
  'video',
  'cnn',
  'affiliate',
  'wfaa',
  'cnn',
  'steve',
  'almasy',
  'derek',
  'van',
  'dam',
  'kevin',
  'conlon',
  'rob',
  'shackelford',
  'nouran',
  'salahieh',
  'michelle',
  'watson',
  'amanda',
  'jackson',
  'paradise',
  'afshar',
  'matt',
  'phillips',
  'jeremy',
  'grisham',
  'dave',
  'alsup',
  'report',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cnn',
  'account',
  'log',
  'cnn',
  ...],
 ['search',
  'news',
  'media',
  'oklahoma',
  'state',
  'university',
  'page',
  'home',
  'article',
  'tornado',
  'season',
  'siren',
  'preparation',
  'component',
  'damage',
  'photo',
  'todd',
  'johnson',
  'oklahoma',
  'state',
  'university',
  'agricultural',
  'communications',
  'services',
  'tornado',
  'season',
  'siren',
  'monday',
  'harsh',
  'weather',
  'america',
  'tornado',
  'alley',
  'importance',
  'preparation',
  'life',
  'event',
  'tornado',
  'weather',
  'gina',
  'peek',
  'oklahoma',
  'state',
  'university',
  'extension',
  'housing',
  'consumer',
  'science',
  'specialist',
  'preparation',
  'time',
  'life',
  'place',
  'tornado',
  'place',
  'storm',
  'shelter',
  'occupancy',
  'approach',
  'tornado',
  'time',
  'shelter',
  'widow',
  'spider',
  'water',
  'storage',
  'room',
  'people',
  'water',
  'shelter',
  'water',
  'peek',
  'crack',
  'moisture',
  'water',
  'door',
  'homeowner',
  'step',
  'rainwater',
  'entrance',
  'spider',
  'guest',
  'crack',
  'shelter',
  'spider',
  'rodent',
  'pest',
  'cobwebs',
  'floor',
  'emergency',
  'kit',
  'essential',
  'event',
  'place',
  'home',
  'peek',
  'emergency',
  'kit',
  'food',
  'flashlight',
  'battery',
  'battery',
  'radio',
  'aid',
  'kit',
  'water',
  'rule',
  'thumb',
  'hand',
  'gallon',
  'person',
  'day',
  'shoe',
  'cover',
  'foot',
  'event',
  'storm',
  'damage',
  'person',
  'shelter',
  'lawn',
  'glass',
  'wood',
  'tree',
  'osu',
  'extension',
  'recommendation',
  'list',
  'individual',
  'need',
  'family',
  'member',
  'family',
  'baby',
  'child',
  'diaper',
  'formula',
  'child',
  'essential',
  'adult',
  'health',
  'mobility',
  'issue',
  'assistance',
  'medication',
  'shelter',
  'household',
  'child',
  'toy',
  'blanket',
  'shelter',
  'child',
  'pet',
  'response',
  'nerve',
  'situation',
  'weather',
  'cue',
  'human',
  'leash',
  'case',
  'animal',
  'pet',
  'carrier',
  'possibility',
  'pet',
  'shelter',
  'pet',
  'identification',
  'tag',
  'information',
  'owner',
  'phone',
  'number',
  'dr.',
  'rosslyn',
  'biggs',
  'osu',
  'extension',
  'veterinarian',
  'director',
  'education',
  'university',
  'college',
  'veterinary',
  'medicine',
  'pet',
  'mean',
  'identification',
  'owner',
  'contact',
  'information',
  'microchip',
  'registry',
  'change',
  'osu',
  'extension',
  'state',
  'agency',
  'university',
  'division',
  'agricultural',
  'sciences',
  'natural',
  'resources',
  'osu',
  'state',
  'teaching',
  'research',
  'extension',
  'land',
  'grant',
  'mission',
  'medium',
  'contact',
  'donald',
  'stotts',
  '',
  '',
  'agricultural',
  'communications',
  'services',
  'email',
  'agricultural',
  'sciences',
  'natural',
  'resourcesfamily',
  'consumer',
  'sciencesferguson',
  'college',
  'agriculturehuman',
  'health',
  'wellnessnews',
  'agricultureosu',
  'extensionresearchstorm',
  'preparationtornado',
  'oklahoma',
  'state',
  'university',
  'stillwater',
  'ok',
  'campus',
  'parking',
  'maps',
  'center',
  'health',
  'sciences',
  'tulsa',
  'newseventsinside',
  'osu',
  'social',
  'media',
  'directory',
  'facebook',
  'oklahoma',
  'state',
  'university',
  'right',
  'accessibilitycampus',
  'safetydiversityeeo',
  'statementethics',
  'pointprivacy',
  'noticeterms',
  'servicetrademarks',
  'svg',
  'directory',
  'menuclose'],
 ['hunter',
  'biden',
  'plea',
  'deal',
  'ufo',
  'takeaway',
  'whistleblower',
  'congress',
  'uap',
  'sinéad',
  "o'connor",
  'grammy',
  'singer',
  'netherlands',
  'u.s.',
  'draw',
  'rematch',
  'world',
  'cup',
  'federal',
  'reserve',
  'interest',
  'rate',
  'level',
  'year',
  'niger',
  'president',
  'guard',
  'coup',
  'ohio',
  'officer',
  'k-9',
  'man',
  'hand',
  'story',
  'tic',
  'tac',
  'ufo',
  'rain',
  'road',
  'new',
  'york',
  'u.s.',
  'road',
  'weather',
  'july',
  'pm',
  'cbs',
  'news',
  'vermont',
  'flooding',
  'vermont',
  'flooding',
  'northeast',
  'section',
  'u.s.',
  'deluge',
  'storm',
  'sunday',
  'condition',
  'road',
  'flooding',
  'new',
  'york',
  'road',
  'cbs',
  'news',
  'correspondent',
  'errol',
  'barnett',
  'chunk',
  'route',
  'rainfall',
  'downpour',
  'drainage',
  'pipe',
  'dirt',
  'debris',
  'drainage',
  'pipe',
  'asphalt',
  'example',
  'storm',
  'system',
  'place',
  'view',
  'post',
  'instagram',
  'post',
  'planet',
  'cbs',
  'news',
  '@cbsnewsplanet',
  'time',
  'weather',
  'concrete',
  'temperature',
  'road',
  'summer',
  'texas',
  'highway',
  'damage',
  'digit',
  'temperature',
  'weather',
  'road',
  'u.s.',
  'weather',
  'temperature',
  'u.s.',
  'environmental',
  'protection',
  'agency',
  'nation',
  'transportation',
  'system',
  'weather',
  'climate',
  'change',
  'system',
  'time',
  'u.s.',
  'road',
  'u.s.',
  'country',
  'world',
  'mile',
  'land',
  'lot',
  'space',
  'road',
  'mile',
  'road',
  'u.s.',
  'u.s.',
  'geological',
  'survey',
  'interstate',
  'highway',
  'system',
  'agency',
  'material',
  'road',
  'maintenance',
  'tear',
  'u.s.',
  'highway',
  'layer',
  'agency',
  'soil',
  'soil',
  'inch',
  'aggregate',
  'middle',
  'inch',
  'concrete',
  'layer',
  'combinate',
  'material',
  '%',
  'aggregate',
  '%',
  'water',
  '%',
  'cement',
  '%',
  'air',
  'dr.',
  'klaus',
  'hans',
  'jacob',
  'geophysicist',
  'columbia',
  'university',
  'lamont',
  'doherty',
  'earth',
  'observatory',
  'year',
  'disaster',
  'risk',
  'management',
  'climate',
  'change',
  'cbs',
  'news',
  'road',
  'highway',
  'embankment',
  'problem',
  'stream',
  'river',
  'issue',
  'datum',
  'decade',
  'road',
  'weather',
  'climate',
  'condition',
  'climate',
  'condition',
  'road',
  'highway',
  'settlement',
  'flash',
  'flood',
  'effect',
  'climate',
  'change',
  'heat',
  'precipitation',
  'sea',
  'level',
  'risejacob',
  'cbs',
  'news',
  'atmosphere',
  'ocean',
  'moisture',
  'air',
  'precipitation',
  'moisture',
  'body',
  'water',
  'force',
  'gravel',
  'sand',
  'rock',
  'pebble',
  'road',
  'air',
  'cat',
  'dog',
  'rainfall',
  'land',
  'rate',
  'datum',
  'kind',
  'flash',
  'flood',
  'embankment',
  'bank',
  'road',
  'course',
  'sea',
  'level',
  'storm',
  'climate',
  'change',
  'toll',
  'road',
  'epa',
  'road',
  'material',
  'impact',
  'jacob',
  'result',
  'people',
  'trouble',
  'home',
  'school',
  'store',
  'appointment',
  'epa',
  'precipitation',
  'road',
  'impact',
  'storm',
  'flooding',
  'mudslide',
  'route',
  'cornwall',
  'west',
  'point',
  'pic.twitter.com/zdxmjakq7',
  'm',
  'nsfwwx',
  'july',
  'exposure',
  'flooding',
  'snow',
  'event',
  'life',
  'expectancy',
  'highway',
  'road',
  'epa',
  'road',
  'infrastructure',
  'area',
  'flooding',
  'sea',
  'level',
  'rise',
  'storm',
  'heat',
  'road',
  'road',
  'u.s.',
  'asphalt',
  'concrete',
  'material',
  'asphalt',
  'cement',
  'sand',
  'rock',
  'u.s.',
  'department',
  'transportation',
  'problem',
  'temperature',
  'pavement',
  'epa',
  'view',
  'damage',
  'parking',
  'lot',
  'rainfall',
  'new',
  'york',
  'city',
  'dozen',
  'water',
  'rescue',
  'roadway',
  'foot',
  'rain',
  'hour',
  'sunday',
  'orange',
  'county',
  'new',
  'york',
  'united',
  'states',
  'july',
  'lokman',
  'vural',
  'elibol',
  'anadolu',
  'agency',
  'getty',
  'images',
  'pavement',
  'contract',
  'temperature',
  'wisconsin',
  'department',
  'transportation',
  'video',
  'impact',
  'change',
  'heat',
  'moisture',
  'content',
  'pavement',
  'design',
  'limit',
  'pavement',
  '"jacob',
  'asphalt',
  'heat',
  'road',
  'road',
  'car',
  'truck',
  'paste',
  'heat',
  'issue',
  'u.s.',
  'year',
  'week',
  'segment',
  'interstate',
  'texas',
  'temperature',
  'texas',
  'department',
  'transporation',
  'lane',
  'traffic',
  'segment',
  'road',
  'barrier',
  'txdot',
  'crew',
  'scene',
  'segment',
  'east',
  'freeway',
  'frontage',
  'road',
  'wayside',
  'heat',
  'road',
  'wayside',
  'entrance',
  'ramp',
  'wayside',
  'detour',
  'mainlane',
  'pic.twitter.com/0k151prehk',
  'hou',
  'district',
  '@txdothouston',
  'june',
  'road',
  'emergency',
  'u.s.',
  'government',
  'accountability',
  'office',
  'report',
  'point',
  'danger',
  'road',
  'climate',
  'change',
  'u.s.',
  'road',
  'change',
  'climate',
  'route',
  'emergency',
  'evacuation',
  'disaster',
  'agency',
  'climate',
  'damage',
  'road',
  'end',
  'century',
  'jacob',
  'precipitation',
  'damage',
  'effect',
  'weather',
  'funding',
  'engineering',
  'problem',
  'issue',
  'government',
  'agency',
  'option',
  'department',
  'transportation',
  'climate',
  'resilience',
  'federal',
  'highways',
  'administration',
  'policy',
  'design',
  'standard',
  'building',
  'code',
  'climate',
  'resilience',
  'action',
  'incentive',
  'penalty',
  'jacob',
  'cement',
  'material',
  'road',
  'material',
  'expertise',
  'funding',
  'design',
  'information',
  'datum',
  'infrastructure',
  'climate',
  'change',
  'loss',
  'billion',
  'nation',
  'federal',
  'highway',
  'administration',
  'approach',
  'state',
  'road',
  'bridge',
  'event',
  'weather',
  'department',
  'biden',
  'administration',
  'emergency',
  'relief',
  'program',
  'fund',
  'state',
  'district',
  'columbia',
  'puerto',
  'rico',
  'department',
  'administration',
  'goal',
  'infrastructure',
  'bipartisan',
  'infrastructure',
  'law',
  'resiliency',
  'transportation',
  'infrastructure',
  'face',
  'climate',
  'change',
  'program',
  'eligibility',
  'promoting',
  'resilient',
  'operations',
  'transformative',
  'cost',
  'transportation',
  'protect',
  'formula',
  'discretionary',
  'grant',
  'program',
  'highway',
  'administration',
  'application',
  'grant',
  'resilience',
  'climate',
  'change',
  'impact',
  'question',
  'investment',
  'jacob',
  'issue',
  'adaptation',
  'fuel',
  'use',
  'thing',
  'future',
  'planet',
  'climate',
  'change',
  'news',
  'features',
  'greece',
  'fire',
  'july',
  'emission',
  'record',
  'week',
  'death',
  'toll',
  'wildfire',
  'char',
  'europe',
  'north',
  'africa',
  'florida',
  'ocean',
  'temperature',
  'degree',
  'fahrenheit',
  'extreme',
  'heat',
  'shift',
  'sport',
  'u.s.',
  'city',
  'heat',
  'island',
  'expert',
  'weather',
  'forecast',
  'climate',
  'change',
  'road',
  'conditions',
  'infrastructure',
  'new',
  'york',
  'li',
  'cohen',
  'media',
  'producer',
  'content',
  'writer',
  'cbs',
  'news',
  'july',
  'pm',
  'cbs',
  'interactive',
  'inc.',
  'rights',
  'thank',
  'cbs',
  'news',
  'account',
  'feature',
  'email',
  'address',
  'email',
  'address',
  'weather',
  'heat',
  'human',
  'climate',
  'change',
  'weather',
  'extreme',
  'study',
  'chicago',
  'weather',
  'alert',
  'storm',
  'threat',
  'humid',
  'thursday',
  'climate',
  'change',
  'role',
  'weather',
  'world',
  'copyright',
  'cbs',
  'interactive',
  'inc.',
  'right',
  'privacy',
  'policy',
  'california',
  'notice',
  'personal',
  'information',
  'terms',
  'use',
  'advertise',
  'captioning',
  'cbs',
  'news',
  'paramount+',
  'cbs',
  'news',
  'store',
  'site',
  'map',
  'contact',
  'browser',
  'notification',
  'news',
  'event',
  'reporting'],
 ['contentskip',
  'content',
  'register',
  'article',
  'newsletter',
  'weather',
  'forecast',
  'weather',
  'alert',
  'inbox',
  'subscriber',
  'sign',
  'chance',
  'offer',
  'permission',
  'article',
  'lee',
  'enterprises',
  'terms',
  'service',
  '',
  '',
  'privacy',
  'policy',
  'help',
  'center',
  'account',
  'dashboard',
  'profile',
  'item',
  'alabama',
  'tornado',
  'building',
  'uproot',
  'tree',
  'alabama',
  'tornado',
  'building',
  'uproot',
  'trees',
  'selma',
  'ala.',
  'ap',
  'giant',
  'storm',
  'system',
  'south',
  'tornado',
  'thursday',
  'wall',
  'home',
  'roof',
  'tree',
  'selma',
  'alabama',
  'city',
  'history',
  'civil',
  'rights',
  'movement',
  'tornado',
  'damage',
  'city',
  'national',
  'weather',
  'service',
  'report',
  'death',
  'weather',
  'service',
  'report',
  'tree',
  'damage',
  'selma',
  'report',
  'damage',
  'county',
  'damage',
  'selma',
  'state',
  'sen.',
  'hank',
  'sanders',
  'tornado',
  'selma',
  'fact',
  'house',
  'head',
  'window',
  'bedroom',
  'living',
  'room',
  'roof',
  'kitchen',
  'sanders',
  'missouri',
  'church',
  'million',
  'meal',
  'program',
  'question',
  'salary',
  'spending',
  'alcohol',
  'schnuck',
  'year',
  'compensation',
  'woman',
  'st.',
  'louis',
  'county',
  'sex',
  'video',
  'file',
  'suit',
  'people',
  'controversial',
  'end',
  'cardinal',
  'win',
  'streak',
  'loss',
  'cubs',
  'sheryl',
  'crow',
  'jason',
  'aldean',
  'song',
  'controversy',
  'dad',
  'scott',
  'rolen',
  'family',
  'hall',
  'fame',
  'induction',
  'speech',
  'cardinals',
  'alec',
  'burleson',
  'inning',
  'bat',
  'umpire',
  'benfred',
  'trade',
  'rumor',
  'willson',
  'contreras',
  'cardinal',
  'conundrum',
  'volunteer',
  'priest',
  'st.',
  'louis',
  'catholic',
  'parish',
  'church',
  'leader',
  'south',
  'st.',
  'louis',
  'cleveland',
  'high',
  'school',
  'redevelopment',
  'property',
  'tax',
  'break',
  'law',
  'missouri',
  'adam',
  'wainwright',
  'win',
  'cardinals',
  'bullpen',
  'rally',
  'victory',
  'letter',
  'missouri',
  'refusal',
  'food',
  'aid',
  'state',
  'dysfunction',
  'cardinal',
  'chicago',
  'damper',
  'hope',
  'trade',
  'deadline',
  'departure',
  'office',
  'survey',
  'trade',
  'deadline',
  'view',
  'seller',
  'cardinals',
  'extra',
  'selma',
  'city',
  'resident',
  'mile',
  'kilometer',
  'west',
  'alabama',
  'capital',
  'city',
  'montgomery',
  'selma',
  'flashpoint',
  'civil',
  'rights',
  'movement',
  'alabama',
  'state',
  'trooper',
  'black',
  'people',
  'right',
  'edmund',
  'pettus',
  'bridge',
  'march',
  'law',
  'officer',
  'john',
  'lewis',
  'skull',
  'career',
  'u.s.',
  'congressman',
  'selma',
  'mayor',
  'james',
  'perkins',
  'wsfa',
  'person',
  'building',
  'broad',
  'street',
  'person',
  'powerline',
  'emergency',
  'situation',
  'weather',
  'forecast',
  'weather',
  'alert',
  'inbox',
  'registration',
  'use',
  'site',
  'agreement',
  'user',
  'agreement',
  'privacy',
  'policy',
  'thousand',
  'missouri',
  'power',
  'july',
  'storm',
  'customer',
  'power',
  'height',
  'storm',
  'portion',
  'south',
  'st.',
  'louis',
  'county',
  'wednesday',
  'night',
  'iowa',
  'meteorologist',
  'climate',
  'change',
  'newscast',
  'harassment',
  'meteorologist',
  'harassment',
  'result',
  'reporting',
  'climate',
  'change',
  'issue',
  'industry',
  't',
  'today',
  'weather',
  'outlook',
  'jul.',
  'st.',
  'louis',
  'mo',
  'saint',
  'louis',
  'folk',
  'temperature',
  'temperature',
  'day',
  'today',
  'temperature',
  'h',
  'today',
  'weather',
  'outlook',
  'jul.',
  'st.',
  'louis',
  'mo',
  'saint',
  'louis',
  'area',
  'day',
  'temperature',
  'today',
  'making',
  'perfe',
  'official',
  'heat',
  'wildfire',
  'smoke',
  'st.',
  'louis',
  'national',
  'weather',
  'service',
  'air',
  'quality',
  'alert',
  'heat',
  'advisory',
  'st.',
  'louis',
  'area',
  'thursday',
  'friday',
  'copyright',
  'st.',
  'louis',
  'post',
  '-',
  'dispatch',
  'n.',
  'st.',
  'st.',
  'louis',
  'mo',
  'term',
  'use',
  '',
  '',
  'privacy',
  'policy',
  '',
  '',
  'info',
  '',
  '',
  'cookie',
  'preferences',
  'blox',
  'content',
  'management',
  'system',
  'minute',
  'news',
  'device'],
 ['computer',
  'browser',
  'operating',
  'system',
  'shopping',
  'south',
  'dakota',
  'magazine',
  'order',
  'phone',
  'question',
  'inconvenience',
  'heidi',
  'marsh',
  'marketing',
  'director',
  'south',
  'dakota',
  'magazine',
  'yankton',
  'sd',
  'gift',
  'south',
  'dakota',
  'subscriptions',
  'south',
  'dakota',
  'magazine',
  'gift',
  'today',
  'year',
  'issue',
  'school',
  'basketball',
  'fan',
  'shelter',
  'spring',
  'blizzard',
  'farmhouse',
  'refuge',
  'bob',
  'glanzer',
  'blizzard',
  'south',
  'dakota',
  'storm',
  'century',
  'storm',
  'place',
  'march',
  'life',
  'people',
  'sheep',
  'cattle',
  'hog',
  'wind',
  'gust',
  'mph',
  'visibility',
  'hour',
  'quarter',
  'mile',
  'visibility',
  'hour',
  'region',
  'basketball',
  'tournament',
  'thursday',
  'march',
  'doland',
  'playoff',
  'chance',
  'bryant',
  'game',
  'doland',
  'fan',
  'player',
  'student',
  'huron',
  'arena',
  'doland',
  'bus',
  'car',
  'highway',
  'blizzard',
  'condition',
  'bus',
  'load',
  'car',
  'pheasant',
  'city',
  'country',
  'gas',
  'station',
  'intersection',
  'highway',
  'mile',
  'huron',
  'people',
  'grocery',
  'store',
  'gas',
  'station',
  'people',
  'mile',
  'pheasant',
  'city',
  'storm',
  'bloomfield',
  'linda',
  'hofer',
  'loewen',
  'school',
  'junior',
  'time',
  'family',
  'highway',
  'mile',
  'pheasant',
  'city',
  'loewen',
  'father',
  'storm',
  'yard',
  'light',
  'life',
  'father',
  'hour',
  'mile',
  'fan',
  'road',
  'door',
  'school',
  'bus',
  'bus',
  'load',
  'student',
  'car',
  'load',
  'doland',
  'fan',
  'farm',
  'yard',
  'bed',
  'loewen',
  'people',
  'door',
  'line',
  'people',
  'country',
  'farmhouse',
  'day',
  'blizzard',
  'room',
  'people',
  'bed',
  'seat',
  'bathroom',
  'loewen',
  'day',
  'night',
  'clock',
  'mom',
  'recipe',
  'friday',
  'afternoon',
  'mom',
  'lady',
  'noodle',
  'hofers',
  'milk',
  'cow',
  'chicken',
  'freeze',
  'good',
  'meat',
  'string',
  'twine',
  'dad',
  'barn',
  'cow',
  'egg',
  'loewen',
  'mom',
  'dozen',
  'egg',
  'gallon',
  'gallon',
  'milk',
  'couple',
  'birthday',
  'day',
  'lady',
  'birthday',
  'cake',
  'noon',
  'saturday',
  'march',
  'wind',
  'snow',
  'foot',
  'guest',
  'school',
  'bus',
  'home',
  'doland',
  'freeze',
  'house',
  'mess',
  'dozen',
  'egg',
  'people',
  'money',
  'kitchen',
  'table',
  'mom',
  'loewen',
  'mom',
  'life',
  'author',
  'bob',
  'glanzer',
  'educator',
  'banker',
  'year',
  'south',
  'dakota',
  'state',
  'fair',
  'huron',
  'south',
  'dakota',
  'state',
  'fair',
  'huron',
  'subscribe',
  'renew',
  'change',
  'address',
  'gift',
  'shop',
  'group',
  'gift',
  'giving',
  'newsstands',
  'past',
  'issues',
  'index'],
 ['storm',
  'team4',
  'forecast',
  'commander',
  '24/7',
  'nbc4',
  'newsletters',
  'news',
  'standards',
  'storm',
  'team4',
  'forecast',
  'stretch',
  'day',
  'forecast',
  'weather',
  'd.c.',
  'maryland',
  'virginia',
  'storm',
  'team4',
  'nbc',
  'washington',
  'staff',
  'june',
  'july',
  'pm',
  'd.c.',
  'weather',
  'emergency',
  'plan',
  'sunday',
  'information',
  'center',
  'story',
  'newsletter',
  '4front',
  'news',
  'inbox',
  'heat',
  'wednesday',
  'afternoon',
  'high',
  '90',
  'heat',
  'index',
  '°',
  'thursday',
  'chance',
  'storm',
  'friday',
  'rain',
  'chance',
  'afternoon',
  'high',
  'way',
  '°',
  'time',
  'august',
  'heat',
  'index',
  '°',
  'summer',
  'afternoon',
  'district',
  'weather',
  'emergency',
  'plan',
  'sunday',
  'd.c.',
  'transportation',
  'center',
  'resource',
  'd.c.',
  'montgomery',
  'county',
  'heat',
  'emergency',
  'alert',
  'a.m.',
  'thursday',
  'p.m.',
  'saturday',
  'resource',
  'county',
  'heat',
  'index',
  'temperature',
  'temperature',
  'thing',
  'moisture',
  'air',
  'difference',
  'moisture',
  'air',
  'summer',
  'heat',
  'index',
  'feels',
  'temperature',
  'body',
  'humidity',
  'heat',
  'body',
  'degree',
  'time',
  'sun',
  'fever',
  'body',
  'sweat',
  'heat',
  'evaporation',
  'process',
  'day',
  'sweat',
  'body',
  'body',
  'meteorologist',
  'heat',
  'index',
  'air',
  'temperature',
  'story',
  'heat',
  'index',
  'air',
  'temperature',
  'humidity',
  'heat',
  'index',
  'thermometer',
  'factor',
  'summer',
  'month',
  'heat',
  'safety',
  'meteorologist',
  'risk',
  'impact',
  'summer',
  'heat',
  'weekend',
  'outlook',
  'day',
  'forecast',
  'saturday',
  'scorcher',
  'rain',
  'chance',
  'heat',
  'humidity',
  'storm',
  'sunday',
  'temperature',
  'mid-80',
  'week',
  'quickcast',
  'wednesday',
  'sunnyhot',
  'humidheat',
  'index',
  'near',
  '°',
  'wind',
  'south',
  'mphchance',
  'rain',
  '°',
  '°',
  'wednesday',
  'night',
  'clearmild',
  'muggyareas',
  'fog',
  'possiblewind',
  'south',
  'mphchance',
  'rain',
  '°',
  '°',
  'air',
  'quality',
  'today',
  'map',
  'dc',
  'area',
  'dc',
  'heat',
  'emergency',
  'plan',
  'day',
  'thursday',
  'cloudy',
  'breezyhot',
  'humidheat',
  'index',
  'near',
  '°',
  'chance',
  'rain',
  'southwest',
  'mphhighs',
  '°',
  '°',
  'friday',
  'sunnydangerously',
  'hot',
  'humidheat',
  'index',
  '°',
  '°',
  'chance',
  'rain',
  'southwest',
  'mphhighs',
  '°',
  '°',
  'saturday',
  'clouds',
  'breezyhot',
  'humidpm',
  'storms',
  'likelywind',
  'northwest',
  'mphchance',
  'rain',
  '°',
  '°',
  'sunrise',
  'a.m.',
  'sunset',
  'p.m.',
  'high',
  '°',
  'low',
  '°',
  'storm',
  'team4',
  'forecast',
  'nbc',
  'washington',
  'app',
  'android',
  'weather',
  'alert',
  'phone',
  'article',
  'storm',
  'forecastweather',
  'hour',
  'dc',
  'shooting',
  'consulates',
  'mexico',
  'guatemala',
  'citizen',
  'dc',
  'crime',
  'woman',
  'collision',
  'prince',
  'george',
  'county',
  'woman',
  'car',
  'route',
  'prince',
  'george',
  'co.',
  'virginia',
  'man',
  'daughter',
  'house',
  'fire',
  'missouri',
  'nbc4',
  'washington',
  'news',
  'standards',
  'tips',
  'investigations',
  'newsletters',
  'wrc',
  'public',
  'inspection',
  'file',
  'wrc',
  'accessibility',
  'wrc',
  'employment',
  'information',
  'feedback',
  'fcc',
  'applications',
  'terms',
  'service',
  'privacy',
  'policy',
  'privacy',
  'choices',
  'advertise',
  'notice',
  'ad',
  'choice',
  'copyright',
  'nbcuniversal',
  'media',
  'llc',
  'right'],
 ['account',
  'sign',
  'sign',
  'facebook',
  'climate',
  'kansas',
  'weather',
  'condition',
  'summer',
  'winter',
  'temperature',
  '°',
  'f',
  'january',
  '°',
  'f',
  'july',
  'rain',
  'wind',
  'storm',
  'blizzard',
  'state',
  'climate',
  'kansas',
  'temperature',
  'statewide',
  'high',
  'winter',
  '°',
  'f',
  'december',
  'february',
  'temperature',
  'snowfall',
  'condition',
  'snow',
  'day',
  'year',
  'blizzard',
  'time',
  'summer',
  '°',
  'f',
  'june',
  'august',
  'humidity',
  'level',
  'percent',
  'air',
  'precipitation',
  'spring',
  'summer',
  'condition',
  'west',
  'kansas',
  'america',
  'tornado',
  'alley',
  'swath',
  'midwest',
  'thunderstorm',
  'hail',
  'wind',
  'tornado',
  'time',
  'year',
  'spring',
  'summer',
  'march',
  'condition',
  'tornado',
  'time',
  'weather',
  'september',
  'time',
  'kansas',
  'doubt',
  'weather',
  'kansas',
  'fall',
  'end',
  'september',
  'air',
  '°',
  'f',
  'humidity',
  'level',
  'rain',
  'end',
  'summer',
  'october',
  'beauty',
  'high',
  '°',
  'f',
  'sky',
  'weather',
  'november',
  'fall',
  'harvest',
  'time',
  'lot',
  'fun',
  'festival',
  'color',
  'tree',
  'plenty',
  'food',
  'menu',
  'deal',
  'fall',
  'time',
  'kansas',
  'november',
  'hotel',
  'rate',
  'visitor',
  'winter',
  'spring',
  'season',
  'rock',
  'room',
  'rate',
  'cold',
  'countries',
  'planet',
  'deserts',
  'bloom',
  'spot',
  'springtime',
  'wildflower',
  'luxury',
  'safari',
  'africa',
  'yoho',
  'national',
  'park',
  'incredible',
  'place',
  'source',
  'adventure',
  'tourism',
  'travel',
  'guide'],
 ['state',
  'update',
  'delaware',
  'news',
  'authority',
  'delaware',
  'breaking',
  'news',
  'local',
  'news',
  'weather',
  'new',
  'castle',
  'county',
  'kent',
  'county',
  'sussex',
  'county',
  'maryland',
  'new',
  'jersey',
  'pennsylvania',
  'obituaries',
  'uncategorizedsevere',
  'storms',
  'damage',
  'homes',
  'topple',
  'rig',
  'responders',
  'busy',
  'sunday',
  'july',
  'new',
  'castle',
  'county',
  'delaware',
  'series',
  'storm',
  'sunday',
  'trail',
  'destruction',
  'wake',
  'wind',
  'weather',
  'condition',
  'damage',
  'rescue',
  'effort',
  'middletown',
  'block',
  'chopin',
  'drive',
  'storm',
  'roof',
  'home',
  'damage',
  'home',
  'village',
  'bayberry',
  'north',
  'development',
  'middletown',
  'damage',
  'tree',
  'street',
  'sign',
  'degree',
  'route',
  'south',
  'hyetts',
  'corner',
  'road',
  'wind',
  'tractor',
  'trailer',
  'ford',
  'explorer',
  'woman',
  'family',
  'member',
  'individual',
  'incident',
  'reassurance',
  'medium',
  'explorer',
  'storm',
  'delaware',
  'city',
  'fire',
  'company',
  'dcfc',
  'sunday',
  'storm',
  'dcfc',
  'incident',
  'intersection',
  'governor',
  'lea',
  'road',
  'west',
  'seventh',
  'street',
  'photo',
  'incident',
  'facebook',
  'page',
  'minivan',
  'occupant',
  'adult',
  'child',
  'floodwater',
  'water',
  'rescue',
  'gear',
  'rescue',
  'crew',
  'condition',
  'individual',
  'water',
  'victim',
  'firehouse',
  'shelter',
  'inclement',
  'weather',
  'dcfc',
  'block',
  'canal',
  'street',
  'roof',
  'building',
  'quint',
  'incident',
  'odessa',
  'time',
  'deputy',
  'squad',
  'area',
  'hazard',
  'roof',
  'fuel',
  'shed',
  'new',
  'castle',
  'county',
  'resident',
  'resilience',
  'assistance',
  'storm',
  'community',
  'lesson',
  'event',
  'preparedness',
  'strategy',
  'appreciation',
  'power',
  'nature',
  'importance',
  'life',
  'property',
  'face',
  'weather',
  'condition',
  'national',
  'weather',
  'service',
  'photo',
  'facebook',
  'page',
  'delaware',
  'monday',
  'storm',
  'tornado',
  'wind',
  'staff',
  'writer',
  'state',
  'update',
  'delaware',
  'team',
  'new',
  'castle',
  'county',
  'kent',
  'county',
  'sussex',
  'county',
  'news',
  'news',
  'news',
  'story',
  'reader',
  'news',
  'wilmington',
  'newark',
  'dover',
  'rehoboth',
  'beach',
  'point',
  'news',
  'email',
  'view',
  'post',
  'staff',
  'writer',
  'story',
  'police',
  'source',
  'party',
  'court',
  'law',
  'state',
  'update',
  'contact',
  'privacy',
  'policy',
  'terms',
  'rules',
  'facebook'],
 ['computer',
  'browser',
  'operating',
  'system',
  'shopping',
  'south',
  'dakota',
  'magazine',
  'order',
  'phone',
  'question',
  'inconvenience',
  'heidi',
  'marsh',
  'marketing',
  'director',
  'south',
  'dakota',
  'magazine',
  'yankton',
  'sd',
  'gift',
  'south',
  'dakota',
  'subscriptions',
  'south',
  'dakota',
  'magazine',
  'gift',
  'today',
  'year',
  'issue',
  'school',
  'basketball',
  'fan',
  'shelter',
  'spring',
  'blizzard',
  'farmhouse',
  'refuge',
  'bob',
  'glanzer',
  'blizzard',
  'south',
  'dakota',
  'storm',
  'century',
  'storm',
  'place',
  'march',
  'life',
  'people',
  'sheep',
  'cattle',
  'hog',
  'wind',
  'gust',
  'mph',
  'visibility',
  'hour',
  'quarter',
  'mile',
  'visibility',
  'hour',
  'region',
  'basketball',
  'tournament',
  'thursday',
  'march',
  'doland',
  'playoff',
  'chance',
  'bryant',
  'game',
  'doland',
  'fan',
  'player',
  'student',
  'huron',
  'arena',
  'doland',
  'bus',
  'car',
  'highway',
  'blizzard',
  'condition',
  'bus',
  'load',
  'car',
  'pheasant',
  'city',
  'country',
  'gas',
  'station',
  'intersection',
  'highway',
  'mile',
  'huron',
  'people',
  'grocery',
  'store',
  'gas',
  'station',
  'people',
  'mile',
  'pheasant',
  'city',
  'storm',
  'bloomfield',
  'linda',
  'hofer',
  'loewen',
  'school',
  'junior',
  'time',
  'family',
  'highway',
  'mile',
  'pheasant',
  'city',
  'loewen',
  'father',
  'storm',
  'yard',
  'light',
  'life',
  'father',
  'hour',
  'mile',
  'fan',
  'road',
  'door',
  'school',
  'bus',
  'bus',
  'load',
  'student',
  'car',
  'load',
  'doland',
  'fan',
  'farm',
  'yard',
  'bed',
  'loewen',
  'people',
  'door',
  'line',
  'people',
  'country',
  'farmhouse',
  'day',
  'blizzard',
  'room',
  'people',
  'bed',
  'seat',
  'bathroom',
  'loewen',
  'day',
  'night',
  'clock',
  'mom',
  'recipe',
  'friday',
  'afternoon',
  'mom',
  'lady',
  'noodle',
  'hofers',
  'milk',
  'cow',
  'chicken',
  'freeze',
  'good',
  'meat',
  'string',
  'twine',
  'dad',
  'barn',
  'cow',
  'egg',
  'loewen',
  'mom',
  'dozen',
  'egg',
  'gallon',
  'gallon',
  'milk',
  'couple',
  'birthday',
  'day',
  'lady',
  'birthday',
  'cake',
  'noon',
  'saturday',
  'march',
  'wind',
  'snow',
  'foot',
  'guest',
  'school',
  'bus',
  'home',
  'doland',
  'freeze',
  'house',
  'mess',
  'dozen',
  'egg',
  'people',
  'money',
  'kitchen',
  'table',
  'mom',
  'loewen',
  'mom',
  'life',
  'author',
  'bob',
  'glanzer',
  'educator',
  'banker',
  'year',
  'south',
  'dakota',
  'state',
  'fair',
  'huron',
  'south',
  'dakota',
  'state',
  'fair',
  'huron',
  'subscribe',
  'renew',
  'change',
  'address',
  'gift',
  'shop',
  'group',
  'gift',
  'giving',
  'newsstands',
  'past',
  'issues',
  'index'],
 ['main',
  'content',
  'sensor',
  'network',
  'maps',
  'radar',
  'severe',
  'weather',
  'news',
  'blogs',
  'mobile',
  'apps',
  'nearest',
  'station',
  'manage',
  'favorite',
  'citieslog',
  'joinsettingsaccount_box',
  'log',
  'person_add',
  'join',
  'setting',
  'settings',
  'sensor',
  'networkmaps',
  'radarsevere',
  'weathernews',
  'blogsmobile',
  'appshistorical',
  'weatherstarnews',
  'blogs',
  'category',
  'news',
  'stories',
  'infographics',
  'posters',
  'news',
  'stories',
  'category',
  'storiesinfographicsposterspublished',
  'weather',
  'company',
  'mission',
  'weather',
  'news',
  'environment',
  'importance',
  'science',
  'life',
  'story',
  'position',
  'parent',
  'company',
  'ibm.recent',
  'storiesweather',
  'articlesour',
  'appsabout',
  'uscontactcareerspws',
  'networkwundermapfeedback',
  'supportterms',
  'useprivacy',
  'policyaccessibility',
  'statementadchoicesdata',
  'vendorswe',
  'responsibility',
  'datum',
  'technology',
  'datum',
  'data',
  'vendor',
  'control',
  'datum',
  'datum',
  'rightspowered',
  'ibm',
  'cloud',
  'copyright',
  'twc',
  'product',
  'technology',
  'llc',
  'javascript',
  'application'],
 ['fox',
  'news',
  'media',
  'fox',
  'news',
  'mediafox',
  'businessfox',
  'nationfox',
  'news',
  'audiofox',
  'fox',
  'news',
  'expand',
  'collapse',
  'search',
  'login',
  'tv',
  'menu',
  'u.s.',
  'crimemilitaryeducationterrorimmigrationeconomypersonal',
  'freedomsfox',
  'news',
  'investigatesworld',
  'u.n.conflictsterrorismdisastersglobal',
  'politic',
  'executivesenatehousejudiciaryforeign',
  'policypollselectionsentertainment',
  'celebrity',
  'newsmoviestv',
  'newsmusic',
  'newsstyle',
  'newsentertainment',
  'videobusiness',
  'personal',
  'financeeconomymarketswatchlistlifestylereal',
  'estatetechlifestyle',
  'food',
  'drinkcars',
  'truckstravel',
  'outdoorshouse',
  'homefitness',
  'beingstyle',
  'beautyfamilyfaithscience',
  'archaeologyair',
  'spaceplanet',
  'earthwild',
  'naturenatural',
  'sciencedinosaurstech',
  'gamesmilitary',
  'techhealth',
  'coronavirushealthy',
  'livingmedical',
  'researchmental',
  'healthcancerheart',
  'healthchildren',
  'healthtv',
  'showspersonalitieswatch',
  'livefull',
  'episodesshow',
  'clipsnews',
  'clipsabout',
  'contact',
  'worldadvertise',
  'usmedia',
  'relationscorporate',
  'informationcompliance',
  'fox',
  'businessfox',
  'weatherfox',
  'nationwomen',
  'world',
  'cup',
  'news',
  'shopfox',
  'news',
  'gofox',
  'news',
  'radiooutkicknewsletterspodcastsapps',
  'products',
  'fox',
  'news',
  'new',
  'terms',
  'use',
  'new',
  'privacy',
  'policy',
  'privacy',
  'choices',
  'captioning',
  'policy',
  'material',
  'fox',
  'news',
  'network',
  'llc',
  'right',
  'quote',
  'time',
  'minute',
  'market',
  'datum',
  'factset',
  'factset',
  'digital',
  'solutions',
  'statement',
  'mutual',
  'fund',
  'etf',
  'datum',
  'refinitiv',
  'lipper',
  'facebook',
  'twitter',
  'instagram',
  'rss',
  'email',
  'weather',
  'edt',
  'tennessee',
  'storm',
  'k',
  'power',
  'nashville',
  'area',
  'duty',
  'firefighter',
  'travis',
  'fedschun',
  'fox',
  'news',
  'facebook',
  'twitter',
  'flipboard',
  'comments',
  'print',
  'email',
  'video',
  'thousands',
  'power',
  'storm',
  'tennessee',
  'wind',
  'tree',
  'power',
  'line',
  'nashville',
  'news',
  'coronavirus',
  'inbox',
  'sign',
  'customer',
  'power',
  'monday',
  'middle',
  'tennessee',
  'line',
  'thunderstorm',
  'path',
  'destruction',
  'sunday',
  'duty',
  'firefighter',
  'national',
  'weather',
  'service',
  'nws',
  'office',
  'nashville',
  'mph',
  'wind',
  'gust',
  'nashville',
  'international',
  'airport',
  'wind',
  'gust',
  'city',
  'history',
  'nws',
  'storm',
  'prediction',
  'center',
  'spc',
  'report',
  'wind',
  'damage',
  'sunday',
  'southeast',
  'missouri',
  'northeast',
  'arkansas',
  'middle',
  'tennessee',
  'severe',
  'weather',
  'threat',
  'returns',
  'central',
  'record',
  'heat',
  'temperatures',
  'line',
  'thunderstorm',
  'east',
  'tennessee',
  'sunday',
  'afternoon',
  'forecaster',
  'thunderstorm',
  'warning',
  'statement',
  'storm',
  'history',
  'wind',
  'mph',
  'report',
  'wind',
  'damage',
  'sunday',
  'missouri',
  'northeast',
  'arkansas',
  'middle',
  'tennessee',
  'noaa',
  'spc)"treat',
  'severe',
  'thunderstorm',
  'warning',
  'way',
  'tornado',
  'warning',
  'shelter',
  'nws',
  'mph',
  'mph',
  'circle',
  'line',
  'image',
  'video',
  'medium',
  'storm',
  'line',
  'storm',
  'power',
  'line',
  'report',
  'pole',
  'half',
  'nashville',
  'electric',
  'service',
  'twitter',
  'power',
  'height',
  'storm',
  'incident',
  'sunday',
  'outage',
  'record',
  'monday',
  'morning',
  'number',
  'customer',
  'power',
  'resource',
  'crew',
  'night',
  'power',
  'tornado',
  'season',
  'deadliest',
  'severe',
  'weather',
  'outbreaks',
  'tennessee',
  'southmetro',
  'public',
  'works',
  'fox17',
  'report',
  'tree',
  'davidson',
  'county',
  'weather',
  'death',
  'storm',
  'tennessee',
  'line',
  'thunderstorm',
  'tree',
  'power',
  'line',
  'middle',
  'tennessee',
  'sunday',
  'spring',
  'hill',
  'police',
  'department)the',
  'spring',
  'hill',
  'police',
  'department',
  'spring',
  'hill',
  'firefighter',
  'mitchell',
  'earwood',
  'weather',
  'incident',
  'home',
  'duty',
  'heart',
  'spring',
  'hill',
  'fire',
  'department',
  'earwood',
  'family',
  'police',
  'facebook',
  'fire',
  'fighter',
  'earwood',
  'city',
  'year',
  'peace',
  'brother',
  'click',
  'weather',
  'fox',
  'news',
  'storm',
  'month',
  'tornado',
  'weather',
  'outbreak',
  'death',
  'nashville',
  'weather',
  'system',
  'central',
  'plains',
  '-',
  'mississippi',
  'river',
  'valley',
  'thunderstorm',
  'region',
  'monday',
  'monday',
  'night',
  'middle',
  'tennessee',
  'area',
  'threat',
  'forecast',
  'monday',
  'fox',
  'news',
  'meteorologist',
  'janice',
  'dean',
  'foxcast',
  'potential',
  'round',
  'storm',
  'plains',
  'states',
  'ohio',
  'tennessee',
  'river',
  'valley',
  'today',
  'fox',
  'news',
  'meteorologist',
  'janice',
  'dean',
  'monday',
  'fox',
  'friends',
  'hail',
  'wind',
  'tornado',
  'threat',
  'monday',
  'click',
  'fox',
  'news',
  'app',
  'record',
  'week',
  'potential',
  'storm',
  'dean',
  'fox',
  'friends',
  'news',
  'brandon',
  'noriega',
  'report',
  'story',
  'news',
  'thing',
  'morning',
  'inbox',
  'weekday',
  'newsletter',
  'u.s.',
  'crimemilitaryeducationterrorimmigrationeconomypersonal',
  'freedomsfox',
  'news',
  'investigatesworld',
  'u.n.conflictsterrorismdisastersglobal',
  'politic',
  'executivesenatehousejudiciaryforeign',
  'policypollselectionsentertainment',
  'celebrity',
  'newsmoviestv',
  'newsmusic',
  'newsstyle',
  'newsentertainment',
  'videobusiness',
  'personal',
  'financeeconomymarketswatchlistlifestylereal',
  'estatetechlifestyle',
  'food',
  'drinkcars',
  'truckstravel',
  'outdoorshouse',
  'homefitness',
  'beingstyle',
  'beautyfamilyfaithscience',
  'archaeologyair',
  'spaceplanet',
  'earthwild',
  'naturenatural',
  'sciencedinosaurstech',
  'gamesmilitary',
  'techhealth',
  'coronavirushealthy',
  'livingmedical',
  'researchmental',
  'healthcancerheart',
  'healthchildren',
  'healthtv',
  'showspersonalitieswatch',
  'livefull',
  'episodesshow',
  'clipsnews',
  'clipsabout',
  'contact',
  'worldadvertise',
  'usmedia',
  'relationscorporate',
  'informationcompliance',
  'fox',
  'businessfox',
  'weatherfox',
  'nationwomen',
  'world',
  'cup',
  'news',
  'shopfox',
  'news',
  'gofox',
  'news',
  'radiooutkicknewsletterspodcastsapps',
  'products',
  'facebook',
  'twitter',
  'instagram',
  'youtube',
  'flipboard',
  'linkedin',
  'slack',
  'rss',
  'newsletters',
  'spotify',
  'iheartradio',
  'fox',
  'news',
  'new',
  'terms',
  'use',
  'new',
  'privacy',
  'policy',
  'privacy',
  'choices',
  'captioning',
  'policy',
  'accessibility',
  'statement',
  'material',
  'fox',
  'news',
  'network',
  'llc',
  'right',
  'quote',
  'time',
  'minute',
  'market',
  'datum',
  'factset',
  'factset',
  'digital',
  'solutions',
  'statement',
  'mutual',
  'fund',
  'etf',
  'datum',
  'refinitiv',
  'lipper'],
 ['app',
  'searchsign',
  'locationsclosesee',
  'locationsadditional',
  'contentnational',
  'newsnewsbreak',
  'corporateabout',
  'uscontributorspublishersadvertisersterm',
  'use',
  'privacy',
  'policydo',
  'sell',
  'share',
  'info',
  'help',
  'centersign',
  'new',
  'york',
  'ny',
  'update',
  'emailsubscribe1011now.comnortheast',
  'nebraska',
  'storm',
  'damage',
  'july',
  'sports,15',
  'day',
  'agoby',
  'sports,15',
  'day',
  'agogo',
  'publisher',
  'newsbreakcomments',
  '0add',
  'commentyou',
  'popularit',
  'climate',
  'change',
  'flooding',
  'war',
  'flood',
  'control',
  'damage',
  'montpelier',
  'vt14',
  'day',
  'agochief',
  'justice',
  'suspension',
  'matrimonial',
  'trial',
  'judicial',
  'vacanciespassaic',
  'nj15',
  'day',
  'agopowerful',
  'magnitude',
  'earthquake',
  'alaska',
  'peninsula',
  'local',
  'tsunami',
  'warningssand',
  'point',
  'ak10',
  'day',
  'africans',
  'wealth',
  'building',
  'paul',
  'mn13',
  'day',
  'agoget',
  'new',
  'york',
  'ny',
  'update',
  'emailsubscribe',
  'particle',
  'medium',
  'term',
  'use',
  'privacy',
  'policydo',
  'sell',
  'share',
  'info',
  'help',
  'centercomments',
  '0closecommunity',
  'policy'],
 ['abc',
  'newsvideoliveshowselectionsinterest',
  'successfully',
  "addedwe'll",
  'news',
  'desktop',
  'notification',
  'story',
  'interest',
  'offonlog',
  'instream',
  'onef3',
  'tornado',
  'north',
  'carolina',
  'weather',
  'nationwidethe',
  'u.s.',
  'range',
  'weather',
  'tornado',
  'heat',
  'wave',
  'bykenton',
  'gewecke',
  'morgan',
  'winsorjuly',
  'am2:20people',
  'damage',
  'home',
  'tornado',
  'july',
  'dortches',
  'seward',
  'apa',
  'tornado',
  'north',
  'carolina',
  'dozen',
  'mile',
  'wednesday',
  'home',
  'resident',
  'official',
  'national',
  'weather',
  'service',
  'thursday',
  'damage',
  'survey',
  'tornado',
  'ef3',
  'peak',
  'wind',
  'mile',
  'hour',
  'ef3',
  'tornado',
  'north',
  'carolina',
  'month',
  'july',
  'twister',
  'time',
  'year',
  'record',
  'state',
  'national',
  'weather',
  'service',
  'enhanced',
  'fujita',
  'scale',
  'rate',
  'tornado',
  'intensity',
  'wind',
  'speed',
  'severity',
  'damage',
  'scale',
  'intensity',
  'category',
  'ef0',
  'ef1',
  'ef2',
  'ef3',
  'ef4',
  'ef5',
  'wind',
  'speed',
  'degree',
  'damage',
  'category',
  'efu',
  'tornado',
  'lack',
  'evidence',
  'woman',
  'damage',
  'home',
  'tornado',
  'july',
  'dortches',
  'seward',
  'apthe',
  'yard',
  'tornado',
  'wednesday',
  'afternoon',
  'et',
  'dortches',
  'town',
  'north',
  'carolina',
  'nash',
  'county',
  'city',
  'rocky',
  'mount',
  'twister',
  'mile',
  'period',
  'minute',
  'battleboro',
  'neighborhood',
  'rocky',
  'mount',
  'north',
  'carolina',
  'edgecombe',
  'county',
  'national',
  'weather',
  'service',
  'ground',
  'tornado',
  'power',
  'pole',
  'tree',
  'building',
  'home',
  'dortches',
  'area',
  'yard',
  'foundation',
  'farther',
  'residence',
  'building',
  'damage',
  'wall',
  'wall',
  'brick',
  'fireplace',
  'twister',
  'metal',
  'truss',
  'tower',
  'transmission',
  'line',
  'damage',
  'metal',
  'warehouse',
  'building',
  'belmont',
  'lake',
  'golf',
  'club',
  'rocky',
  'mount',
  'national',
  'weather',
  'service',
  'tips',
  'tornado',
  'roof',
  'pfizer',
  'facility',
  'damage',
  'tornado',
  'area',
  'rocky',
  'mount',
  'n.c.',
  'july',
  '2023.wtvd',
  'reuterspharmaceutical',
  'giant',
  'pfizer',
  'facility',
  'rocky',
  'mount',
  'tornado',
  'staff',
  'building',
  'medium',
  'report',
  'national',
  'weather',
  'service',
  'storm',
  'injury',
  'area',
  'life',
  'threatening',
  'fatality',
  'edgecombe',
  'county',
  'sheriff',
  'office',
  'report',
  'life',
  'injury',
  'injury',
  'storm',
  'tornado',
  'system',
  'weather',
  'americans',
  'forecast',
  'thursday',
  'wind',
  'hail',
  'tornado',
  'threat',
  'denver',
  'colorado',
  'north',
  'oklahoma',
  'michigan',
  'south',
  'carolina',
  'threat',
  'hail',
  'fort',
  'wayne',
  'indiana',
  'detroit',
  'michigan',
  'wind',
  'tornado',
  'risk',
  'flash',
  'flooding',
  'location',
  'water',
  'person',
  'head',
  'covering',
  'sun',
  'zone',
  'encampment',
  'people',
  'record',
  'heat',
  'wave',
  'phoenix',
  'arizona',
  'july',
  't.',
  'fallon',
  'afp',
  'getty',
  'imagesmeanwhile',
  'heat',
  'swath',
  'united',
  'states',
  'end',
  'sight',
  'americans',
  'state',
  'california',
  'florida',
  'alert',
  'heat',
  'thursday',
  'forecast',
  'temperature',
  'degree',
  'fahrenheit',
  'southwest',
  'heat',
  'index',
  'value',
  '100',
  'southeast',
  'arizona',
  'capital',
  'time',
  'day',
  'record',
  'wednesday',
  'temperature',
  'degree',
  'low',
  'degree',
  'temperature',
  'phoenix',
  'degree',
  'day',
  'degree',
  'day',
  'heat',
  'safety',
  'tipsa',
  'visitor',
  'canada',
  'water',
  'hole',
  'rock',
  'trail',
  'record',
  'heat',
  'wave',
  'phoenix',
  'arizona',
  'july',
  't.',
  'fallon',
  'afp',
  'getty',
  'year',
  'man',
  'los',
  'angeles',
  'area',
  'golden',
  'canyon',
  'trailhead',
  'death',
  'valley',
  'national',
  'park',
  'california',
  'tuesday',
  'afternoon',
  'temperature',
  'degree',
  'national',
  'park',
  'service',
  'inyo',
  'county',
  'coroner',
  'office',
  'cause',
  'death',
  'park',
  'ranger',
  'heat',
  'factor',
  'heat',
  'fatality',
  'death',
  'valley',
  'summer',
  'year',
  'man',
  'july',
  'national',
  'park',
  'service',
  'abc',
  'news',
  'melissa',
  'griffin',
  'dan',
  'peck',
  'darren',
  'reynolds',
  'jennifer',
  'watts',
  'report',
  'topicstornadoesweathertop',
  'storiesruin',
  'vatican',
  'emperor',
  'nero',
  'theaterjul',
  'pmhouse',
  'ufo',
  'hearing',
  'ex',
  'knowledge',
  'craftjul',
  'amsinead',
  "o'connor",
  'u',
  'singer',
  '56jul',
  'pmmcconnell',
  'press',
  'conference',
  'return',
  'pmwhistleblower',
  'congress',
  'decade',
  'program',
  'ufosjul',
  'pmabc',
  'news',
  'live24/7',
  'coverage',
  'news',
  'eventsabc',
  'news',
  'networkprivacy',
  'policyyour',
  'state',
  'privacy',
  'rightschildren',
  'online',
  'privacy',
  'policyinterest',
  'adsabout',
  'nielsen',
  'measurementterms',
  'usedo',
  'sell',
  'informationcontact',
  'uscopyright',
  'abc',
  'news',
  'internet',
  'ventures',
  'right'],
 ['trouble',
  'page',
  'help',
  'feature',
  'politic',
  'sports',
  'square',
  'mile',
  'search',
  'account',
  'air',
  'schedule',
  'donate',
  'term',
  'use',
  'privacy',
  'policy',
  'corrections',
  'contest',
  'rules',
  'amazon',
  'alexa',
  'app',
  'air',
  'schedule',
  'storm',
  'outage',
  'ri',
  'ma',
  'temperature',
  'weekend',
  'fri',
  'dec',
  'gmt+0000',
  'coordinated',
  'universal',
  'time',
  'winter',
  'storm',
  'condition',
  'holiday',
  'travel',
  'midwest',
  'new',
  'england',
  'forecaster',
  'wind',
  'gust',
  'storm',
  'surge',
  'rain',
  'temperature',
  'weekend',
  'official',
  'winter',
  'storm',
  'rain',
  'wind',
  'flooding',
  'new',
  'england',
  'friday',
  'temperature',
  'weekend',
  'forecaster',
  'temperature',
  'friday',
  'night',
  'providence',
  'pm',
  'low',
  'temperature',
  'evening',
  'driving',
  'condition',
  'â\x80\x9d',
  'rhode',
  'island',
  'gov.',
  'dan',
  'mckee',
  'friday',
  'afternoon',
  'temperature',
  'weekend',
  'official',
  'new',
  'england',
  'warming',
  'center',
  'providence',
  'mayor',
  'jorge',
  'elorza',
  'city',
  'hour',
  'warming',
  'center',
  'crossroads',
  'broad',
  'st.',
  'providence',
  'rescue',
  'mission',
  'cranston',
  'st.',
  'rhode',
  'island',
  'emergency',
  'management',
  'agency',
  'list',
  'warming',
  'center',
  'state',
  'stormâ\x80\x99s',
  'wind',
  'power',
  'thousand',
  'rhode',
  'island',
  'massachusetts',
  'utility',
  'customer',
  'power',
  'rhode',
  'island',
  'p.m.',
  'friday',
  'customer',
  'power',
  'bristol',
  'county',
  'massachusetts',
  'national',
  'weather',
  'service',
  'tide',
  'surge',
  'foot',
  'friday',
  'morning',
  'providence',
  'nuisance',
  'fox',
  'point',
  'hurricane',
  'barrier',
  'anticipation',
  'storm',
  'warwick',
  'wind',
  'gust',
  'mph',
  'friday',
  'morning',
  'national',
  'weather',
  'serviceâ\x80\x99s',
  'boston',
  'office',
  'station',
  'new',
  'bedford',
  'gust',
  'mph',
  'block',
  'island',
  'ferry',
  'ferry',
  'friday',
  'sea',
  'condition',
  'million',
  'americans',
  'bone',
  'temperature',
  'blizzard',
  'condition',
  'power',
  'outage',
  'holiday',
  'gathering',
  'friday',
  'winter',
  'storm',
  'forecaster',
  'scope',
  '%',
  'population',
  'sort',
  'winter',
  'weather',
  'advisory',
  'warning',
  'people',
  '%',
  'u.s.',
  'population',
  'form',
  'winter',
  'weather',
  'advisory',
  'warning',
  'friday',
  'national',
  'weather',
  'service',
  'weather',
  'service',
  'map',
  'â\x80\x9cdepict',
  'extent',
  'winter',
  'weather',
  'warning',
  'advisory',
  'â\x80\x9d',
  'forecaster',
  'statement',
  'friday',
  'flight',
  'u.s.',
  'friday',
  'tracking',
  'site',
  'flightaware',
  'mayhem',
  'traveler',
  'holiday',
  'home',
  'business',
  'power',
  'friday',
  'morning',
  'storm',
  'border',
  'border',
  'canada',
  'westjet',
  'flight',
  'friday',
  'toronto',
  'pearson',
  'international',
  'airport',
  'a.m.',
  'mexico',
  'migrant',
  'u.s.',
  'border',
  'temperature',
  'u.s.',
  'supreme',
  'court',
  'decision',
  'era',
  'restriction',
  'snow',
  'day',
  'kid',
  'president',
  'joe',
  'biden',
  'thursday',
  'oval',
  'office',
  'briefing',
  'official',
  'stuff.â\x80\x9dforecasters',
  'bomb',
  'cyclone',
  'pressure',
  'storm',
  'great',
  'lakes',
  'blizzard',
  'condition',
  'wind',
  'snow',
  'flight',
  'ashley',
  'sherrod',
  'nashville',
  'tennessee',
  'flint',
  'michigan',
  'thursday',
  'afternoon',
  'sherrod',
  'risk',
  'saturday',
  'flight',
  'canceled.â\x80\x9cmy',
  'family',
  'christmas',
  'sherrod',
  'bag',
  'grinch',
  'pajama',
  'family',
  'party',
  'door',
  'â\x80\x9cchristmas',
  'lack',
  'word',
  'suck.â\x80\x9d',
  'park',
  'ave',
  'portsmouth',
  'r.i.',
  'friday',
  'dec.'],
 ['sign',
  'welcome',
  'account',
  'password',
  'privacy',
  'policy',
  'password',
  'home',
  'utah',
  'news',
  'national',
  'weather',
  'service',
  'utah',
  'winter',
  'storm',
  'national',
  'weather',
  'service',
  'utah',
  'winter',
  'storm',
  'tim',
  'gurrister',
  'february',
  'photo',
  'salt',
  'lake',
  'city',
  'national',
  'weather',
  'service',
  'salt',
  'city',
  'utah',
  'feb.',
  'gephardt',
  'daily',
  'march',
  'national',
  'weather',
  'service',
  'swat',
  'winter',
  'tuesday',
  'wednesday',
  'winter',
  'storm',
  'dark',
  'tuesday',
  'utah',
  'tuesday',
  'afternoon',
  'nws',
  'inch',
  'snow',
  'valley',
  'inch',
  'mountain',
  'winter',
  'visibility',
  'snow',
  'traction',
  'restriction',
  'mountain',
  'road',
  'snowfall',
  'wednesday',
  'nws',
  'temperature',
  'day',
  'low',
  'degree',
  'cache',
  'valley',
  'degree',
  'zion',
  'canyon',
  'national',
  'park',
  'area',
  'bryce',
  'canyon',
  'national',
  'park',
  'area',
  'degree',
  'extreme',
  'nws',
  'skin',
  'time',
  'emergency',
  'kit',
  'condition',
  'weather.gov/slc',
  'photo',
  'salt',
  'lake',
  'city',
  'national',
  'weather',
  'service',
  'previous',
  'article3',
  'michigan',
  'state',
  'university',
  'year',
  'boy',
  'ice',
  'tooele',
  'reservoir',
  'tim',
  'gurrister',
  'utah',
  'dwr',
  'winter',
  'closure',
  'wildlife',
  'management',
  'area',
  'utah',
  'record',
  'snow',
  'water',
  'roof',
  'collapse',
  'hour',
  'mountain',
  'green',
  'email',
  'address',
  'email',
  'address',
  'email',
  'website',
  'browser',
  'time',
  'hunter',
  'biden',
  'tax',
  'case',
  'plea',
  'agreement',
  'arrest',
  'man',
  'stoplight',
  'suv',
  'drug',
  'provo',
  'police',
  'man',
  'stockton',
  'police',
  'chief',
  'theft',
  'fraud',
  'feds',
  'damage',
  'utah',
  'grocer',
  'labor',
  'violation',
  'hunter',
  'biden',
  'tax',
  'case',
  'plea',
  'agreement',
  'arrest',
  'man',
  'stoplight',
  'suv',
  'drug',
  'provo',
  'police',
  'man',
  'stockton',
  'police',
  'chief',
  'theft',
  'fraud',
  'feds',
  'damage',
  'utah',
  'grocer',
  'labor',
  'violation',
  'grand',
  'county',
  'sheriff',
  'office',
  'arrest',
  'crime',
  'child',
  'clearfield',
  'pd',
  'suspect',
  'vehicle',
  'dog',
  'inmate',
  'weber',
  'county',
  'jail',
  'man',
  'hammer',
  'police',
  'officer',
  'man',
  'connection',
  'slc',
  'robbery',
  'gun',
  'jordan',
  'river',
  'covid-19',
  'fact',
  'checking',
  'policy',
  'code',
  'ethics',
  'correction',
  'policy',
  'terms',
  'conditions',
  'ownership',
  'funding',
  'advertise',
  'privacy',
  'policy',
  'sitemap',
  'usgephardt',
  'daily',
  '',
  '',
  'national',
  'utah',
  'news',
  'gephardt',
  'daily',
  'utah',
  'news',
  'team',
  'news',
  'service',
  'rocky',
  'mountain',
  'west',
  'home',
  'team',
  'emmy',
  'award',
  'journalist',
  'veteran',
  'news',
  'producer',
  'reporter',
  'writer',
  'videographer',
  'medium',
  'expert',
  'covid-19',
  'fact',
  'checking',
  'policy',
  'code',
  'ethics',
  'correction',
  'policy',
  'terms',
  'conditions',
  'ownership',
  'funding',
  'advertise',
  'privacy',
  'policy',
  'sitemap'],
 ['project',
  'oregon',
  'historical',
  'society',
  'entries',
  'z',
  'list',
  'entry',
  'entry',
  'theme',
  'browse',
  'collection',
  'entry',
  'oregon',
  'historical',
  'society',
  'organization',
  'federal',
  'tax',
  'id',
  'morning',
  'friday',
  'october',
  'columbus',
  'day',
  'storm',
  'coast',
  'california',
  'storm',
  'day',
  'pacific',
  'ocean',
  'mile',
  'wake',
  'island',
  'combination',
  'condition',
  'storm',
  'force',
  'category',
  'hurricane',
  'typhoon',
  'freda',
  'meteorologist',
  'blow',
  'cyclone',
  'united',
  'states',
  'pressure',
  'gust',
  'cape',
  'blanco',
  'coast',
  'guard',
  'station',
  'mile',
  'hour',
  'estimate',
  'wind',
  'speed',
  'mile',
  'hour',
  'havoc',
  'columbus',
  'day',
  'storm',
  'california',
  'coast',
  'british',
  'columbia',
  'storm',
  'value',
  'property',
  'damage',
  'death',
  'people',
  'rainfall',
  'california',
  'mudslide',
  'damage',
  'building',
  'highway',
  'world',
  'series',
  'game',
  'new',
  'york',
  'yankees',
  'giants',
  'san',
  'francisco',
  'seattle',
  'world',
  'fair',
  'week',
  'operation',
  'groaning',
  'space',
  'needle',
  'evacuation',
  'portland',
  'afternoon',
  'storm',
  'oregon',
  'state',
  'beavers',
  'washington',
  'huskies',
  'football',
  'team',
  'rain',
  'grass',
  'multnomah',
  'stadium',
  'oregon',
  'brunt',
  'typhoon',
  'damage',
  'state',
  'addition',
  'damage',
  'thousand',
  'building',
  'mile',
  'power',
  'line',
  'wind',
  'tree',
  'oregon',
  'forest',
  'storm',
  'disaster',
  'state',
  'term',
  'destruction',
  'cost',
  'heppner',
  'flood',
  'wind',
  'people',
  'oregon',
  'power',
  'week',
  'mt.',
  'hebo',
  'coast',
  'storm',
  'wind',
  'air',
  'force',
  'radar',
  'station',
  'capitol',
  'building',
  'salem',
  'circuit',
  'rider',
  'bronze',
  'sculpture',
  'alexander',
  'phimister',
  'proctor',
  'pedestal',
  'monmouth',
  'campus',
  'oregon',
  'college',
  'education',
  'western',
  'oregon',
  'university',
  'campbell',
  'hall',
  'landmark',
  'gothic',
  'style',
  'tower',
  'portland',
  'morrison',
  'street',
  'bridge',
  'wind',
  'gust',
  'mph',
  'number',
  'city',
  'radio',
  'transmission',
  'tower',
  'death',
  'storm',
  'oregon',
  'result',
  'debris',
  'tree',
  'u.s.',
  'forest',
  'service',
  'employee',
  'forest',
  'friday',
  'tree',
  'road',
  'tree',
  'man',
  'safety',
  'cut',
  'forest',
  'pacific',
  'northwest',
  'board',
  'foot',
  'timber',
  'jack',
  'area',
  'tree',
  'volume',
  'timber',
  'cut',
  'forest',
  'service',
  'pacific',
  'northwest',
  'region',
  'time',
  'storm',
  'construction',
  'salvage',
  'logging',
  'road',
  'year',
  'order',
  'logger',
  'access',
  'area',
  'storm',
  'congress',
  'funding',
  'emergency',
  'road',
  'building',
  'salvage',
  'logging',
  'program',
  'wind',
  'timber',
  'sawmill',
  'plywood',
  'mill',
  'challenge',
  'forest',
  'service',
  'year',
  'result',
  'area',
  'elk',
  'creek',
  'drainage',
  'rogue',
  'river',
  'national',
  'forest',
  'prospect',
  'ranger',
  'district',
  'road',
  'road',
  'system',
  'harvest',
  'level',
  '1960',
  '1970',
  'term',
  'windfall',
  'coast',
  'range',
  'forestland',
  'million',
  'board',
  'foot',
  'log',
  'timber',
  'company',
  'exporting',
  'log',
  'japan',
  'columbus',
  'day',
  'storm',
  'acre',
  'grove',
  'orchard',
  'vicinity',
  'dundee',
  '1960',
  'availability',
  'fruit',
  'orchard',
  'price',
  'willamette',
  'valley',
  'wine',
  'pioneer',
  'pinot',
  'noir',
  'varietal',
  'orchard',
  'land',
  'columbus',
  'day',
  'storm',
  'courtesy',
  'oregon',
  'hist',
  'soc',
  'research',
  'lib',
  '.',
  'pge',
  'coll',
  '.',
  'columbus',
  'day',
  'storm',
  'damage',
  'junction',
  'city',
  'courtesy',
  'oregon',
  'hist',
  'soc',
  'research',
  'lib',
  '.',
  'columbus',
  'day',
  'storm',
  'jim',
  'johnston',
  'portland',
  'storm',
  'damage',
  'home',
  'courtesy',
  'oregon',
  'hist',
  'soc',
  'research',
  'lib',
  'acc27750',
  'columbus',
  'day',
  'storm',
  'aftermath',
  'university',
  'oregon',
  'campus',
  'courtesy',
  'university',
  'oregon',
  'libraries',
  'columbus',
  'day',
  'storm',
  'tree',
  'nw',
  '19th',
  'ave',
  'portland',
  'courtesy',
  'oregon',
  'hist',
  'soc',
  'research',
  'lib',
  'ba021616',
  'columbus',
  'day',
  'storm',
  'courtesy',
  'oregon',
  'hist',
  'soc',
  'research',
  'lib',
  'columbus',
  'day',
  'storm',
  'port',
  'orford',
  'cedar',
  'turn',
  'century',
  'portland',
  'city',
  'hall',
  'courtesy',
  'oregon',
  'hist',
  'soc',
  'research',
  'lib',
  '.',
  'columbus',
  'day',
  'storm',
  'damage',
  'van',
  'buren',
  'street',
  'bridge',
  'corvallis',
  'courtesy',
  'oregon',
  'state',
  'univ',
  'library',
  'earthquake',
  'tsunamis',
  'cascadia',
  'subduction',
  'zone',
  'future',
  'pacific',
  'northwest',
  'oregon',
  'washin',
  'heppner',
  'flood',
  'wheat',
  'field',
  'north',
  'central',
  'oregon',
  'morrow',
  'county',
  'lie',
  'oregon',
  'tsunami',
  'hazard',
  'mitigation',
  'program',
  'national',
  'tsunami',
  'warning',
  'system',
  'advance',
  'warning',
  'earthqu',
  'map',
  'oregon',
  'history',
  'wayfinder',
  'oregon',
  'history',
  'wayfinder',
  'map',
  'place',
  'people',
  'event',
  'oregon',
  'history',
  'reading',
  'dodge',
  'john',
  'wind',
  'columbus',
  'day',
  'storm',
  'corvallis',
  'oregon',
  'state',
  'university',
  'press',
  'horton',
  'kami',
  'year',
  'northwest',
  'record',
  'columbus',
  'day',
  'storm',
  'oregon',
  'public',
  'broadcasting',
  'october',
  'joslin',
  'les',
  'columbus',
  'day',
  'storm',
  'old',
  'smokeys',
  'blow',
  'old',
  'smokeys',
  'newsletter',
  'newsletter',
  'pacific',
  'northwest',
  'forest',
  'service',
  'retirees',
  'association',
  'fall',
  'lucia',
  'ellis',
  'blow',
  'story',
  'pacific',
  'northwest',
  'columbus',
  'day',
  'storm',
  'portland',
  'ore.',
  'binford',
  'mort',
  'read',
  'wolf',
  'blow',
  'columbus',
  'day',
  'office',
  'washington',
  'state',
  'climatologist',
  'www.climate.washington.edu/stormking/october1962.html',
  'taylor',
  'george',
  'h.',
  'raymond',
  'r.',
  'hatton',
  'oregon',
  'weather',
  'book',
  'state',
  'extremes',
  'corvallis',
  'oregon',
  'state',
  'university',
  'press',
  'oregon',
  'historical',
  'society',
  'organization',
  'federal',
  'tax',
  'id',
  'oregon',
  'historical',
  'society',
  'organization',
  'federal',
  'tax',
  'id'],
 ['dave',
  'ramsey',
  'mac',
  'morning',
  'chad',
  'benson',
  'coast',
  'coast',
  'w/',
  'george',
  'noory',
  'piece',
  'cody',
  'high',
  'school',
  'sports',
  'podcasts',
  'music',
  'spotlight',
  'advertise',
  'contact',
  'listener',
  'club',
  'job',
  'opportunities',
  'eeo',
  'public',
  'file',
  'dave',
  'ramsey',
  'mac',
  'morning',
  'chad',
  'benson',
  'coast',
  'coast',
  'w/',
  'george',
  'noory',
  'piece',
  'cody',
  'high',
  'school',
  'sports',
  'podcasts',
  'music',
  'spotlight',
  'advertise',
  'contact',
  'listener',
  'club',
  'job',
  'opportunities',
  'eeo',
  'public',
  'file',
  'winter',
  'storm',
  'road',
  'wyoming',
  'colorado',
  'nebraska',
  'associated',
  'press',
  'march',
  'winter',
  'snowstorm',
  'rocky',
  'mountains',
  'sunday',
  'snow',
  'wind',
  'airport',
  'road',
  'closure',
  'power',
  'outage',
  'avalanche',
  'warning',
  'colorado',
  'wyoming',
  'nebraska',
  'national',
  'weather',
  'service',
  'wyoming',
  'winter',
  'storm',
  'travel',
  'condition',
  'monday',
  'road',
  'line',
  'corner',
  'wyoming',
  'corner',
  'sunday',
  'road',
  'cheyenne',
  'casper',
  'foot',
  'centimeter',
  'snow',
  'cheyenne',
  'a.m.',
  'saturday',
  'weather',
  'service',
  'area',
  'city',
  'inch',
  'centimeter',
  'snotel',
  'site',
  'windy',
  'peak',
  'laramie',
  'range',
  'inch',
  'meter',
  'snow',
  'hour',
  'period',
  'sunday',
  'morning',
  'weather',
  'service',
  'person',
  'phone',
  'love',
  'travel',
  'stop',
  'cheyenne',
  'truck',
  'fuel',
  'time',
  'generator',
  'truck',
  'refrigerator',
  'freezer',
  'interstate',
  'wyoming',
  'nebraska',
  'panhandle',
  'foot',
  'centimeter',
  'snow',
  'kimball',
  'nebraska',
  'interstate',
  'north',
  'fort',
  'collins',
  'colorado',
  'end',
  'buffalo',
  'wyoming',
  'denver',
  'international',
  'airport',
  'runway',
  'noon',
  'sunday',
  'snow',
  'visibility',
  'flight',
  'runway',
  'closure',
  'impact',
  'airport',
  'official',
  'medium',
  'post',
  'foot',
  'snow',
  'dia',
  'saturday',
  'foot',
  'sunday',
  'colorado',
  'regional',
  'airport',
  'fort',
  'collins',
  'loveland',
  'area',
  'sunday',
  'morning',
  'foot',
  'snow',
  'airport',
  'medium',
  'account',
  'avalanche',
  'warning',
  'effect',
  'sunday',
  'rocky',
  'mountains',
  'fort',
  'collins',
  'boulder',
  'denver',
  'colorado',
  'springs',
  'snowfall',
  'avalanche',
  'colorado',
  'avalanche',
  'center',
  'center',
  'avalanche',
  'location',
  'backcountry',
  'avalanche',
  'colorado',
  'highway',
  'colorado',
  'sunday',
  'department',
  'transportation',
  'excel',
  'energy',
  'customer',
  'power',
  'sunday',
  'north',
  'colorado',
  'outage',
  'area',
  'poudre',
  'valley',
  'rural',
  'electric',
  'association',
  'rocky',
  'mountain',
  'power',
  'wyoming',
  'outage',
  'point',
  'service',
  'customer',
  'casper',
  'glenrock',
  'customer',
  'lander',
  'people',
  'power',
  'casper',
  'area',
  'sunday',
  'power',
  'company',
  'service',
  'interruption',
  'storm',
  'snow',
  'condition',
  'wind',
  'travel',
  'repair',
  'work',
  'today',
  'curt',
  'mansfield',
  'vice',
  'president',
  'operation',
  'rocky',
  'mountain',
  'power',
  'statement',
  'sunday',
  'ap',
  'ap',
  'news',
  'associated',
  'press',
  'cold',
  'temperatures',
  'colorado',
  'nebraska',
  'power',
  'outage',
  'snow',
  'winter',
  'winter',
  'weather',
  'wyoming',
  'vip',
  'listener',
  'clubcurrent',
  'weather',
  'cody86',
  '°',
  'sunny5:56',
  'pm',
  'mdtthufrisat84/54',
  '°',
  'f81/57',
  '°',
  'forecast',
  'cody',
  'wyoming',
  '▸',
  'lummis',
  'bipartisan',
  'effort',
  'broaden',
  'wyoming',
  'telehealth',
  'education',
  'access',
  'shoshone',
  'national',
  'forest',
  'proposing',
  'fee',
  'changes',
  'record',
  'saints',
  'qb',
  'brees',
  'retirement',
  'big',
  'horn',
  'medium',
  'schedule',
  'team',
  'advertise',
  'listener',
  'club',
  'contact',
  'fcc',
  'applications',
  'radio',
  'station',
  'database'],
 ['skip',
  'navigationwatchlivemarketspre',
  'marketsu.s.',
  'marketscurrenciescryptocurrencyfutures',
  'commoditiesbondsfunds',
  'etfsbusinesseconomyfinancehealth',
  'sciencemediareal',
  'estateenergyclimatetransportationindustrialsretailwealthlifesmall',
  'financefintechfinancial',
  'advisorsoptions',
  'actionetf',
  'streetbuffett',
  'archiveearningstrader',
  'talktechcybersecurityenterpriseinternetmediamobilesocial',
  'mediacnbc',
  'disruptor',
  'tvlive',
  'tvlive',
  'audiobusiness',
  'day',
  'showsentertainment',
  'episodeslatest',
  'videotop',
  'interviewscnbc',
  'worlddigital',
  'originalslive',
  'tv',
  'clubtrust',
  'portfolioanalysistrade',
  'videoshomestretchjim',
  'newspro',
  'livemarket',
  'forecastsubscribesign',
  'inmenumake',
  'itselectall',
  'selectcredit',
  'cards',
  'loans',
  'banking',
  'mortgages',
  'insurance',
  'credit',
  'monitoring',
  'personal',
  'finance',
  'small',
  'business',
  'taxes',
  'help',
  'low',
  'credit',
  'scores',
  'investing',
  'selectall',
  'credit',
  'cardsfind',
  'credit',
  'card',
  'youbest',
  'credit',
  'cardsbest',
  'rewards',
  'credit',
  'cardsbest',
  'travel',
  'credit',
  'cardsbest',
  '%',
  'apr',
  'credit',
  'cardsbest',
  'balance',
  'transfer',
  'credit',
  'cash',
  'credit',
  'cardsbest',
  'credit',
  'card',
  'welcome',
  'bonusesbest',
  'credit',
  'cards',
  'loansfind',
  'best',
  'personal',
  'loan',
  'youbest',
  'personal',
  'loansbest',
  'debt',
  'consolidation',
  'loansbest',
  'loans',
  'refinance',
  'credit',
  'card',
  'debtbest',
  'loans',
  'fast',
  'fundingbest',
  'small',
  'personal',
  'loansbest',
  'large',
  'personal',
  'loansbest',
  'personal',
  'loans',
  'onlinebest',
  'student',
  'loan',
  'bankingfind',
  'savings',
  'account',
  'youbest',
  'high',
  'yield',
  'savings',
  'accountsbest',
  'big',
  'bank',
  'savings',
  'accountsbest',
  'big',
  'bank',
  'checking',
  'accountsbest',
  'fee',
  'checking',
  'accountsno',
  'overdraft',
  'fee',
  'checking',
  'accountsbest',
  'checking',
  'account',
  'bonusesbest',
  'money',
  'market',
  'accountsbest',
  'credit',
  'unionsselectall',
  'mortgagesbest',
  'mortgagesbest',
  'mortgages',
  'small',
  'paymentbest',
  'mortgage',
  'paymentbest',
  'mortgage',
  'origination',
  'feebest',
  'mortgages',
  'credit',
  'scoreadjustable',
  'rate',
  'mortgagesaffording',
  'insurancebest',
  'life',
  'insurancebest',
  'homeowners',
  'insurancebest',
  'renters',
  'insurancebest',
  'car',
  'insurancetravel',
  'insuranceselectall',
  'credit',
  'monitoringbest',
  'credit',
  'monitoring',
  'servicesbest',
  'identity',
  'theft',
  'protectionhow',
  'credit',
  'scorecredit',
  'repair',
  'servicesselectall',
  'personal',
  'financebest',
  'budgeting',
  'appsbest',
  'expense',
  'tracker',
  'appsbest',
  'money',
  'transfer',
  'appsbest',
  'resale',
  'apps',
  'sitesbuy',
  'bnpl',
  'appsbest',
  'debt',
  'reliefselectall',
  'small',
  'businessbest',
  'small',
  'business',
  'savings',
  'accountsbest',
  'small',
  'business',
  'checking',
  'accountsbest',
  'credit',
  'cards',
  'small',
  'businessbest',
  'small',
  'business',
  'loansbest',
  'tax',
  'software',
  'taxesbest',
  'tax',
  'softwarebest',
  'tax',
  'software',
  'businessestax',
  'help',
  'low',
  'credit',
  'scoresbest',
  'credit',
  'cards',
  'bad',
  'creditbest',
  'personal',
  'loans',
  'bad',
  'creditbest',
  'debt',
  'consolidation',
  'loans',
  'bad',
  'creditpersonal',
  'loans',
  'creditbest',
  'credit',
  'cards',
  'building',
  'creditpersonal',
  'loans',
  'credit',
  'score',
  'lowerpersonal',
  'loans',
  'credit',
  'score',
  'lowerbest',
  'mortgages',
  'bad',
  'creditbest',
  'hardship',
  'loanshow',
  'credit',
  'scoreselectall',
  'investingbest',
  'ira',
  'accountsbest',
  'roth',
  'ira',
  'accountsbest',
  'investing',
  'appsbest',
  'free',
  'stock',
  'trading',
  'platformsbest',
  'robo',
  'advisorsindex',
  'fundsmutual',
  'fundsetfsbondsusaintlwatchlivesearch',
  'quote',
  'news',
  'videoswatchlistsign',
  'increate',
  'clubpromenuweather',
  'disasterstropical',
  'storm',
  'lane',
  'flood',
  'published',
  'sat',
  'aug',
  'edtupdated',
  'sat',
  'aug',
  'pm',
  'pointshawaii',
  'hit',
  'hurricane',
  'lane',
  'monster',
  'tempest',
  'friday',
  'storm',
  'wind',
  'mile',
  'hour',
  'saturday',
  'hawaii',
  'north',
  'northwest',
  'pacific',
  'ocean',
  'rain',
  'band',
  'flooding',
  'island',
  'police',
  'emergency',
  'crew',
  'rescue',
  'people',
  'vehicle',
  'home',
  'water',
  'friday',
  'man',
  'photo',
  'floodwater',
  'hurricane',
  'lane',
  'rainfall',
  'big',
  'island',
  'august',
  'hilo',
  'hawaii',
  'hurricane',
  'lane',
  'foot',
  'rain',
  'big',
  'island',
  'flash',
  'flood',
  'warning',
  'mario',
  'tama',
  'getty',
  'imagestropical',
  'storm',
  'lane',
  'hawaii',
  'island',
  'oahu',
  'saturday',
  'u.s.',
  'state',
  'rain',
  'flooding',
  'big',
  'island',
  'weather',
  'defense',
  'official',
  'hawaii',
  'hit',
  'hurricane',
  'lane',
  'monster',
  'tempest',
  'friday',
  'storm',
  'wind',
  'mile',
  'hour',
  'saturday',
  'hawaii',
  'north',
  'northwest',
  'pacific',
  'ocean',
  'rain',
  'band',
  'flooding',
  'island',
  'storm',
  'track',
  'life',
  'flash',
  'flooding',
  'wind',
  'tornado',
  'center',
  'location',
  'national',
  'weather',
  'service',
  'honolulu',
  'office',
  'forecast',
  'track',
  'intensity',
  'lane',
  'big',
  'island',
  'island',
  'hawaii',
  'friday',
  'flash',
  'flood',
  'weather',
  'service',
  'hilo',
  'big',
  'island',
  'community',
  'inch',
  'cm',
  'rain',
  'wednesday',
  'friday',
  'day',
  'total',
  'record',
  'area',
  'inch',
  'weather',
  'service',
  'police',
  'emergency',
  'crew',
  'rescue',
  'people',
  'vehicle',
  'home',
  'water',
  'friday',
  'saturday',
  'lane',
  'north',
  'northwest',
  'mph',
  'km',
  'h',
  'nws',
  'meteorologist',
  'chevy',
  'chevalier',
  'phone',
  'west',
  'hawaii',
  'saturday',
  'thing',
  'reason',
  'big',
  'island',
  'rain',
  'injury',
  'reportedno',
  'injury',
  'structure',
  'big',
  'island',
  'melissa',
  'dye',
  'nws',
  'spokeswoman',
  'honolulu',
  'hilo',
  'area',
  'neighborhood',
  'devastation',
  'river',
  'komohana',
  'time',
  'hilo',
  'resident',
  'tracy',
  'pacheco',
  'pahale',
  'park',
  'park',
  'home',
  'state',
  'capital',
  'honolulu',
  'percent',
  'hawaii',
  'resident',
  'rain',
  'saturday',
  'storm',
  'state',
  'forecaster',
  'people',
  'emergency',
  'shelter',
  'city',
  'friday',
  'mayor',
  'kirk',
  'caldwell',
  'weather',
  'channel',
  'honolulu',
  'flood',
  'mudslide',
  'mountain',
  'resident',
  'area',
  'flood',
  'caldwell',
  'friday',
  'forecast',
  'lane',
  'category',
  'hurricane',
  'wind',
  'mph',
  'kph',
  'week',
  'hawaii',
  'depression',
  'sunday',
  'new',
  'yorker',
  'rigo',
  'pagoada',
  'vacation',
  'oahu',
  'family',
  'big',
  'island',
  'pagoada',
  'hawaii',
  'airport',
  'storm',
  'flight',
  'honolulu',
  'airport',
  'kahului',
  'airport',
  'maui',
  'traveler',
  'congestion',
  'airport',
  'weekend',
  'result',
  'hawaii',
  'governor',
  'david',
  'ige',
  'cnbc',
  'prolicensing',
  'councilsselect',
  'financecnbc',
  'peacockjoin',
  'cnbc',
  'panelsupply',
  'chain',
  'valuesselect',
  'shoppingclosed',
  'captioningdigital',
  'productsnews',
  'releasesinternshipscorrectionsabout',
  'cnbcad',
  'choicessite',
  'mappodcastscareershelpcontactnews',
  'tipsgot',
  'news',
  'tip',
  'touchadvertise',
  'usplease',
  'contact',
  'uscnbc',
  'newsletterssign',
  'newsletter',
  'cnbc',
  'inboxsign',
  'nowget',
  'inbox',
  'info',
  'product',
  'service',
  'privacy',
  'policy',
  'information',
  'notice',
  'terms',
  'service',
  'cnbc',
  'llc',
  'rights',
  'division',
  'nbcuniversaldata',
  'time',
  'snapshot',
  'data',
  'minute',
  'global',
  'business',
  'financial',
  'news',
  'stock',
  'quotes',
  'market',
  'data',
  'analysis',
  'market',
  'data',
  'terms',
  'use',
  'disclaimersdata'],
 ['hunter',
  'biden',
  'plea',
  'deal',
  'ufo',
  'takeaway',
  'whistleblower',
  'congress',
  'uap',
  'sinéad',
  "o'connor",
  'grammy',
  'singer',
  'netherlands',
  'u.s.',
  'draw',
  'rematch',
  'world',
  'cup',
  'federal',
  'reserve',
  'interest',
  'rate',
  'level',
  'year',
  'niger',
  'president',
  'guard',
  'coup',
  'ohio',
  'officer',
  'k-9',
  'man',
  'hand',
  'story',
  'tic',
  'tac',
  'ufo',
  'sighting',
  'tornado',
  'delaware',
  'weather',
  'northeast',
  'april',
  'pm',
  'cbs',
  'news',
  'tornado',
  'warning',
  'new',
  'jersey',
  'county',
  'tornado',
  'warning',
  'new',
  'jersey',
  'county',
  'person',
  'tornado',
  'delaware',
  'saturday',
  'evening',
  'official',
  'storm',
  'system',
  'tornado',
  'midwest',
  'south',
  'friday',
  'aim',
  'northeast',
  'thousand',
  'customer',
  'power',
  'weather',
  'fatality',
  'tornado',
  'structure',
  'delaware',
  'town',
  'greenwood',
  'sussex',
  'county',
  'government',
  'sussex',
  'county',
  'cell',
  'phone',
  'video',
  'funnel',
  'cloud',
  'area',
  'p.m.',
  'time',
  'greenwood',
  'mile',
  'dover',
  'bethany',
  'debussy',
  'town',
  'manager',
  'bridgeville',
  'delaware',
  'cbs',
  'news',
  'email',
  'report',
  'vehicle',
  'accident',
  'entrapment',
  'power',
  'line',
  'gas',
  'leak',
  'debussy',
  'injury',
  'storm',
  'damage',
  'bridgeville',
  'delaware',
  'tornado',
  'area',
  'april',
  'national',
  'weather',
  'service',
  'thunderstorm',
  'watch',
  'saturday',
  'evening',
  'new',
  'jersey',
  'connecticut',
  'massachusetts',
  'new',
  'york',
  'new',
  'york',
  'city',
  'total',
  'death',
  'storm',
  'system',
  'tornado',
  'midwest',
  'south',
  'friday',
  'attention',
  'northeast',
  'saturday',
  'death',
  'state',
  'number',
  'saturday',
  'cbs',
  'news',
  'illinois',
  'tennessee',
  'arkansas',
  'indiana',
  'alabama',
  'ohio',
  'mississippi',
  'metal',
  'concert',
  'friday',
  'night',
  'theater',
  'roof',
  'tornado',
  'belvidere',
  'illinois',
  'year',
  'man',
  'day',
  'friday',
  'president',
  'biden',
  'damage',
  'tornado',
  'week',
  'people',
  'mississippi',
  'saturday',
  'night',
  'customer',
  'pennsylvania',
  'power',
  'utility',
  'tracker',
  'poweroutage.us',
  'power',
  'ohio',
  'virginia',
  'west',
  'virginia',
  'north',
  'carolina',
  'weather',
  'heat',
  'chicago',
  'weather',
  'alert',
  'storm',
  'threat',
  'humid',
  'thursday',
  'weather',
  'alert',
  'day',
  'thunderstorm',
  'watch',
  'michigan',
  'p.m.',
  'weather',
  'alert',
  'thunderstorm',
  'warning',
  'heat',
  'index',
  'degree',
  'april',
  'pm',
  'cbs',
  'interactive',
  'inc.',
  'rights',
  'thank',
  'cbs',
  'news',
  'account',
  'feature',
  'email',
  'address',
  'email',
  'address',
  'weather',
  'heat',
  'chicago',
  'weather',
  'alert',
  'storm',
  'threat',
  'humid',
  'thursday',
  'weather',
  'alert',
  'day',
  'thunderstorm',
  'watch',
  'michigan',
  'p.m.',
  'overnight',
  'storm',
  'wind',
  'minnesota',
  'lightning',
  'house',
  'fire',
  'metro',
  'copyright',
  'cbs',
  'interactive',
  'inc.',
  'right',
  'privacy',
  'policy',
  'california',
  'notice',
  'personal',
  'information',
  'terms',
  'use',
  'advertise',
  'captioning',
  'cbs',
  'news',
  'paramount+',
  'cbs',
  'news',
  'store',
  'site',
  'map',
  'contact',
  'browser',
  'notification',
  'news',
  'event',
  'reporting'],
 ['north',
  'dakota',
  'storm',
  'jamestown',
  'n.d.',
  'year',
  'week',
  'north',
  'dakota',
  'shelter',
  'winter',
  'storm',
  'region',
  'settlement',
  'blizzard',
  'march',
  'legend',
  'north',
  'dakota',
  'caption',
  'national',
  'weather',
  'service',
  'photo',
  'train',
  'photo',
  'march',
  'bill',
  'koch',
  'north',
  'dakota',
  'department',
  'transportation',
  'jamestown',
  'n.d.',
  'photo',
  'ernest',
  'feland',
  'dot',
  'keith',
  'norman',
  'forum',
  'news',
  'service',
  'march',
  'jamestown',
  'n.d.',
  'year',
  'week',
  'north',
  'dakota',
  'shelter',
  'winter',
  'storm',
  'region',
  'settlement',
  'storm',
  'march',
  'inch',
  'snow',
  'wind',
  'mph',
  'day',
  'period',
  'community',
  'woodworth',
  'fate',
  'year',
  'girl',
  'storm',
  'timothy',
  'kuhn',
  'searcher',
  'storm',
  'girl',
  'kuhn',
  'man',
  'woodworth',
  'friday',
  'march',
  'day',
  'storm',
  'search',
  'betty',
  'deede',
  'cousin',
  'kuhn',
  'wife',
  'marretta',
  'betty',
  'deede',
  'farm',
  'friday',
  'search',
  'man',
  'county',
  'shop',
  'woodworth',
  'plan',
  'rope',
  'searcher',
  'county',
  'snowplow',
  'fan',
  'plow',
  'pasture',
  'deede',
  'farm',
  'kuhn',
  'visibility',
  'ground',
  'level',
  'friday',
  'woodworth',
  'power',
  'line',
  'street',
  'home',
  'county',
  'shop',
  'storm',
  'saturday',
  'searcher',
  'deede',
  'farm',
  'betty',
  'kuhn',
  'betty',
  'family',
  'barn',
  'cousin',
  'cattle',
  'friday',
  'barn',
  'farm',
  'outbuilding',
  'pony',
  'pony',
  'barn',
  'kuhn',
  'wind',
  'course',
  'wind',
  'ground',
  'snow',
  'snowbank',
  'area',
  'saturday',
  'ground',
  'betty',
  'step',
  'snow',
  'footprint',
  'snow',
  'searcher',
  'kuhn',
  'railroad',
  'track',
  'slough',
  'nest',
  'track',
  'slough',
  'searcher',
  'track',
  'betty',
  'panic',
  'kuhn',
  'body',
  'fence',
  'line',
  'saturday',
  'afternoon',
  'year',
  'fact',
  'kuhn',
  'search',
  'family',
  'marretta',
  'kuhn',
  'community',
  'death',
  'associated',
  'press',
  'article',
  'saturday',
  'march',
  'people',
  'storm',
  'betty',
  'deede',
  'casualty',
  'storm',
  'storm',
  'state',
  'record',
  'winter',
  'storm',
  'storm',
  'daryl',
  'ritchison',
  'state',
  'climatologist',
  'north',
  'dakota',
  'jamestown',
  'area',
  'northeast',
  'epicenter',
  'storm',
  'weather',
  'statistic',
  'jamestown',
  'municipal',
  'airport',
  'north',
  'dakota',
  'state',
  'hospital',
  'time',
  'staff',
  'state',
  'hospital',
  'snowfall',
  'basis',
  'condition',
  'snow',
  'wind',
  'v',
  'visibility',
  'observer',
  'march',
  'snowstorm',
  'v',
  'march',
  'snow',
  'wind',
  'v',
  'march',
  'entry',
  'notation',
  'inch',
  'snow',
  'accumulation',
  'day',
  'period',
  'inch',
  'march',
  'ritchison',
  'storm',
  'visibility',
  'day',
  'storm',
  'hour',
  'visibility',
  'storm',
  'record',
  'book',
  'storm',
  'europeans',
  'region',
  'aspect',
  'account',
  'ritchison',
  'storm',
  'winter',
  'weather',
  'pattern',
  'storm',
  'pacific',
  'northwest',
  'level',
  'blockage',
  'storm',
  'storm',
  'snow',
  'wind',
  'mph',
  'temperature',
  'march',
  'ritchison',
  'day',
  'storm',
  'march',
  'temperature',
  'degree',
  'degree',
  'low',
  'storm',
  'temperature',
  'high',
  'low',
  'degree',
  'march',
  'day',
  'process',
  'low',
  'reading',
  'ritchison',
  'condition',
  'march',
  'storm',
  'magnitude',
  'storm',
  'storm',
  'temperature',
  'storm',
  'snow',
  'snowbank',
  'snowplow',
  'day',
  'merle',
  'weatherly',
  'jamestown',
  'weatherly',
  'national',
  'guard',
  'soldier',
  'duty',
  'area',
  'storm',
  'caterpillar',
  'loader',
  'drift',
  'town',
  'foot',
  'probe',
  'snowbank',
  'vehicle',
  'week',
  'weatherly',
  'national',
  'guard',
  'crew',
  'shift',
  'clock',
  'farm',
  'community',
  'snowdrift',
  'country',
  'priority',
  'thing',
  'snowbank',
  'case',
  'thing',
  'house',
  'kuhn',
  'trailer',
  'home',
  'door',
  'neighbor',
  'woodworth',
  'snow',
  'exception',
  'section',
  'roof',
  'roof',
  'kuhn',
  'bit',
  'casualty',
  'storm',
  'north',
  'dakota',
  'state',
  'university',
  'extension',
  'service',
  'cattle',
  'sheep',
  'hog',
  'storm',
  'state',
  'animal',
  'barn',
  'weight',
  'snow',
  'building',
  'snow',
  'animal',
  'storm',
  'class',
  'b',
  'district',
  'boy',
  'basketball',
  'tournament',
  'delay',
  'rescheduling',
  'tournament',
  'storm',
  'northern',
  'pacific',
  'passenger',
  'train',
  'jamestown',
  'passenger',
  'hotel',
  'resident',
  'storm',
  'weekend',
  'track',
  'snow',
  'passenger',
  'jamestown',
  'bus',
  'rev.',
  'n.e.',
  'mccoy',
  'church',
  'service',
  'ritchison',
  'storm',
  'end',
  'winter',
  'snow',
  'snow',
  'storm',
  'moisture',
  'flooding',
  'area',
  'temperature',
  'high',
  'degree',
  'march',
  'flooding',
  'stream',
  'week',
  'end',
  'storm',
  'jamestown',
  'jamestown',
  'dam',
  'james',
  'river',
  'level',
  'pipestem',
  'creek',
  'stream',
  'flooding',
  'area',
  'town',
  'storm',
  'legend',
  'larry',
  'skroch',
  'co',
  '-',
  'author',
  'blizzard',
  'march',
  'storm',
  'north',
  'dakota',
  'history',
  'blizzard',
  'death',
  'north',
  'dakota',
  'man',
  'heart',
  'attack',
  'storm',
  'betty',
  'deede',
  'person',
  'storm',
  'baby',
  'boomer',
  'skroch',
  'blizzard',
  'lot',
  'people',
  'douglas',
  'ramsey',
  'co',
  '-',
  'author',
  'book',
  'blizzard',
  'march',
  'storm',
  'north',
  'dakota',
  'town',
  'population',
  'storm',
  'time',
  'town',
  'town',
  'newspaper',
  'implement',
  'dealer',
  'thing',
  'storm',
  'kuhn',
  'resident',
  'north',
  'dakota',
  'woodworth',
  'resident',
  'storm',
  'way',
  'winter',
  'weather',
  'couple',
  'hour',
  'day',
  'betty',
  'deede',
  'woodworth',
  'north',
  'dakota',
  'casualty',
  'storm',
  'march',
  'agweek',
  'forum',
  'communications',
  'company',
  'street',
  'north',
  'fargo',
  'nd',
  'javascript',
  'javascript',
  'page',
  'news',
  'message',
  'error',
  'customer',
  'support',
  'team'],
 ['contentskip',
  'navigationskip',
  'key',
  'navigationprint',
  'subscription',
  'sign',
  'insearch',
  'jobssearchus',
  'editionus',
  'editionuk',
  'editionaustralia',
  'guardian',
  'guardiannewsopinionsportculturelifestyleshowmoreshow',
  'morenewsview',
  'newsus',
  'newsworld',
  'politicsbusinesstechsciencenewslettersfight',
  'democracyopinionview',
  'opinionthe',
  'guardian',
  'viewcolumnistslettersopinion',
  'videoscartoonssportview',
  'sportsoccernfltennismlbmlsnbanhlf1golfcultureview',
  'culturefilmbooksmusicart',
  'designtv',
  'radiostageclassicalgameslifestyleview',
  'lifestylefashionfoodrecipeslove',
  'sexhome',
  'gardenhealth',
  'fitnessfamilytravelmoneysearch',
  'input',
  'google',
  'search',
  'searchsupport',
  'usprint',
  'subscriptionsus',
  'editionuk',
  'editionaustralia',
  'editionsearch',
  'jobsdigital',
  'archiveguardian',
  'puzzles',
  'licensingthe',
  'guardian',
  'guardianguardian',
  'weeklycrosswordswordiplycorrectionsfacebooktwittersearch',
  'jobsdigital',
  'archiveguardian',
  'puzzles',
  'appguardian',
  'licensingenvironmentclimate',
  'lightextreme',
  'weathervermont',
  'governor',
  'disaster',
  'declaration',
  'white',
  'house',
  'state',
  'brace',
  'storm',
  'storm',
  'warning',
  'day',
  'area',
  'vermont',
  'new',
  'york',
  'flash',
  'flooding',
  'concern',
  'damage',
  'jul',
  'chao',
  'fong',
  'fran',
  'lawther',
  'earlier)thu',
  'jul',
  'edtfirst',
  'thu',
  'jul',
  'events13',
  'jul',
  'jul',
  'fatality',
  'vermont',
  'jul',
  'downpour',
  'life',
  'flood',
  'risk',
  'northeast13',
  'jul',
  'governor',
  'request',
  'president',
  'biden',
  'disaster',
  'declaration13',
  'jul',
  'dome',
  'digit',
  'temperature',
  'california13',
  'jul',
  'thunderstorm',
  'warning',
  'new',
  'york',
  'vermont',
  'ohio',
  'valley',
  'region',
  'jul',
  'ocean',
  'temperature',
  'noaa13',
  'jul',
  'republicans',
  'climate',
  'funding',
  'million',
  'weather13',
  'jul',
  'heat',
  'stress',
  'jul',
  'climate',
  'change',
  'montpelier',
  'vermont',
  'resident',
  'up13',
  'jul',
  'south',
  'west',
  'heat',
  'chicago',
  'aftermath',
  'tornado',
  'ariel',
  'vermont',
  'flood',
  'londonderry',
  'photograph',
  'ap',
  'tmxariel',
  'vermont',
  'flood',
  'londonderry',
  'photograph',
  'ap',
  'tmxléonie',
  'chao',
  'fong',
  'fran',
  'lawther',
  'earlier)thu',
  'jul',
  'edtfirst',
  'thu',
  'jul',
  'edtshow',
  'event',
  'javascript',
  'jul',
  'edtsevere',
  'thunderstorm',
  'new',
  'york',
  'vermont',
  'ohio',
  'valley',
  'region',
  'thunderstorm',
  'today',
  'new',
  'york',
  'vermont',
  'ohio',
  'valley',
  'national',
  'weather',
  'service',
  'storm',
  'prediction',
  'center',
  'wind',
  'hail',
  'couple',
  'tornado',
  'area',
  'thunderstorm',
  'today',
  'portion',
  'plains',
  'hail',
  'wind',
  'hazard',
  'storm',
  'tornado',
  'thunderstorm',
  'today',
  'new',
  'york',
  'vermont',
  'ohio',
  'valley',
  'wind',
  'hail',
  'couple',
  'tornado',
  'area',
  'pic.twitter.com/vv1fwozyzk',
  'nws',
  'storm',
  'prediction',
  'center',
  '@nwsspc',
  'july',
  'events13',
  'jul',
  'jul',
  'fatality',
  'vermont',
  'jul',
  'downpour',
  'life',
  'flood',
  'risk',
  'northeast13',
  'jul',
  'governor',
  'request',
  'president',
  'biden',
  'disaster',
  'declaration13',
  'jul',
  'dome',
  'digit',
  'temperature',
  'california13',
  'jul',
  'thunderstorm',
  'warning',
  'new',
  'york',
  'vermont',
  'ohio',
  'valley',
  'region',
  'jul',
  'ocean',
  'temperature',
  'noaa13',
  'jul',
  'republicans',
  'climate',
  'funding',
  'million',
  'weather13',
  'jul',
  'heat',
  'stress',
  'jul',
  'climate',
  'change',
  'montpelier',
  'vermont',
  'resident',
  'up13',
  'jul',
  'south',
  'west',
  'heat',
  'chicago',
  'aftermath',
  'tornadoesshow',
  'event',
  'javascript',
  'jul',
  'recap',
  'today',
  'development',
  'authority',
  'vermont',
  'person',
  'week',
  'flooding',
  'stephen',
  'davoll',
  'barre',
  'city',
  'wednesday',
  'result',
  'accident',
  'home',
  'vermont',
  'department',
  'health',
  'davoll',
  'fatality',
  'state',
  'week',
  'storm',
  'flooding',
  'vermont',
  'governor',
  'phil',
  'scott',
  'disaster',
  'declaration',
  'white',
  'house',
  'declaration',
  'state',
  'disaster',
  'relief',
  'fund',
  'thunderstorm',
  'state',
  'thursday',
  'night',
  'flash',
  'flooding',
  'downpour',
  'thunderstorm',
  'north',
  'east',
  'week',
  'week',
  'meteorologist',
  'potential',
  'life',
  'flooding',
  'area',
  'flooding',
  'area',
  'flooding',
  'accuweather',
  'meteorologist',
  'heat',
  'dome',
  'california',
  'digit',
  'temperature',
  'fire',
  'danger',
  'california',
  'region',
  'temperature',
  'central',
  'valley',
  'town',
  'bakersfield',
  'fresno',
  'merced',
  'temperature',
  '109f',
  'sunday',
  'national',
  'weather',
  'service',
  'temperature',
  'valley',
  '117f.',
  'florida',
  'sunshine',
  'record',
  'temperature',
  'heatwave',
  'south',
  'florida',
  'weather',
  'national',
  'weather',
  'service',
  'alert',
  'area',
  'thursday',
  'national',
  'weather',
  'service',
  'thunderstorm',
  'watch',
  'indiana',
  'kentucky',
  'ohio',
  'pennsylvania',
  'west',
  'virginia',
  'thunderstorm',
  'oklahoma',
  'risk',
  'hail',
  'wind',
  'gust',
  'tornado',
  'watch',
  'colorado',
  'kansas',
  'national',
  'weather',
  'service',
  'month',
  'june',
  'record',
  'land',
  'sea',
  'scientist',
  'surface',
  'land',
  'ocean',
  'temperature',
  'june',
  'record',
  'set',
  'june',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'climate',
  'report',
  'el',
  'niño',
  'condition',
  'pacific',
  'ocean',
  'year',
  'chance',
  'record',
  'event',
  'temperature',
  'globe',
  'scientist',
  'swath',
  'record',
  'heat',
  'lawmaker',
  'spending',
  'climate',
  'crisis',
  'advocate',
  'edt13',
  'jul',
  'edtfirst',
  'fatality',
  'vermont',
  'floodingauthoritie',
  'vermont',
  'person',
  'week',
  'flooding',
  'stephen',
  'davoll',
  'barre',
  'city',
  'wednesday',
  'result',
  'accident',
  'home',
  'vermont',
  'department',
  'health',
  'state',
  'office',
  'examiner',
  'barre',
  'police',
  'department',
  'death',
  'agency',
  'davoll',
  'fatality',
  'state',
  'week',
  'storm',
  'flooding',
  'rescue',
  'evacuation',
  'place',
  'week',
  'result',
  'weather',
  'edt13',
  'jul',
  'edta',
  'tornado',
  'watch',
  'colorado',
  'kansas',
  'national',
  'weather',
  'service',
  'county',
  'colorado',
  'kansas',
  'tornado',
  'watch',
  'potential',
  'tornado',
  'afternoon',
  'evening',
  'pic.twitter.com/kb68n7jepv',
  'nws',
  'storm',
  'prediction',
  'center',
  '@nwsspc',
  'july',
  'edt13',
  'jul',
  'edtenvironment',
  'canada',
  'tornado',
  'montreal',
  'area',
  'thursday',
  'storm',
  'quebec',
  'weather',
  'agency',
  'tornado',
  'mirabel',
  'quebec',
  'injury',
  'damage',
  'tornado',
  'warning',
  'area',
  'lachute',
  'vaudreuil',
  'dorion',
  'salaberry',
  'de',
  '-',
  'valleyfield',
  'region',
  'rawdon',
  'joliette',
  'tornado',
  'montreal',
  'area',
  'tornado',
  'thunderstorm',
  'warning',
  'effect',
  'area',
  'flooding',
  'rain',
  'line',
  'wind',
  'tornado',
  'power',
  'outage',
  'forest',
  'fire',
  'afternoon',
  'montreal',
  'https://t.co/8p7xo02oaf',
  'anthony',
  'farnell',
  '@anthonyfarnell',
  'july',
  'jul',
  'edtextreme',
  'downpour',
  'life',
  'flood',
  'risk',
  'northeastextreme',
  'downpour',
  'thunderstorm',
  'north',
  'east',
  'week',
  'week',
  'meteorologist',
  'potential',
  'life',
  'flooding',
  'area',
  'flooding',
  'area',
  'flooding',
  'accuweather',
  'meteorologist',
  'rainfall',
  'rate',
  'inch',
  'hour',
  'flash',
  'flooding',
  'flooding',
  'accuweather',
  'meteorologist',
  'jon',
  'porter',
  'rain',
  'rate',
  'inch',
  'hour',
  'rain',
  'flash',
  'flooding',
  'cloudburst',
  'area',
  'ground',
  'rain',
  'ocean',
  'water',
  'temperature',
  'degree',
  'summer',
  'flooding',
  'risk',
  'north',
  'east',
  'edt13',
  'jul',
  'image',
  'newswire',
  'aftermath',
  'flooding',
  'vermont',
  'rv',
  'business',
  'vermont',
  'route',
  'east',
  'montpelier',
  'photograph',
  'washington',
  'post',
  'getty',
  'imagesgordon',
  'george',
  'barre',
  'vermont',
  'damage',
  'home',
  'flash',
  'flooding',
  'photograph',
  'washington',
  'post',
  'getty',
  'fawn',
  'route',
  'montpelier',
  'floodwater',
  'winooski',
  'river',
  'road',
  'photograph',
  'john',
  'lazenby',
  'alamya',
  'kayaker',
  'water',
  'elm',
  'street',
  'montpelier',
  'vermont',
  'photograph',
  'kylie',
  'cooper',
  'getty',
  'imagesupdated',
  'edt13',
  'jul',
  'edtvermont',
  'governor',
  'request',
  'president',
  'biden',
  'disaster',
  'declarationday',
  'rainfall',
  'vermont',
  'storm',
  'way',
  'phil',
  'scott',
  'state',
  'governor',
  'disaster',
  'declaration',
  'white',
  'house',
  'declaration',
  'state',
  'disaster',
  'relief',
  'fund',
  'loss',
  'result',
  'flooding',
  'event',
  'scott',
  'statement',
  'response',
  'recovery',
  'phase',
  'assistance',
  'family',
  'business',
  'infrastructure',
  'support',
  'washington',
  'resiliency',
  'vermonters',
  'request',
  'major',
  'disaster',
  'declaration',
  'vermont',
  'vermonter',
  'loss',
  'result',
  'flooding',
  'event',
  'https://t.co/m0yhf26y12',
  'pic.twitter.com/c5ihlkxgpu',
  'governor',
  'phil',
  'scott',
  '@govphilscott',
  'july',
  'thunderstorm',
  'state',
  'thursday',
  'night',
  'flash',
  'flooding',
  'scott',
  'news',
  'conference',
  'condition',
  'tornado',
  'edt13',
  'jul',
  'edterum',
  'salamthings',
  'state',
  'florida',
  'state',
  'sunshine',
  'record',
  'temperature',
  'heatwave',
  'temperature',
  'humidity',
  'region',
  'feels',
  'temperature',
  'state',
  '105f',
  'weather',
  'channel',
  'south',
  'florida',
  'weather',
  'national',
  'weather',
  'service',
  'nws',
  'alert',
  'area',
  'thursday',
  'nws',
  'heat',
  'people',
  'newborn',
  'child',
  'illness',
  'risk',
  'danger',
  'heat',
  'group',
  'neighbor',
  'heat',
  'weatherready',
  'https://t.co/em4ggnzjxq',
  'pic.twitter.com/i3oomzbx6l',
  'national',
  'weather',
  'service',
  'july',
  'edt13',
  'jul',
  'edtthe',
  'national',
  'weather',
  'service',
  'nws',
  'thunderstorm',
  'oklahoma',
  'risk',
  'hail',
  'wind',
  'gust',
  'wind',
  'weather',
  'hazard',
  'storm',
  'coverage',
  'evening',
  'nws',
  'possibility',
  'tornado',
  'thunderstorm',
  'afternoon',
  'risk',
  'hail',
  'wind',
  'gust',
  'storm',
  'coverage',
  'evening',
  'wind',
  'weather',
  'hazard',
  'tornado',
  'pic.twitter.com/1hubmlpj4k',
  'nws',
  'storm',
  'prediction',
  'center',
  '@nwsspc',
  'july',
  'edt13',
  'jul',
  'edtgabrielle',
  'canoni',
  'michael',
  'shaw',
  'encampment',
  'phoenix',
  'resident',
  'heatwave',
  'high',
  '110f',
  'day',
  'condition',
  'water',
  'pic.twitter.com/uxwyrmxcmb',
  'gabrielle',
  'canon',
  'july',
  'shade',
  'concrete',
  'makeshift',
  'shelter',
  'sidewalk',
  'fatality',
  'phoenix',
  'heatwave',
  'hell',
  'earth',
  'shaw',
  'day',
  'gabrielle',
  'canon',
  'july',
  'jul',
  'edtgabrielle',
  'canondelivery',
  'driver',
  '110f',
  'heat',
  'phoenix',
  'arizonain',
  'throe',
  'amazon',
  'prime',
  'day',
  'giant',
  'sale',
  'event',
  'wednesday',
  'million',
  'package',
  'dime',
  'phoenix',
  'arizona',
  'temperature',
  '110f',
  'week',
  'delivery',
  'driver',
  'box',
  'doorstep',
  'heat',
  'week',
  'week',
  'record',
  'gabe',
  'castle',
  'shuttle',
  'armful',
  'package',
  'truck',
  'minute',
  'break',
  'man',
  'brow',
  'mister',
  'downtown',
  'phoenix',
  'photograph',
  'matt',
  'york',
  'apthe',
  'driver',
  'raffle',
  'ticket',
  'drawing',
  'order',
  'load',
  'initiative',
  'employer',
  'schedule',
  'castle',
  'heat',
  'handyman',
  'construction',
  'background',
  'business',
  'health',
  'issue',
  'problem',
  'health',
  'coverage',
  'driver',
  'hour',
  'shift',
  'day',
  'van',
  'water',
  'bottle',
  'water',
  'bottle',
  'gatorades',
  'bottle',
  'packet',
  'electrolyte',
  'mix',
  'towel',
  'ice',
  'delivery',
  'head',
  'neck',
  'ac',
  'material',
  'shoulder',
  'sweat',
  'runoff',
  'shirt',
  'problem',
  'edt13',
  'jul',
  'edterum',
  'salamin',
  'california',
  'step',
  'child',
  'heat',
  'today',
  'governor',
  'gavin',
  'newsom',
  'm',
  'initiative',
  'cal',
  'fire',
  'asphalt',
  'school',
  'ground',
  'greenery',
  'space',
  'child',
  'heat',
  'newsom',
  'extreme',
  'heat',
  'action',
  'plan',
  '2022.in',
  'press',
  'release',
  'newsom',
  'california',
  'future',
  'heat',
  'action',
  'kid',
  ...],
 ['search',
  'homepage',
  'local',
  'news',
  'national',
  'news',
  'politics',
  'fact',
  'fact',
  'local',
  'weather',
  'radar',
  'alert',
  'hurricanes',
  'future',
  'sports',
  'blitz',
  'player',
  'week',
  'scholar',
  'athlete',
  'project',
  'community',
  'school',
  'tools',
  'mississippi',
  'editorials',
  'entertainment',
  'state',
  'addiction',
  'news',
  'love',
  'metv',
  'news',
  'team',
  'contests',
  'contact',
  'advertise',
  'wapt',
  'privacy',
  'notice',
  'terms',
  'use',
  'press',
  'type',
  'search',
  'wedge',
  'tornado',
  'mile',
  'trail',
  'damage',
  'mississippi',
  'tornado',
  'emergency',
  'rolling',
  'fork',
  'wedge',
  'tornado',
  'pm',
  'cdt',
  'mar',
  'wedge',
  'tornado',
  'mile',
  'trail',
  'damage',
  'mississippi',
  'tornado',
  'emergency',
  'rolling',
  'fork',
  'wedge',
  'tornado',
  'pm',
  'cdt',
  'mar',
  'circular',
  'track',
  'terrible',
  'tornado',
  'providence',
  'severe',
  'thunderstorm',
  'warning',
  'quickly',
  'approached',
  'mississippi',
  'river',
  'tornado',
  'warning',
  'boy',
  'hit',
  'gwala',
  'silver',
  'city',
  'hit',
  'cholla',
  'track',
  'yellow',
  'area',
  'extreme',
  'extreme',
  'end',
  'scale',
  'rotation',
  'shear',
  'associated',
  'awful',
  'storm',
  'w',
  'alerts',
  'breaking',
  'update',
  'email',
  'inbox',
  'wedge',
  'tornado',
  'mile',
  'trail',
  'damage',
  'mississippi',
  'tornado',
  'emergency',
  'rolling',
  'fork',
  'wedge',
  'tornado',
  'pm',
  'cdt',
  'mar',
  'people',
  'friday',
  'night',
  'tornado',
  'mississippi',
  'alabama',
  'death',
  'sharkey',
  'county',
  'radar',
  'alert',
  'closing',
  'download',
  'wapt',
  'app"many',
  'ms',
  'delta',
  'prayer',
  'god',
  'protection',
  'tonight',
  'gov.',
  'tate',
  'reeves',
  'tweet',
  'tornado',
  'emergency',
  'tornado',
  'warning',
  'twister',
  'fork',
  'hit',
  'ef3',
  'wapt',
  'chief',
  'meteorologist',
  'david',
  'hartman',
  'tornado',
  'lake',
  'providence',
  'p.m.',
  'rolling',
  'fork',
  'hit',
  'wedge',
  'tornado',
  'anguilla',
  'weather',
  'spotter',
  'damage',
  'people',
  'structure',
  'vehicle',
  'reeves',
  'mississippi',
  'emergency',
  'management',
  'agency',
  'response',
  'search',
  'rescue',
  'asset',
  'sharkey',
  'humphreys',
  'county',
  'tonight',
  'people',
  'rolling',
  'fork',
  'situation',
  'tornado',
  'storm',
  'chaser',
  'stephanie',
  'cox',
  'tweet',
  'sharkey',
  'issaquena',
  'community',
  'hospital',
  'rolling',
  'fork',
  'emergency',
  'responder',
  'people',
  'vicksburg',
  'treatment',
  'state',
  'official',
  'hospital',
  'need',
  'service',
  'support',
  'ambulance',
  'emergency',
  'asset',
  'search',
  'rescue',
  'reeves',
  'damage',
  'silver',
  'city',
  'humphreys',
  'county',
  'tornado',
  'mile',
  'mississippi',
  'alabama',
  '"this',
  'situation',
  'wapt',
  'meteorologist',
  'christana',
  'kay',
  'hartman',
  'tornado',
  'life',
  'situation',
  'damage',
  'tornado',
  'yazoo',
  'city',
  'jackson',
  'miss.',
  'people',
  'friday',
  'night',
  'tornado',
  'mississippi',
  'alabama',
  'death',
  'sharkey',
  'county',
  'radar',
  'alert',
  'closing',
  'download',
  'wapt',
  'app',
  'ms',
  'delta',
  'prayer',
  'god',
  'protection',
  'tonight',
  'gov.',
  'tate',
  'reeves',
  'tweet',
  'tornado',
  'emergency',
  'tornado',
  'warning',
  'twister',
  'fork',
  'hit',
  'ef3',
  'wapt',
  'chief',
  'meteorologist',
  'david',
  'hartman',
  'tornado',
  'lake',
  'providence',
  'p.m.',
  'rolling',
  'fork',
  'hit',
  'wedge',
  'tornado',
  'anguilla',
  'weather',
  'spotter',
  'damage',
  'people',
  'structure',
  'vehicle',
  'reeves',
  'mississippi',
  'emergency',
  'management',
  'agency',
  'response',
  'search',
  'rescue',
  'asset',
  'sharkey',
  'humphreys',
  'county',
  'tonight',
  'people',
  'rolling',
  'fork',
  'situation',
  'tornado',
  'storm',
  'chaser',
  'stephanie',
  'cox',
  'tweet',
  'sharkey',
  'issaquena',
  'community',
  'hospital',
  'rolling',
  'fork',
  'emergency',
  'responder',
  'people',
  'vicksburg',
  'treatment',
  'state',
  'official',
  'hospital',
  'need',
  'service',
  'support',
  'ambulance',
  'emergency',
  'asset',
  'search',
  'rescue',
  'reeves',
  'damage',
  'silver',
  'city',
  'humphreys',
  'county',
  'content',
  'twitter',
  'content',
  'format',
  'information',
  'web',
  'site',
  'tornado',
  'emergency',
  'belzoni',
  'ms',
  'rolling',
  'fork',
  'ms',
  'anguilla',
  'ms',
  'pm',
  'cdt',
  'pic.twitter.com/8yrxptjwda',
  'nws',
  'tornado',
  '@nwstornado',
  'march',
  'tornado',
  'mile',
  'mississippi',
  'alabama',
  '"this',
  'situation',
  'wapt',
  'meteorologist',
  'christana',
  'kay',
  'hartman',
  'tornado',
  'life',
  'situation',
  'damage',
  'tornado',
  'yazoo',
  'city',
  'mattel',
  'barbie',
  'movie',
  'dolls',
  'margot',
  'robbie',
  'ryan',
  'gosling',
  'barbie',
  'movie',
  'amazon',
  'shop',
  'pink',
  'fantastic',
  'merch',
  'contact',
  'news',
  'team',
  'apps',
  'social',
  'email',
  'alerts',
  'careers',
  'internships',
  'digital',
  'advertising',
  'terms',
  'conditions',
  'broadcast',
  'terms',
  'conditions',
  'rss',
  'eeo',
  'captioning',
  'contacts',
  'public',
  'inspection',
  'file',
  'public',
  'file',
  'assistance',
  'fcc',
  'applications',
  'news',
  'policy',
  'statements',
  'hearst',
  'television',
  'affiliate',
  'marketing',
  'program',
  'commission',
  'product',
  'link',
  'retailer',
  'site',
  'hearst',
  'television',
  'inc.',
  'behalf',
  'wapt',
  'tv',
  'privacy',
  'notice',
  'california',
  'privacy',
  'rights',
  'interest',
  'ads',
  'terms',
  'use',
  'site',
  'map'],
 ['motorcyclist',
  'hillside',
  'hwy',
  'nevada',
  'county',
  'water',
  'california',
  'groundwater',
  'storage',
  'grass',
  'valley',
  'nevada',
  'city',
  'worry',
  'nevada',
  'city',
  'brace',
  'atmospheric',
  'river',
  'storm',
  'home',
  'day',
  'power',
  'nevada',
  'city',
  'resident',
  'rain',
  'snow',
  'soil',
  'example',
  'video',
  'title',
  'video',
  'pm',
  'pst',
  'march',
  'pm',
  'pst',
  'march',
  'nevada',
  'city',
  'calif.',
  'nevada',
  'city',
  'resident',
  'brunt',
  'northern',
  'california',
  'storm',
  'rain',
  'foot',
  'snow',
  'area',
  'people',
  'power',
  'storm',
  'city',
  'goodness',
  'day',
  'world',
  'susan',
  'bauman',
  'home',
  'day',
  'power',
  'daughter',
  'thursday',
  'flooding',
  'garbage',
  'bag',
  'snow',
  'garage',
  'snow',
  'end',
  'garage',
  'rain',
  'bauman',
  'finger',
  'north',
  'bloomfield',
  'road',
  'area',
  'crew',
  'power',
  'line',
  'people',
  'way',
  'world',
  'bauman',
  'help',
  'resident',
  'neighbor',
  'community',
  'access',
  'business',
  'owner',
  'reason',
  'rain',
  'thursday',
  'afternoon',
  'flooding',
  'hill',
  'drought',
  'soil',
  'water',
  'sky',
  'seals',
  'venue',
  'manager',
  'stone',
  'house',
  'business',
  'owner',
  'deer',
  'creek',
  'california',
  'snow',
  'storm',
  'watch',
  'sierra',
  'snow',
  'valley',
  'area',
  'wind',
  'rain',
  'nevada',
  'city',
  'storm',
  'aftermath',
  'emergency',
  'declaration',
  'el',
  'dorado',
  'co.',
  'loss',
  'roof',
  'nevada',
  'city',
  'school',
  'gym',
  'dozen',
  'nevada',
  'city',
  'resident',
  'power',
  'abc10',
  'stream',
  'newscast',
  'demand',
  'video',
  'app',
  'roku',
  'amazon',
  'fire',
  'tv',
  'apple',
  'tv',
  'abc10',
  'abc10',
  'app',
  'weather',
  'forecast',
  'track',
  'storm',
  'radar',
  'abc10',
  'app',
  'news',
  'alert',
  'news',
  'tip',
  'abc10',
  'weather',
  'force',
  'weather',
  'photo',
  'abc10',
  'app',
  'stream',
  'abc10',
  'newscast',
  'demand',
  'video',
  'app',
  'roku',
  'amazon',
  'fire',
  'tv',
  'apple',
  'tv',
  'eeo',
  'public',
  'file',
  'report',
  'fcc',
  'online',
  'public',
  'inspection',
  'file',
  'closed',
  'caption',
  'procedure',
  'personal',
  'information',
  'kxtv',
  'tv',
  'rights',
  'kxtv',
  'notification',
  'news',
  'weather',
  'notification',
  'browser',
  'setting'],
 ['contentlivenewsconstruction',
  'mappolitical',
  'blogweatherpodcastscontestssubmit',
  'news',
  'tipsubmit',
  'photos',
  'videosnewsletternewslocalnationalcrimeeconomypoliticsanchorage',
  'editionweatherweather',
  'headlinesweather',
  'labsky',
  'alaskapicture',
  'alaskatrafficgas',
  'sportsalaska',
  'olympiansiron',
  'dogathlete',
  'weekfishing',
  'reportiditarodmount',
  'marathonstats',
  'predictionshow',
  'shelternourish',
  'alaskatelling',
  'alaska',
  'storyin',
  'depth',
  'alaskait',
  'goodinside',
  'gatesoutside',
  'gateswatching',
  'walletthe',
  'video',
  'guzzy',
  'health',
  'minutelivestream',
  'newscastsstream',
  'ussign',
  'newslettersubmit',
  'news',
  'tipssubmit',
  'photos',
  'videosdownload',
  'appshow',
  'demandcommunity',
  'calendaradvertise',
  'usmeet',
  'teamwhat',
  'ktuujob',
  'openingsktuu',
  'press',
  'releasesprogramming',
  'scheduletransmitter',
  'faqcircle',
  'country',
  'music',
  'lifestylegray',
  'dc',
  'bureaupowernationinvestigatetvpress',
  'releasesmultiple',
  'winter',
  'weather',
  'alert',
  'effect',
  'storm',
  'aim',
  'alaskablizzard',
  'condition',
  'coastline',
  'alaskaby',
  'aaron',
  'morrisonpublished',
  'feb.',
  'akstshare',
  'facebookemail',
  'linkshare',
  'twittershare',
  'pinterestshare',
  'linkedinanchorage',
  'alaska',
  'ktuu',
  'southcentral',
  'southeast',
  'alaska',
  'area',
  'pressure',
  'bering',
  'sea',
  'stretch',
  'winter',
  'weather',
  'state',
  'form',
  'winter',
  'weather',
  'alert',
  'day',
  'detail',
  'alert',
  'article(alaska',
  'news',
  'source)the',
  'uptick',
  'weather',
  'hour',
  'bering',
  'sea',
  'low',
  'chukchi',
  'sea',
  'precipitation',
  'shield',
  'alaska',
  'impact',
  'today',
  'western',
  'alaska',
  'blizzard',
  'condition',
  'coastline',
  'area',
  'yukon',
  'delta',
  'winter',
  'alert',
  'rain',
  'snow',
  'condition',
  'temperature',
  'today',
  'accumulation',
  'rain',
  'norton',
  'sound',
  'point',
  'blizzard',
  'condition',
  'place',
  'day',
  'wind',
  'mph',
  'visibility',
  'snow',
  'coast',
  'snow',
  'seward',
  'peninsula',
  'seward',
  'peninsula',
  'foot',
  'foot',
  'half',
  'snow',
  'thursday',
  'morning',
  'precipitation',
  'shield',
  'wind',
  'area',
  'pressure',
  'water',
  'wind',
  'area',
  'interior',
  'alaska',
  'wind',
  'mph',
  'majority',
  'wind',
  'proximity',
  'gap',
  'pass',
  'mountain',
  'visibility',
  'snow',
  'snow',
  'snow',
  'interior',
  'thursday',
  'area',
  'inch',
  'snow',
  'air',
  'air',
  'potential',
  'glaze',
  'ice',
  'thursday',
  'afternoon',
  'snow',
  'brooks',
  'range',
  'foot',
  'snow',
  'north',
  'slope',
  'wind',
  'issue',
  'snow',
  'forecast',
  'inch',
  'slope',
  'exception',
  'beaufort',
  'sea',
  'coast',
  'south',
  'brooks',
  'range',
  'inch',
  'storm',
  'snow',
  'rain',
  'southcentral',
  'wednesday',
  'thursday',
  'chance',
  'flurry',
  'p.m.',
  'wednesday',
  'evening',
  'snow',
  'southcentral',
  'inch',
  'snowfall',
  'hillside',
  'valley',
  'snowfall',
  'total',
  'anchorage',
  'kenai',
  'peninsula',
  'air',
  'snow',
  'chance',
  'kenai',
  'inch',
  'snow',
  'glaze',
  'ice',
  'homer',
  'seward',
  'rain',
  'day',
  'snow',
  'rain',
  'area',
  'rain',
  'southcentral',
  'thursday',
  'evening.(alaska',
  'news',
  'source)thing',
  'anchorage',
  'wind',
  'contributor',
  'snow',
  'city',
  'level',
  'disturbance',
  'south',
  'night',
  'wind',
  'wind',
  'mph',
  'elevation',
  'snow',
  'thursday',
  'morning',
  'dent',
  'snow',
  'anchorage',
  'bowl',
  'rain',
  'snow',
  'chance',
  'inch',
  'snow',
  'anchorage',
  'hillside',
  'trouble',
  'inch',
  'snow',
  'wind',
  'wintry',
  'mix',
  'duration',
  'result',
  'snowfall',
  'total',
  'snowfall',
  'total',
  'anchorage',
  'bowl',
  'date',
  'information',
  'storm',
  'rain',
  'snow',
  'return',
  'southeast',
  'alaska',
  'condition',
  'panhandle',
  'weekend',
  'state',
  'thing',
  'weekend',
  'condition',
  'locationalerttimingimpactssoutheastern',
  'brooks',
  'rangewinter',
  'storm',
  'warninguntil',
  'friheavy',
  'snow',
  'wind',
  'mph',
  'wind',
  'chills',
  '°',
  'upper',
  'koyukuk',
  'valleywinter',
  'storm',
  'warninguntil',
  'thuheavy',
  'snow',
  'winds',
  'mph',
  'wind',
  'chills',
  '-30',
  '°',
  'yukon',
  'flats',
  'surrounding',
  'uplandswinter',
  'storm',
  'warninguntil',
  'friheavy',
  'snow',
  '8″',
  'east',
  'beaver',
  'wind',
  'chill',
  '-35',
  'central',
  'interiorwinter',
  'storm',
  'warninguntil',
  'thuheavy',
  'snow',
  'trace',
  'ice',
  'wind',
  'chill',
  '°',
  'tanana',
  'valleywinter',
  'storm',
  'd',
  'friheavy',
  'snow',
  'trace',
  'ice',
  'nenana',
  'hillsdenaliwinter',
  'storm',
  'warninguntil',
  'friheavy',
  'snow',
  'wind',
  'mph',
  'near',
  'passes',
  'light',
  'glaze',
  'ice',
  'thur',
  'alaska',
  'rangewinter',
  'weather',
  'd',
  'frisnow',
  'winds',
  'mph',
  'blowing',
  'snowst',
  'lawrence',
  'island',
  'bering',
  'strait',
  'coastblizzard',
  'warninguntil',
  'thusnow',
  'wind',
  'mph',
  'light',
  'glaze',
  'icechukchi',
  'sea',
  'coastblizzard',
  'warninguntil',
  'thusnow',
  '8″',
  'wind',
  'mphbaldwin',
  'peninsula',
  'selawik',
  'valleyblizzard',
  'warninguntil',
  'thusnow',
  'wind',
  'mphsouthern',
  'seward',
  'peninsula',
  'coastblizzard',
  'warninguntil',
  'thusnow',
  'wind',
  'mph',
  'light',
  'glaze',
  'iceeastern',
  'norton',
  'sound',
  'nulato',
  'hillsblizzard',
  'warninguntil',
  'thusnow',
  'wind',
  'mph',
  'light',
  'glaze',
  'icekobuk',
  'noatak',
  'valleyswinter',
  'storm',
  'warninguntil',
  'thuheavy',
  'snow',
  'wind',
  'mphnorthern',
  'interior',
  'seward',
  'peninsulawinter',
  'storm',
  'warninguntil',
  'thuheavy',
  'snow',
  'wind',
  'mphyukon',
  'deltawinter',
  'storm',
  'warninguntil',
  'thuheavy',
  'wintry',
  'mix',
  'snow',
  'ice',
  'wind',
  'mphlower',
  'yukon',
  'valleywinter',
  'storm',
  'warninguntil',
  'thuheavy',
  'wintry',
  'mix',
  'snow',
  'light',
  'glaze',
  'ice',
  'winds',
  'mphlower',
  'koyukuk',
  'middle',
  'yukon',
  'valleyswinter',
  'storm',
  'warninguntil',
  'thuheavy',
  'wintry',
  'mix',
  'snow',
  'light',
  'glaze',
  'ice',
  'winds',
  'mphupper',
  'kuskokwim',
  'valleywinter',
  'storm',
  'warninguntil',
  'thuheavy',
  'wintry',
  'mix',
  'snow',
  'light',
  'glaze',
  'ice',
  'wind',
  'weather',
  'advisory3am',
  'thu',
  'thuwintry',
  'mix',
  'snow',
  'winds',
  'mphwestern',
  'kenaiwinter',
  'weather',
  'advisorymidnight',
  'thuwintry',
  'snow',
  'light',
  'glaze',
  'icemat',
  'su',
  'valleywinter',
  'weather',
  'advisory6am',
  'thuwintry',
  'mix',
  'poss',
  'snow',
  '3″',
  'palmer',
  'wasillacopyright',
  'ktuu',
  'right',
  'read',
  'bronson',
  'address',
  'plane',
  'ticket',
  'population',
  'state',
  'denali',
  'business',
  'owner',
  'claim',
  'young',
  'geologist',
  'north',
  'slope',
  'helicopter',
  'crash',
  'family',
  'man',
  'swastika',
  'sticker',
  'anchorage',
  'building',
  'month',
  'hiker',
  'hour',
  'helicopter',
  'flattop',
  'mountainlatest',
  'news',
  'rain',
  'southcentral',
  'fridayrain',
  'friday',
  'sun',
  'cloud',
  'haze',
  'lingerssunshine',
  'thunderstorm',
  'activity',
  'alaskanewsweathersportscommunityktuu501',
  'east',
  'avenueanchorage',
  'ak',
  'inspection',
  'applicationsterm',
  'serviceprivacy',
  'statementadvertisingdigital',
  'advertisingclosed',
  'captioning',
  'audio',
  'descriptionat',
  'gray',
  'journalist',
  'news',
  'content',
  'community',
  'approach',
  'intelligence',
  'gray',
  'media',
  'group',
  'inc.',
  'station',
  'gray',
  'television',
  'inc.'],
 ['sign',
  'weather',
  'sign',
  'account',
  'weather',
  'sign',
  'account',
  'weather',
  'forgot',
  'password',
  'weatherboating',
  'baypollen',
  'reportspower',
  'outageswinter',
  'weatherlive',
  'updatesnewsaboutabout',
  'justinmaryland',
  'trekassembliesstore',
  'select',
  'location',
  'july',
  'heat',
  'wave',
  'building',
  'end',
  'weekend',
  'july',
  'noaa',
  'severe',
  'storm',
  'risk',
  'today',
  'heat',
  'wave',
  'faith',
  'flakes',
  'baseball',
  'cap',
  'weather',
  'photo',
  'video',
  'weather',
  'picture',
  'right',
  'image',
  'site',
  'ingenuity',
  'member',
  'share',
  'photos',
  'videos',
  'list',
  'member',
  'photo',
  'july',
  'heat',
  'wave',
  'building',
  'end',
  'weekend',
  'july',
  'wednesday',
  'morning',
  'update',
  'news',
  'headline',
  'july',
  'noaa',
  'severe',
  'storm',
  'risk',
  'today',
  'heat',
  'wave',
  'july',
  'tuesday',
  'morning',
  'update',
  'smattering',
  'storm',
  'yesterday',
  'july',
  'morning',
  'storm',
  'models',
  'heat',
  'wave',
  'july',
  'monday',
  'morning',
  'update',
  'morning',
  'cluster',
  'thunderstorm',
  'july',
  'storm',
  'mark',
  'heat',
  'wave',
  'july',
  'sunday',
  'morning',
  'update',
  'anytime',
  'humidity',
  'july',
  'type',
  'weather',
  'winter',
  'temperature',
  'breaking',
  'snowfall',
  'snow',
  'blizzard',
  'history',
  'winter',
  'fury',
  'northeast',
  'power',
  'weather',
  'survival',
  'tip',
  'power',
  'outage',
  'kind',
  'ice',
  'snow',
  'state',
  'water',
  'time',
  'glossary',
  'difference',
  'sleet',
  'rain',
  'sweatshirt',
  'hoodie',
  'tee',
  'baseball',
  'cap',
  'sweatpant',
  'maryland',
  'logo',
  'design',
  'faith',
  'flakes',
  'emblem',
  'faith',
  'flakes',
  'clothing',
  'apparel',
  'bulk',
  'school',
  'assembly',
  'kid',
  'newsletter',
  'weather',
  'inbox',
  'weatherboating',
  'baypollen',
  'reportspower',
  'outageswinter',
  'weather',
  'weather',
  'inbox',
  'copyright',
  'weather',
  'website',
  'inc.',
  'web',
  'design',
  'web',
  'maintenance',
  'company'],
 ['illinois',
  'storm',
  'chasers',
  'llc',
  'mother',
  'nature',
  'tue',
  'sat',
  'july',
  '29th',
  't’storm',
  'episode',
  'update',
  '10:30pm',
  'd',
  'july',
  '26th',
  'wednesday',
  'night',
  'update',
  'disturbance',
  'storm',
  'system',
  'region',
  'saturday',
  'periphery',
  'ridge',
  'place',
  'region',
  'pattern',
  'chance',
  'rain',
  't’storm',
  't’storm',
  'portion',
  'state',
  'read',
  'tue',
  'sat',
  'july',
  '29th',
  't’storm',
  'episode',
  'update',
  'july',
  'illinois',
  'storm',
  'chasersleave',
  'comment',
  'tue',
  'sat',
  'july',
  '29th',
  'heat',
  'wave',
  'update',
  '8:30pm',
  'd',
  'july',
  '26th',
  'wednesday',
  'update',
  'ridge',
  'region',
  'push',
  'condition',
  'state',
  'condition',
  'period',
  'weekend',
  'chance',
  'rain',
  't’storm',
  'portion',
  'state',
  'condition',
  'time',
  'read',
  'tue',
  'sat',
  'july',
  '29th',
  'heat',
  'wave',
  'update',
  'july',
  'illinois',
  'storm',
  'chasersleave',
  'comment',
  'tue',
  'wed',
  'july',
  '26th',
  't’storm',
  'episode',
  'update',
  'd',
  'july',
  '26th',
  'wednesday',
  'morning',
  'update',
  'disturbance',
  'region',
  'tonight',
  'chance',
  'round',
  'rain',
  't’storm',
  'portion',
  'state',
  't’storm',
  'threat',
  'setup',
  'product',
  'level',
  'flow',
  'read',
  'tue',
  'wed',
  'july',
  '26th',
  't’storm',
  'episode',
  'update',
  'july',
  'illinois',
  'storm',
  'chasersleave',
  'comment',
  'tue',
  'wed',
  'july',
  '26th',
  't’storm',
  'episode',
  'update',
  '10:30pm',
  'tues',
  'july',
  '25th',
  'tuesday',
  'night',
  'update',
  'disturbance',
  'region',
  'wednesday',
  'chance',
  'round',
  'rain',
  't’storm',
  'portion',
  'state',
  't’storm',
  'threat',
  'setup',
  'product',
  'level',
  'flow',
  'read',
  'tue',
  'wed',
  'july',
  '26th',
  't’storm',
  'episode',
  'update',
  'july',
  'illinois',
  'storm',
  'chasersleave',
  'comment',
  'tue',
  'sat',
  'july',
  '29th',
  'heat',
  'wave',
  'update',
  'tues',
  'july',
  '25th',
  'tuesday',
  'update',
  'ridge',
  'region',
  'push',
  'condition',
  'portion',
  'state',
  'condition',
  'period',
  'middle',
  'week',
  'weekend',
  'chance',
  'rain',
  't’storm',
  'portion',
  'read',
  'tue',
  'sat',
  'july',
  '29th',
  'heat',
  'wave',
  'update',
  'july',
  'illinois',
  'storm',
  'chasersleave',
  'comment',
  'tuesday',
  'ridge',
  'region',
  'push',
  'condition',
  'portion',
  'state',
  'condition',
  'period',
  'middle',
  'week',
  'weekend',
  'chance',
  'rain',
  't’storm',
  'portion',
  'state',
  'condition',
  'read',
  'tue',
  'sat',
  'july',
  '29th',
  'heat',
  'wave',
  'july',
  'illinois',
  'storm',
  'chasersleave',
  'comment',
  'tue',
  'wed',
  'july',
  '26th',
  't’storm',
  'episode',
  'tues',
  'july',
  '25th',
  'disturbance',
  'region',
  'today',
  'wednesday',
  'chance',
  'round',
  'rain',
  't’storm',
  'portion',
  'state',
  't’storm',
  'threat',
  'setup',
  'product',
  'level',
  'flow',
  'region',
  'periphery',
  'read',
  'tue',
  'wed',
  'july',
  '26th',
  't’storm',
  'episode',
  'july',
  'illinois',
  'storm',
  'chasersleave',
  'comment',
  'spring',
  'summer',
  'drought',
  'july',
  '20th',
  'update',
  'thur',
  'july',
  '20th',
  'noaa',
  'drought',
  'monitor',
  'update',
  'tuesday',
  'july',
  '18th',
  'illinois',
  'd0',
  'drought',
  'd3',
  'condition',
  'round',
  'hit',
  'rain',
  't’storm',
  'state',
  'week',
  'drought',
  'condition',
  'spring',
  'summer',
  'drought',
  'july',
  '20th',
  'update',
  'july',
  'illinois',
  'storm',
  'chasersleave',
  'comment',
  'sun',
  'thur',
  'july',
  '20th',
  't’storm',
  'episode',
  'update',
  '10:30am',
  'thur',
  'july',
  '20th',
  'thursday',
  'morning',
  'update',
  'storm',
  'system',
  'stretch',
  'region',
  'today',
  'tonight',
  'pattern',
  'product',
  'level',
  'flow',
  'region',
  'flank',
  'troughing',
  'canada',
  'great',
  'lakes',
  'read',
  'sun',
  'thur',
  'july',
  '20th',
  't’storm',
  'episode',
  'update',
  'july',
  'illinois',
  'storm',
  'chasersleave',
  'comment',
  'sun',
  'thur',
  'july',
  '20th',
  't’storm',
  'episode',
  'update',
  '11:00pm',
  'd',
  'july',
  '19th',
  'wednesday',
  'night',
  'update',
  'disturbance',
  'storm',
  'system',
  'region',
  'thursday',
  'flank',
  'troughing',
  'canada',
  'great',
  'lakes',
  'periphery',
  'ridge',
  'place',
  'desert',
  'southwest',
  'southern',
  'plains',
  'pattern',
  'read',
  'sun',
  'thur',
  'july',
  '20th',
  't’storm',
  'episode',
  'update',
  'july',
  'illinois',
  'storm',
  'chasersleave',
  'comment',
  'wordpress',
  'theme',
  'cerauno'],
 ['discover',
  'thomson',
  'reutersdirectory',
  '-',
  'phone',
  'onlyfor',
  'tablet',
  'portrait',
  'upfor',
  'tablet',
  'landscape',
  'upfor',
  'desktop',
  'desktop',
  'season',
  'storm',
  'record',
  'snowfall',
  'maineby',
  'dave',
  'sherwood2',
  'min',
  'readslideshow',
  'image',
  'brunswick',
  'maine',
  'reuters',
  'season',
  'snowstorm',
  'mile',
  'hour',
  'kph',
  'wind',
  'record',
  'snowfall',
  'maine',
  'home',
  'business',
  'power',
  'monday',
  'governor',
  'paul',
  'lepage',
  'state',
  'emergency',
  'driving',
  'condition',
  'tree',
  'condition',
  'spike',
  'accident',
  'road',
  'nor’easter',
  'storm',
  'snow',
  'south',
  'carolina',
  'snowflake',
  'charleston',
  'string',
  'day',
  'degree',
  'fahrenheit',
  '27c).national',
  'weather',
  'service',
  'meteorologist',
  'snowfall',
  'maine',
  'state',
  'coast',
  'record',
  'digit',
  'snowfall',
  'total',
  'bangor',
  'inch',
  'cm',
  'caribou',
  'inch',
  'centimeters).the',
  'town',
  'cary',
  'maine',
  'border',
  'corner',
  'state',
  'record',
  'inch',
  'centimeters).along',
  'maine',
  'coast',
  'snow',
  'wind',
  'foot',
  'meter',
  'sea',
  'meteorologist',
  'tom',
  'hawley',
  'town',
  'frost',
  'tree',
  'leave',
  'snow',
  'load',
  'snow',
  'branch',
  'leave',
  'mile',
  'hour',
  'kph',
  'wind',
  'lot',
  'power',
  'outage',
  'houlton',
  'maine',
  'center',
  'storm',
  'work',
  'director',
  'chris',
  'stewart',
  'snowplow',
  'crew',
  'night',
  'cement',
  'sign',
  'winter',
  'scott',
  'malone',
  'alden',
  'bentleyour',
  'standard',
  'thomson',
  'reuters',
  'trust',
  'principles',
  'appsnewslettersadvertise',
  'usadvertising',
  'guidelinescookiesterms',
  'useprivacydo',
  'informationall',
  'quote',
  'minimum',
  'minute',
  'list',
  'exchange',
  'delay',
  'reuters',
  'rights',
  'reserved.for',
  'phone',
  'onlyfor',
  'tablet',
  'portrait',
  'upfor',
  'tablet',
  'landscape',
  'upfor',
  'desktop',
  'desktop'],
 ['accidents',
  'traffic',
  'expert',
  'carolina',
  'blends',
  'brews',
  'diane',
  'lee',
  'local',
  'election',
  'headquarters',
  'entertainment',
  'responder',
  'friday',
  'link',
  'local',
  'news',
  'national',
  'news',
  'pet',
  'week',
  'politics',
  'hill',
  'press',
  'women',
  'school',
  'news',
  'state',
  'news',
  'service',
  'world',
  'news',
  'zip',
  'trip',
  'samsung',
  'smartphone',
  'bet',
  'family',
  'man',
  'officer',
  'shooting',
  'deputy',
  'shot',
  'upstate',
  'apartment',
  '7news',
  'stream',
  'newscast',
  'video',
  'newscast',
  'alert',
  'closings',
  'delays',
  'closing',
  'list',
  'organization',
  'forecast',
  'radar',
  'weather',
  'email',
  'alert',
  'weather',
  'week',
  'webcams',
  'carolina',
  'panthers',
  'clemson',
  'tigers',
  'college',
  'basketball',
  'college',
  'sports',
  'greenville',
  'triumph',
  'high',
  'school',
  'red',
  'zone',
  'high',
  'school',
  'football',
  'high',
  'school',
  'standouts',
  'liv',
  'golf',
  'mascot',
  'challenge',
  'nascar',
  'nfl',
  'usc',
  'gamecocks',
  'player',
  'fan',
  'day',
  'panthers',
  'training',
  'paul',
  'mullin',
  'wrexham',
  'jobs',
  'carolina',
  'eats',
  'southern',
  'table',
  'ingles',
  'food',
  'thought',
  'furry',
  'friends',
  'open',
  'road',
  'small',
  'business',
  'spotlight',
  'week',
  'history',
  'upstate',
  'homes',
  'upstate',
  'jobs',
  'work',
  'wednesday',
  'wow',
  'salon',
  'co.',
  'hassle',
  'free',
  'dessert',
  'southern',
  'table',
  'carolina',
  'handling',
  'auction',
  'bestreviews',
  'bestreviews',
  'daily',
  'deal',
  'carolinas',
  'carolinas',
  'food',
  'drive',
  'community',
  'calendar',
  'advertise',
  'wspa',
  'apps',
  'contact',
  'cw',
  'cw62',
  'email',
  'newsletter',
  'signup',
  'team',
  'regional',
  'news',
  'partners',
  'terms',
  'use',
  'tv',
  'schedule',
  'tv',
  'signal',
  'issues',
  'bestreviews',
  'weather',
  'storm',
  'damage',
  'upstate',
  'jun',
  'pm',
  'edt',
  'jun',
  'edt',
  'jun',
  'pm',
  'edt',
  'jun',
  'edt',
  'taylors',
  's.c.',
  'wspa',
  'weather',
  'power',
  'outage',
  'storm',
  'damage',
  'upstate',
  'sunday',
  '7news',
  'photo',
  'damage',
  'resident',
  'area',
  'photo',
  'storm',
  'damage',
  'source',
  'tyler',
  'smith',
  'weather',
  'section',
  'website',
  'forecast',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'amazon',
  'school',
  'deal',
  'schooler',
  'school',
  'corner',
  'amazon',
  'supply',
  'school',
  'deal',
  'supply',
  'schooler',
  'august',
  'vegetable',
  'flower',
  'flower',
  'plant',
  'hour',
  'soil',
  'air',
  'temperature',
  'sunshine',
  'august',
  'month',
  'planting',
  'chemical',
  'guys',
  'kit',
  'car',
  'car',
  'care',
  'hour',
  'chemical',
  'guys',
  'car',
  'wash',
  'kit',
  'time',
  'deal',
  'samsung',
  'smartphone',
  'bet',
  'family',
  'man',
  'officer',
  'shooting',
  'deputy',
  'shot',
  'upstate',
  'apartment',
  'bryce',
  'young',
  'panthers',
  'qb',
  'coach',
  'bluffing',
  'putin',
  'deployment',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'taiwan',
  'school',
  'office',
  'typhoon',
  'bomb',
  'threat',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'stock',
  'market',
  'today',
  'share',
  'federal',
  'russia',
  'un',
  'meeting',
  'soldier',
  'niger',
  'doctor',
  'netanyahu',
  'heart',
  'problem',
  'world',
  'news',
  'day',
  'russia',
  'moscow',
  'crimea',
  'drone',
  'world',
  'news',
  'day',
  'un',
  'command',
  'north',
  'korea',
  'world',
  'news',
  'day',
  'fight',
  'iraq',
  'sweden',
  'world',
  'news',
  'day',
  'soldier',
  'action',
  'world',
  'news',
  'week',
  'bridge',
  'crimea',
  'world',
  'news',
  'week',
  'second',
  'man',
  'world',
  'news',
  'week',
  'paul',
  'mccartney',
  'photo',
  'look',
  'beatles',
  'world',
  'news',
  'week',
  'putin',
  'rebellion',
  'world',
  'news',
  'month',
  'wagner',
  'leader',
  'statement',
  'world',
  'news',
  'month',
  'tropical',
  'storm',
  'bret',
  'caribbean',
  'world',
  'news',
  'month',
  'explosion',
  'building',
  'paris',
  'world',
  'news',
  'month',
  'un',
  'russia',
  'aid',
  'worker',
  'area',
  'world',
  'news',
  'month',
  'people',
  'senior',
  'highway',
  'crash',
  'world',
  'news',
  'month',
  'police',
  'man',
  'death',
  'van',
  'world',
  'news',
  'month',
  'boris',
  'johnson',
  'uk',
  'lawmaker',
  'world',
  'news',
  'month',
  'vatican',
  'pope',
  'armchair',
  'world',
  'news',
  'month',
  'city',
  'world',
  'air',
  'world',
  'news',
  'month',
  'satellite',
  'image',
  'toll',
  'world',
  'news',
  'month',
  'ukraine',
  'battlefield',
  'stalemate',
  'world',
  'news',
  'month',
  'britain',
  'princess',
  'eugenie',
  'birth',
  'world',
  'news',
  'month',
  'train',
  'world',
  'news',
  'month',
  'passenger',
  'exit',
  'door',
  'airplane',
  'flight',
  'world',
  'news',
  'month',
  'pope',
  'fever',
  'meeting',
  'vatican',
  'world',
  'news',
  'month',
  'reich',
  'young',
  'panthers',
  'quarterback',
  'deputy',
  'shot',
  'upstate',
  'apartment',
  'woman',
  'north',
  'carolina',
  'home',
  'sister',
  'woman',
  'police',
  'officer',
  'city',
  'travelers',
  'rest',
  'family',
  'man',
  'officer',
  'shooting',
  'kohler',
  'co.',
  'employee',
  'spartanburg',
  'player',
  'fan',
  'panthers',
  'training',
  'camp',
  'clemson',
  'university',
  'fraternity',
  'epa',
  'site',
  'upstate',
  'reich',
  'young',
  'panthers',
  'quarterback',
  'deputy',
  'shot',
  'upstate',
  'apartment',
  'woman',
  'north',
  'carolina',
  'home',
  'sister',
  'woman',
  'police',
  'officer',
  'city',
  'travelers',
  'rest',
  'woman',
  'north',
  'carolina',
  'home',
  'sister',
  'player',
  'fan',
  'day',
  'panthers',
  'training',
  'wnba',
  'player',
  'charge',
  'teen',
  'bank',
  'robbery',
  'greenwood',
  'clemson',
  'university',
  'fraternity',
  'ohio',
  'officer',
  'k-9',
  'man',
  'epa',
  'site',
  'wnc',
  'uk',
  'jury',
  'kevin',
  'spacey',
  'assault',
  'charge',
  'woman',
  'north',
  'carolina',
  'home',
  'sister',
  'epa',
  'site',
  'wnc',
  'deputy',
  'shot',
  'upstate',
  'apartment',
  'pickens',
  'man',
  'year',
  'child',
  'porn',
  'man',
  'charge',
  'spartanburg',
  'video',
  'sc',
  'hotel',
  'condition',
  'gift',
  'summer',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'home',
  'depot',
  'foot',
  'skeleton',
  'halloween',
  'deal',
  'day',
  'prime',
  'day',
  'favorite',
  'news',
  'weather',
  'sport',
  'greenville',
  'spartanburg',
  'anderson',
  'pickens',
  'sc',
  'asheville',
  'hendersonville',
  'nc',
  'cbs',
  'affiliate',
  'channel',
  'wspa',
  'eeo',
  'wspa',
  'fcc',
  'public',
  'file',
  'wspa',
  'children',
  'programming',
  'nexstar',
  'cc',
  'certification',
  'wycw',
  'eeo',
  'wycw',
  'fcc',
  'public',
  'file',
  'wycw',
  'children',
  'programming',
  'contact',
  'android',
  'app',
  'google',
  'play',
  'android',
  'weather',
  'app',
  'google',
  'play',
  'personal',
  'information',
  'personal',
  'information',
  'nexstar',
  'media',
  'inc.',
  'rights'],
 ['link',
  'weather',
  'uplifting',
  'arizona',
  'operation',
  'safe',
  'road',
  'thing',
  'investigations',
  'health',
  'insider',
  'impact',
  'earth',
  'smart',
  'shopper',
  'joe',
  'cw61',
  'arizona',
  'contest',
  'alicia',
  'navarro',
  'glendale',
  'montana',
  'glendale',
  'news',
  'alicia',
  'navarro',
  'glendale',
  'montana',
  'police',
  'official',
  'announcement',
  'wednesday',
  'montana',
  'hector',
  'gonzales',
  'video',
  'glendale',
  'police',
  'alicia',
  'navarro',
  'montana',
  'county',
  'attorney',
  'decision',
  'rape',
  'investigation',
  'dusty',
  'water',
  'hole',
  'tombstone',
  'look',
  'arizona',
  'dairy',
  'famer',
  'cow',
  'summer',
  'month',
  'annual',
  'spooktacular',
  'hot',
  'air',
  'balloon',
  'festival',
  'date',
  'spin',
  'art',
  'nation',
  'arizona',
  'location',
  'phoenix',
  'arizona',
  'good',
  'news',
  'oct',
  'thing',
  'oct',
  'operation',
  'safe',
  'roads',
  'oct',
  'smart',
  'shopper',
  'way',
  'money',
  'oct',
  'weather',
  'forecast',
  'heat',
  'storm',
  'contest',
  'prize',
  'summer',
  'fun',
  'sweepstakes',
  'arizona',
  'news',
  'az',
  'voter',
  'choice',
  'office',
  'laveen',
  'news',
  'leadership',
  'change',
  'cesar',
  'chavez',
  'high',
  'school',
  'arizona',
  'news',
  'arizona',
  'senator',
  'amendment',
  'sky',
  'local',
  'news',
  'mesa',
  'officer',
  'undercover',
  'supremacist',
  'traffic',
  'woman',
  'vehicle',
  'crash',
  'l-101',
  'hayden',
  'road',
  'national',
  'news',
  'fed',
  'interest',
  'rate',
  'quarter',
  'point',
  'hint',
  'increase',
  'year',
  'crime',
  'arrest',
  'remain',
  'bag',
  'phoenix',
  'alley',
  'scripps',
  'news',
  'mcconnell',
  'health',
  'concern',
  'pause',
  'scripps',
  'news',
  'ufo',
  'hearing',
  'whistleblower',
  'scripps',
  'news',
  'staff',
  'vanessa',
  'misciagna',
  'scripps',
  'news',
  'attorneys',
  'alibi',
  'defense',
  'bryan',
  'kohberger',
  'buckeye',
  'news',
  'man',
  'buckeye',
  'grocery',
  'store',
  'parking',
  'lot',
  'entertainment',
  'singer',
  'sinéad',
  "o'connor",
  'report',
  'central',
  'phoenix',
  'news',
  'body',
  'arizona',
  'state',
  'capitol',
  'property',
  'phoenix',
  'arizona',
  'news',
  'arizona',
  'fentanyl',
  'half',
  'seizure',
  'u.s.',
  'scripps',
  'news',
  'nyc',
  'construction',
  'crane',
  'collapse',
  'civilian',
  'firefighter',
  'local',
  'news',
  'crayon',
  'art',
  'abc15',
  'newscast',
  'result',
  'charity',
  'donation',
  'national',
  'news',
  'mega',
  'millions',
  'jackpot',
  'tuesday',
  'business',
  'phoenix',
  'home',
  'price',
  'housing',
  'market',
  'demand',
  'inventory',
  'angela',
  'gonzales',
  'phoenix',
  'business',
  'journal',
  'arizona',
  'news',
  'maricopa',
  'county',
  'official',
  'heat',
  'death',
  'monday',
  'scripps',
  'news',
  'amazon',
  'feature',
  'customer',
  'business',
  'valley',
  'company',
  'phoenix',
  'meat',
  'producer',
  'brandon',
  'brown',
  'phoenix',
  'business',
  'journal',
  'national',
  'news',
  'father',
  'car',
  'nevada',
  'desert',
  'child',
  'traffic',
  'rollover',
  'crash',
  'cement',
  'truck',
  'traffic',
  'sky',
  'harbor',
  'airport',
  'national',
  'news',
  'actor',
  'kevin',
  'spacey',
  'charge',
  'assault',
  'catherine',
  'nicholls',
  'christian',
  'edwards',
  'cnn',
  'central',
  'phoenix',
  'news',
  'pet',
  'adoption',
  'valley',
  'scripps',
  'news',
  'giuliani',
  'claim',
  'georgia',
  'election',
  'worker',
  'scripps',
  'news',
  'heat',
  'exhaustion',
  'heat',
  'stroke',
  'sign',
  'gilbert',
  'news',
  'gilbert',
  'school',
  'class',
  'wednesday',
  'c',
  'issue',
  'local',
  'news',
  'arizona',
  'paralympian',
  'swimwear',
  'people',
  'local',
  'news',
  'littleton',
  'elementary',
  'school',
  'district',
  'plan',
  'teacher',
  'scripps',
  'news',
  'lebron',
  'james',
  'son',
  'bronny',
  'condition',
  'arrest',
  'joe',
  'arizona',
  'renter',
  'air',
  'conditioning',
  'unit',
  'money',
  'thank',
  'inflation',
  'buffet',
  'restaurant',
  'scripps',
  'news',
  'hunter',
  'biden',
  'tax',
  'crime',
  'plea',
  'deal',
  'central',
  'phoenix',
  'news',
  'people',
  'park',
  'avenue',
  'van',
  'buren',
  'street',
  'scottsdale',
  'news',
  'customer',
  'power',
  'tuesday',
  'night',
  'scottsdale',
  'laveen',
  'news',
  'restaurant',
  'heat',
  'wave',
  'central',
  'phoenix',
  'news',
  'cass',
  'c',
  'woman',
  'dorm',
  'monday',
  'evening',
  'scripps',
  'news',
  'scripps',
  'news',
  'flag',
  'review',
  'child',
  'overdose',
  'lori',
  'jane',
  'gliha',
  'brittany',
  'freeman',
  'arizona',
  'hire',
  'veteran',
  'day',
  'warrior',
  'work',
  'program',
  'state',
  'education',
  'gov.',
  'hobbs',
  'democrats',
  'bill',
  'esa',
  'local',
  'news',
  'phoenix',
  'ground',
  'heat',
  'people',
  'scottsdale',
  'news',
  'boys',
  'girls',
  'clubs',
  'greater',
  'scottsdale',
  'kitchen',
  'teen',
  'local',
  'news',
  'city',
  'phoenix',
  'bus',
  'center',
  'heat',
  'day',
  'north',
  'phoenix',
  'news',
  'year',
  'girl',
  'phoenix',
  'pool',
  'chandler',
  'news',
  'chandler',
  'police',
  'chief',
  'year',
  'anniversary',
  'central',
  'phoenix',
  'news',
  'woman',
  'heat',
  'exhaustion',
  'echo',
  'canyon',
  'trail',
  'tuesday',
  'local',
  'news',
  'ice',
  'block',
  'test',
  'phoenix',
  'heat',
  'state',
  'education',
  'aps',
  'grant',
  'teacher',
  'school',
  'supply',
  'national',
  'news',
  'mega',
  'millions',
  'jackpot',
  'm',
  'tuesday',
  'sports',
  'arizona',
  'diamondbacks',
  'spring',
  'training',
  'schedule',
  'scripps',
  'news',
  'doj',
  'appeal',
  'judge',
  'order',
  'biden',
  'policy',
  'scripps',
  'news',
  'marine',
  'russia',
  'fighting',
  'ukraine',
  'thing',
  'az',
  'theatre',
  'location',
  'u.s.',
  'oppenheimer',
  'imax',
  'scripps',
  'news',
  'kid',
  'college',
  'fafsa',
  'discount',
  'scripps',
  'news',
  'smoke',
  'canada',
  'blanket',
  'northern',
  'abc15',
  'morning',
  '7am',
  'abc15',
  'scripps',
  'local',
  'media',
  'scripps',
  'media',
  'inc',
  'light',
  'people',
  'way'],
 ['main',
  'content',
  'sensor',
  'network',
  'maps',
  'radar',
  'severe',
  'weather',
  'news',
  'blogs',
  'mobile',
  'apps',
  'nearest',
  'station',
  'manage',
  'favorite',
  'citieslog',
  'joinsettingsaccount_box',
  'log',
  'person_add',
  'join',
  'setting',
  'settings',
  'sensor',
  'networkmaps',
  'radarsevere',
  'weathernews',
  'blogsmobile',
  'appshistorical',
  'weatherstarnews',
  'blogs',
  'category',
  'news',
  'stories',
  'infographics',
  'posters',
  'news',
  'stories',
  'category',
  'storiesinfographicsposterspublished',
  'weather',
  'company',
  'mission',
  'weather',
  'news',
  'environment',
  'importance',
  'science',
  'life',
  'story',
  'position',
  'parent',
  'company',
  'ibm.recent',
  'storiesweather',
  'articlesour',
  'appsabout',
  'uscontactcareerspws',
  'networkwundermapfeedback',
  'supportterms',
  'useprivacy',
  'policyaccessibility',
  'statementadchoicesdata',
  'vendorswe',
  'responsibility',
  'datum',
  'technology',
  'datum',
  'data',
  'vendor',
  'control',
  'datum',
  'datum',
  'rightspowered',
  'ibm',
  'cloud',
  'copyright',
  'twc',
  'product',
  'technology',
  'llc',
  'javascript',
  'application'],
 ['daily',
  'lineup',
  'coast',
  'coast',
  'bloomberg',
  'day',
  'break',
  'lincoln',
  'morning',
  'news',
  'coffee',
  'cream',
  'morning',
  'hook',
  'dan',
  'bongino',
  'markley',
  'van',
  'camp',
  'robbins',
  'hail',
  'varsity',
  'radio',
  'chris',
  'schmidt',
  'elijah',
  'herbel',
  'joe',
  'pags',
  'ben',
  'shapiro',
  'dan',
  'bongino',
  'jesse',
  'kelly',
  'stories',
  'kfor',
  'news',
  'podcast',
  'morning',
  'hookup',
  'demand',
  'kfor',
  'sports',
  'update',
  'high',
  'school',
  'sports',
  'demand',
  'nebraska',
  'outdoor',
  'demand',
  'dave',
  'ramsey',
  '9:00pm',
  'daily',
  'lineup',
  'coast',
  'coast',
  'bloomberg',
  'day',
  'break',
  'lincoln',
  'morning',
  'news',
  'coffee',
  'cream',
  'morning',
  'hook',
  'dan',
  'bongino',
  'markley',
  'van',
  'camp',
  'robbins',
  'hail',
  'varsity',
  'radio',
  'chris',
  'schmidt',
  'elijah',
  'herbel',
  'joe',
  'pags',
  'ben',
  'shapiro',
  'dan',
  'bongino',
  'jesse',
  'kelly',
  'story',
  'kfor',
  'news',
  'podcast',
  'morning',
  'hookup',
  'demand',
  'kfor',
  'sports',
  'update',
  'high',
  'school',
  'sports',
  'demand',
  'nebraska',
  'outdoor',
  'demand',
  'event',
  'community',
  'calendar',
  'event',
  'community',
  'events',
  'concerts',
  'lincoln',
  'newsnebraska',
  'newsweather',
  'severe',
  'storms',
  'heavy',
  'rain',
  'hail',
  'damaging',
  'wind',
  'se',
  'nebraska',
  'thursday',
  'morning',
  'june',
  'cdt',
  'heavy',
  'rain',
  'lincoln',
  'area',
  'thunderstorm',
  'thursday',
  'morning',
  'june',
  'picture',
  'cornhusker',
  'highway',
  'kfor',
  'studio',
  'photo',
  'courtesy',
  'jeff',
  'motz',
  'kfor',
  'news',
  'lincoln–(kfor',
  'june',
  'storm',
  'portion',
  'southeast',
  'nebraska',
  'thursday',
  'morning',
  'hail',
  'rainfall',
  'wind',
  'damage',
  'jefferson',
  'county',
  'hail',
  'quarter',
  'tennis',
  'ball',
  'size',
  'thursday',
  'fairbury',
  'area',
  'report',
  'damage',
  'hail',
  'storm',
  'rain',
  'portion',
  'jefferson',
  'gage',
  'johnson',
  'pawnee',
  'county',
  'thunderstorm',
  'lincoln',
  'area',
  'rain',
  'visibility',
  'commuter',
  'video',
  'rain',
  'kfor',
  'studio',
  'cornhusker',
  'highway',
  'south',
  'weather',
  'portion',
  'gage',
  'johnson',
  'pawnee',
  'nemaha',
  'county',
  'wind',
  'damage',
  'sterling',
  'johnson',
  'county',
  'thursday',
  'inch',
  'tree',
  'limb',
  'shingle',
  'wind',
  'gust',
  'mph',
  'weather',
  'station',
  'auburn',
  'nemaha',
  'county',
  'national',
  'defensive',
  'driving',
  'program',
  'teen',
  'lincoln',
  'stop',
  'mid',
  '-',
  'august',
  'seizure',
  'drugs',
  'paraphernalia',
  'near',
  'south',
  'home',
  'lead',
  'arrest',
  'man',
  'gun',
  'fired',
  'inside',
  'south',
  'lincoln',
  'apartment',
  'seizure',
  'drugs',
  'paraphernalia',
  'near',
  'south',
  'home',
  'lead',
  'arrest',
  'task',
  'force',
  'member',
  'weapon',
  'drugs',
  'northwest',
  'lincoln',
  'hotel',
  'room',
  'man',
  'task',
  'force',
  'member',
  'disability',
  'file',
  'contact',
  'h[email',
  'resident',
  'privacy',
  'notice',
  'collection',
  'personal',
  'information',
  'resident',
  'privacy',
  'notice',
  'financial',
  'incentive',
  'va',
  'resident',
  'personal',
  'information',
  'kfor',
  'fm',
  'alpha',
  'media',
  'llc',
  'alpha',
  'media',
  'llc',
  'rights'],
 ['contentskip',
  'content',
  'lee',
  'enterprises',
  'terms',
  'service',
  '',
  '',
  'privacy',
  'policy',
  'help',
  'center',
  'account',
  'dashboard',
  'profile',
  'item',
  'st.',
  'vincent',
  'healthcare',
  'star',
  'rating',
  'quality',
  'st.',
  'vincent',
  'hospital',
  'star',
  'billing',
  'clinic',
  'star',
  'overall',
  'hospital',
  'quality',
  'star',
  'rating',
  'billings',
  'clinic',
  'leapfrog',
  'safety',
  'grade',
  'distinction',
  'safety',
  'fwp',
  'fishing',
  'restriction',
  'montana',
  'water',
  'temp',
  'fishing',
  'closure',
  'fishing',
  'hoot',
  'owl',
  'restriction',
  'p.m.',
  'midnight',
  'restriction',
  'effect',
  'condition',
  'train',
  'traffic',
  'yellowstone',
  'river',
  'bridge',
  'collapse',
  'reed',
  'point',
  'bridge',
  'service',
  'day',
  'bridge',
  'tent',
  'teardrop',
  'trailer',
  'camping',
  'experience',
  'tent',
  'teardrop',
  'trailer',
  'rage',
  'day',
  'camping',
  'experience',
  'ash',
  'cleanup',
  'advance',
  'colstrip',
  'cost',
  'deq',
  'end',
  'cleanup',
  'cost',
  'yellowstone',
  'national',
  'park',
  'workforce',
  'workers',
  'forest',
  'nffe',
  'bridger',
  'teton',
  'bighorn',
  'beaverhead',
  'deerlodge',
  'salmon',
  'challis',
  'region',
  'havre',
  'man',
  'gun',
  'worker',
  'train',
  'derailment',
  'patrick',
  'worker',
  'property',
  'hate',
  'crime',
  'investigation',
  'lyle',
  'lovett',
  'band',
  'member',
  'noose',
  'billings',
  'charles',
  'rose',
  'noose',
  'pole',
  'band',
  'tour',
  'bus',
  'billing',
  'vehicle',
  'sunday',
  'morning',
  'family',
  'id',
  'woman',
  'grizzly',
  'bear',
  'yellowstone',
  'national',
  'park',
  'woman',
  'montana',
  'saturday',
  'contact',
  'grizzly',
  'bear',
  'trail',
  'west',
  'yellowstone',
  'national',
  'park',
  'owner',
  'forsyth',
  'insurance',
  'company',
  'scheme',
  'customer',
  'indictment',
  'april',
  'hagadone',
  'scheme',
  'payment',
  'customer',
  'fund',
  'insurance',
  'company',
  'new',
  'blm',
  'leasing',
  'term',
  'montana',
  'oil',
  'biden',
  'administration',
  'oil',
  'gas',
  'leasing',
  'price',
  'cleanup',
  'bond',
  'royalty',
  'leasing',
  'land',
  'montana',
  'police',
  'people',
  'trafficking',
  'child',
  'exploitation',
  'investigation',
  'detective',
  'cocaine',
  'evidence',
  'montana',
  'tribe',
  'm',
  'investment',
  'road',
  'improvement',
  'state',
  'grant',
  'funding',
  'montana',
  'investment',
  'people',
  'deck',
  'foot',
  'saturday',
  'country',
  'club',
  'people',
  'deck',
  'foot',
  'people',
  'deck',
  'collapse',
  'briarwood',
  'country',
  'club',
  'official',
  'ambulance',
  'helicopter',
  'road',
  'billings',
  'clinic',
  'st.',
  'vincent',
  'healthcare',
  'access',
  'photo',
  'mass',
  'casualty',
  'deck',
  'briarwood',
  'country',
  'club',
  'responder',
  'scene',
  'mass',
  'casualty',
  'event',
  'briarwood',
  'county',
  'club',
  'section',
  'deck',
  'saturday',
  'evening',
  'city',
  'billings',
  'people',
  'billings',
  'hospital',
  'billings',
  'fire',
  'department',
  'unit',
  'scene',
  'pd',
  'car',
  'hi',
  'line',
  'train',
  'derailment',
  'paint',
  'train',
  'shipping',
  'container',
  'hollywood',
  'huntley',
  'juliette',
  'angelo',
  'peace',
  'angelo',
  'patsy',
  'cline',
  'tribute',
  'saturday',
  'child',
  'actor',
  'montana',
  'solace',
  'photo',
  'air',
  'balloon',
  'billings',
  'friday',
  'morning',
  'big',
  'sky',
  'balloon',
  'rally',
  'friday',
  'amend',
  'park',
  'billings',
  'rally',
  'sunday',
  'july',
  'family',
  'event',
  'air',
  'balloon',
  'event',
  'montana',
  'balloon',
  'pilot',
  'permitting',
  'ball',
  'kind',
  'brain',
  'stimulation',
  'therapy',
  'montana',
  'veteran',
  'transcranial',
  'magnetic',
  'stimulation',
  'pulse',
  'nerve',
  'cell',
  'region',
  'brain',
  'mood',
  'tms',
  'expert',
  'equipment',
  'patient',
  'montana',
  'va',
  'state',
  'tms',
  'stimulation',
  'station',
  'july',
  'station',
  'therapy',
  'tool',
  'montanans',
  'illness',
  'ocd',
  'depression',
  'glacier',
  'park',
  'ranger',
  'food',
  'grizzly',
  'food',
  'grizzly',
  'bear',
  'glacier',
  'park',
  'earthquake',
  'home',
  'nerve',
  'carbon',
  'county',
  'friday',
  'quake',
  'mile',
  'boyd',
  'montana',
  'va',
  'director',
  'month',
  'concern',
  'issue',
  'montana',
  'va',
  'hiring',
  'felony',
  'sex',
  'offender',
  'tv',
  'predator',
  'update',
  'colt',
  'fire',
  'burst',
  'acre',
  'evacuation',
  'colt',
  'fire',
  'seeley',
  'lake',
  'acre',
  'thursday',
  'afternoon',
  'friday',
  'resident',
  'rainy',
  'summit',
  'lake',
  'jake',
  'bard',
  'balloon',
  'event',
  'billing',
  'week',
  'air',
  'room',
  'gordon',
  'mcconnell',
  'color',
  'context',
  'retelling',
  'west',
  'mcconnell',
  'exhibition',
  'kirks',
  'grocery',
  'saturday',
  'lone',
  'ranger',
  'country',
  'history',
  'story',
  'month',
  'train',
  'derailment',
  'cleanup',
  'effort',
  'laurel',
  'workers',
  'hour',
  'shift',
  'boat',
  'crew',
  'personnel',
  'shoreline',
  'assessment',
  'laborer',
  'boat',
  'mile',
  'yellowstone',
  'river',
  'discussion',
  'health',
  'observation',
  'health',
  'treatment',
  'person',
  'place',
  'judge',
  'amy',
  'eddy',
  'judge',
  'block',
  'drag',
  'ban',
  'country',
  'government',
  'individual',
  'freedom',
  'speech',
  'town',
  'square',
  'state',
  'contract',
  'firm',
  'health',
  'system',
  'montana',
  'health',
  'official',
  'week',
  'contract',
  'firm',
  'state',
  'overhaul',
  'health',
  'care',
  'system',
  'downtown',
  'billings',
  'burger',
  'king',
  'downtown',
  'billing',
  'burger',
  'king',
  'home',
  'billings',
  'area',
  'peek',
  'fixer',
  'upper',
  'potential',
  'home',
  'billings',
  'app',
  'experience',
  'crime',
  'courts',
  'news',
  'week',
  'newsletter',
  'inbox',
  'explore',
  'history',
  'newspaper',
  'archive',
  'archive',
  'thousand',
  'article',
  'obituary',
  'announcement',
  'obituary',
  'inbox',
  'raw',
  'niger',
  'soldier',
  'gov',
  'pres',
  'bazoum',
  'watch',
  'mitch',
  'mcconnell',
  'freezes',
  'press',
  'conference',
  'republican',
  'colleagues',
  'simple',
  'workout',
  'blood',
  'pressure',
  'ivy',
  'league',
  'colleges',
  'rich',
  'class',
  'students',
  'college',
  'idaho',
  'frontier',
  'conference',
  'league',
  'football',
  'coach',
  'poll',
  'yotes',
  'montana',
  'tech',
  'carroll',
  'college',
  'place',
  'vote',
  'c',
  '.',
  'point',
  'instructor',
  'osos',
  'camp',
  'west',
  'star',
  'iowa',
  'wrestler',
  'drake',
  'rhodes',
  'circle',
  'hawkeye',
  'redshirt',
  'freshman',
  'billings',
  'camp',
  'youth',
  'wrestler',
  'scoreboard',
  'frontier',
  'conference',
  'volleyball',
  'coach',
  'preseason',
  'poll',
  'frontier',
  'conference',
  'volleyball',
  'coach',
  'preseason',
  'poll',
  'tuesday',
  'league',
  'frontier',
  'conference',
  'volleyball',
  'coach',
  'preseason',
  'frontier',
  'conference',
  'volleyball',
  'coach',
  'poll',
  'montana',
  'tech',
  'favorite',
  'season',
  'step',
  'homelessness',
  'ethical',
  'life',
  'podcast',
  'host',
  'role',
  'housing',
  'price',
  'treatment',
  'health',
  'substance',
  'abuse',
  'issue',
  'interest',
  'rate',
  'hike',
  'way',
  'star',
  'actor',
  'times',
  'square',
  'rally',
  'fighting',
  'ukraine',
  'hot',
  'wire',
  'podcast',
  'sport',
  'entertainment',
  'news',
  'podcast',
  'biden',
  'administration',
  'texas',
  'governor',
  'musk',
  'x',
  'logo',
  'twitter',
  'ups',
  'contract',
  'deadline',
  'wire',
  'podcast',
  'sport',
  'entertainment',
  'news',
  'podcast',
  'home',
  'hurricane',
  'storm',
  'sky',
  'podcast',
  'storm',
  'week',
  'guest',
  'knowledge',
  'power',
  'home',
  'simple',
  'workout',
  'blood',
  'pressure',
  'blood',
  'pressure',
  'care',
  'stress',
  'life',
  'way',
  'care',
  'blood',
  'pressure',
  'exercise',
  'michael',
  'k',
  'williams',
  'drug',
  'dealer',
  'month',
  'prison',
  'year',
  'man',
  'overdose',
  'death',
  'actor',
  'michael',
  'k',
  'williams',
  'month',
  'prison',
  'lady',
  'gaga',
  'tony',
  'bennett',
  'tattoo',
  'lady',
  'gaga',
  'friend',
  'tony',
  'bennett',
  'year',
  'billings',
  'clinic',
  'commitment',
  'health',
  'care',
  'content',
  'billings',
  'clinic',
  'billing',
  'clinic',
  'tier',
  'health',
  'care',
  'service',
  'need',
  'region',
  'star',
  'fourth',
  'july',
  'bbq',
  'content',
  'ascend',
  'star',
  'fourth',
  'july',
  'barbecue',
  'guest',
  'firework',
  'yellowstone',
  'naturopathic',
  'clinic',
  'way',
  'body',
  'content',
  'yellowstone',
  'naturopathic',
  'clinic',
  'injection',
  'therapy',
  'body',
  'patient',
  'quality',
  'life',
  'casino',
  'experience',
  'dingdingding.com',
  'content',
  'ascend',
  'destination',
  'casino',
  'experience',
  'dingdingding.com',
  'photo',
  'montana',
  'alberta',
  'state',
  'legion',
  'baseball',
  'laurel',
  'photos',
  'helena',
  'senators',
  'billings',
  'scarlets',
  'aa',
  'legion',
  'baseball',
  'airbnb',
  'rental',
  'tip',
  'trip',
  'billings',
  'area',
  'worden',
  'mt',
  'media',
  'bhhs',
  'floberg',
  'ad',
  'dowl',
  'ad',
  'farmer',
  'insurance',
  'roger',
  'l',
  'daniel',
  'ad',
  'shodair',
  'childrens',
  'hospital',
  'ad',
  'shipton',
  'big',
  'r',
  'ad',
  'st',
  'johns',
  'united',
  'local',
  'ad',
  'billing',
  'clinic',
  'rop',
  'ad',
  'montana',
  'real',
  'estate',
  'brokers',
  'ad',
  'downtown',
  'realty',
  'ad',
  'haus',
  'realty',
  'ad',
  'copyright',
  'billings',
  'gazette',
  'n',
  'broadway',
  'billings',
  'mt',
  'term',
  'use',
  '',
  '',
  'privacy',
  'policy',
  '',
  '',
  'info',
  '',
  '',
  'cookie',
  'preferences',
  'blox',
  'content',
  'management',
  'system',
  'minute',
  'news',
  'device'],
 ['experience',
  'community',
  'spectrum',
  'news',
  'app',
  'open',
  'spectrum',
  'news',
  'app',
  '×',
  'set',
  'weather',
  'location',
  'forecast',
  'radar',
  'weather',
  'alert',
  'appour',
  'spectrum',
  'news',
  'app',
  'way',
  'story',
  'list',
  'weather',
  'alert',
  'storm',
  'ohio',
  'wednesday',
  'night',
  'published',
  'pm',
  'et',
  'jul.',
  'published',
  'pm',
  'edt',
  'jul.',
  'storm',
  'state',
  'wednesday',
  'night',
  'section',
  'ohio',
  'wind',
  'hail',
  'tornado',
  'spectrum',
  'news',
  'chief',
  'meteorologist',
  'eric',
  'elwell',
  'question',
  'timing',
  'detail',
  'storm',
  'california',
  'consumer',
  'limit',
  'use',
  'sensitive',
  'personal',
  'information',
  'personal',
  'information',
  'opt',
  'targeted',
  'advertising',
  'â',
  'charter',
  'communications',
  'right'],
 ['news',
  'rss',
  'feed',
  'stories',
  'business',
  'crime',
  'health',
  'politics',
  'entertainment',
  'state',
  'news',
  'school',
  'news',
  'local',
  'meeting',
  'krms',
  'sports',
  'contact',
  'contest',
  'rules',
  'eeo',
  'applicants',
  'fcc',
  'tornadoes',
  'cause',
  'damage',
  'southwest',
  'missouri',
  'news',
  'rss',
  'feed',
  'state',
  'news',
  'tuesday',
  'october',
  '12th',
  'tornado',
  'oklahoma',
  'texas',
  'missouri',
  'sunday',
  'night',
  'monday',
  'morning',
  'storm',
  'state',
  'neosho',
  'interstate',
  'tornado',
  'ground',
  'southwest',
  'city',
  'noel',
  'pineville',
  'decatur',
  'debris',
  'ball',
  'radar',
  'national',
  'weather',
  'service',
  'ef-1',
  'morning',
  'tornado',
  'warning',
  'dade',
  'cedar',
  'barton',
  'county',
  'radar',
  'storm',
  'golden',
  'city',
  'north',
  'lamar',
  'system',
  'ef-0',
  'tornado',
  'national',
  'weather',
  'service',
  'detail',
  'system',
  'news',
  'rss',
  'feed',
  'state',
  'news',
  'tuesday',
  'october',
  '12th',
  'article',
  'volumes',
  'miller',
  'county',
  'sheriff',
  'article',
  'boards',
  'aldermen',
  'convene',
  'tonight',
  'lake',
  'ozark',
  'laurie',
  'oct',
  'event',
  'station',
  'time',
  'winter',
  'blues',
  'krms',
  'radio',
  'tv',
  'wednesday',
  'july',
  '26th',
  'krms',
  'sports',
  'college',
  'football',
  'southeast',
  'missouri',
  'state',
  'conference',
  'year',
  'wednesday',
  'july',
  '26th',
  'krms',
  'sports',
  'cardinals',
  'royals',
  'fall',
  'tuesday',
  'night',
  'games',
  'wednesday',
  'july',
  '26th',
  'news',
  'rss',
  'feed',
  'politics',
  'stories',
  'lake',
  'ozark',
  'options',
  'police',
  'dispatch',
  'partner',
  'osage',
  'beach',
  'wednesday',
  'july',
  '26th',
  'party',
  'advertising',
  'company',
  'ad',
  'website',
  'company',
  'information',
  'address',
  'email',
  'address',
  'telephone',
  'number',
  'visit',
  'web',
  'site',
  'order',
  'advertisement',
  'good',
  'service',
  'interest',
  'information',
  'practice',
  'choice',
  'information',
  'company',
  'eeo',
  'report',
  'application',
  'fcc',
  'fcc',
  'public',
  'inspection',
  'file',
  'javascript',
  'purpose',
  'website',
  'accessibility'],
 ['news',
  'p.m.',
  'huntsville',
  'madison',
  'decatur',
  'athens',
  'shoals',
  'northwest',
  'alabama',
  'northeast',
  'alabama',
  'alabama',
  'news',
  'tennessee',
  'news',
  'bbb',
  'consumer',
  'alerts',
  'national',
  'stem',
  'artemis',
  'covid-19',
  'washington',
  'dc',
  'bureau',
  'politics',
  'hill',
  'border',
  'report',
  'automotive',
  'news',
  'forecast',
  'discussion',
  'interactive',
  'radar',
  'generac',
  'superstore',
  'day',
  'forecast',
  'maps',
  'radar',
  'mr.',
  'electric',
  'camera',
  'network',
  'weather',
  'wednesday',
  'bus',
  'stop',
  'forecast',
  'gulf',
  'coast',
  'forecast',
  'weather',
  'closings',
  'delays',
  'warnings',
  'photo',
  'galleries',
  'live',
  'alert',
  'app',
  'traffic',
  'sec',
  'media',
  'days',
  'key',
  'athlete',
  'week',
  'trash',
  'pandas',
  'havoc',
  'nfl',
  'draft',
  'alabama',
  'auburn',
  'watch',
  'whnt',
  'whdf',
  'newscasts',
  'whnt',
  'video',
  'center',
  'breaking',
  'news',
  'coverage',
  'talk',
  'valley',
  'noon',
  'interviews',
  'whnt',
  'north',
  'alabama',
  'cw',
  'program',
  'schedule',
  'traffic',
  'cbs',
  'news',
  'live',
  'feed',
  'captioning',
  'info',
  'story',
  'leadership',
  'perspectives',
  'school',
  'share',
  'community',
  'calendar',
  'mr.',
  'food',
  'test',
  'kitchen',
  'heroes',
  'living',
  'life',
  'adopt',
  'pet',
  'bestreviews',
  'bestreviews',
  'daily',
  'deals',
  'contests',
  'news',
  'team',
  'whnt',
  'news',
  'sales',
  'team',
  'broadcast',
  'digital',
  'news',
  'app',
  'advertise',
  'regional',
  'news',
  'partners',
  'bestreviews',
  'personal',
  'information',
  'work',
  'job',
  'post',
  'job',
  'report',
  'damage',
  'storm',
  'tennessee',
  'valley',
  'apr',
  'cdt',
  'apr',
  'pm',
  'cdt',
  'apr',
  'cdt',
  'apr',
  'pm',
  'cdt',
  'north',
  'alabama',
  'whnt',
  'news',
  'report',
  'damage',
  'people',
  'power',
  'storm',
  'tennessee',
  'valley',
  'morning',
  'hour',
  'saturday',
  'storm',
  'damage',
  'madison',
  'county',
  'jackson',
  'county',
  'marshall',
  'county',
  'woman',
  'storm',
  'madison',
  'county',
  'madison',
  'county',
  'sheriff',
  'office',
  'damage',
  'county',
  'people',
  'area',
  'hwy',
  'lincoln',
  'road',
  'borderline',
  'road',
  'area',
  'hazel',
  'green',
  'community',
  'madison',
  'county',
  'coroner',
  'dr.',
  'tyler',
  'berryhill',
  'woman',
  'storm',
  'home',
  'borderline',
  'road',
  'scene',
  'berryhill',
  'madison',
  'county',
  'commission',
  'chairman',
  'mac',
  'mccutcheon',
  'injury',
  'people',
  'scene',
  'huntsville',
  'hospital',
  'hemsi',
  'don',
  'webster',
  'hemsi',
  'news',
  'people',
  'hospital',
  'condition',
  'person',
  'condition',
  'weather',
  'alert',
  'smartphone',
  'alert',
  'statement',
  'storm',
  'damage',
  'madison',
  'county',
  'sheriff',
  'office',
  'area',
  'hwy',
  'lincoln',
  'road',
  'borderline',
  'road',
  'area',
  'hazel',
  'green',
  'community',
  'emergency',
  'crew',
  'area',
  'storm',
  'damage',
  'home',
  'business',
  'area',
  'tree',
  'power',
  'line',
  'roadway',
  'situation',
  'area',
  'portion',
  'madison',
  'county',
  'storm',
  'damage',
  'agency',
  'responder',
  'roadway',
  'tree',
  'power',
  'line',
  'area',
  'agency',
  'residence',
  'business',
  'hazel',
  'green',
  'area',
  'area',
  'lot',
  'storm',
  'damage',
  'people',
  'area',
  'storm',
  'damage',
  'power',
  'line',
  'yard',
  'roadway',
  'agency',
  'home',
  'hazel',
  'green',
  'community',
  'extent',
  'damage',
  'daylight',
  'area',
  'madison',
  'county',
  'sheriff',
  'office',
  'news',
  'report',
  'damage',
  'jackson',
  'county',
  'power',
  'outage',
  'customer',
  'county',
  'jackson',
  'county',
  'emergency',
  'management',
  'agency',
  'ema',
  'tree',
  'road',
  'jackson',
  'county',
  'county',
  'road',
  'county',
  'road',
  'block',
  'county',
  'road',
  'county',
  'road',
  'walnut',
  'street',
  'fackler',
  'area',
  'marshall',
  'county',
  'ema',
  'tree',
  'fry',
  'gap',
  'road',
  'marshall',
  'county',
  'volunteer',
  'fire',
  'department',
  'storm',
  'damage',
  'report',
  'tennessee',
  'valley',
  'typo',
  'error(required',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'amazon',
  'school',
  'deal',
  'schooler',
  'school',
  'corner',
  'amazon',
  'supply',
  'school',
  'deal',
  'supply',
  'schooler',
  'august',
  'vegetable',
  'flower',
  'flower',
  'plant',
  'hour',
  'soil',
  'air',
  'temperature',
  'sunshine',
  'august',
  'month',
  'planting',
  'chemical',
  'guys',
  'kit',
  'car',
  'car',
  'care',
  'hour',
  'chemical',
  'guys',
  'car',
  'wash',
  'kit',
  'time',
  'deal',
  'thank',
  'inbox',
  'bluffing',
  'putin',
  'deployment',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'taiwan',
  'school',
  'office',
  'typhoon',
  'bomb',
  'threat',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'russia',
  'un',
  'meeting',
  'soldier',
  'niger',
  'biden',
  'relief',
  'heat',
  'north',
  'alabama',
  'fire',
  'departments',
  'set',
  'pastor',
  'life',
  'innocent',
  'bystander',
  'track',
  'club',
  'funds',
  'junior',
  'olympics',
  'origami',
  'garden',
  'huntsville',
  'botanical',
  'garden',
  'cardiac',
  'arrest',
  'prevention',
  'act',
  'effect',
  'huntsville',
  'botanical',
  'garden',
  'weather',
  'wednesday',
  'resident',
  'apartment',
  'access',
  'evacuation',
  'dr.',
  'jan',
  'davis',
  'space',
  'rocket',
  'center',
  'northwest',
  'shoals',
  'community',
  'college',
  'resource',
  'center',
  'una',
  'ra',
  'assault',
  'july',
  'traffic',
  'research',
  'park',
  'crash',
  '',
  '',
  'tennessee',
  'truth',
  'sentencing',
  'law',
  'july',
  'fort',
  'payne',
  'police',
  'boy',
  'northeast',
  'alabama',
  'hour',
  'nasa',
  'astronaut',
  'huntsville',
  'return',
  'lawsuit',
  'church',
  'highlands',
  'pastor',
  'leader',
  'alabama',
  'news',
  'hour',
  'family',
  'vent',
  'sisk',
  'singer',
  'sinead',
  'o’connor',
  'gift',
  'summer',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'home',
  'depot',
  'foot',
  'skeleton',
  'halloween',
  'deal',
  'day',
  'prime',
  'day',
  'favorite',
  'amazon',
  'essentials',
  'clothe',
  'thank',
  'inbox',
  'fort',
  'payne',
  'police',
  'boy',
  'nasa',
  'astronaut',
  'huntsville',
  'return',
  'lawsuit',
  'church',
  'highlands',
  'pastor',
  'leader',
  'family',
  'vent',
  'sisk',
  'singer',
  'sinead',
  'o’connor',
  'una',
  'r.a.',
  'assault',
  'charge',
  'huntsville',
  'apartment',
  'smoke',
  'water',
  'pastor',
  'life',
  'bystander',
  'police',
  'fort',
  'payne',
  'police',
  'boy',
  'northeast',
  'alabama',
  'hour',
  'meteorologist',
  'danielle',
  'dozier',
  'botanical',
  'weather',
  'wednesday',
  'hour',
  'whnt',
  'online',
  'public',
  'file',
  'whdf',
  'online',
  'public',
  'file',
  'whnt',
  'eeo',
  'whdf',
  'eeo',
  'public',
  'file',
  'fcc',
  'applications',
  'android',
  'app',
  'google',
  'play',
  'android',
  'weather',
  'app',
  'google',
  'play',
  'personal',
  'information',
  'personal',
  'information',
  'nexstar',
  'media',
  'inc.',
  'rights'],
 ['posts',
  'arts',
  'culture',
  'business',
  'community',
  'downtown',
  'education',
  'elections',
  'library',
  'municipal',
  'public',
  'safety',
  'police',
  'department',
  'fire',
  'department',
  'govtv',
  'city',
  'website',
  'free',
  'mobile',
  'app',
  'apple',
  'iphone',
  'mac',
  'google',
  'android',
  'contact',
  'public',
  'announcement',
  'nonprofit',
  'community',
  'event',
  'search',
  'rochester',
  'postpublished',
  'city',
  'rochester',
  'nhfacebookfacebookinstagraminstagramyoutubeyoutubethursday',
  'july',
  'subscribesubscribe',
  'e',
  '-',
  'mail',
  'address',
  'methe',
  'rochester',
  'postpublished',
  'city',
  'rochester',
  'nh',
  'searchsearch',
  'articletype',
  'search',
  'query',
  'posts',
  'arts',
  'culture',
  'business',
  'community',
  'downtown',
  'education',
  'elections',
  'library',
  'municipal',
  'public',
  'safety',
  'police',
  'department',
  'fire',
  'department',
  'govtv',
  'city',
  'website',
  'free',
  'mobile',
  'app',
  'apple',
  'iphone',
  'mac',
  'google',
  'android',
  'contact',
  'public',
  'announcement',
  'nonprofit',
  'community',
  'event',
  'morehomestate',
  'nhstorm',
  'power',
  'thousand',
  'new',
  'hampshirestorm',
  'power',
  'thousand',
  'new',
  'hampshirestate',
  'nhpublished',
  'onmarch',
  'city',
  'rochester',
  'url',
  'customer',
  'power',
  'new',
  'hampshire',
  'winter',
  'storm',
  'snow',
  'rain',
  'region',
  'storm',
  'wind',
  'gust',
  'mph',
  'power',
  'outage',
  'family',
  'robert',
  'buxton',
  'director',
  'new',
  'hampshire',
  'department',
  'safety',
  'division',
  'homeland',
  'security',
  'emergency',
  'management',
  'generator',
  'wire',
  'power',
  'outage',
  'utility',
  'provider',
  'hour',
  'eversource',
  'liberty',
  'utilities',
  'nh',
  'electric',
  'co',
  '-',
  'op',
  'unitil',
  'safety',
  'recommendation',
  'nh',
  'alerts',
  'national',
  'weather',
  'service',
  'radio',
  'broadcast',
  'weather',
  'report',
  'use',
  'flashlight',
  'candle',
  'emergency',
  'lighting',
  'gas',
  'range',
  'oven',
  'source',
  'heat',
  'generator',
  'house',
  'service',
  'electrician',
  'generator',
  'building',
  'space',
  'foot',
  'building',
  'exhaust',
  'power',
  'outage',
  'safety',
  'article',
  'municipalnext',
  'city',
  'council',
  'meeting',
  'national',
  'night',
  'eventcity',
  'council',
  'start',
  'tuesday',
  'august',
  '1st',
  'meeting',
  'july',
  'recreationseniors',
  'join',
  'forest',
  'society',
  'walk',
  'champlin',
  'forest',
  'reservationthe',
  'rochester',
  'recreation',
  'department',
  'senior',
  'forest',
  'society',
  'naturalist',
  'july',
  'public',
  'safetypublic',
  'health',
  'official',
  'tip',
  'resident',
  'infestationsin',
  'rochester',
  'home',
  'neighborhood',
  'july',
  'businessrochester',
  'main',
  'street',
  'moonlight',
  'madness',
  '8/23rochester',
  'main',
  'street',
  'volunteer',
  'organization',
  'return',
  'july',
  'municipalnext',
  'city',
  'council',
  'meeting',
  'national',
  'night',
  'eventcity',
  'council',
  'start',
  'tuesday',
  'august',
  '1st',
  'meeting',
  'july',
  'recreationseniors',
  'join',
  'forest',
  'society',
  'walk',
  'champlin',
  'forest',
  'reservationthe',
  'rochester',
  'recreation',
  'department',
  'senior',
  'forest',
  'society',
  'naturalist',
  'july',
  'public',
  'safetypublic',
  'health',
  'official',
  'tip',
  'resident',
  'infestationsin',
  'rochester',
  'home',
  'neighborhood',
  'july',
  'rochester',
  'postthe',
  'rochester',
  'post',
  'public',
  'information',
  'community',
  'engagement',
  'office',
  'city',
  'rochester',
  'new',
  'hampshire',
  'purpose',
  'website',
  'aggregate',
  'press',
  'release',
  'community',
  'happening',
  'meeting',
  'hearing',
  'news',
  'state',
  'nh',
  'post',
  'reader',
  'cost',
  'subscription',
  'mission',
  'rochester',
  'post',
  'awareness',
  'information',
  'rochester',
  'citizen',
  'community',
  'government',
  'city',
  'rochester',
  'new',
  'hampshire'],
 ['contentdenver',
  'cosubscribenews',
  'feedneighbor',
  'postslocal',
  'newsarvada',
  'newslittleton',
  'newsgolden',
  'newsbroomfield',
  'newsboulder',
  'newscolorado',
  'springs',
  'newscheyenne',
  'newsgrand',
  'junction',
  'newscasper',
  'newslocal',
  'newscommunity',
  'cornercrime',
  'safetypolitics',
  'governmentschoolstraffic',
  'transitobituariespersonal',
  'financebest',
  'ofseasonal',
  'holidaysweatherarts',
  'entertainmentbusinesshealth',
  'wellnesshome',
  'gardensportstravelkids',
  'familypetsrestaurants',
  'barslocalstreamneighbor',
  'postslocal',
  'businesseseventsreal',
  'estatereal',
  'estate',
  'listingsreal',
  'estate',
  'newssee',
  'communitieslakewood',
  'coarvada',
  'colittleton',
  'cogolden',
  'cobroomfield',
  'coboulder',
  'cocolorado',
  'springs',
  'cocheyenne',
  'wygrand',
  'junction',
  'cocasper',
  'wystate',
  'editioncoloradonational',
  'editiontop',
  'national',
  'newssee',
  'communities0weathercolorado',
  'weather',
  'winter',
  'storm',
  'range',
  'palmer',
  'dividethe',
  'storm',
  'shot',
  'rain',
  'snow',
  'region',
  'cbs',
  'denver',
  'news',
  'partnerposted',
  'mon',
  'apr',
  'mtreply',
  'tuesday',
  'alert',
  'weather',
  'day',
  'change',
  'cbs)by',
  'dave',
  'aguilera',
  'cbs',
  'denver',
  'pacific',
  'storm',
  'system',
  'impact',
  'range',
  'palmer',
  'divide',
  'tuesday',
  'wednesday',
  'storm',
  'shot',
  'rain',
  'snow',
  'region',
  'tuesday',
  'alert',
  'weather',
  'day',
  'change',
  'denverwith',
  'time',
  'update',
  'patch',
  'subscriberead',
  'cbs',
  'denver',
  'cbs',
  'local',
  'digital',
  'media',
  'reach',
  'cbs',
  'television',
  'radio',
  'station',
  'perspective',
  'denverwith',
  'time',
  'update',
  'patch',
  'subscribethankreply',
  'sharecolorado',
  'weather',
  'winter',
  'storm',
  'range',
  'palmer',
  'dividethe',
  'rule',
  'space',
  'discussion',
  'language',
  'claim',
  'reply',
  'topic',
  'patch',
  'community',
  'guidelines',
  'reply',
  'denverarts',
  'entertainment',
  '1dfauci',
  'cheney',
  'abrams',
  'colorado',
  'speaker',
  'series',
  'denvercommunity',
  'corner',
  'jun',
  'new',
  'home',
  'comal',
  'legal',
  'shrooms',
  'inches',
  'forward',
  'shelter',
  'closingcommunity',
  'suncor',
  'dumping',
  'chemicals',
  'south',
  'platte',
  'horse',
  'foundfeatured',
  'eventsjul',
  'taxis',
  'retirement',
  'seminar',
  'jefferson',
  'county',
  'public',
  'library',
  'columbine',
  'library+',
  'eventfeatured',
  'classifieds+',
  'news',
  'nearbydenver',
  'co',
  'news',
  'patch',
  'today',
  'denver',
  'd',
  'jul',
  'co',
  'newscheck',
  'homes',
  'sale',
  'denverdenver',
  'co',
  'newsdenver',
  'area',
  'homeowners',
  'new',
  'houses',
  'marketdenver',
  'co',
  'newsnew',
  'dogs',
  'cats',
  'pets',
  'available',
  'adoption',
  'denver',
  'area',
  'sheltersdenver',
  'co',
  'news',
  'new',
  'home',
  'comal',
  'legal',
  'shrooms',
  'inches',
  'forward',
  'shelter',
  'closingbest',
  'denverdenver',
  'arts',
  'entertainment5',
  'best',
  'denver',
  'instagram',
  'spots',
  'cannabis',
  'church',
  'blue',
  'bear',
  'urban',
  'art+denver',
  'community',
  'best',
  'places',
  'denver',
  'area',
  'townersdenver',
  'restaurants',
  'bars5',
  'best',
  'denver',
  'ice',
  'cream',
  'spot',
  'little',
  'man',
  'ice',
  'cream',
  'vegan)denver',
  'community',
  'corner5',
  'best',
  'walking',
  'trails',
  'denver',
  'hiking',
  'requireddenver',
  'community',
  'cornershop',
  'denver',
  'farmers',
  'markets',
  'pro',
  'info',
  'yourcommunity',
  'patch',
  'appcorporate',
  'infoabout',
  'patchcareerspartnershipsadvertise',
  'patchsupportfaqscontact',
  'patchcommunity',
  'guidelinesposting',
  'instructionsterms',
  'useprivacy',
  'policy',
  'patch',
  'media',
  'rights'],
 ['search',
  'homepage',
  'local',
  'news',
  'national',
  'news',
  'weather',
  'radar',
  'alerts',
  'map',
  'room',
  'future',
  'editorials',
  'politic',
  'fact',
  'traffic',
  'sports',
  'high',
  'school',
  'sports',
  'bengals',
  'reds',
  'ruth',
  'lyons',
  'matter',
  'fact',
  'local',
  'investigate',
  'health',
  'state',
  'addiction',
  'entertainment',
  'money',
  'monday',
  'talk',
  'cincy',
  'news',
  'love',
  'project',
  'community',
  'home',
  'furnishings',
  'mental',
  'health',
  'resources',
  'homearama',
  'autos',
  'news',
  'team',
  'contact',
  'advertise',
  'wlwt',
  'metv',
  'privacy',
  'notice',
  'terms',
  'use',
  'press',
  'type',
  'search',
  'kentucky',
  'gov.',
  'beshear',
  'state',
  'emergency',
  'weather',
  'threat',
  'est',
  'mar',
  'kentucky',
  'gov.',
  'beshear',
  'state',
  'emergency',
  'weather',
  'threat',
  'est',
  'mar',
  'morning',
  'forecast',
  'today',
  'specifically',
  'kentucky',
  'alert',
  'afternoon',
  'absolutely',
  'governor',
  'andrew',
  'state',
  'emergency',
  'asset',
  'place',
  'listen',
  'operation',
  'center',
  'level',
  'upgrades',
  'morning',
  'seriousness',
  'flooding',
  'louisville',
  'listen',
  'main',
  'rain',
  'morning',
  'slides',
  'weather',
  'event',
  'today',
  'you’re',
  'severe',
  'thunderstorms',
  'you’ll',
  'severe',
  'wind',
  'thunderstorms',
  'level',
  'wind',
  'rain',
  'event',
  'people',
  'flooding',
  'tornado',
  'weather',
  'event',
  'safe',
  'today',
  'thankfully',
  'lot',
  'school',
  'systems',
  'kids',
  'today',
  'decision',
  'time',
  'especially',
  'challenging',
  'state',
  'government',
  'building',
  'nonessential',
  'employees',
  'a.m.',
  'today',
  'people',
  'time',
  'home',
  'weather',
  'forecast',
  'direct',
  'update',
  'significant',
  'system',
  'region',
  'today',
  'western',
  'kentucky',
  'significant',
  'portions',
  'we’ll',
  'statewide',
  'map',
  'minute',
  'noon',
  'p.m.',
  'main',
  'severe',
  'threats',
  'damaging',
  'wind',
  'potential',
  'tornado',
  'you’ll',
  'ahead',
  'minute',
  'going',
  'thunderstorm',
  'miles',
  'hour',
  'pass',
  'wind',
  'risky',
  'roads',
  'slide',
  'idea',
  'damaging',
  'wind',
  'corridor',
  'tornado',
  'lot',
  'central',
  'kentucky',
  'green',
  'corbin',
  'london',
  'certainly',
  'louisville',
  'frankfort',
  'lexington',
  'area',
  'timing',
  'faster',
  'people',
  'idea',
  'severe',
  'storms',
  'storm',
  'wind',
  'comes',
  'wind',
  'gusts',
  'potentially',
  'tractor',
  'trailer',
  'driving',
  'interstate',
  'condition',
  'wind',
  'miles',
  'hour',
  'told',
  'thought',
  'miles',
  'hour',
  'people',
  'area',
  'lose',
  'power',
  'rain',
  'wind',
  'coming',
  'we’ll',
  'trees',
  'uproot',
  'people',
  'prepared',
  'thankfully',
  'cold',
  'lose',
  'power',
  'kit',
  'house',
  'storm',
  'west',
  'east',
  'kind',
  'northeast',
  'storms',
  'damaging',
  'wind',
  'slide',
  'focus',
  'slide',
  'confidence',
  'gusty',
  'wind',
  'national',
  'weather',
  'service',
  'pretty',
  'sustained',
  'wind',
  'miles',
  'hour',
  'issue',
  'gust',
  'miles',
  'hour',
  'real',
  'issues',
  'roadway',
  'trees',
  'power',
  'issues',
  'wind',
  'kick',
  'storm',
  'don’t',
  'people',
  'confidence',
  'thunder',
  'stop',
  'rain',
  'stop',
  'safe',
  'okay',
  'tornado',
  'watch',
  'west',
  'slide',
  'showed',
  'kentucky',
  'possibility',
  'tornado',
  'watches',
  'morning',
  'tornado',
  'watches',
  'state',
  'hail',
  'quarter',
  'size',
  'people',
  'attuned',
  'weather',
  'local',
  'meteorology',
  'weather',
  'radio',
  'we’d',
  'ask',
  'media',
  'provide',
  'update',
  'storms',
  'moving',
  'quickly',
  'warning',
  'you’re',
  'lot',
  'time',
  'home',
  'weather',
  'aware',
  'alert',
  'today',
  'warning',
  'don’t',
  'wait',
  'ahead',
  'place',
  'home',
  'additionally',
  'heavy',
  'rainfall',
  'continue',
  'morning',
  'afternoon',
  'hours',
  'heaviest',
  'rainfall',
  'total',
  'north',
  'kentucky',
  'parkway',
  'inches',
  'couple',
  'place',
  'kentucky',
  'watch',
  'effect',
  'friday',
  'afternoon',
  'afternoon',
  'portions',
  'southern',
  'indiana',
  'central',
  'kentucky',
  'flash',
  'flooding',
  'storms',
  'couple',
  'actions',
  'team',
  'meteorologists',
  'transportation',
  'communication',
  'staff',
  'state',
  'police',
  'eoc',
  'morning',
  'storm',
  'mentioned',
  'kentucky',
  'national',
  'guard',
  'pre',
  'actively',
  'prepared',
  'prepare',
  'hope',
  'best',
  'personnel',
  'cabinets',
  'guidance',
  'night',
  'state',
  'employees',
  'remotely',
  'today',
  'earlier',
  'morning',
  'closing',
  'state',
  'office',
  'building',
  'a.m.',
  'employees',
  'time',
  'mentioned',
  'school',
  'district',
  'day',
  'teachers',
  'staff',
  'student',
  'safe',
  'storm',
  'survivor',
  'travel',
  'trailer',
  'communicating',
  'significantly',
  'shelter',
  'set',
  'slide',
  'trauma',
  'folk',
  'folks',
  'county',
  'tornado',
  'flooding',
  'shelter',
  'people',
  'preemptively',
  'chose',
  'radio',
  'travel',
  'travel',
  'trailer',
  'we’re',
  'door',
  'door',
  'you’re',
  'location',
  'contact',
  'emergency',
  'management',
  'official',
  'social',
  'medium',
  'account',
  'website',
  'shelter',
  'option',
  'reminder',
  'don’t',
  'update',
  'emergencies',
  'you’re',
  'calling',
  'update',
  'somebody',
  'situation',
  'help',
  'quickly',
  'ksp',
  'roadway',
  'turn',
  'director',
  'kentucky',
  'emergency',
  'management',
  'preparedness',
  'tip',
  'colonel',
  'slinger',
  'governor',
  'unfortunately',
  'we’re',
  'today',
  'week',
  'severe',
  'weather',
  'awareness',
  'week',
  'worked',
  'week',
  'time',
  'plan',
  'action',
  'severe',
  'talked',
  'preparedness',
  'pay',
  'talk',
  'roadway',
  'snow',
  'ice',
  'storm',
  'let',
  '’',
  'emergency',
  'kit',
  'car',
  'talking',
  'snow',
  'ice',
  'reason',
  'governor',
  'mentioned',
  'wind',
  'center',
  'gravity',
  'vehicles',
  'tractor',
  'trailer',
  'turned',
  'interstate',
  'we’d',
  'noted',
  'instance',
  'tractor',
  'trailer',
  'jackknife',
  'ice',
  'emergency',
  'kits',
  'handy',
  'drinking',
  'water',
  'aid',
  'kit',
  'cell',
  'phone',
  'charger',
  'blankets',
  'tools',
  'device',
  'flares',
  'flashers',
  'raincoat',
  'shovel',
  'aware',
  'travel',
  'monitor',
  'mean',
  'kentucky',
  'transportation',
  'cabinet',
  'website',
  'multiple',
  'traffic',
  'app',
  'road',
  'report',
  'louisville',
  'metro',
  'area',
  'flash',
  'flooding',
  'main',
  'roadway',
  'safe',
  'mentioned',
  'flash',
  'flooding',
  'don’t',
  'drown',
  'small',
  'water',
  'wash',
  'car',
  'safe',
  'encounter',
  'water',
  'roadway',
  'don’t',
  'turn',
  'don’t',
  'drown',
  'second',
  'wind',
  'power',
  'outages',
  'potential',
  'tornado',
  'remember',
  'plan',
  'place',
  'plan',
  'house',
  'residence',
  '’',
  'interior',
  'room',
  'basement',
  'you’re',
  'room',
  'safe',
  'mentioned',
  'weather',
  'wind',
  'cause',
  'outages',
  'water',
  'food',
  'snacks',
  'batteries',
  'flashlight',
  'charger',
  'thing',
  'shelter',
  'place',
  'shelter',
  'you’re',
  'resident',
  'you’re',
  'appropriate',
  'shelter',
  'shelter',
  'utilize',
  'turn',
  'don’t',
  'drown',
  'mentioned',
  'power',
  'outages',
  'mean',
  'people',
  'generators',
  'use',
  'i’ll',
  'mention',
  'power',
  'outage',
  'generators',
  'door',
  'people',
  'generator',
  'power',
  'outage',
  'feet',
  'outside',
  'residence',
  'chance',
  'carbon',
  'monoxide',
  'poisoning',
  'safe',
  'day',
  'we’ll',
  'continue',
  'updating',
  'governor',
  'we’ll',
  'we’ll',
  'sir',
  'piece',
  'price',
  'gouging',
  'statute',
  'significant',
  'event',
  'people',
  'can’t',
  'taken',
  'folks',
  'look',
  'weather',
  'bad',
  'today',
  'tomorrow',
  'okay',
  'careful',
  'unnecessary',
  'risk',
  'got',
  'number',
  'journalists',
  'start',
  'wi',
  'alerts',
  'breaking',
  'update',
  'email',
  'inbox',
  'kentucky',
  'gov.',
  'beshear',
  'state',
  'emergency',
  'weather',
  'threat',
  'est',
  'mar',
  'kentucky',
  'gov.',
  'andy',
  'beshear',
  'state',
  'emergency',
  'weather',
  'threat',
  'state',
  'kentucky',
  'weather',
  'storm',
  'wind',
  'possibility',
  'tornado',
  'flooding',
  'people',
  'state',
  'emergency',
  'preposition',
  'asset',
  'kentucky',
  'national',
  'guard',
  'beshear',
  'governor',
  'action',
  'official',
  'message',
  'today',
  'chance',
  'beshear',
  'day',
  'friday',
  'wave',
  'rain',
  'drive',
  'kid',
  'door',
  'school',
  'radar',
  'rain',
  'gear',
  'water',
  'road',
  'flood',
  'watch',
  'place',
  'wlwt',
  'area',
  'tonight',
  'tomorrow',
  'rain',
  'flash',
  'flooding',
  'region',
  'wind',
  'advisory',
  'place',
  'wlwt',
  'area',
  'pm',
  'today',
  'saturday',
  'wind',
  'mph',
  'storm',
  'afternoon',
  'storm',
  'friday',
  'risk',
  'tornado',
  'wind',
  'tornado',
  'threat',
  'kentucky',
  'friday',
  'high',
  'degree',
  'wind',
  'evening',
  'rain',
  'evening',
  'hour',
  'weekend',
  'high',
  'day',
  'low',
  '30',
  'eye',
  'monday',
  'forecast',
  'evening',
  'thunderstorm',
  'frankfort',
  'ky.',
  'kentucky',
  'gov.',
  'andy',
  'beshear',
  'state',
  'emergency',
  'weather',
  'threat',
  'state',
  'kentucky',
  'weather',
  'storm',
  'wind',
  'possibility',
  'tornado',
  'flooding',
  'people',
  'state',
  'emergency',
  'preposition',
  'asset',
  'kentucky',
  'national',
  'guard',
  'beshear',
  'day',
  'friday',
  'wave',
  'rain',
  'drive',
  'kid',
  'door',
  'school',
  'radar',
  'alerts',
  'cincinnati',
  'weather',
  'threat',
  'wind',
  'bring',
  'rain',
  'gear',
  'water',
  'road',
  'flood',
  'watch',
  'place',
  'wlwt',
  'area',
  'tonight',
  'tomorrow',
  'rain',
  'flash',
  'flooding',
  'region',
  'wind',
  'advisory',
  'place',
  'wlwt',
  'area',
  'pm',
  'today',
  'saturday',
  'wind',
  'mph',
  'power',
  'weather',
  'storm',
  'afternoon',
  'storm',
  'friday',
  'risk',
  'tornado',
  'wind',
  'hour',
  'hour',
  'rain',
  'weather',
  'threat',
  'cincinnati',
  'friday',
  'tornado',
  'threat',
  'kentucky',
  'friday',
  'high',
  'degree',
  'wind',
  'evening',
  'rain',
  'evening',
  'hour',
  'weekend',
  'high',
  'day',
  'low',
  '30',
  'eye',
  'monday',
  'forecast',
  'evening',
  'thunderstorm',
  'mattel',
  'barbie',
  'movie',
  'dolls',
  'margot',
  'robbie',
  'ryan',
  'gosling',
  'barbie',
  'movie',
  'amazon',
  'shop',
  'pink',
  'fantastic',
  'merch',
  'contact',
  'news',
  'team',
  'apps',
  'social',
  'email',
  'alerts',
  'careers',
  'internships',
  'digital',
  'advertising',
  'terms',
  'conditions',
  'broadcast',
  'terms',
  'conditions',
  'rss',
  'eeo',
  'captioning',
  'contacts',
  'public',
  'inspection',
  'file',
  'public',
  'file',
  'assistance',
  'fcc',
  'applications',
  'news',
  'policy',
  'statements',
  'hearst',
  'television',
  'affiliate',
  'marketing',
  'program',
  'commission',
  'product',
  'link',
  'retailer',
  'site',
  'hearst',
  'television',
  'inc.',
  'behalf',
  'wlwt',
  'tv',
  'privacy',
  'notice',
  'california',
  'privacy',
  'rights',
  'interest',
  'ads',
  'terms',
  'use',
  'site',
  'map'],
 ['app',
  'searchsign',
  'locationscloseboisesee',
  'storiessafetyfood',
  'drinksportssee',
  'moreadditional',
  'contentnational',
  'newslocal',
  'newsletternewsbreak',
  'corporateabout',
  'uscontributorspublishersadvertisersterm',
  'use',
  'privacy',
  'policydo',
  'sell',
  'share',
  'info',
  'help',
  'centersign',
  'boise',
  'id',
  'update',
  'emailsubscribepost',
  'registerstorm',
  'tuesday',
  'cause',
  'crashesby',
  'cbs2',
  'news',
  'staff,2023',
  'cbs2',
  'news',
  'staff,2023',
  '-',
  '07go',
  'publisher',
  'newsbreakcomments',
  '0add',
  'commentyou',
  'likeget',
  'boise',
  'id',
  'update',
  'emailsubscribe',
  'particle',
  'medium',
  'term',
  'use',
  'privacy',
  'policydo',
  'sell',
  'share',
  'info',
  'help',
  'centercomments',
  '0closecommunity',
  'policy'],
 ['livenewsweathergood',
  'expand',
  'collapse',
  'search',
  '☰',
  'search',
  'site',
  'news',
  'philadelphiapennsylvanianew',
  'jerseydelawaremore',
  'newsnational',
  'newsworld',
  'newsfox',
  'news',
  'sundayweather',
  'day',
  'forecastclosingsfox',
  'weatherradartemperatureswatche',
  'warningsweather',
  'appgood',
  'day',
  'digest',
  'newsletterkelly',
  'classroomtrafficwatch',
  'liveya',
  'thisseen',
  'tvsports',
  'fifa',
  'women',
  'world',
  'cupeaglesflyersphillies76ersunionfox',
  'sports',
  'appentertainment',
  'showsthe',
  'classh',
  'roomthings',
  'fox',
  'showswatch',
  'streamnewscasts',
  'replayslivenow',
  'foxnew',
  'specialswebcamsfox',
  'mattersfox',
  'originals',
  'black',
  'history',
  'monthhank',
  'takein',
  'focuskelly',
  'drivesour',
  'race',
  'realitysave',
  'streetsthe',
  'pulsehealth',
  'coronaviruscoronavirus',
  'mapcoronavirus',
  'vaccinedr',
  'mikehealth',
  'careopioid',
  'epidemicpolitics',
  'electioninauguration',
  'dayjoe',
  'bidenkamala',
  'harrisdonald',
  'j.',
  'trumpphilly',
  'city',
  'councilmoney',
  'businesscashing',
  'news',
  'fox',
  'appnew',
  'jersey',
  'news',
  'my9njnew',
  'york',
  'news',
  'fox',
  'nywashington',
  'dc',
  'news',
  'fox',
  'dcabout',
  'appscontact',
  'usfcc',
  'applicationshow',
  'listingswork',
  'heat',
  'watch',
  'fri',
  'edt',
  'fri',
  'pm',
  'edt',
  'delaware',
  'county',
  'eastern',
  'chester',
  'county',
  'eastern',
  'montgomery',
  'county',
  'lower',
  'bucks',
  'county',
  'philadelphia',
  'county',
  'camden',
  'county',
  'gloucester',
  'county',
  'mercer',
  'county',
  'northwestern',
  'burlington',
  'county',
  'somerset',
  'county',
  'new',
  'castle',
  'county',
  'heat',
  'advisory',
  'thu',
  'pm',
  'edt',
  'fri',
  'pm',
  'edt',
  'lancaster',
  'county',
  'lebanon',
  'county',
  'heat',
  'advisory',
  'thu',
  'edt',
  'fri',
  'edt',
  'delaware',
  'county',
  'eastern',
  'chester',
  'county',
  'eastern',
  'montgomery',
  'county',
  'lower',
  'bucks',
  'county',
  'philadelphia',
  'county',
  'camden',
  'county',
  'gloucester',
  'county',
  'mercer',
  'county',
  'northwestern',
  'burlington',
  'county',
  'somerset',
  'county',
  'new',
  'castle',
  'county',
  'heat',
  'advisory',
  'thu',
  'edt',
  'fri',
  'pm',
  'edt',
  'berks',
  'county',
  'lehigh',
  'county',
  'northampton',
  'county',
  'upper',
  'bucks',
  'county',
  'western',
  'chester',
  'county',
  'western',
  'montgomery',
  'county',
  'atlantic',
  'county',
  'cape',
  'county',
  'cumberland',
  'county',
  'salem',
  'county',
  'southeastern',
  'burlington',
  'county',
  'warren',
  'county',
  'hunterdon',
  'county',
  'ocean',
  'county',
  'warren',
  'county',
  'kent',
  'county',
  'inland',
  'sussex',
  'county',
  'cleanup',
  'road',
  'storm',
  'south',
  'jersey',
  'hank',
  'flynn',
  'fox',
  'staff',
  'july',
  'new',
  'jersey',
  'fox',
  'philadelphia',
  'share',
  'copy',
  'link',
  'email',
  'facebook',
  'twitter',
  'linkedin',
  'reddit',
  'cleanup',
  'south',
  'jersey',
  'storm',
  'region',
  'cleanups',
  'new',
  'jersey',
  'storm',
  'area',
  'fox',
  'hank',
  'flynn',
  'detail',
  'marlton',
  'n.j.',
  'cleanup',
  'southern',
  'new',
  'jersey',
  'storm',
  'area',
  'tuesday',
  'evening',
  'storm',
  'rain',
  'wind',
  'thunderstorm',
  'area',
  'delay',
  'fourth',
  'july',
  'event',
  'region',
  'debris',
  'storm',
  'grove',
  'street',
  'coles',
  'mill',
  'road',
  'kings',
  'highway',
  'haddonfield',
  'wednesday',
  'morning',
  'crew',
  'driver',
  'area',
  'burlington',
  'county',
  'weather',
  'condition',
  'tree',
  'home',
  'thousand',
  'resident',
  'power',
  'local',
  'philadelphia',
  'mass',
  'shooting',
  'victim',
  'shooting',
  'custodywawa',
  'gunpoint',
  'minute',
  'home',
  'burglary',
  'suspect',
  'bucks',
  'county',
  'girl',
  'man',
  'atlantic',
  'city',
  'beach',
  'police',
  'fox',
  'scene',
  'marlton',
  'tree',
  'street',
  'power',
  'tuesday',
  'night',
  'neighbor',
  'service',
  'size',
  'tree',
  'news',
  'alicia',
  'navarro',
  'arizona',
  'girl',
  'montana',
  'pd',
  'video',
  'gunshot',
  'south',
  'philly',
  'ambush',
  'shooting',
  'home',
  'security',
  'camera',
  'police',
  'man',
  'argument',
  'septa',
  'market',
  'frankford',
  'line',
  'train',
  'change',
  'wildwood',
  'city',
  'commission',
  'rule',
  'teen',
  'family',
  'vigil',
  'logan',
  'boy',
  'fishing',
  'trip',
  'father',
  'brother',
  'trending',
  'philadelphia',
  'eviction',
  'landlord',
  'tenant',
  'officer',
  'incident',
  'attorneys',
  'man',
  'murder',
  'chester',
  'trial',
  'philly',
  'rapper',
  'yng',
  'cheese',
  'rest',
  'shooting',
  'montgomery',
  'county',
  'man',
  'philadelphia',
  'road',
  'rage',
  'attack',
  'crowbar',
  'da',
  'mom',
  'ambush',
  'street',
  'philly',
  'park',
  'daily',
  'newsletter',
  'news',
  'day',
  'sign',
  'privacy',
  'policy',
  'terms',
  'service',
  'fox',
  'youtube',
  'app',
  'fox',
  'philadelphia',
  'fox',
  'local',
  'click',
  'news',
  'philadelphiapennsylvanianew',
  'jerseydelawaremore',
  'newsnational',
  'newsworld',
  'newsfox',
  'news',
  'sundayweather',
  'day',
  'forecastclosingsfox',
  'weatherradartemperatureswatche',
  'warningsweather',
  'appgood',
  'day',
  'digest',
  'newsletterkelly',
  'classroomtrafficwatch',
  'liveya',
  'thisseen',
  'tvsports',
  'fifa',
  'women',
  'world',
  'cupeaglesflyersphillies76ersunionfox',
  'sports',
  'appentertainment',
  'showsthe',
  'classh',
  'roomthings',
  'fox',
  'showswatch',
  'streamnewscasts',
  'replayslivenow',
  'foxnew',
  'specialswebcamsfox',
  'mattersfox',
  'originals',
  'black',
  'history',
  'monthhank',
  'takein',
  'focuskelly',
  'drivesour',
  'race',
  'realitysave',
  'streetsthe',
  'pulsehealth',
  'coronaviruscoronavirus',
  'mapcoronavirus',
  'vaccinedr',
  'mikehealth',
  'careopioid',
  'epidemicpolitics',
  'electioninauguration',
  'dayjoe',
  'bidenkamala',
  'harrisdonald',
  'j.',
  'trumpphilly',
  'city',
  'councilmoney',
  'businesscashing',
  'news',
  'fox',
  'appnew',
  'jersey',
  'news',
  'my9njnew',
  'york',
  'news',
  'fox',
  'nywashington',
  'dc',
  'news',
  'fox',
  'dcabout',
  'appscontact',
  'usfcc',
  'applicationshow',
  'listingswork',
  'facebooktwitterinstagramyoutubeemail',
  'usnew',
  'privacy',
  'policyterms',
  'serviceyour',
  'privacy',
  'choicesfcc',
  'public',
  'public',
  'fileclosed',
  'captioningwork',
  'uscontact',
  'material',
  'fox',
  'television',
  'stations'],
 ['bbc',
  'homepageskip',
  'helpyour',
  'accounthomenewssportreelworklifetravelfuturemore',
  'menumore',
  'bbchomenewssportreelworklifetravelfutureculturemusictvweathersoundsclose',
  'newsmenuhomewar',
  'ukraineclimatevideoworldus',
  'canadaukbusinesstechsciencemoreentertainment',
  'artshealthin',
  'picturesbbc',
  'verifyworld',
  'news',
  'tvnewsbeatus',
  'canadahurricane',
  'nicole',
  'power',
  'outage',
  'november',
  'storm',
  'floridapublished10',
  'november',
  'panelshare',
  'video',
  'video',
  'javascript',
  'browser',
  'medium',
  'caption',
  'hurricane',
  'nicole',
  'landfall',
  'florida',
  'thursdayby',
  'alex',
  'binleybbc',
  'newsmore',
  'home',
  'business',
  'florida',
  'power',
  'storm',
  'nicole',
  'state',
  'state',
  'emergency',
  'evacuation',
  'order',
  'place',
  'resident',
  'indoor',
  'rain',
  'storm',
  'people',
  'power',
  'line',
  'orange',
  'county',
  'centre',
  'state',
  'storm',
  'size',
  'year',
  'storm',
  'bahamas',
  'category',
  'hurricane',
  'flooding',
  'nicole',
  'florida',
  'coast',
  'hurricane',
  'est',
  'gmt',
  'wind',
  'mph',
  'km/h',
  'mph',
  'nicole',
  'storm',
  'way',
  'north',
  'west',
  'sunshine',
  'state',
  'storm',
  'hour',
  'home',
  'business',
  'power',
  'electricity',
  'half',
  'service',
  'provider',
  'storm',
  'georgia',
  'carolinas',
  'day',
  'remnant',
  'ohio',
  'pennsylvania',
  'new',
  'york',
  'week',
  'florida',
  'resident',
  'storm',
  'wind',
  'storm',
  'surge',
  'warning',
  'hurricane',
  'statement',
  'people',
  'flooding',
  'image',
  'source',
  'reutersimage',
  'caption',
  'florida',
  'resident',
  'flooding',
  'rain',
  'storm',
  'surgesimage',
  'source',
  'reutersimage',
  'caption',
  'florida',
  'resident',
  'coast',
  'storm',
  'surgesforty',
  'state',
  'county',
  'state',
  'emergency',
  'county',
  'evacuation',
  'order',
  'nhc',
  'flooding',
  'wind',
  'wave',
  'area',
  'wind',
  'tree',
  'power',
  'line',
  'footage',
  'medium',
  'way',
  'emergency',
  'shelter',
  'school',
  'district',
  'establishment',
  'utility',
  'worker',
  'standby',
  'power',
  'image',
  'source',
  'source',
  'reutersimage',
  'caption',
  'storm',
  'nicole',
  'north',
  'west',
  'florida',
  'damage',
  'wakeahead',
  'nicole',
  'arrival',
  'disney',
  'world',
  'universal',
  'orlando',
  'resort',
  'wednesday',
  'orlando',
  'international',
  'airport',
  'flight',
  'arrival',
  'nicole',
  'nasa',
  'rocket',
  'launch',
  'americans',
  'step',
  'moon',
  'image',
  'source',
  'reutersthe',
  'artemis',
  'mission',
  'november',
  'fear',
  'debris',
  'storm',
  'rocket',
  'nicole',
  'arrival',
  'storm',
  'season',
  'time',
  'hurricane',
  'storm',
  'atlantic',
  'basin',
  'august',
  'november',
  'hurricane',
  'florida',
  'record',
  'keeping',
  'sunshine',
  'state',
  'week',
  'hurricane',
  'ian',
  'florida',
  'people',
  '60bn',
  'â£51bn',
  'worth',
  'damage',
  'weathermore',
  'october',
  'storiesniger',
  'soldier',
  'coup',
  'tvpublished1',
  'hour',
  'singer',
  'sinãad',
  "o'connor",
  'hour',
  'agohow',
  'ukraine',
  'offensive',
  'south',
  'hour',
  'agofeaturessinãad',
  "o'connor",
  'obituary',
  'talent',
  'comparehow',
  'sinãad',
  "o'connor",
  'uhow',
  'ukraine',
  'offensive',
  'south',
  'stutteredn',
  'koreaâ\x80\x99s',
  'prisoner',
  'war',
  'plot',
  'flame',
  'buddha',
  'china',
  'videowatch',
  'flame',
  'buddha',
  'chinathe',
  'claim',
  'india',
  'violenceputin',
  'leader',
  'star',
  'role?can',
  'india',
  'chip',
  'powerhouse?world',
  'city',
  'bbcthe',
  'way',
  'homeswhy',
  'brand',
  'mediathe',
  'film',
  'usmost',
  'read1irish',
  'singer',
  'sinãad',
  "o'connor",
  'family',
  "grid'3how",
  'ukraine',
  'offensive',
  'south',
  'stuttered4niger',
  'soldier',
  'coup',
  'national',
  'tv5alien',
  'congress',
  'biden',
  'plea',
  'deal',
  'apart7mastercard',
  'bank',
  'debit',
  'weed8sinãad',
  "o'connor",
  'obituary',
  'talent',
  'koreaâ\x80\x99s',
  'prisoner',
  'war',
  'plot',
  'toy',
  'maker',
  'movie',
  'sale',
  'news',
  'mobileon',
  'news',
  'alertscontact',
  'bbc',
  'newshomenewssportreelworklifetravelfutureculturemusictvweathersoundsterms',
  'useabout',
  'bbcprivacy',
  'policycookiesaccessibility',
  'helpparental',
  'guidancecontact',
  'bbcget',
  'newsletterswhy',
  'bbcadvertise',
  'usâ',
  'bbc',
  'bbc',
  'content',
  'site',
  'approach',
  'linking'],
 ['news',
  'bergen',
  'passaic',
  'sports',
  'hs',
  'sports',
  'advertise',
  'obituaries',
  'enewspaper',
  'legals',
  'jerseyhurricane',
  'ida',
  'storm',
  'new',
  'jersey',
  'dustin',
  'racioppitrenton',
  'bureauin',
  'hour',
  'remnant',
  'hurricane',
  'ida',
  'new',
  'jersey',
  'wednesday',
  'night',
  'home',
  'dollhouse',
  'space',
  'comparison',
  'storm',
  'garden',
  'state',
  'thursday',
  'afternoon',
  'ida',
  'history',
  'new',
  'jersey',
  'storm',
  'gov.',
  'phil',
  'murphy',
  'people',
  'life',
  'storm',
  'half',
  'central',
  'jersey',
  'vehicle',
  'floodwater',
  'death',
  'toll',
  'murphy',
  'friday',
  'morning',
  'today',
  'people',
  'number',
  'fatality',
  'murphy',
  'ida',
  'storm',
  'sandy',
  'tally',
  'centers',
  'disease',
  'control',
  'prevention',
  'death',
  'toll',
  'storm',
  'nj',
  'rainfall',
  'total',
  'rain',
  'north',
  'jersey',
  'tropical',
  'storm',
  'storm',
  'home?:how',
  'insurance',
  'claim',
  'flood',
  'storm',
  'damage',
  'nj',
  'homeat',
  'people',
  'ida',
  'new',
  'jersey',
  'new',
  'york',
  'central',
  'jersey',
  'region',
  'new',
  'jersey',
  'fatality',
  'north',
  'jersey',
  'people',
  'passaic',
  'man',
  'floodwater',
  'car',
  'bloomfield',
  'resident',
  'storm',
  'man',
  'maplewood',
  'wife',
  'storm',
  'police',
  'flood',
  'water',
  'story',
  'gallerysandy',
  'stormssandy',
  'benchmark',
  'destruction',
  'year',
  'tropical',
  'storm',
  'irene',
  'new',
  'jersey',
  'life',
  'people',
  'news',
  'report',
  'ida',
  'rain',
  'tornado',
  'level',
  'havoc',
  'storm',
  'history',
  'life',
  'ida',
  'sandy',
  'irene',
  'message',
  'murphy',
  'democrats',
  'climate',
  'change',
  'toll',
  'humanity',
  'reminder',
  'thing',
  'murphy',
  'good',
  'morning',
  'america',
  'thursday',
  'ida',
  'update',
  'gov.',
  'murphy',
  'nj',
  'resident',
  'car',
  'floodwater',
  'year',
  'storm',
  'scene',
  'flooding',
  'destruction',
  'north',
  'jersey',
  'new',
  'jersey',
  'road',
  'recovery',
  'ida',
  'ida',
  'flooding',
  'north',
  'jersey',
  'river',
  'tropical',
  'depression',
  'ida',
  'animal',
  'turtle',
  'zoonew',
  'jersey',
  'location',
  'water',
  'population',
  'destruction',
  'storm',
  'decade',
  'murphy',
  'point',
  'governor',
  'thursday',
  'detail',
  'death',
  'ida',
  'official',
  'day',
  'case',
  'country',
  'infrastructure',
  'damage',
  'storm',
  'frequency',
  'intensity',
  'storm',
  'role',
  'ida',
  'murphy',
  'area',
  'tropical',
  'storm',
  'henri',
  'week',
  'flooding',
  'white',
  'house',
  'thursday',
  'night',
  'murphy',
  'disaster',
  'declaration',
  'new',
  'jersey',
  'new',
  'york',
  'department',
  'homeland',
  'security',
  'federal',
  'emergency',
  'management',
  'agency',
  'state',
  'official',
  'emergency',
  'response',
  'dustin',
  'racioppi',
  'reporter',
  'new',
  'jersey',
  'statehouse',
  'access',
  'work',
  'new',
  'jersey',
  'governor',
  'power',
  'structure',
  'account',
  'today',
  'email',
  'racioppi@northjersey.com',
  'twitter',
  '@dracioppi',
  'staff',
  'directory',
  'corrections',
  'careers',
  'accessibility',
  'support',
  'site',
  'map',
  'legals',
  'ethical',
  'principles',
  'subscription',
  'terms',
  'conditions',
  'terms',
  'service',
  'privacy',
  'policy',
  'california',
  'privacy',
  'rights',
  'privacy',
  'policydo',
  'sell',
  'share',
  'target',
  'infocookie',
  'settingscontact',
  'support',
  'business',
  'business',
  'advertising',
  'terms',
  'conditions',
  'event',
  'sell',
  'licensing',
  'reprints',
  'help',
  'center',
  'subscriber',
  'guide',
  'account',
  'eventsubscribe',
  'today',
  'newsletters',
  'mobile',
  'app',
  'facebook',
  'twitter',
  'enewspaper',
  'storytellers',
  'archives',
  'rss',
  'feedsjobs',
  'cars',
  'homes',
  'classifieds',
  'event',
  'localiq',
  'digital',
  'marketing',
  'solutions',
  'www.northjersey.com',
  'right'],
 ['contentskip',
  'content',
  'register',
  'article',
  'newsletter',
  'weather',
  'forecast',
  'weather',
  'alert',
  'inbox',
  'subscriber',
  'sign',
  'time',
  'permission',
  'article',
  'lee',
  'enterprises',
  'terms',
  'service',
  '',
  '',
  'privacy',
  'policy',
  'help',
  'center',
  'account',
  'dashboard',
  'profile',
  'item',
  'weather',
  'nebraska',
  'wednesday',
  'storm',
  'spot',
  'weather',
  'nebraska',
  'wednesday',
  'storm',
  'spot',
  'rain',
  'nebraska',
  'afternoon',
  'evening',
  'hour',
  'today',
  'hail',
  'wind',
  'spot',
  'flooding',
  'tornado',
  'detail',
  'forecast',
  'video',
  'apple',
  'podcast',
  'google',
  'podcast',
  'rss',
  'feed',
  'omny',
  'studio',
  'apple',
  'podcast',
  'google',
  'podcast',
  'rss',
  'feed',
  'omny',
  'studio',
  'record',
  'rainfall',
  'state',
  'flooding',
  'disaster',
  'united',
  'states',
  'damage',
  'flooding',
  'rainfall',
  'period',
  'time',
  'stacker',
  'hour',
  'precipitation',
  'state',
  'datum',
  'state',
  'climate',
  'extremes',
  'committee',
  'national',
  'oceanographic',
  'atmospheric',
  'administration',
  'state',
  'rainfall',
  'hour',
  'period',
  'list',
  'puerto',
  'rico',
  'kansas',
  'datum',
  'data',
  'july',
  'number',
  'inch',
  'hour',
  'noaa',
  'datum',
  'damage',
  'life',
  'day',
  'rain',
  'day',
  'hurricane',
  'storm',
  'rain',
  'climate',
  'change',
  'rainfall',
  'concern',
  'expert',
  'water',
  'cycle',
  'sea',
  'level',
  'weather',
  'pattern',
  'precipitation',
  'measurement',
  'mission',
  'climate',
  'change',
  'nasa',
  'u.s.',
  'precipitation',
  'time',
  'drought',
  'flood',
  'problem',
  'incidence',
  'country',
  'meteorologist',
  'past',
  'weather',
  'pattern',
  'date',
  'day',
  'rain',
  'day',
  'state',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'deer',
  'creek',
  'dam-',
  'date',
  'feb.',
  'state',
  'ocean',
  'weather',
  'event',
  'hurricane',
  'storm',
  'climate',
  'case',
  'utah',
  'record',
  'rainfall',
  'inch',
  'account',
  'storm',
  'deer',
  'creek',
  'dam',
  'thunder',
  'streak',
  'lightning',
  'sheet',
  'rain',
  'morning',
  'hour',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'cheyenne-',
  'date',
  'aug.',
  'water',
  'flash',
  'flood',
  'wyoming',
  'inch',
  'rain',
  'hour',
  'inch',
  'hailstone',
  'weather',
  'event',
  'damage',
  'safety',
  'measure',
  'overflow',
  'flood',
  'channel',
  'city',
  'flood',
  'plain',
  'retention',
  'pond',
  'neighborhood',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'rattlesnake',
  'creek-',
  'date',
  'nov.',
  'region',
  'idaho',
  'state',
  'rain',
  'hour',
  'end',
  'precipitation',
  'gem',
  'state',
  'inch',
  'idaho',
  'region',
  'roland',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'mount',
  'charleston-',
  'date',
  'oct.',
  'october',
  'rain',
  'mount',
  'charleston',
  'foot',
  'area',
  'nevada',
  'spring',
  'mountains',
  'section',
  'humboldt',
  'toiyabe',
  'national',
  'forest',
  'mt.',
  'charleston',
  'average',
  'inch',
  'rain',
  'date',
  'inch',
  'mount',
  'charleston',
  'crash',
  'cia',
  'c-54',
  'plane',
  'area',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'litchville-',
  'date',
  'june',
  'north',
  'dakota',
  'inch',
  'precipitation',
  'month',
  'inch',
  'hour',
  'century',
  'june',
  'month',
  'inch',
  'rain',
  'north',
  'dakota',
  'game',
  'fish',
  'department',
  'center',
  'u.s.',
  'north',
  'dakota',
  'climate',
  'winter',
  'summer',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'groton-',
  'date',
  'basement',
  'cellar',
  'wall',
  'collapse',
  'result',
  'south',
  'dakota',
  'day',
  'history',
  'president',
  'george',
  'w.',
  'bush',
  'brown',
  'buffalo',
  'clark',
  'day',
  'marshall',
  'spink',
  'county',
  'disaster',
  'area',
  'power',
  'outage',
  'vehicle',
  'drainage',
  'system',
  'state',
  'emergency',
  'south',
  'dakota',
  'home',
  'crop',
  'hour',
  'rain',
  'event',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'mt.',
  'mansfield-',
  'date',
  'sept.',
  'end',
  'century',
  'vermont',
  'summit',
  'mount',
  'mansfield',
  'location',
  'state',
  'rainfall',
  'hour',
  'inch',
  'rain',
  'afternoon',
  'year',
  'discussion',
  'abortion',
  'place',
  'missouri',
  'musician',
  'oscar',
  'peterson',
  'carnegie',
  'hall',
  'friday',
  'npr',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'louisville-',
  'date',
  'march',
  'rain',
  'middle',
  'ohio',
  'river',
  'flood',
  'stage',
  'march',
  'day',
  'month',
  'rainiest',
  'storm',
  'people',
  'street',
  'day',
  'rain',
  'march',
  'ohio',
  'river',
  'peak',
  'damage',
  'louisville',
  'home',
  'business',
  'surrounding',
  'destruction',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'princeton-',
  'date',
  'aug.',
  'drought',
  'flooding',
  'century',
  'state',
  'love',
  'hate',
  'relationship',
  'mother',
  'nature',
  'record',
  'set',
  'princeton',
  'indiana',
  'inch',
  'rain',
  'hour',
  'period',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'lockington',
  'dam',
  'nr',
  '.',
  'sidney',
  'shelby',
  'co.',
  'oh)-',
  'date',
  'aug.',
  '1995ohio',
  'humid',
  'climate',
  'summer',
  'inch',
  'hour',
  'rainfall',
  'inch',
  'downpour',
  'quantity',
  'rain',
  'time',
  'land',
  'stream',
  'ground',
  'rate',
  'rainfall',
  'land',
  'topography',
  'soil',
  'condition',
  'density',
  'vegetation',
  'urbanization',
  'runoff',
  'condition',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'mount',
  'washington-',
  'date',
  'oct.',
  'website',
  'weatherspark',
  'rain',
  'october',
  'chance',
  'day',
  'course',
  'october',
  '%',
  'website',
  'year',
  'day',
  'gust',
  'wind',
  'mph',
  'mount',
  'washington',
  'observatory',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'lake',
  'maloya-',
  'date',
  'maloya',
  'colorado',
  'new',
  'mexico',
  'border',
  'colorado',
  'rain',
  'slope',
  'mountain',
  'hour',
  'morning',
  'noaa',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'workman',
  'creek-',
  'date',
  'sept.',
  'inch',
  'rain',
  'hour',
  'desertscape',
  'arizona',
  'storm',
  'condition',
  'death',
  'people',
  'landscape',
  'river',
  'creek',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'circle',
  'springbrook)-',
  'date',
  'june',
  'inch',
  'rain',
  'springbrook',
  'year',
  'people',
  'infant',
  'town',
  'house',
  'barn',
  'bridge',
  'granary',
  'big',
  'sky',
  'country',
  'state',
  'home',
  'great',
  'plains',
  'rocky',
  'mountains',
  'average',
  'inch',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'mellen-',
  'date',
  'june',
  'storm',
  'record',
  'inch',
  'rainfall',
  'storm',
  'inch',
  'rain',
  'volume',
  'rain',
  'customer',
  'costco',
  'evacuation',
  'mazomanie',
  'county',
  'resident',
  'sheriff',
  'officer',
  'people',
  'airboat',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'nehalem',
  '9ne-',
  'date',
  'nov.',
  '2006a',
  'november',
  'day',
  'nehalem',
  'record',
  'afternoon',
  'inch',
  'rain',
  'hour',
  'inch',
  'state',
  'neighbor',
  'pacific',
  'northwest',
  'region',
  'u.s.',
  'oregon',
  'precipitation',
  'area',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'usgs',
  'rod',
  'gun',
  'ft',
  '.',
  'carson)-',
  'date',
  'sept.',
  '2013this',
  'date',
  'rain',
  'north',
  'fort',
  'carson',
  'army',
  'post',
  'colorado',
  'day',
  'record',
  'inch',
  'hour',
  'record',
  'inch',
  'hour',
  'flooding',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'run-',
  'date',
  'june',
  'virginia',
  'flood',
  'state',
  'country',
  'flash',
  'flood',
  'half',
  'state',
  '%',
  'fatality',
  'property',
  'damage',
  'west',
  'virginia',
  'flood',
  'factor',
  'report',
  'property',
  'state',
  '%',
  'chance',
  'flooding',
  'decade',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'date',
  'sept.',
  'satellite',
  'weather',
  'american',
  'meteorological',
  'society',
  'information',
  'weather',
  'station',
  'rhode',
  'island',
  'maine',
  'new',
  'hampshire',
  'vermont',
  'massachusetts',
  'connecticut',
  'new',
  'york',
  'ams',
  'day',
  'rain',
  'event',
  'weather',
  'map',
  'morning',
  'storm',
  'weather',
  'map',
  'morning',
  'rainfall',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'harbeson-',
  'date',
  'sept.',
  'delaware',
  'new',
  'castle',
  'county',
  'state',
  'east',
  'coast',
  'harbeson',
  'mile',
  'rehobeth',
  'beach',
  'sussex',
  'county',
  'state',
  'record',
  'hour',
  'precipitation',
  'inch',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'burlington-',
  'date',
  'aug.',
  'connecticut',
  'flood',
  'recovery',
  'committee',
  'rain',
  'storm',
  'flood',
  'friday',
  'flood',
  'history',
  'united',
  'states',
  'local',
  'flood',
  'friday',
  'nbc',
  'rain',
  'august',
  'chart',
  'event',
  'year',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  '6e',
  'fountain-',
  'date',
  'july',
  'storm',
  'morning',
  'july',
  'mph',
  'wind',
  'microburst',
  'tree',
  'powerline',
  'power',
  'people',
  'storm',
  'hour',
  'mason',
  'lake',
  'county',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'york-',
  'date',
  'july',
  'lincoln',
  'journal',
  'star',
  'rainfall',
  'york',
  'nebraska',
  'disaster',
  'state',
  'time',
  'deluge',
  'people',
  'swathe',
  'beaver',
  'crossing',
  'york',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'atlantic',
  '1ne-',
  'date',
  'june',
  'day',
  'rain',
  'iowa',
  'record',
  'flooding',
  'nishnabotna',
  'east',
  'nishnabotna',
  'river',
  'basin',
  'u.s.',
  'geological',
  'survey',
  'u.s.',
  'department',
  'interior',
  'report',
  'discharge',
  'flood',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'portland-',
  'date',
  'oct.',
  '1996a',
  'assessment',
  'storm',
  'federal',
  'emergency',
  'management',
  'maine',
  'damage',
  'infrastructure',
  'storm',
  'maine',
  'rain',
  'system',
  'moisture',
  'hurricane',
  'lili',
  'train',
  'echo',
  'flooding',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'york',
  '3ssw',
  'pump',
  'date',
  'june',
  'town',
  'siren',
  'a.m.',
  'york',
  'resident',
  'foot',
  'water',
  'a.m.',
  'water',
  'baltimore',
  'main',
  'manchester',
  'hanover',
  'streets',
  'york',
  'daily',
  'record',
  'report',
  'water',
  'damage',
  'building',
  'business',
  'home',
  'car',
  'post',
  'office',
  'fire',
  'hall',
  'factory',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'long',
  'island',
  'macarthur',
  'airport-',
  'date',
  'aug.',
  'inch',
  'rainfall',
  'storm',
  'motion',
  'islip',
  'new',
  'york',
  'state',
  'record',
  'inch',
  'tannersville',
  'hurricane',
  'irene',
  'long',
  'island',
  'elevation',
  'proximity',
  'ocean',
  'storm',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'big',
  'fork-',
  'date',
  'dec.',
  'storm',
  'tornado',
  'arkansas',
  'hour',
  'rain',
  'arkansas',
  'big',
  'fork',
  'record',
  'year',
  'town',
  'record',
  'rain',
  'inch',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'mt.',
  'mitchell',
  '',
  '',
  '2-',
  'date',
  'nov.',
  'record',
  'hour',
  'period',
  ...],
 ['know',
  'climate',
  'impact',
  'solution',
  'newsletter',
  'weekly',
  'news',
  'yale',
  'climate',
  'connections',
  'know',
  'climate',
  'impact',
  'solution',
  'newsletter',
  'submit',
  'email',
  'address',
  'site',
  'owner',
  'mailchimp',
  'email',
  'site',
  'owner',
  'unsubscribe',
  'link',
  'email',
  'time',
  'whoops',
  'error',
  'subscription',
  'page',
  'article',
  'analysis',
  'sara',
  'climate',
  'eye',
  'storm',
  'cool',
  'road',
  'commentary',
  'interviews',
  'reviews',
  'educación',
  'climática',
  'clima',
  'extremo',
  'lo',
  'puedes',
  'hacer',
  'líderes',
  'podcasts',
  'ycc',
  'browse',
  'episodes',
  'radio',
  'program',
  'climate',
  'connections',
  'podcast',
  'story',
  'locations',
  'stations',
  'map',
  'browse',
  'topic',
  'arts',
  'culture',
  'climate',
  'science',
  'communicating',
  'climate',
  'education',
  'energy',
  'food',
  'agriculture',
  'health',
  'jobs',
  'economy',
  'national',
  'security',
  'oceans',
  'policy',
  'politics',
  'religion',
  'morality',
  'snow',
  'ice',
  'species',
  'ecosystems',
  'transportation',
  'weather',
  'extremes',
  'youth',
  'browse',
  'article',
  'analysis',
  'sara',
  'climate',
  'eye',
  'storm',
  'cool',
  'road',
  'commentary',
  'interviews',
  'reviews',
  'educación',
  'climática',
  'clima',
  'extremo',
  'lo',
  'puedes',
  'hacer',
  'líderes',
  'podcasts',
  'ycc',
  'browse',
  'episodes',
  'radio',
  'program',
  'climate',
  'connections',
  'podcast',
  'story',
  'locations',
  'stations',
  'map',
  'browse',
  'topic',
  'arts',
  'culture',
  'climate',
  'science',
  'communicating',
  'climate',
  'education',
  'energy',
  'food',
  'agriculture',
  'health',
  'jobs',
  'economy',
  'national',
  'security',
  'oceans',
  'policy',
  'politics',
  'religion',
  'morality',
  'snow',
  'ice',
  'species',
  'ecosystems',
  'transportation',
  'weather',
  'extremes',
  'youth',
  'ineye',
  'storm',
  'fierce',
  'wind',
  'tornado',
  'threat',
  'wisconsin',
  'corridor',
  'wind',
  'region',
  'wednesday',
  'bob',
  'henson',
  'july',
  'twitter',
  'opens',
  'window)click',
  'facebook',
  'opens',
  'window',
  'wind',
  'derecho',
  'tree',
  'national',
  'weather',
  'service',
  'quad',
  'cities',
  'office',
  'davenport',
  'iowa',
  'august',
  'dollar',
  'windstorm',
  'credit',
  'peter',
  'speck',
  'nws',
  'quad',
  'cities',
  'cluster',
  'thunderstorm',
  'minnesota',
  'michigan',
  'wednesday',
  'july',
  'tornado',
  'hail',
  'concern',
  'corridor',
  'line',
  'wind',
  'gust',
  'mph',
  'havoc',
  'climate',
  'journalist',
  'sense',
  'newsletter',
  'story',
  'weekly',
  'news',
  'yale',
  'climate',
  'connections',
  'condition',
  'wednesday',
  'event',
  'derecho',
  'type',
  'thunderstorm',
  'windstorm',
  'hour',
  'destruction',
  'nation',
  'derecho',
  'mile',
  'hour',
  'wind',
  'mph',
  'august',
  'half',
  'tree',
  'canopy',
  'cedar',
  'rapids',
  'iowa',
  'damage',
  'corridor',
  'risk',
  'wind',
  'heart',
  'wisconsin',
  'lake',
  'michigan',
  'evening',
  'appleton',
  'south',
  'west',
  'point',
  'timing',
  'evening',
  'luke',
  'sampe',
  'broadcast',
  'meteorologist',
  'wfrv',
  'green',
  'bay',
  'situation',
  'derecho',
  'outcome',
  'certainty',
  'hour',
  'advance',
  'setup',
  'wednesday',
  'event',
  'ingredient',
  'wind',
  'factor',
  'play',
  'air',
  'surface',
  'system',
  'jet',
  'stream',
  'setup',
  'level',
  'wind',
  'thunderstorm',
  'complex',
  'highway',
  'speed',
  'pm',
  'cdt',
  'wednesday',
  'july',
  'noaa',
  'nws',
  'storm',
  'prediction',
  'center',
  'wisconsin',
  'risk',
  'weather',
  'risk',
  'category',
  'risk',
  'minnesota',
  'michigan',
  'area',
  'credit',
  'noaa',
  'nws',
  'spc',
  'wednesday',
  'storm',
  'wind',
  'supercell',
  'thunderstorm',
  'threat',
  'blend',
  'instability',
  'j',
  'kg',
  'wind',
  'shear',
  'knot',
  'helicity',
  'thunderstorm',
  'surface',
  'humidity',
  'thunderstorm',
  'base',
  'tornado',
  'chance',
  'evening',
  'supercell',
  'east',
  'minnesota',
  'north',
  'minneapolis',
  'northwest',
  'wisconsin',
  'forecast',
  'wednesday',
  'mesoscale',
  'computer',
  'model',
  'risk',
  'derecho',
  'midday',
  'wednesday',
  'july',
  'run',
  'resolution',
  'kilometer',
  'nam',
  'model',
  'pocket',
  'hurricane',
  'force',
  'wind',
  'millibar',
  'mile',
  'surface',
  'association',
  'storm',
  'complex',
  'northwest',
  'southeast',
  'wisconsin',
  'p.m.',
  'midnight',
  'cdt',
  'weather',
  'storm',
  'illinois',
  'indiana',
  'michigan',
  'midnight',
  'today',
  'hrrr',
  'radar',
  'june',
  'derecho',
  'right',
  'ross',
  'lazear',
  '@rlazear',
  'july',
  'event',
  'wednesday',
  'evening',
  'weather',
  'experimental',
  'aircraft',
  'association',
  'airventure',
  'oshkosh',
  'aircraft',
  'hand',
  'attendee',
  'week',
  'event',
  'camping',
  'venue',
  'gilbert',
  'sebenste',
  'illinois',
  'consulting',
  'meteorologist',
  'allisonhouse',
  'concern',
  'potential',
  'weather',
  'air',
  'facebook',
  'post',
  'sebenste',
  'attention',
  'weather',
  'announcer',
  'text',
  'message',
  'weather',
  'radio',
  'corn',
  'field',
  'sunset',
  'wind',
  'august',
  'midwest',
  'derecho',
  'adel',
  'iowa',
  'credit',
  'lisa',
  'schmitz',
  'nws',
  'des',
  'moines',
  'midwest',
  'derecho',
  'midwest',
  'derecho',
  'iowa',
  'thunderstorm',
  'complex',
  'u.s.',
  'history',
  'tornado',
  'datum',
  'noaa',
  'dollar',
  'disaster',
  'database',
  'fact',
  'derecho',
  'nation',
  'record',
  'hurricane',
  'storm',
  'hurricane',
  'laura',
  'damage',
  'wind',
  'gust',
  'derecho',
  'mph',
  'atkins',
  'iowa',
  'analysis',
  'damage',
  'apartment',
  'complex',
  'cedar',
  'rapids',
  'gust',
  'mph',
  'peak',
  'category',
  'hurricane',
  'ef3',
  'tornado',
  'wind',
  'trace',
  'observing',
  'station',
  'north',
  'liberty',
  'iowa',
  'mile',
  'cedar',
  'rapids',
  'derecho',
  'august',
  'credit',
  'courtesy',
  'ray',
  'wolf',
  'nws',
  'quad',
  'cities',
  'wind',
  'iowa',
  'hour',
  'derecho',
  'damage',
  'youtube',
  'video',
  'burst',
  'wind',
  'toll',
  'block',
  'cedar',
  'rapids',
  'segment',
  'minute',
  'thousand',
  'tree',
  'derecho',
  'acre',
  'crop',
  '%',
  'acreage',
  'iowa',
  'path',
  'corn',
  'belt',
  'storm',
  'impact',
  'agriculture',
  'time',
  'year',
  'iowa',
  'state',
  'climatologist',
  'justin',
  'glisan',
  'research',
  'trend',
  'derechos',
  'climate',
  'change',
  'theory',
  'atmosphere',
  'jet',
  'stream',
  'location',
  'time',
  'year',
  'derechoe',
  'spc',
  'faq',
  'page',
  'derechoe',
  'website',
  'visitor',
  'eye',
  'storm',
  'post',
  'comments',
  'policy',
  'posting',
  'comment',
  'day',
  'date',
  'sign',
  'email',
  'announcement',
  'posting',
  'twitter',
  '@drjeffmaster',
  '@bhensonweather',
  'bob',
  'henson',
  'meteorologist',
  'journalist',
  'boulder',
  'colorado',
  'weather',
  'climate',
  'national',
  'center',
  'atmospheric',
  'research',
  'weather',
  'underground',
  'freelance',
  'bob',
  'henson',
  'newspack',
  'automattic'],
 ['home',
  'mail',
  'news',
  'finance',
  'sports',
  'entertainment',
  'life',
  'search',
  'shopping',
  'yahoo',
  'plus',
  'yahoo',
  'news',
  'app',
  'yahoo',
  'news',
  'yahoo',
  'news',
  'search',
  'query',
  'sign',
  'mail',
  'sign',
  'mail',
  'news',
  'politics',
  'world',
  'covid-19',
  'climate',
  'change',
  'health',
  'science',
  'originals',
  'skullduggery',
  'podcast',
  'conspiracyland',
  'contact',
  'herald',
  'leadermore',
  'weather',
  'kentucky',
  'community',
  'article',
  'graphic',
  'national',
  'weather',
  'servicechristopher',
  'leachjune',
  'min',
  'readmore',
  'storm',
  'kentucky',
  'end',
  'week',
  'day',
  'thunderstorm',
  'tornado',
  'damage',
  'county',
  'storm',
  'region',
  'thursday',
  'friday',
  'national',
  'weather',
  'service',
  'severity',
  'timeline',
  'storm',
  'wednesday',
  'morning',
  'rain',
  'wind',
  'excess',
  'mph',
  'lightning',
  'nws',
  'weather',
  'way',
  'warning',
  'nws',
  'round',
  'thunderstorm',
  'region',
  'thursday',
  'friday',
  'rainfall',
  'wind',
  'excess',
  'mph',
  'lightning',
  'weather',
  'hazard',
  'kywx',
  'inwx',
  'pic.twitter.com/oweyjyxjdz',
  'nws',
  'louisville',
  '@nwslouisville',
  'june',
  'forecast',
  'wednesday',
  'nws',
  'temperature',
  '80',
  '90',
  'day',
  'region',
  'high',
  '80',
  'condition',
  'thursday',
  'friday',
  'threat',
  'thunderstorm',
  'weather',
  'kywx',
  '',
  '',
  'inwx',
  'pic.twitter.com/j0fh3ei2hr',
  'nws',
  'louisville',
  '@nwslouisville',
  'june',
  'chief',
  'meteorologist',
  'chris',
  'bailey',
  'threat',
  'storm',
  'thursday',
  'sunday',
  'wind',
  'rain',
  'hail',
  'storm',
  'bailey',
  'nws',
  'surveyor',
  'tornado',
  'damage',
  'hardin',
  'russell',
  'county',
  'line',
  'wind',
  'damage',
  'bullitt',
  'madison',
  'grayson',
  'edmonson',
  'warren',
  'county',
  'survey',
  'wednesday',
  'thursday',
  'customer',
  'wednesday',
  'morning',
  'storm',
  'website',
  'power',
  'outage',
  'country',
  'outage',
  'grayson',
  'edmonson',
  'hart',
  'russell',
  'county',
  'storiesin',
  'know',
  'yahoohow',
  'ac',
  'heatwave',
  'genius',
  'this’as',
  'record',
  'heatwave',
  'southwest',
  'midwest',
  'northeast',
  'people',
  'tiktok',
  'hack',
  'cool.15h',
  'agothe',
  'florida',
  'times',
  'unionnational',
  'hurricane',
  'center',
  'system',
  'atlantic',
  'basin',
  'east',
  'floridasome',
  'model',
  'disturbance',
  'east',
  'coast',
  'florida',
  'week',
  'florida',
  'public',
  'radio',
  'emergency',
  'network.2d',
  'agonbc',
  'newslike',
  'tub',
  'water',
  'temperature',
  'florida',
  'degreeson',
  'monday',
  'country',
  'heat',
  'boiling',
  'milestone',
  'buoy',
  'florida',
  'jaw',
  'degree',
  'fahrenheit',
  'water',
  'temperature.1d',
  'agowftv2',
  'disturbance',
  'atlantic',
  'oceanthe',
  'national',
  'hurricane',
  'center',
  'monday',
  'disturbance',
  'atlantic',
  'ocean.2d',
  'agopalm',
  'beach',
  'daily',
  'newshere',
  'list',
  'county',
  'hurricane',
  'florida',
  'statesof',
  'county',
  'loss',
  'hurricane',
  'florida.13h',
  'agoreuterssaguaro',
  'arizona',
  'heat',
  'scientist',
  'saysarizona',
  'symbol',
  'u.s.',
  'west',
  'arm',
  'case',
  'state',
  'record',
  'streak',
  'heat',
  'scientist',
  'tuesday',
  'summer',
  'monsoon',
  'cacti',
  'desert',
  'giant',
  'ability',
  'wild',
  'city',
  'temperature',
  'degree',
  'fahrenheit',
  'celsius',
  'day',
  'phoenix',
  'tania',
  'hernandez',
  'plant',
  'heat',
  'point',
  'heat',
  'water',
  'hernandez',
  'research',
  'scientist',
  'phoenix',
  'acre',
  'hectare',
  'desert',
  'botanical',
  'garden',
  'cactus',
  'specie',
  'sahuaro',
  'foot',
  'agodetroit',
  'free',
  'pressweather',
  'service',
  'threat',
  'michigan',
  'powerfrom',
  'grand',
  'rapids',
  'saginaw',
  'thunderstorm',
  'michigan',
  'rain',
  'wind',
  'power',
  'outages.18h',
  'agothe',
  'telegraphpowerful',
  'mph',
  'wind',
  'philippineswinds',
  'excess',
  'mile',
  'hour',
  'philippines',
  'person',
  'typhoon',
  'doksuri',
  'landfall.19h',
  'agothe',
  'bergen',
  'recordtemperatures',
  'century',
  'mark',
  'north',
  'jersey',
  'brace',
  'heat',
  'wavea',
  'forecast',
  'national',
  'weather',
  'service',
  'office',
  'new',
  'york',
  'city',
  'state',
  'friday',
  'day',
  'week.21h',
  'agomiami',
  'heraldstormy',
  'weather',
  'south',
  'florida',
  'keys',
  'relief',
  'last?heat',
  'advisory',
  'effect',
  'wednesday',
  'rain',
  'bit',
  'weekend.14h',
  'agobuzzfeed13',
  'hot',
  'weather',
  'hack',
  'easy"if',
  'button',
  'second',
  'car',
  'window',
  'agola',
  'timesgiant',
  'crack',
  'santa',
  'monica',
  'pch',
  'emergency',
  'repairsa',
  'portion',
  'bluff',
  'pacific',
  'coast',
  'highway',
  'santa',
  'monica',
  'danger',
  'roadway',
  'below.2d',
  'agostylecasterhere',
  'type',
  'weather',
  'zodiac',
  'sign',
  'moods',
  'emotionsit',
  'calm',
  'storm.1d',
  'wave',
  'coast',
  'africa',
  '%',
  'chance',
  'developinga',
  'piece',
  'energy',
  'bahamas',
  'rain',
  'florida.18h',
  'agoidaho',
  'statesmanweak',
  'bobcat',
  'kitten',
  'tree',
  'search',
  'sibling“each',
  'day',
  'kitten',
  'wild',
  'mother',
  'chance',
  'survival',
  'decrease',
  '”6h',
  'agokansas',
  'city',
  'starflying',
  'squirrel',
  'missouri',
  'birdhouse',
  'face',
  'instant',
  'image',
  'state',
  'wildlife',
  'official',
  'said.11h',
  'agowhiochance',
  'thunderstorm',
  'evening',
  'heat',
  'advisory',
  'region',
  'noon',
  'thursdaymild',
  'tonight',
  'friday',
  'temperature',
  'storm',
  'center',
  'says.5h',
  'agostate',
  'college',
  'centre',
  'daily',
  'timespennsylvania',
  'explosion',
  'motion',
  'plant',
  'lookalikes.2d',
  'agocbs',
  'chicagochicago',
  'alert',
  'weather',
  'storm',
  'wednesdaycbs',
  'chief',
  'meteorologist',
  'albert',
  'ramon',
  'weather',
  'way',
  'chicago',
  'area.1d',
  'agonbc',
  'sports',
  'chicagocould',
  'rain',
  'storm',
  'crosstown',
  'classic',
  'forecastthe',
  'potential',
  'afternoon',
  'rain',
  'storm',
  'game',
  'crosstown',
  'classic',
  'stories',
  'trendingone',
  'family',
  'bottle',
  'arizona',
  'california',
  'fraud',
  'prosecutor',
  'business',
  'insider·2',
  'min',
  'read‘overwhelmed',
  'teen',
  'walks',
  'police',
  'stationthe',
  'daily',
  'beast·5',
  'min',
  'readmitch',
  'mcconnell',
  'press',
  'conference',
  'news·2',
  'min',
  'family',
  'member',
  "grid'bbc·2",
  'min',
  'readamericans',
  'visa',
  'europe',
  'yahoo',
  'news·3',
  'min',
  'popularappleton',
  'oshkosh',
  'thunderstorm',
  'lightning',
  'rain',
  'wednesday',
  'morningthe',
  'post',
  '-',
  'crescentsoutheastern',
  'sd',
  'thunderstorm',
  'watch',
  'argus',
  'leaderstrong',
  'thunderstorm',
  'chicago',
  'wednesdaychicago',
  'tribunesevere',
  'storm',
  'heat',
  'index',
  'news',
  'leaderupdate',
  'national',
  'weather',
  'service',
  'issue',
  'times',
  'herald',
  'yahoo!uspoliticsworldcovid-19climate',
  'usterms',
  'privacy',
  'policyprivacy',
  'dashboardhelpshare',
  'usabout',
  'adssite',
  'app',
  'yahoo',
  'right'],
 ['chats',
  'weather',
  'traffic',
  'event',
  'guide',
  'pg',
  'store',
  'pge',
  'video',
  'photos',
  'digs',
  'news',
  'home',
  'crimes',
  'courts',
  'politics',
  'education',
  'health',
  'wellness',
  'covid-19',
  'transportation',
  'state',
  'nation',
  'world',
  'weather',
  'news',
  'obituaries',
  'news',
  'obituaries',
  'portfolio',
  'science',
  'environment',
  'faith',
  'religion',
  'social',
  'services',
  'sports',
  'home',
  'steelers',
  'penguins',
  'pirates',
  'sports',
  'columns',
  'gene',
  'collier',
  'ron',
  'cook',
  'joe',
  'starkey',
  'paul',
  'zeise',
  'pitt',
  'penn',
  'state',
  'wvu',
  'north',
  'shore',
  'drive',
  'podcast',
  'riverhounds',
  'maulers',
  'nfl',
  'nhl',
  'mlb',
  'nba',
  'ncaa',
  'college',
  'sports',
  'high',
  'school',
  'sports',
  'opinion',
  'home',
  'editorials',
  'pg',
  'columnists',
  'special',
  'pg',
  'insight',
  'letters',
  'op',
  'ed',
  'columns',
  'a&e',
  'home',
  'celebrities',
  'movies',
  'tv',
  'radio',
  'music',
  'concert',
  'listings',
  'theatre',
  'dance',
  'art',
  'architecture',
  'books',
  'events',
  'life',
  'home',
  'food',
  'dining',
  'recipes',
  'drinks',
  'homes',
  'gardens',
  'goodness',
  'random',
  'act',
  'kindness',
  'outdoors',
  'style',
  'fashion',
  'travel',
  'holidays',
  'business',
  'home',
  'building',
  'pgh',
  'money',
  'business',
  'health',
  'powersource',
  'workzone',
  'tech',
  'news',
  'business',
  'law',
  'business',
  'consumer',
  'alerts',
  'business',
  'pittsburgh',
  'workplaces'],
 ['permission',
  'article',
  'justice',
  'state',
  'emergency',
  'county',
  'wv',
  'winter',
  'storm',
  'today',
  '71f.',
  'winds',
  's',
  'mph',
  'tonight',
  '71f.',
  'winds',
  's',
  'mph',
  'july',
  'pm',
  'justice',
  'state',
  'emergency',
  'county',
  'wv',
  'winter',
  'storm',
  'charleston',
  'gov.',
  'jim',
  'justice',
  'thursday',
  'state',
  'emergency',
  'west',
  'virginia',
  'county',
  'winter',
  'storm',
  'event',
  'state',
  'day',
  'national',
  'weather',
  'service',
  'snow',
  'rain',
  'wind',
  'chill',
  'wind',
  'today',
  'week',
  'holiday',
  'weekend',
  'gov.',
  'justice',
  'proclamation',
  'friday',
  'dec.',
  'day',
  'state',
  'holiday',
  'employee',
  'employee',
  'emergency',
  'response',
  'duty',
  'supervisor',
  'west',
  'virginians',
  'impact',
  'winter',
  'storm',
  'state',
  'gov.',
  'justice',
  'west',
  'virginians',
  'attention',
  'emergency',
  'official',
  'medium',
  'outlet',
  'power',
  'outage',
  'west',
  'virginians',
  'care',
  'holiday',
  'weekend',
  'neighbor',
  '”the',
  'state',
  'emergency',
  'state',
  'agency',
  'weather',
  'event',
  'personnel',
  'vehicle',
  'equipment',
  'asset',
  'gov.',
  'justice',
  'state',
  'preparedness',
  'county',
  'week',
  'following',
  'summary',
  'preparation',
  'state',
  'agency',
  'west',
  'virginia',
  'emergency',
  'management',
  'division:“this',
  'storm',
  'travel',
  'condition',
  'emd',
  'director',
  'ge',
  'mccabe',
  'emd',
  'contact',
  'office',
  'emergency',
  'management',
  'state',
  'partner',
  'utility',
  'company',
  'representative',
  'help',
  '”coordinating',
  'agency',
  'standby',
  'state',
  'emergency',
  'operations',
  'center',
  'seoc',
  'need',
  'emergency',
  'management',
  'staff',
  'state',
  'emergency',
  'operations',
  'center',
  'seoc',
  'platform',
  'emd',
  'watch',
  'center',
  'monitoring',
  '24/7',
  'change',
  'weather',
  'development',
  'safety',
  'information',
  'agency',
  'leader',
  'action',
  'emd',
  'day',
  'briefing',
  'national',
  'weather',
  'service',
  'county',
  'emergency',
  'agency',
  'briefing',
  'forecast',
  'update',
  'information',
  'emd',
  'contact',
  'county',
  'emergency',
  'management',
  'agency',
  'request',
  'assistance',
  'unmet',
  'need',
  'time',
  'emd',
  'number',
  'county',
  'center',
  'citizen',
  'help',
  'area',
  'station',
  'assistance',
  'west',
  'virginia',
  'national',
  'guard:“at',
  'direction',
  'governor',
  'justice',
  'west',
  'virginia',
  'national',
  'guard',
  'location',
  'state',
  'west',
  'virginia',
  'shelter',
  'citizen',
  'event',
  'power',
  'outage',
  'need',
  'shelter',
  'maj',
  '.',
  'gen.',
  'bill',
  'crane',
  'adjutant',
  'general',
  'department',
  'emergency',
  'management',
  'county',
  'emergency',
  'manager',
  'facility',
  'need',
  'soldiers',
  'airmen',
  'west',
  'virginians',
  'time',
  'need',
  'virginia',
  'division',
  'highways',
  'district',
  'engineers',
  'district',
  'managers',
  'west',
  'virginia',
  'division',
  'highways',
  'doh',
  'district',
  'county',
  'administrator',
  'district',
  'county',
  'snow',
  'ice',
  'winter',
  'storm',
  'jimmy',
  'wriston',
  'secretary',
  'west',
  'virginia',
  'department',
  'transportation',
  'run',
  'october',
  'salt',
  'abrasive',
  'truck',
  'month',
  'storm',
  'sric',
  'truck',
  'snow',
  'equipment',
  'state',
  'wvdoh.doh',
  'attention',
  'weather',
  'report',
  'emergency',
  'weather',
  'forecast',
  'national',
  'weather',
  'service',
  'precipitation',
  'advance',
  'system',
  'region',
  'today',
  'rain',
  'sleet',
  'slope',
  'mountain',
  'rest',
  'region',
  'rain',
  'winter',
  'weather',
  'precipitation',
  'impact',
  'slope',
  'mountain',
  'impact',
  'friday',
  'morning',
  'transition',
  'snow',
  'location',
  'wind',
  'air',
  'snow',
  'drop',
  'temperature',
  'flash',
  'freeze',
  'friday',
  'morning',
  'combination',
  'wind',
  'air',
  'wind',
  'chill',
  'value',
  'friday',
  'weekend',
  'weather',
  'return',
  'saturday',
  'start',
  'week',
  'warming',
  'trend',
  'sunday',
  'christmas',
  'day',
  'group',
  'warming',
  'station',
  'oak',
  'hill',
  'response',
  'week',
  'weather',
  'forecast',
  'quartet',
  'organization',
  'w',
  'pet',
  'articlesfayetteville',
  'brake',
  'pump',
  'rim',
  'rotary',
  'club',
  'district',
  'club',
  'yearfayette',
  'team',
  'state',
  'dollar',
  'general',
  'dg',
  'marketbsa',
  'national',
  'jamboree',
  'arrivedhunter',
  'season',
  'changespsc',
  'emergency',
  'order',
  'armstrong',
  'psd',
  'casegreenbrier',
  'county',
  'man',
  'fraud',
  'bears',
  'brews',
  'festival',
  'saturdaypublic',
  'comment',
  'hearing',
  'charleston',
  'appalachian',
  'power',
  'fuel',
  'cost',
  'case',
  'videossorry',
  'result',
  'video',
  'commentedsorry',
  'result',
  'article',
  'amendment',
  'congress',
  'law',
  'establishment',
  'religion',
  'exercise',
  'freedom',
  'speech',
  'press',
  'right',
  'people',
  'government',
  'redress',
  'grievance',
  'main',
  'street',
  'oak',
  'hill',
  'wv',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'blox',
  'content',
  'management',
  'system',
  'blox',
  'digital'],
 ['accessibility',
  'contentdemocracy',
  'darknesssign',
  'inthe',
  'washington',
  'postdemocracy',
  'darknessextreme',
  'weatherclimate',
  'weather',
  'capital',
  'weather',
  'gang',
  'environment',
  'climate',
  'lab',
  'extreme',
  'weatherclimate',
  'weather',
  'capital',
  'weather',
  'gang',
  'environment',
  'climate',
  'lab',
  'body',
  'tornado',
  'alabama',
  'georgiaby',
  'andrea',
  'salcedo',
  'jason',
  'samenow',
  'danielle',
  'paquette',
  'dan',
  'rosenzweig',
  'ziff',
  'natalie',
  'b.',
  'comptonupdated',
  'january',
  'p.m.',
  'january',
  'estaltharis',
  'threatt',
  'thing',
  'daughter',
  'law',
  'tornado',
  'home',
  'mount',
  'vernon',
  'ala.',
  'thursday',
  'daughter',
  'threatt',
  'dan',
  'anderson',
  'epa',
  'efe',
  'shutterstock)listen9',
  'mincomment',
  'storycommentgift',
  'articleshareat',
  'people',
  'storm',
  'tornado',
  'southeast',
  'thursday',
  'damage',
  'state',
  'emergency',
  'alabama',
  'georgia',
  'state',
  'employee',
  'storm',
  'selma',
  'ala.',
  'town',
  'role',
  'right',
  'movement',
  'wpget',
  'experience',
  'planarrowrightmost',
  'fatality',
  'alabama',
  'autauga',
  'county',
  'death',
  'toll',
  'adult',
  'friday',
  'morning',
  'home',
  'autauga',
  'county',
  'coroner',
  'buster',
  'barber',
  'washington',
  'post',
  'rescuer',
  'rubble',
  'friday',
  'afternoon',
  'cadaver',
  'dog',
  'drone',
  'evidence',
  '“the',
  'pile',
  'debris',
  'home',
  'furniture',
  'garbage',
  'dump',
  'barber',
  'old',
  'kingston',
  'neighborhood',
  'autauga',
  'people',
  'home',
  'home',
  'tornado',
  'home',
  'foot',
  '”on',
  'jan.',
  'reporter',
  'natalie',
  'b.',
  'compton',
  'selma',
  'firefighter',
  'people',
  'home',
  'aftermath',
  'storm',
  'video',
  'monica',
  'rodman',
  'washington',
  'post)a',
  'woman',
  'orrville',
  'ala.',
  'carbon',
  'monoxide',
  'poisoning',
  'tornado',
  'electricity',
  'home',
  'gas',
  'generator',
  'dallas',
  'county',
  'coroner',
  'alan',
  'dailey',
  'p.m.',
  'friday',
  'daily',
  'advertisementin',
  'butts',
  'county',
  'ga.',
  'year',
  'boy',
  'pine',
  'tree',
  'car',
  'coroner',
  'passenger',
  'vehicle',
  'condition',
  'friday',
  'death',
  'state',
  'georgia',
  'department',
  'transportation',
  'employee',
  'storm',
  'damage',
  'official',
  'news',
  'conference',
  'friday',
  'winter',
  'blitz',
  'tornado',
  'georgians',
  'j.',
  'michael',
  'brewer',
  'deputy',
  'manager',
  'butts',
  'county',
  'wind',
  'tree',
  'brick',
  'home',
  'half',
  'storm',
  'tornado',
  'january',
  'kind',
  'weather',
  'gov.',
  'kay',
  'ivey',
  'r',
  'state',
  'emergency',
  'county',
  'tornado',
  'damage',
  'autauga',
  'chambers',
  'coosa',
  'dallas',
  'elmore',
  'tallapoosa',
  'georgia',
  'gov.',
  'brian',
  'kemp',
  'r',
  'state',
  'emergency',
  'state',
  'response',
  'weather',
  'storm',
  'tornado',
  'alabama',
  'georgiathere',
  'report',
  'death',
  'selma',
  'mayor',
  'james',
  'perkins',
  'damage',
  '”advertisement“we’re',
  'power',
  'area',
  'time',
  'distribution',
  'system',
  'perkins',
  'news',
  'conference',
  'friday',
  'afternoon',
  'power',
  'pole',
  'line',
  '”much',
  'damage',
  'east',
  'west',
  'town',
  'right',
  'legacy',
  'town',
  'voting',
  'rights',
  'act',
  'rep.',
  'terri',
  'a.',
  'sewell',
  'd',
  'ala.',
  'news',
  'conference',
  'perkins',
  'town',
  'example',
  'disaster',
  'friday',
  'morning',
  'elizabeth',
  'alexander',
  'community',
  'selma',
  'card',
  'table',
  'church',
  'franklin',
  'street',
  'selma',
  'steeple',
  'cross',
  'storm',
  'tree',
  'roof',
  'neighborhood',
  'advertisementalexander',
  'beef',
  'stew',
  'crock',
  'pot',
  'power',
  'strip',
  'pile',
  'cleansing',
  'wipe',
  'ritz',
  'crackers',
  'tuna',
  'chili',
  'shelf',
  'meal',
  'case',
  'water',
  'bottle',
  'house',
  'people',
  'clothe',
  'shoe',
  'vehicle',
  'need',
  'need',
  'alexander',
  'sister',
  'tornado',
  'house',
  'power',
  'night',
  'co',
  '-',
  'worker',
  'tree',
  'house',
  'vehicle',
  'cousin',
  'rose',
  'sanders',
  'street',
  'alexander',
  'table',
  'house',
  'home',
  'tornado',
  'train',
  'sanders',
  'minute',
  'selma',
  'resident',
  'home',
  'friday',
  'afternoon',
  'barbara',
  'jean',
  'woods',
  'family',
  'home',
  'downtown',
  'salem',
  'furniture',
  'belonging',
  'shard',
  'glass',
  'living',
  'room',
  'porch',
  'power',
  'line',
  'couch',
  'bag',
  'clothe',
  'picture',
  'frame',
  'pickup',
  'truck',
  'u',
  'haul',
  'advertisementjust',
  'year',
  'place',
  'woods',
  'time',
  'tornado',
  'home',
  'woods',
  'tornado',
  'news',
  'son',
  'instruction',
  'bathroom',
  'tub',
  'couch',
  'cushion',
  'head',
  'wham',
  'house',
  'lord',
  '”wood',
  'selma',
  'native',
  'tub',
  'minute',
  'rain',
  'help',
  'neighbor',
  'house',
  'woods',
  'daughter',
  'woods',
  'mother',
  'grandmother',
  'grandmother',
  'god',
  'baby',
  '”schools',
  'dallas',
  'county',
  'selma',
  'friday',
  'engineer',
  'building',
  'damage',
  'leroy',
  'miles',
  'vice',
  'president',
  'county',
  'school',
  'board',
  'advertisementhundreds',
  'student',
  'teacher',
  'classroom',
  'debris',
  'road',
  'bus',
  'kid',
  'trouble',
  'extent',
  'damage',
  'moment',
  'scene',
  'tornado',
  'alabamahis',
  'daughter',
  'grade',
  'teacher',
  'selma',
  'power',
  'roof',
  'leak',
  'lot',
  'water',
  'trees',
  'power',
  'line',
  'transformer',
  'yard',
  'family',
  'house',
  'community',
  'effort',
  'town',
  'road',
  'alexander',
  'city',
  'trooper',
  'alabama',
  'law',
  'enforcement',
  'agency',
  'marine',
  'patrol',
  'division',
  'tree',
  'patrol',
  'car',
  'rear',
  'thursday',
  'customer',
  'power',
  'outage',
  'friday',
  'afternoon',
  'customer',
  'alabama',
  'electricity',
  'storm',
  'path',
  'center',
  'state',
  'georgia',
  'outage',
  'advertisementthe',
  'thunderstorm',
  'supercell',
  'tornado',
  'autauga',
  'county',
  'louisiana',
  'thursday',
  'morning',
  'mile',
  'georgia',
  'storm',
  'tornado',
  'path',
  'debris',
  'foot',
  'tornado',
  'debris',
  'mile',
  'storm',
  'path',
  'tornado',
  'lawrence',
  'county',
  'alabama',
  'north',
  'mobile',
  'county',
  'gulf',
  'coast',
  'noaa',
  'line',
  'report',
  'mississippi',
  'center',
  'state',
  'georgia',
  'storm',
  'central',
  'alabama',
  'national',
  'weather',
  'service',
  'office',
  'birmingham',
  'tornado',
  'emergency',
  'occasion',
  'alert',
  'tornado',
  'population',
  'center',
  'advertisementthe',
  'national',
  'weather',
  'service',
  'office',
  'birmingham',
  'tornado',
  'selma',
  'ef2',
  'scale',
  'intensity',
  'kingston',
  'community',
  'autauga',
  'county',
  'ef3',
  'area',
  'damage',
  'storm',
  'path',
  'damage',
  'weather',
  'service',
  'storm',
  'survey',
  'report',
  'friday',
  'afternoon',
  'thursday',
  'storm',
  'south',
  'air',
  'gulf',
  'mexico',
  'water',
  'temperature',
  'gulf',
  'degree',
  'mid-70',
  'fuel',
  'storm',
  'national',
  'weather',
  'service',
  'dozen',
  'report',
  'tornado',
  'alabama',
  'georgia',
  'kentucky',
  'report',
  'wind',
  'hail',
  'mississippi',
  'carolinas',
  'north',
  'ohio',
  'weather',
  'heel',
  'storm',
  'week',
  'tornado',
  'central',
  'alabama',
  'georgia',
  'south',
  'carolina',
  'tornado',
  'south',
  'winter',
  'month',
  'alabama',
  'fall',
  'spring',
  'year',
  'meteorologist',
  'uptick',
  'tornado',
  'outbreak',
  'month',
  'tie',
  'human',
  'climate',
  'change',
  'weather',
  'service',
  'thunderstorm',
  'tornado',
  'warning',
  'year',
  'january',
  'compton',
  'selma',
  'ala.',
  'salcedo',
  'samenow',
  'paquette',
  'rosenzweig',
  'ziff',
  'washington',
  'kelsey',
  'ables',
  'amudalat',
  'ajasa',
  'ben',
  'brasch',
  'scott',
  'dance',
  'justine',
  'mcdaniel',
  'report',
  'commentsgift',
  'articlegift',
  'articleextreme',
  'image',
  'phoenix',
  'technology',
  'image',
  'phoenix',
  'technology',
  'world',
  'way',
  'world',
  'way',
  'sign',
  'ocean',
  'current',
  'sign',
  'ocean',
  'current',
  'storiesloading',
  'view',
  'storiesworld',
  'newsessential',
  'worldopinion',
  'u.s.',
  'concession',
  'north',
  'koreaopinion',
  'russia',
  'west',
  'grain',
  'appeasement',
  'appeal',
  'pacific',
  'island',
  'apocalypse',
  'preppersrefreshtry',
  'account',
  'post',
  'newsroom',
  'policies',
  'standards',
  'diversity',
  'inclusion',
  'careers',
  'media',
  'community',
  'relations',
  'wp',
  'creative',
  'group',
  'accessibility',
  'statement',
  'postgift',
  'subscriptions',
  'mobile',
  'apps',
  'newsletters',
  'alerts',
  'washington',
  'post',
  'live',
  'reprints',
  'permissions',
  'post',
  'store',
  'books',
  'e',
  '-',
  'book',
  'newspaper',
  'education',
  'print',
  'archives',
  'subscribers',
  'today',
  'paper',
  'public',
  'notices',
  'contact',
  'uscontact',
  'newsroom',
  'contact',
  'customer',
  'care',
  'contact',
  'opinions',
  'team',
  'advertise',
  'licensing',
  'syndication',
  'request',
  'correction',
  'news',
  'tip',
  'report',
  'vulnerability',
  'terms',
  'usedigital',
  'products',
  'terms',
  'sale',
  'print',
  'products',
  'term',
  'sale',
  'terms',
  'service',
  'privacy',
  'policy',
  'cookie',
  'settings',
  'submissions',
  'discussion',
  'policy',
  'rss',
  'terms',
  'service',
  'ad',
  'choices',
  'washington',
  'postwashingtonpost.com',
  'washington',
  'postabout',
  'post',
  'contact',
  'newsroom',
  'contact',
  'customer',
  'care',
  'request',
  'correction',
  'news',
  'tip',
  'report',
  'vulnerability',
  'download',
  'washington',
  'post',
  'app',
  'policies',
  'standards',
  'terms',
  'service',
  'privacy',
  'policy',
  'cookie',
  'settings',
  'print',
  'products',
  'terms',
  'sale',
  'digital',
  'products',
  'terms',
  'sale',
  'submissions',
  'discussion',
  'policy',
  'rss',
  'terms',
  'service',
  'ad',
  'choice'],
 ['livenewsweathergood',
  'expand',
  'collapse',
  'search',
  '☰',
  'search',
  'site',
  'news',
  'philadelphiapennsylvanianew',
  'jerseydelawaremore',
  'newsnational',
  'newsworld',
  'newsfox',
  'news',
  'sundayweather',
  'day',
  'forecastclosingsfox',
  'weatherradartemperatureswatche',
  'warningsweather',
  'appgood',
  'day',
  'digest',
  'newsletterkelly',
  'classroomtrafficwatch',
  'liveya',
  'thisseen',
  'tvsports',
  'fifa',
  'women',
  'world',
  'cupeaglesflyersphillies76ersunionfox',
  'sports',
  'appentertainment',
  'showsthe',
  'classh',
  'roomthings',
  'fox',
  'showswatch',
  'streamnewscasts',
  'replayslivenow',
  'foxnew',
  'specialswebcamsfox',
  'mattersfox',
  'originals',
  'black',
  'history',
  'monthhank',
  'takein',
  'focuskelly',
  'drivesour',
  'race',
  'realitysave',
  'streetsthe',
  'pulsehealth',
  'coronaviruscoronavirus',
  'mapcoronavirus',
  'vaccinedr',
  'mikehealth',
  'careopioid',
  'epidemicpolitics',
  'electioninauguration',
  'dayjoe',
  'bidenkamala',
  'harrisdonald',
  'j.',
  'trumpphilly',
  'city',
  'councilmoney',
  'businesscashing',
  'news',
  'fox',
  'appnew',
  'jersey',
  'news',
  'my9njnew',
  'york',
  'news',
  'fox',
  'nywashington',
  'dc',
  'news',
  'fox',
  'dcabout',
  'appscontact',
  'usfcc',
  'applicationshow',
  'listingswork',
  'heat',
  'watch',
  'fri',
  'edt',
  'fri',
  'pm',
  'edt',
  'delaware',
  'county',
  'eastern',
  'chester',
  'county',
  'eastern',
  'montgomery',
  'county',
  'lower',
  'bucks',
  'county',
  'philadelphia',
  'county',
  'camden',
  'county',
  'gloucester',
  'county',
  'mercer',
  'county',
  'northwestern',
  'burlington',
  'county',
  'somerset',
  'county',
  'new',
  'castle',
  'county',
  'heat',
  'advisory',
  'thu',
  'pm',
  'edt',
  'fri',
  'pm',
  'edt',
  'lancaster',
  'county',
  'lebanon',
  'county',
  'heat',
  'advisory',
  'thu',
  'edt',
  'fri',
  'edt',
  'delaware',
  'county',
  'eastern',
  'chester',
  'county',
  'eastern',
  'montgomery',
  'county',
  'lower',
  'bucks',
  'county',
  'philadelphia',
  'county',
  'camden',
  'county',
  'gloucester',
  'county',
  'mercer',
  'county',
  'northwestern',
  'burlington',
  'county',
  'somerset',
  'county',
  'new',
  'castle',
  'county',
  'heat',
  'advisory',
  'thu',
  'edt',
  'fri',
  'pm',
  'edt',
  'berks',
  'county',
  'lehigh',
  'county',
  'northampton',
  'county',
  'upper',
  'bucks',
  'county',
  'western',
  'chester',
  'county',
  'western',
  'montgomery',
  'county',
  'atlantic',
  'county',
  'cape',
  'county',
  'cumberland',
  'county',
  'salem',
  'county',
  'southeastern',
  'burlington',
  'county',
  'warren',
  'county',
  'hunterdon',
  'county',
  'ocean',
  'county',
  'warren',
  'county',
  'kent',
  'county',
  'inland',
  'sussex',
  'county',
  'tornado',
  'sussex',
  'county',
  'storm',
  'mile',
  'path',
  'destruction',
  'kelly',
  'rule',
  'fox',
  'staff',
  'april',
  'april',
  'delaware',
  'fox',
  'philadelphia',
  'share',
  'copy',
  'link',
  'email',
  'facebook',
  'twitter',
  'linkedin',
  'reddit',
  'sussex',
  'county',
  'delaware',
  'family',
  'death',
  'man',
  'saturday',
  'tornado',
  'outbreak',
  'tornado',
  'sussex',
  'county',
  'family',
  'death',
  'man',
  'storm',
  'sussex',
  'county',
  'del.',
  'man',
  'saturday',
  'evening',
  'storm',
  'aim',
  'delaware',
  'national',
  'weather',
  'service',
  'tornado',
  'sussex',
  'county',
  'delaware',
  'storm',
  'damage',
  'route',
  'greenwood',
  'bridgeville',
  'coverage',
  'nws',
  'tornado',
  'n.j.',
  'storm',
  'destruction',
  'delaware',
  'valley',
  'official',
  'man',
  'house',
  'sussex',
  'county',
  'storm',
  'tornado',
  'sunday',
  'family',
  'member',
  'home',
  'home',
  'generation',
  'home',
  'area',
  'damage',
  'family',
  'joe',
  'hubert',
  'dinner',
  'wife',
  'family',
  'minute',
  'greenwood',
  'phone',
  'tornado',
  'god',
  'tree',
  'toothpick',
  'tree',
  'brand',
  'year',
  'home',
  'owens',
  'road',
  'corner',
  'home',
  'roof',
  'home',
  'door',
  'direction',
  'damage',
  'tuckers',
  'road',
  'neighbor',
  'roof',
  'window',
  'image',
  '▼',
  'coverage',
  'car',
  'fire',
  'north',
  'philadelphia',
  'saturday',
  'storm',
  'wire',
  'power',
  'official',
  'tornado',
  'mile',
  'path',
  'destruction',
  'bridgeville',
  'ellendale',
  'dozen',
  'home',
  'county',
  'home',
  'fawn',
  'road',
  'toilet',
  'home',
  'refrigerator',
  'reaction',
  'life',
  'delaware',
  'governor',
  'john',
  'carney',
  'tornado',
  'camera',
  'sussex',
  'county',
  'emergency',
  'operations',
  'center',
  'funnel',
  'sky',
  'saturday',
  'evening',
  'video',
  'tornado',
  'man',
  'sussex',
  'county',
  'tornado',
  'video',
  'cloud',
  'official',
  'tornado',
  'man',
  'house',
  'sussex',
  'county',
  'church',
  'hand',
  'rest',
  'resident',
  'jonathan',
  'tharp',
  'hour',
  'shift',
  'tree',
  'company',
  'tharp',
  'time',
  'people',
  'tharp',
  'wife',
  'picture',
  'rainbow',
  'storm',
  'roof',
  'roofing',
  'company',
  'charge',
  'hubert',
  'sussex',
  'county',
  'reaction',
  'life',
  'delaware',
  'governor',
  'john',
  'carney',
  'american',
  'red',
  'cross',
  'dhss',
  'office',
  'preparedness',
  'official',
  'time',
  'tornado',
  'delaware',
  'news',
  'alicia',
  'navarro',
  'arizona',
  'girl',
  'montana',
  'pd',
  'video',
  'gunshot',
  'south',
  'philly',
  'ambush',
  'shooting',
  'home',
  'security',
  'camera',
  'police',
  'man',
  'argument',
  'septa',
  'market',
  'frankford',
  'line',
  'train',
  'change',
  'wildwood',
  'city',
  'commission',
  'rule',
  'teen',
  'family',
  'vigil',
  'logan',
  'boy',
  'fishing',
  'trip',
  'father',
  'brother',
  'trending',
  'philadelphia',
  'eviction',
  'landlord',
  'tenant',
  'officer',
  'incident',
  'philly',
  'rapper',
  'yng',
  'cheese',
  'rest',
  'shooting',
  'mom',
  'ambush',
  'street',
  'philly',
  'park',
  'video',
  'crowd',
  'police',
  'philadelphia',
  'gas',
  'station',
  'parking',
  'lot',
  'car',
  'meetup',
  'philly',
  'park',
  'litter',
  'visitor',
  'daily',
  'newsletter',
  'news',
  'day',
  'sign',
  'privacy',
  'policy',
  'terms',
  'service',
  'fox',
  'youtube',
  'app',
  'fox',
  'philadelphia',
  'fox',
  'local',
  'click',
  'news',
  'philadelphiapennsylvanianew',
  'jerseydelawaremore',
  'newsnational',
  'newsworld',
  'newsfox',
  'news',
  'sundayweather',
  'day',
  'forecastclosingsfox',
  'weatherradartemperatureswatche',
  'warningsweather',
  'appgood',
  'day',
  'digest',
  'newsletterkelly',
  'classroomtrafficwatch',
  'liveya',
  'thisseen',
  'tvsports',
  'fifa',
  'women',
  'world',
  'cupeaglesflyersphillies76ersunionfox',
  'sports',
  'appentertainment',
  'showsthe',
  'classh',
  'roomthings',
  'fox',
  'showswatch',
  'streamnewscasts',
  'replayslivenow',
  'foxnew',
  'specialswebcamsfox',
  'mattersfox',
  'originals',
  'black',
  'history',
  'monthhank',
  'takein',
  'focuskelly',
  'drivesour',
  'race',
  'realitysave',
  'streetsthe',
  'pulsehealth',
  'coronaviruscoronavirus',
  'mapcoronavirus',
  'vaccinedr',
  'mikehealth',
  'careopioid',
  'epidemicpolitics',
  'electioninauguration',
  'dayjoe',
  'bidenkamala',
  'harrisdonald',
  'j.',
  'trumpphilly',
  'city',
  'councilmoney',
  'businesscashing',
  'news',
  'fox',
  'appnew',
  'jersey',
  'news',
  'my9njnew',
  'york',
  'news',
  'fox',
  'nywashington',
  'dc',
  'news',
  'fox',
  'dcabout',
  'appscontact',
  'usfcc',
  'applicationshow',
  'listingswork',
  'facebooktwitterinstagramyoutubeemail',
  'usnew',
  'privacy',
  'policyterms',
  'serviceyour',
  'privacy',
  'choicesfcc',
  'public',
  'public',
  'fileclosed',
  'captioningwork',
  'uscontact',
  'material',
  'fox',
  'television',
  'stations'],
 ['website',
  'united',
  'states',
  'government',
  'website',
  '.mil',
  'website',
  'u.s.',
  'department',
  'defense',
  'organization',
  'united',
  'states',
  'secure',
  'website',
  'https',
  'lock',
  'lock',
  'https://',
  '.mil',
  'website',
  'share',
  'information',
  'website',
  'content',
  'press',
  'enter',
  'yg824',
  '003',
  'south',
  'dakota',
  'national',
  'guard',
  'soldiers',
  'crew',
  'utility',
  'pole',
  'road',
  'faith',
  's.d.',
  'oct.',
  'power',
  'resident',
  'south',
  'dakota',
  'national',
  'guard',
  'member',
  'duty',
  'citizen',
  'aftermath',
  'oct.',
  'winter',
  'storm',
  'south',
  'dakota',
  'thousand',
  'electricity',
  'south',
  'dakota',
  'national',
  'guard',
  'support',
  'state',
  'slam',
  'winter',
  'storm',
  'south',
  'dakota',
  'national',
  'guard',
  'public',
  'affairs',
  'rapid',
  'city',
  's.d.',
  'south',
  'dakota',
  'national',
  'guard',
  'member',
  'state',
  'oct.',
  'winter',
  'storm',
  'south',
  'dakota',
  'soldiers',
  'airmen',
  'duty',
  'resident',
  'oct.',
  'road',
  'snow',
  'crew',
  'access',
  'location',
  'power',
  'line',
  'dozen',
  'time',
  'national',
  'guard',
  'member',
  'support',
  'duty',
  'personnel',
  'response',
  'storm',
  'mission',
  'guard',
  'operation',
  'mission',
  'guard',
  'company',
  'power',
  'restoration',
  'effort',
  'to10',
  'day',
  'guard',
  'force',
  'equipment',
  'blizzard',
  'location',
  'harding',
  'meade',
  'perkins',
  'pennington',
  'county',
  'snow',
  'blower',
  'end',
  'loader',
  'bulldozer',
  'mobility',
  'truck',
  'humvees',
  'guard',
  'member',
  'state',
  'community',
  'record',
  'storm',
  'soldiers',
  'airmen',
  'emergency',
  'maj',
  '.',
  'gen.',
  'tim',
  'reisch',
  'general',
  'sdng',
  'service',
  'state',
  'duty',
  'status',
  'national',
  'guard',
  'region',
  'snow',
  'total',
  'inch',
  'area',
  'foot',
  'snowfall',
  'record',
  'october',
  'black',
  'hills',
  'county',
  'snow',
  'accumulation',
  'temperature',
  'wind',
  'mph',
  'thousand',
  'tree',
  'limb',
  'power',
  'line',
  'roadway',
  'livestock',
  'storm',
  'emergency',
  'management',
  'official',
  'county',
  'support',
  'state',
  'emergency',
  'management',
  'office',
  'governor',
  'state',
  'emergency',
  'national',
  'guard',
  'force',
  'guard',
  'assistance',
  'saturday',
  'morning',
  'coordination',
  'personnel',
  'equipment',
  'road',
  'travel',
  'soldier',
  'foot',
  'mile',
  'guard',
  'headquarters',
  'camp',
  'rapid',
  'rapid',
  'city',
  'operation',
  'soldier',
  'snow',
  'town',
  'belle',
  'fourche',
  'sturgis',
  'equipment',
  'yard',
  'state',
  'guard',
  'personnel',
  'unit',
  'aberdeen',
  'mobridge',
  'sioux',
  'falls',
  'yankton',
  'equipment',
  'recovery',
  'effort',
  'company',
  'customer',
  'power',
  'storm',
  'power',
  'pole',
  'snow',
  'removal',
  'mission',
  'guard',
  'power',
  'crew',
  'house',
  'house',
  'electricity',
  'area',
  'bucket',
  'truck',
  'snow',
  'mud',
  'utility',
  'pole',
  'guard',
  'unit',
  'state',
  'duty',
  'personnel',
  'storm',
  'recovery',
  'effort',
  'alpha',
  'bravo',
  'batteries',
  'field',
  'artillery',
  'battalion',
  'regional',
  'support',
  'group',
  '842nd',
  'engineer',
  'company',
  'engineer',
  'company',
  'engineer',
  'company',
  'joint',
  'force',
  'headquarters',
  'fighter',
  'wing',
  'oklahoma',
  'guardsmen',
  'finish',
  'cyber',
  'shield',
  'guard',
  'news',
  'hour',
  'washington',
  'guard',
  'aviation',
  'crews',
  'wildfire',
  'guard',
  'news',
  'hour',
  'south',
  'dakota',
  '153rd',
  'engineer',
  'battalion',
  'trains',
  'fort',
  'mccoy',
  'guard',
  'news',
  'hour',
  'florida',
  'guard',
  'guyana',
  'partnership',
  'tradewinds23',
  'state',
  'partnership',
  'program',
  'hour',
  'alaska',
  'air',
  'guard',
  'teens',
  'motorcyclist',
  'home',
  'site',
  'map',
  'privacy',
  'security',
  'policy',
  'link',
  'disclaimer',
  'web',
  'policy',
  'dod',
  'information',
  'quality',
  'dod',
  'open',
  'government',
  'foia',
  'fear',
  'act',
  'accessibility',
  'section',
  'contact',
  'army',
  'guard',
  'careersair',
  'guard',
  'careers',
  'usa.gov',
  'defense',
  'media',
  'activity',
  'web.mil'],
 ['day',
  'woman',
  'birth',
  'hospital',
  'heart',
  'attack',
  'seizure',
  'kidney',
  'failure',
  'blood',
  'transfusion',
  'problem',
  'death',
  'human',
  'trafficking',
  'sports',
  'entertainment',
  'life',
  'money',
  'tech',
  'travel',
  'opinion',
  'obituariesonly',
  'usa',
  'today',
  'newsletters',
  'subscribers',
  'archives',
  'crossword',
  'enewspaper',
  'magazines',
  'investigations',
  'weather',
  'forecast',
  'video',
  'humankind',
  'curiousbest',
  'booklist',
  'pets',
  'food',
  'reviewed',
  'coupons',
  'blueprint',
  'best',
  'auto',
  'insurance',
  'best',
  'pet',
  'insurance',
  'best',
  'travel',
  'insurance',
  'best',
  'credit',
  'cards',
  'best',
  'cd',
  'rate',
  'best',
  'personal',
  'loans',
  'nationfloodsadd',
  "topic'still",
  'tear',
  'resident',
  'vermont',
  'record',
  'rain',
  'flooding',
  'updatesjohn',
  'bacon',
  'jeanine',
  'santucci',
  'trevor',
  'hughes',
  'doyle',
  'rice',
  'thao',
  'nguyenusa',
  'todaymontpelier',
  'vt',
  '.',
  'resident',
  'street',
  'capital',
  'city',
  'vermont',
  'tuesday',
  'torrent',
  'rain',
  'northeast',
  'flooding',
  'million',
  'dollar',
  'damage',
  'state',
  'onslaught',
  'inch',
  'rain',
  'vermont',
  'radio',
  'tower',
  'emergency',
  'vehicle',
  'police',
  'fire',
  'work',
  'crew',
  'water',
  'treatment',
  'plant',
  'town',
  'flooding',
  'police',
  'department',
  'basement',
  'city',
  'hall',
  'fire',
  'department',
  'president',
  'joe',
  'biden',
  'emergency',
  'state',
  'vermont',
  'gov.',
  'phil',
  'scott',
  'resident',
  'water',
  'tuesday',
  'wood',
  'news',
  'conference',
  '"resident',
  'pet',
  'ground',
  'authority',
  'rescue',
  'tuesday',
  'night',
  'dozen',
  'building',
  'home',
  'car',
  'report',
  'injury',
  'death',
  'national',
  'guard',
  'helicopter',
  'evacuation',
  'area',
  'water',
  'rescue',
  'team',
  'tuesday',
  'night',
  'safety',
  'water',
  'worry',
  'concern',
  'water',
  'alaina',
  'beauregard',
  'canoe',
  'downtown',
  'montpelier',
  'tuesday',
  'noon',
  'gas',
  'place',
  'smell',
  'paint',
  'garbage',
  'air',
  'floodwater',
  'stew',
  'chemical',
  'building',
  'gasoline',
  'paint',
  'sewage',
  'household',
  'cleaner',
  'vermont',
  'floodwater',
  'flooding',
  'height',
  'vermont',
  'summer',
  'tourist',
  'season',
  'local',
  'challenge',
  'business',
  'beauregard',
  'gavin',
  'young',
  'gas',
  'water',
  'act',
  'nature',
  'young',
  'street',
  'feeling',
  'store',
  'good',
  'city',
  'fire',
  'alarm',
  'shop',
  'owner',
  'property',
  'destruction',
  'kelly',
  'tackett',
  'minikin',
  'child',
  'store',
  'state',
  'street',
  'insurance',
  'policy',
  'month',
  'business',
  'tackett',
  'warning',
  'mind',
  'kid',
  'foot',
  '”she',
  'business',
  'month',
  'day',
  'shop',
  'floodwater',
  'business',
  'journalist',
  'picture',
  'photo',
  'tear',
  'dream',
  'shop',
  'covid',
  'photo',
  'end',
  'minikin',
  'life',
  'pm',
  'stream',
  'water',
  'state',
  'capitol',
  'building',
  'water',
  'tuesday',
  'official',
  'damage',
  'effort',
  'river',
  'level',
  'dam',
  'official',
  'concern',
  'city',
  'road',
  'northeastacross',
  'region',
  'people',
  'flood',
  'warning',
  'watch',
  'alert',
  'new',
  'york',
  'new',
  'hampshire',
  'maine',
  'water',
  'rescue',
  'team',
  'new',
  'york',
  'state',
  'rain',
  'total',
  'area',
  'inch',
  'road',
  'closure',
  'orange',
  'westchester',
  'ulster',
  'putnam',
  'dutchess',
  'rockland',
  'counties',
  'new',
  'york',
  'gov.',
  'kathy',
  'hochul',
  'state',
  'emergency',
  'orange',
  'ontario',
  'county',
  'death',
  'flooding',
  'new',
  'york',
  'hudson',
  'valley',
  'police',
  'pamela',
  'nugent',
  'dog',
  'hamlet',
  'fort',
  'montgomery',
  'mile',
  'new',
  'york',
  'city',
  'tuesday',
  'vermont',
  'brunt',
  'deluge',
  'mile',
  'interstate',
  'hour',
  'direction',
  'capital',
  'montpelier',
  'middlesex',
  'montpelier',
  'people',
  'dispatcher',
  'emergency',
  'responder',
  'max',
  'capacity',
  'time',
  'river',
  'water',
  'level',
  'observation',
  'score',
  'water',
  'rescue',
  'dam',
  'water',
  'federal',
  'emergency',
  'management',
  'agency',
  'disaster',
  'relief',
  'hardship',
  'suffering',
  'scott',
  'governor',
  'declaration',
  'county',
  'state',
  'authority',
  'flexibility',
  'equipment',
  'resource',
  'crew',
  'north',
  'carolina',
  'michigan',
  'connecticut',
  'rescuer',
  'vermont',
  'town',
  'floodwater',
  'water',
  'tuesday',
  'montpelier',
  'town',
  'manager',
  'bill',
  'fraser',
  'city',
  'recovery',
  'mode',
  'work',
  'employee',
  'operation',
  'wednesday',
  'morning',
  'building',
  'inspection',
  'business',
  'property',
  'dam',
  'water',
  'dam',
  'water',
  'spillway',
  'dam',
  'threat',
  'fraser',
  'thing',
  'burner',
  'community',
  'path',
  'dam',
  'risk',
  'climate',
  'change',
  'rain',
  'search',
  'usa',
  'today',
  'map',
  'vermonter',
  'damageby',
  'midday',
  'water',
  'dam',
  'damage',
  '"it',
  'elen',
  'surdel',
  'hurricane',
  'irene',
  'husband',
  'hill',
  'montpelier',
  'town',
  'friend',
  'lot',
  'water',
  'lot',
  'people',
  'vermont',
  'peak',
  'tourist',
  'season',
  'couple',
  'week',
  'business',
  'troy',
  'caruso',
  'golf',
  'course',
  'restaurant',
  'motel',
  'ludlow',
  'vermont',
  'damage',
  'property',
  'town',
  'people',
  'supermarket',
  'shopping',
  'center',
  'steakhouse',
  'burger',
  'joint',
  'belief',
  'caruso',
  'hole',
  'golf',
  'course',
  'vermont',
  'state',
  'rep.',
  'kelly',
  'pajala',
  'people',
  'unit',
  'apartment',
  'building',
  'west',
  'river',
  'londonderry',
  'river',
  'doorstep',
  'clothe',
  'cat',
  'car',
  'ground',
  'rain',
  'forecast',
  'weekwhile',
  'region',
  'wednesday',
  'shower',
  'thunderstorm',
  'forecast',
  'thursday',
  'national',
  'weather',
  'service',
  'inch',
  'rainfall',
  'vermont',
  'new',
  'york',
  'new',
  'hampshire',
  'flooding',
  'weather',
  'service',
  'tuesday',
  'airbnb',
  'vrbotravelers',
  'trip',
  'wake',
  'flooding',
  'option',
  'booking',
  'vacation',
  'platform',
  'airbnb',
  'website',
  'app',
  'traveler',
  'cancellation',
  'policy',
  'option',
  'reservation',
  'trips',
  '”airbnb',
  'circumstance',
  'policy',
  'disaster',
  'government',
  'emergency',
  'disruption',
  'guest',
  'event',
  'policy',
  'reservation',
  'circumstance',
  'cash',
  'refund',
  'travel',
  'credit',
  'consideration',
  'platform',
  'website',
  'case',
  'policy',
  'booking',
  'cancellation',
  'policy',
  'weather',
  'condition',
  'location',
  'exclusion',
  'policy',
  'luxe',
  'booking',
  'refund',
  'policy',
  'traveler',
  'circumstance',
  'policy',
  'booking',
  'circumstance',
  'stay',
  'experience',
  'airbnb',
  'claim',
  'guest',
  'claim',
  'day',
  'reservation',
  'vrbo',
  'trip',
  'account',
  'property',
  'cancellation',
  'policy',
  'trip',
  'detail',
  'refund',
  'property',
  'cancellation',
  'policy',
  'disaster',
  'hurricane',
  'earthquake',
  'tornado',
  'reservation',
  'assistance',
  'accommodation',
  'vrbo',
  'website',
  'trip',
  'host',
  'nathan',
  'diller',
  'usa',
  'today',
  'april',
  'barton',
  'burlington',
  'free',
  'press',
  'associated',
  'pressfeatured',
  'weekly',
  'adabout',
  'newsroom',
  'staff',
  'ethical',
  'principles',
  'correction',
  'press',
  'accessibility',
  'sitemap',
  'subscription',
  'terms',
  'conditions',
  'terms',
  'service',
  'california',
  'privacy',
  'rights',
  'privacy',
  'policy',
  'privacy',
  'policydo',
  'sell',
  'share',
  'target',
  'infocookie',
  'settingscontact',
  'account',
  'feedback',
  'home',
  'delivery',
  'enewspaper',
  'usa',
  'today',
  'shop',
  'usa',
  'today',
  'print',
  'editions',
  'licensing',
  'reprints',
  'advertise',
  'careers',
  'internships',
  'businessnews',
  'tips',
  'letter',
  'editor',
  'newsletters',
  'mobile',
  'app',
  'facebook',
  'twitter',
  'instagram',
  'linkedin',
  'pinterest',
  'youtube',
  'reddit',
  'flipboard',
  'jobs',
  'sports',
  'betting',
  'sports',
  'weekly',
  'studio',
  'gannett',
  'classifieds',
  'coupons',
  'blueprint',
  'auto',
  'insurance',
  'pet',
  'insurance',
  'travel',
  'insurance',
  'credit',
  'cards',
  'banking',
  'personal',
  'loans',
  'usa',
  'today',
  'division',
  'gannett',
  'satellite',
  'information',
  'network',
  'llc'],
 ['associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'weekend',
  'storm',
  'northeast',
  'ohio',
  'ice',
  'snow',
  'weekend',
  'storm',
  'northeast',
  'ohio',
  'ice',
  'snowcleveland',
  'ohio',
  'round',
  'winter',
  'storm',
  'northeast',
  'ohio',
  'snow',
  'glazing',
  'ice',
  'friday',
  'saturday',
  'sentencing',
  'arizona',
  'mother',
  'murder',
  'child',
  'abuse',
  'starvation',
  'son',
  'bluffing',
  'putin',
  'deployment',
  'weapon',
  'belarus',
  'saber',
  'england',
  'home',
  'crowd',
  'women',
  'world',
  'cup',
  'australia',
  'morning',
  'commute',
  'friday',
  'temperature',
  '40',
  'chance',
  'precipitation',
  'rain',
  'road',
  'trouble',
  'afternoon',
  'temperature',
  'precipitation',
  'mix',
  'rain',
  'snow',
  'evening',
  'inch',
  'coating',
  'ice',
  'ground',
  'road',
  'midnight',
  'sleet',
  'ice',
  'snow',
  'shower',
  'night',
  'saturday',
  'wind',
  'north',
  'lake',
  'snow',
  'shower',
  'pressure',
  'system',
  'northeast',
  'ohio',
  'inch',
  'saturday',
  'morning',
  'temperature',
  '20',
  'day',
  'low',
  'snow',
  'shower',
  'wind',
  'mph',
  'time',
  'snow',
  'visibility',
  'road',
  'snow',
  'rest',
  'saturday',
  'saturday',
  'night',
  'snow',
  'forecast',
  'day',
  'cleveland.com/weather',
  'update',
  'weekend',
  'storm',
  'forecast',
  'sundaystill',
  'forecast',
  'flurry',
  'sunday',
  'snow',
  'area',
  'pressure',
  'air',
  'snow',
  'northeast',
  'ohioans',
  'cooldown',
  'vortex',
  'camp',
  'hudson',
  'bay',
  'great',
  'lakes',
  'push',
  'arctic',
  'air',
  'southeast',
  'northeast',
  'ohio',
  'high',
  'teen',
  'forecast',
  'temperaturesprecipitation',
  'windskeep',
  'cleveland.com/weather',
  'weather',
  'update',
  'northeast',
  'ohio',
  'weather',
  'question',
  'have!kelly',
  'reardon',
  'cleveland.com',
  'meteorologist',
  'facebook',
  'twitter',
  '@kellyrweather',
  'associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights'],
 ['sky',
  'news',
  'home',
  'snow',
  'winter',
  'storm',
  'state',
  'arizona',
  'north',
  'dakota',
  'snow',
  'arizona',
  'new',
  'mexico',
  'area',
  'california',
  'north',
  'idaho',
  'monday',
  'december',
  'uk',
  'image',
  'giant',
  'camel',
  'park',
  'city',
  'boise',
  'idaho',
  'monday',
  'pic',
  'ap',
  'sky',
  'news',
  'swathes',
  'snowstorm',
  'temperature',
  'blizzard',
  'rain',
  'forecast',
  'day',
  'storm',
  'system',
  'area',
  'northwest',
  'great',
  'plains',
  'southwest',
  'monday',
  'snow',
  'arizona',
  'new',
  'mexico',
  'california',
  'north',
  'idaho',
  'day',
  'uk',
  'year',
  'weather',
  'updatesthe',
  'storm',
  'northeast',
  'blizzard',
  'warning',
  'place',
  'week',
  'national',
  'weather',
  'service',
  'nws',
  'disruption',
  'thursday',
  'storm',
  'system',
  'weather',
  'hazard',
  'heart',
  'country',
  'week',
  'blizzard',
  'warning',
  'effect',
  'wyoming',
  'montana',
  'south',
  'dakota',
  'nebraska',
  'week',
  'ft',
  'cm',
  'snow',
  'wind',
  'mph',
  'winter',
  'storm',
  'warning',
  'place',
  'north',
  'dakota',
  'official',
  'pennington',
  'county',
  'south',
  'dakota',
  'shovel',
  'grocery',
  'supply',
  'road',
  'idaho',
  'south',
  'dakota',
  'nebraska',
  'start',
  'lesson',
  'monday',
  'snow',
  'content',
  'twitter',
  'cookie',
  'technology',
  'content',
  'permission',
  'cookie',
  'button',
  'preference',
  'twitter',
  'cookie',
  'cookie',
  'setting',
  'time',
  'privacy',
  'options',
  'twitter',
  'cookie',
  'content',
  'button',
  'twitter',
  'cookie',
  'session',
  'friend',
  'boy',
  'leg',
  'solihull',
  'lakeuk',
  'middle',
  'wind',
  'drought',
  'comingwho',
  'uk',
  'government',
  'weather',
  'payment?the',
  'nws',
  'storm',
  'minnesota',
  'wisconsin',
  'rain',
  'inch',
  'ice',
  'building',
  'ice',
  'tree',
  'power',
  'line',
  'power',
  'outage',
  'nws',
  'europe',
  'snow',
  'weekend',
  'uk.snow',
  'london',
  'sunday',
  'night',
  'centimetre',
  'snow',
  'essex',
  'european',
  'germany',
  'lithuania',
  'weekend'],
 ['car',
  'battle',
  'muskegon',
  'county',
  'road',
  'wednesday',
  'wyoming',
  'home',
  'sinkhole',
  'yard',
  'family',
  'american',
  'red',
  'cross',
  'west',
  'michigan',
  'beach',
  'boating',
  'forecast',
  'weather',
  'ice',
  'storm',
  'michigan',
  'wednesday',
  'winter',
  'storm',
  'week',
  'inch',
  'west',
  'michigan',
  'est',
  'february',
  'pm',
  'est',
  'february',
  'grand',
  'rapids',
  'mich.',
  'winter',
  'storm',
  'west',
  'michigan',
  'doorstep',
  'ice',
  'snow',
  'wednesday',
  'thursday',
  'combination',
  'winter',
  'precipitation',
  'wind',
  'travel',
  'opportunity',
  'power',
  'outage',
  'ice',
  'storm',
  'warning',
  'winter',
  'storm',
  'warning',
  'tuesday',
  'afternoon',
  'winter',
  'storm',
  'watch',
  'alert',
  'a.m.',
  'wednesday',
  'thursday',
  'morning',
  'time',
  'ice',
  'storm',
  'warning',
  'portion',
  'west',
  'michigan',
  'december',
  'day',
  'warning',
  'impact',
  'note',
  'difference',
  'winter',
  'storm',
  'warning',
  'ice',
  'storm',
  'warning',
  'type',
  'precipitation',
  'ice',
  'coat',
  'car',
  'tree',
  'mike',
  'gallagher',
  'byron',
  'center',
  'picture',
  'mike',
  'gallagher',
  'window',
  'lol',
  'lisa',
  'donley',
  'vestaburg',
  'lisa',
  'donley',
  'vestaburg',
  'carol',
  'parker',
  'carol',
  'parker',
  'hesperia',
  'rick',
  'howe',
  'greenville',
  'rick',
  'howe',
  'greenville',
  'toni',
  'miller',
  'hardy',
  'dam',
  'toni',
  'miller',
  'hardy',
  'dam',
  'paul',
  'm',
  'realini',
  'spring',
  'paul',
  'm',
  'spring',
  'lake',
  'kerri',
  'love',
  'bitely',
  'kerri',
  'love',
  'bitely',
  'jenifer',
  'walsh',
  'norton',
  'shores',
  'jenifer',
  'walsh',
  'norton',
  'shores',
  'deb',
  'ryan',
  'belmont',
  'deb',
  'ryan',
  'belmont',
  'kathleen',
  'kalsbeek',
  'newaygo',
  'kathleen',
  'kalsbeek',
  'newaygo',
  'ruby',
  'lavin',
  'ruby',
  'lavin',
  'fremont',
  'deb',
  'royce',
  'badt',
  'covell',
  'sparta',
  'deb',
  'royce',
  'badt',
  'covell',
  'sparta',
  'luanne',
  'nyblad',
  'casnovia',
  'luanne',
  'nyblad',
  'casnovia',
  'patti',
  'bisson',
  'grant',
  'patti',
  'bisson',
  'grant',
  'track',
  'area',
  'extent',
  'winter',
  'precipitation',
  'day',
  'confidence',
  'ice',
  'snow',
  'shift',
  'type',
  'precipitation',
  'event',
  'area',
  'rain',
  'sleet',
  'snow',
  'vice',
  'forecast',
  'start',
  'precipitation',
  'west',
  'michigan',
  'precipitation',
  'morning',
  'south',
  'north',
  'fashion',
  'us-10',
  'precipitation',
  'afternoon',
  'travel',
  'wednesday',
  'evening',
  'commute',
  'duration',
  'precipitation',
  'hour',
  'hour',
  'sunrise',
  'thursday',
  'impact',
  'travel',
  'condition',
  'half',
  'wednesday',
  'morning',
  'hour',
  'thursday',
  'plan',
  'timeframe',
  'time',
  'power',
  'outage',
  'concern',
  'combination',
  'ice',
  'wind',
  'weather',
  'event',
  'flashlight',
  'battery',
  'emergency',
  'kit',
  'device',
  'tip',
  'concern',
  'winter',
  'storm',
  'ice',
  'accumulation',
  'impact',
  'area',
  'probability',
  'icing',
  'rain',
  'ice',
  'accumulation',
  '¼',
  'zone',
  'city',
  'grand',
  'rapids',
  'hastings',
  'battle',
  'creek',
  'question',
  'mark',
  'north',
  'temperature',
  'switchover',
  'rain',
  'south',
  'haven',
  'kalamazoo',
  'allegan',
  'co.',
  'probability',
  'rain',
  'impact',
  'standpoint',
  'result',
  'corner',
  'area',
  'ice',
  'rain',
  'sleet',
  'snow',
  '¼',
  'ice',
  'corridor',
  'muskegon',
  'cedar',
  'springs',
  'us-10',
  'snow',
  'sleet',
  'threat',
  'rain',
  'ice',
  'accumulation',
  'quarter',
  'inch',
  'car',
  'ice',
  'road',
  'bridge',
  'power',
  'ice',
  'inch',
  'ice',
  'power',
  'outage',
  'day',
  'tree',
  'damage',
  'travel',
  'snow',
  'us-10',
  'ludington',
  'big',
  'rapids',
  'air',
  'storm',
  'accumulation',
  'community',
  'area',
  'sleet',
  'accumulation',
  'snow',
  'accumulation',
  'order',
  'couple',
  'inch',
  'rain',
  'sleet',
  'snow',
  'accumulation',
  'west',
  'michigan',
  'credit',
  'hrrr',
  'km',
  'wmi',
  'snow',
  'accumulation',
  'wind',
  'mph',
  'power',
  'outage',
  'ice',
  'power',
  'line',
  'tree',
  'limb',
  'wind',
  'e',
  'ne',
  'wednesday',
  'w',
  'sw',
  'thursday',
  'morning',
  'nw',
  'end',
  'thursday',
  'friday',
  'precipitation',
  'thursday',
  'temperature',
  'impact',
  'wednesday',
  'term',
  'travel',
  'condition',
  'power',
  'outage',
  'temperature',
  'thursday',
  'friday',
  'flash',
  'freeze',
  'precipitation',
  'place',
  'temperature',
  'weekend',
  'recovery',
  'time',
  'hour',
  'day',
  'weekend',
  'temperature',
  'mid',
  '30',
  'weather',
  'team',
  'update',
  'impact',
  'winter',
  'storm',
  'date',
  'forecast',
  'model',
  'weather',
  'warning',
  'facebook',
  'youtube',
  'channel',
  'weather',
  'app',
  'app',
  'store',
  'google',
  'play',
  'store',
  'download',
  'roku',
  'firetv',
  'power',
  'ice',
  'storm',
  'west',
  'michigan',
  'school',
  'church',
  'thursday',
  'date',
  'story',
  'app',
  'news',
  'tip',
  'email',
  'news@13onyourside.com',
  'facebook',
  'page',
  'twitter',
  'youtube',
  'channel',
  'example',
  'video',
  'title',
  'video',
  'news',
  'cars',
  'battle',
  'muskegon',
  'county',
  'road',
  'wednesday',
  'eeo',
  'public',
  'file',
  'report',
  'fcc',
  'online',
  'public',
  'inspection',
  'file',
  'closed',
  'caption',
  'procedure',
  'personal',
  'information',
  'wzzm',
  'tv',
  'rights',
  'notification',
  'news',
  'weather',
  'notification',
  'browser',
  'setting'],
 ['advertisementskip',
  'main',
  'contentaccessibility',
  'helpthe',
  'weather',
  'channeltype',
  'character',
  'auto',
  'complete',
  'location',
  'search',
  'query',
  'option',
  'arrow',
  'selection',
  'search',
  'city',
  'zip',
  'codesearchrecentsyou',
  'locationsglobeus',
  '°',
  'farrow',
  '°',
  'f',
  '°',
  'chybridimperial',
  'f',
  'mph',
  'mile',
  'inchesamericasarrow',
  'downantigua',
  'barbuda',
  'englishargentina',
  'españolbahamas',
  'englishbarbados',
  'englishbelize',
  'englishbolivia',
  'españolbrazil',
  'portuguêscanada',
  'englishcanada',
  'françaischile',
  'españolcolombia',
  'españolcosta',
  'rica',
  'españoldominica',
  'englishdominican',
  'republic',
  '',
  '',
  'españolecuador',
  'españolel',
  'salvador',
  '',
  '',
  'españolgrenada',
  'englishguatemala',
  'españolguyana',
  'englishhaiti',
  'françaishonduras',
  'españoljamaica',
  'englishmexico',
  'españolnicaragua',
  'españolpanama',
  'españolpanama',
  'englishparaguay',
  'españolperu',
  '',
  '',
  'españolst',
  'kitts',
  'nevis',
  'englishst',
  'lucia',
  '',
  '',
  'englishst',
  'vincent',
  'grenadines',
  'englishsuriname',
  'nederlandstrinidad',
  'tobago',
  'englishuruguay',
  'españolunited',
  'states',
  'englishunited',
  'states',
  'españolvenezuela',
  'españolafricaarrow',
  'downalgeria',
  'françaisangola',
  'portuguêsbenin',
  'françaisburkina',
  'faso',
  'françaisburundi',
  'françaiscameroon',
  '',
  '',
  'françaiscameroon',
  '',
  '',
  'englishcape',
  'verde',
  'portuguêscentral',
  'african',
  'republic',
  'françaischad',
  'françaischad',
  'العربيةcomoro',
  'françaiscomoros',
  '',
  '',
  'العربيةdemocratic',
  'republic',
  'congo',
  '',
  '',
  'françaisrepublic',
  'congo',
  'françaiscôte',
  "d'ivoire",
  'françaisdjibouti',
  'françaisdjibouti',
  'العربيةegypt',
  'العربيةequatorial',
  'guinea',
  'españoleritrea',
  'françaisgambia',
  'englishghana',
  'englishguinea',
  'françaisguinea',
  'bissau',
  'portuguêskenya',
  'englishlesotho',
  'englishliberia',
  'englishlibya',
  'العربيةmadagascar',
  'françaismali',
  'françaismauritania',
  'العربيةmauritius',
  '',
  '',
  'englishmauritius',
  'françaismorocco',
  '',
  '',
  'françaismozambique',
  'portuguêsnamibia',
  'englishniger',
  'françaisnigeria',
  'englishrwanda',
  'françaisrwanda',
  'englishsao',
  'tome',
  'principe',
  'portuguêssenegal',
  'françaissierra',
  'leone',
  'englishsomalia',
  'africa',
  'englishsouth',
  'sudan',
  'englishsudan',
  '',
  '',
  'englishtanzania',
  'françaistunisia',
  'العربيةuganda',
  'englishasia',
  'pacificarrow',
  'downaustralia',
  'englishbangladesh',
  'বাংলাbrunei',
  'bahasa',
  'melayuchina',
  'kong',
  'sar',
  '',
  '',
  'timor',
  'portuguêsfiji',
  'englishindia',
  'english',
  'englishindia',
  'hindi',
  'हिन्दीindonesia',
  'bahasa',
  'indonesiajapan',
  'englishsouth',
  'korea',
  '한국어kyrgyzstan',
  'русскийmalaysia',
  'bahasa',
  'melayumarshall',
  'islands',
  'englishmicronesia',
  'englishnew',
  'zealand',
  'englishpalau',
  'englishphilippines',
  'englishphilippines',
  'tagalogsamoa',
  'englishsingapore',
  'englishsingapore',
  '',
  '',
  '中文solomon',
  'islands',
  'englishtaiwan',
  '中文thailand',
  'ไทยtonga',
  'englishtuvalu',
  'englishvanuatu',
  'englishvanuatu',
  'françaisvietnam',
  'tiếng',
  'việteuropearrow',
  'downandorra',
  'catalàandorra',
  'françaisaustria',
  'deutschbelarus',
  'русскийbelgium',
  'dutchbelgium',
  'françaisbosnia',
  'herzegovina',
  'hrvatskicroatia',
  'hrvatskicyprus',
  'ελληνικάczech',
  'republic',
  'češtinadenmark',
  'danskestonia',
  'русскийestonia',
  'eestifinland',
  'suomifrance',
  'françaisgermany',
  'deutschgreece',
  'ελληνικάhungary',
  'magyarireland',
  'englishitaly',
  'italianoliechtenstein',
  'deutschluxembourg',
  'françaismalta',
  'englishmonaco',
  'françaisnetherlands',
  'nederlandsnorway',
  'norskpoland',
  'polskiportugal',
  'portuguêsromania',
  'românărussia',
  'русскийsan',
  'marino',
  'italianoslovakia',
  'slovenčinaspain',
  'españolspain',
  'catalàsweden',
  'svenskaswitzerland',
  'deutschturkey',
  'turkçeukraine',
  'українськаunited',
  'kingdom',
  'englishstate',
  'vatican',
  'city',
  'holy',
  'italianomiddle',
  'eastarrow',
  'downbahrain',
  'فارسىiraq',
  'العربيةisrael',
  'עִבְרִיתjordan',
  '',
  '',
  'العربيةlebanon',
  'العربيةpakistan',
  'اردوpakistan',
  'englishqatar',
  'arabia',
  'العربيةsyria',
  'arab',
  'emirates',
  'العربيةweathertoday',
  'forecasthourly',
  'forecast10',
  'day',
  'forecastweekend',
  'forecastmonthly',
  'forecastnational',
  'forecastnational',
  'newsalmanacradarweather',
  'motionradar',
  'mapsclassic',
  'weather',
  'mapsregional',
  'satelliteseveresevere',
  'alertssafety',
  'preparednesshurricane',
  'centralaccountsign',
  'upgo',
  'premiumlog',
  'inget',
  'newsletterweb',
  'notificationsnewvideo',
  'photostop',
  'storiesvideophotosclimate',
  'newsexternal',
  'linkaward',
  'investigationsexternal',
  'linkhealth',
  'activitiesallergy',
  'trackercold',
  'fluair',
  'quality',
  'forecasttv',
  'weatheralexa',
  'skillexternal',
  'linkwatch',
  'liveexternal',
  'linkpersonalitiesexternal',
  'linkweather',
  'productsalexa',
  'skillexternal',
  'linkseasonal',
  'dealsprivacyreview',
  'privacy',
  'ad',
  'settingsdata',
  'rightsprivacy',
  'policyarrow',
  'leftarrow',
  'righttodayhourly10',
  'dayweekendmonthlyradarvideovideomore',
  'forecastsmorearrow',
  'forecastsyesterday',
  'weatherexternal',
  'linkallergy',
  'trackercold',
  'fluair',
  'quality',
  'forecastadvertisementhurricane',
  'safety',
  'preparednesshurricane',
  'lane',
  'flooding',
  'kill',
  'foot',
  'rain',
  'hawaiiby',
  'sean',
  'breslinfebruary',
  'glancehurricane',
  'lane',
  'foot',
  'rain',
  'day',
  'flooding',
  'big',
  'island',
  'kauai',
  'person',
  'stream',
  'home',
  'brush',
  'fire',
  'maui',
  'island',
  'rain',
  'remnant',
  'lane',
  'day',
  'storm',
  'center',
  'hawaii',
  'foot',
  'rain',
  'island',
  'kauai',
  'official',
  'associated',
  'press',
  'death',
  'storm',
  'wednesday',
  'crew',
  'body',
  'year',
  'joshua',
  'bradbury',
  'stream',
  'koloa',
  'town',
  'end',
  'kauai',
  'resident',
  'bradbury',
  'stream',
  'police',
  'ap',
  'dog.(photos',
  'lane',
  'pictures)the',
  'day',
  'deluge',
  'lane',
  'official',
  'resident',
  'kauai',
  'water',
  'rain',
  'total',
  'island',
  'inch',
  'time',
  'lane',
  'friend',
  'weke',
  'road',
  'home',
  'chest',
  'water',
  'terry',
  'lilley',
  'year',
  'resident',
  'hanalei',
  'honolulu',
  'star',
  'advertiser',
  'gov.',
  'david',
  'ige',
  'proclamation',
  'tuesday',
  'relief',
  'damage',
  'lane',
  'proclamation',
  'oct.',
  'islands',
  'floodthe',
  'storm',
  'rainfall',
  'total',
  'hour',
  'downpour',
  'flood',
  'road',
  'day',
  'storm',
  '.',
  'rainmaker',
  'u.s.',
  'cyclone',
  'hurricane',
  'harvey',
  'storm',
  'inch',
  'rain',
  'hawaii',
  'island',
  'foot',
  'precipitation',
  'hilo',
  'flooding',
  'rainfall',
  'total',
  'upslope',
  'hilo',
  'disaster',
  'city',
  'proportion',
  'kai',
  'kahele',
  'state',
  'senator',
  'hilo',
  'ap.south',
  'hilo',
  'water',
  'family',
  'keaau',
  'home',
  'friday',
  'rescue',
  'personnel',
  'flood',
  'tree',
  'trunk',
  'sister',
  'house',
  'lou',
  '-',
  'ann',
  'tolentino',
  'family',
  'floor',
  'help',
  'honolulu',
  'star',
  'advertiser',
  'hawaii',
  'county',
  'firefighter',
  'end',
  'rope',
  'house',
  'tree',
  'yard',
  'life',
  'vest',
  'adult',
  'child',
  'year',
  'old',
  'year',
  'year',
  'old',
  'kitchen',
  'window',
  'water',
  'hill',
  'tolentino',
  'star',
  'advertiser.(more',
  'lane',
  'floodwaters',
  'official',
  'warn)ichelle',
  'fukuhara',
  'family',
  'flooding',
  'keaau',
  'home',
  'debris',
  'flood',
  'water',
  'level',
  'friday',
  'rope',
  'mountain',
  'apple',
  'tree',
  'house',
  'foundation',
  'time',
  'hawaii',
  'news',
  'kid',
  'fireman',
  '"official',
  'ap',
  'tourist',
  'thursday',
  'hilo',
  'rental',
  'home',
  'big',
  'island',
  'gulch',
  'hawaii',
  'county',
  'firefighter',
  'people',
  'house',
  'report',
  'experience',
  'hurricane',
  'vacation',
  'time',
  'suzanne',
  'demerais',
  'tourist',
  'ap.official',
  'ap',
  'people',
  'dog',
  'home',
  'rescue',
  'hilo',
  'waist',
  'water',
  'firefighter',
  'big',
  'island',
  'people',
  'floodwater',
  'friday',
  'saturday',
  'ap',
  'work',
  'hawaii',
  'county',
  'mayor',
  'harry',
  'kim',
  'state',
  'county',
  'official',
  'county',
  'civil',
  'defense',
  'headquarters',
  'hilo',
  'saturday',
  'man',
  'man',
  'man',
  'lot',
  'water',
  'maui',
  'brush',
  'firein',
  'thing',
  'local',
  'rainmaker',
  'people',
  'town',
  'lahaina',
  'maui',
  'island',
  'friday',
  'morning',
  'brush',
  'fire',
  'maui',
  'county',
  'statement',
  'resident',
  'home',
  'lahaina',
  'aquatic',
  'center',
  'fire',
  'a.m.',
  'time',
  'hawaii',
  'news',
  'brush',
  'fire',
  'maui',
  'island',
  'morning',
  'hour',
  'friday',
  'aug.',
  'mark',
  'chisholm)one',
  'woman',
  'home',
  'dozen',
  'vehicle',
  'fire',
  'wind',
  'smoke',
  'ash',
  'resident',
  'lucy',
  'reardon',
  'star',
  'advertiser',
  'hour',
  'fire',
  'roadway',
  'aloha',
  'gas',
  'station',
  'road',
  'area',
  'blaze',
  'evacuee',
  'lahaina',
  'intermediate',
  'school',
  'lahaina',
  'civic',
  'center',
  'hour',
  'fire',
  'fire',
  'kaanapali',
  'area',
  'resort',
  'fire',
  'friday',
  'morning',
  'maalaea',
  'south',
  'blaze',
  'acre',
  'maui',
  'county',
  'communications',
  'director',
  'rod',
  'antone',
  'star',
  'advertiser',
  'fire',
  'oahu',
  "bullet'as",
  'storm',
  'rainfall',
  'forecast',
  'oahu',
  'honolulu',
  'mayor',
  'kirk',
  'caldwell',
  'case',
  'scenario',
  'island',
  'oahu',
  'good',
  'news',
  'lane',
  'bullet',
  'friday',
  'news',
  'conference',
  'forecast',
  'caldwell',
  'local',
  'tourist',
  'ocean',
  'lane',
  'wave',
  'message',
  'public',
  'danger',
  'water.1/186arrow',
  'leftarrow',
  'righthilo',
  'bayfront',
  'soccer',
  'field',
  'thursday',
  'august',
  'hurricane',
  'lane',
  'rain',
  'road',
  'closure',
  'landslide',
  'big',
  'island',
  'tim',
  'wright',
  'honolulu',
  'star',
  'advertiser',
  'toovideorecord',
  'heat',
  'countryvideonortheast',
  'heat',
  'wave',
  'wind',
  'tree',
  'new',
  'york',
  'hot',
  'morethat',
  'way',
  'cool',
  'offvideocat',
  'beachvideowhoop',
  'cat',
  'poolvideoalright',
  'pet',
  'pig',
  'poolsee',
  'moreadvertisementsign',
  'morning',
  'briefwake',
  'weather',
  'inbox',
  'weekday',
  'newsletter',
  'forecast',
  'weather',
  'insight',
  'photo',
  'trivium',
  'dash',
  'delight',
  'subscribetrending',
  'toddler',
  'brain',
  'landslide',
  'england',
  'southern',
  'coastvideokey',
  'ocean',
  'current',
  'study',
  'suggestsvideosea',
  'lions',
  'crowded',
  'san',
  'diego',
  'beachsee',
  'moreadvertisementadvertisementstay',
  'safeadvertisementin',
  'airvideohow',
  'app',
  'air',
  'qualityvideohow',
  'wildfire',
  'smoke',
  'oceans',
  'lake',
  'energy',
  'harmful',
  'air',
  'pollutionsee',
  'moreadvertisementadvertisementthe',
  'weather',
  'companythe',
  'weather',
  'channelweather',
  'undergroundfeedbackcareerspress',
  'roomadvertise',
  'sign',
  'upterm',
  'useprivacy',
  'policyadchoicesad',
  'choicesaccessibility',
  'statementdata',
  'vendorsgeorgiaessential',
  'accessibilitywe',
  'responsibility',
  'datum',
  'technology',
  'datum',
  'data',
  'vendor',
  'control',
  'datum',
  'privacy',
  'ad',
  'settingschoose',
  'information',
  'right',
  'copyright',
  'twc',
  'product',
  'technology',
  'llc',
  'theibm',
  'cloudibm',
  'cloudhidden',
  'weather',
  'icon',
  'maskshidden',
  'weather',
  'icon',
  'symbol'],
 ['thu',
  'jul',
  'gmt',
  'españolfeaturesgame',
  'centerwatch',
  'thu',
  'fri',
  '96jump',
  'plan',
  'women',
  'world',
  'cup',
  'watch',
  'party',
  'boise',
  'county',
  'sheriff',
  'deputy',
  'parking',
  'violation',
  'wild',
  'idaho',
  'duo',
  'rein',
  'airstrip',
  'foundation',
  'grief',
  'lifeline',
  'family',
  'childhood',
  'fire',
  'ola',
  '%',
  'containment',
  'mop',
  'effort',
  'shot',
  'eviction',
  'tualatin',
  'apartment',
  'suspect',
  'deadcourt',
  'vicki',
  'hoban',
  'victim',
  'statement',
  'lori',
  'vallow',
  'daybell',
  'county',
  'highway',
  'district',
  'resident',
  'budgeting',
  'planning',
  'valley',
  'brace',
  'school',
  'year',
  'school',
  'drive',
  'mcconnell',
  'presser',
  'senate',
  'colleagueslocal',
  'newssee',
  'locallabor',
  'day',
  'weekend',
  'flight',
  'spirit',
  'boise',
  'balloon',
  'classicanother',
  'day',
  'sunshine',
  'average',
  'highsdo',
  'man',
  'fred',
  'meyer',
  'garden',
  'city?judge',
  'desertion',
  'conviction',
  'idaho',
  'bowe',
  'bergdahlidaho',
  'humane',
  'society',
  'donation',
  'chihuahuas',
  'owner',
  'diesidaho',
  'wildfire',
  'atboise',
  'man',
  'stabbing',
  'e.',
  'holly',
  'street',
  'connected',
  'sbg',
  'envelopenewsletter',
  'sign',
  'concernsnation',
  'worldsee',
  'nation',
  'worldresearcher',
  'ai',
  'smartwatche',
  'datum',
  'study',
  'hearttraveler',
  'passport',
  'processing',
  'delay',
  'summer',
  'surge',
  'applicationsfact',
  'team',
  'school',
  'district',
  'medium',
  'giant',
  'student',
  'health',
  'concernsphotos',
  'suitcase',
  'image',
  'woman',
  'florida',
  'murderhe',
  'school',
  'pence',
  'chair',
  'jan.',
  'year',
  'jail',
  'distraction',
  'cellphone',
  'safety',
  'potentialteen',
  'trafficking',
  'woman',
  'mlb',
  'star',
  'week',
  'seattlesportssee',
  '/sportsmariner',
  'inning',
  'blue',
  'jays',
  'victoryhawk',
  'battle',
  'weather',
  'series',
  'homeboise',
  'cyclist',
  'jorgenson',
  'podium',
  'le',
  'tour',
  'de',
  'france',
  'entertainmentsee',
  'entertainmentkid',
  'reality',
  'tv',
  'chrisley',
  'family',
  'prison',
  'parent',
  'nightmare',
  'snake',
  'mold',
  'music',
  'legend',
  'sinéad',
  "o'connor",
  'tori',
  'kelly',
  'blood',
  'clotskevin',
  'spacey',
  'assault',
  'charge',
  'crotch',
  'menmillion',
  'dollar',
  'dollar',
  'homescheck',
  'dollar',
  'home',
  'nampaphotos',
  'stanley',
  'ranch',
  'mountain',
  'dream',
  'barn',
  'sun',
  'valley',
  'estate',
  'kind',
  'amazing!connect',
  'liv',
  'merger',
  'scrutiny',
  'senate',
  'homeland',
  'security',
  'committeewith',
  'security',
  'focus',
  'senator',
  'briefing',
  'aiformer',
  'new',
  'jersey',
  'mayor',
  'removal',
  'office',
  'pride',
  'flag',
  'alien',
  'congress',
  'outoffbeatsee',
  '/news',
  'year',
  'wave',
  'year',
  'generation',
  'swimmaryland',
  'resident',
  '108th',
  'birthdayhurry',
  'farmer',
  'share',
  'process',
  'delicacy',
  'mountain',
  'ncaccessibilitydownload',
  'mobile',
  'app',
  'term',
  'conditions',
  'copyright',
  'notice',
  'eeo',
  'public',
  'file',
  'report',
  'fcc',
  'info',
  'fcc',
  'applications',
  'public',
  'file',
  'assistance',
  'contact',
  'news',
  'team',
  'careers',
  'contests',
  'news',
  'weather',
  'sports',
  'politics',
  'idaho',
  'living',
  'game',
  'center',
  'privacy',
  'policy',
  'cookie',
  'policy',
  'share',
  'cookie',
  'preferences',
  'sinclair',
  'inc.'],
 ['ad',
  'issue',
  'video',
  'player',
  'content',
  'ad',
  'video',
  'content',
  'ad',
  'audio',
  'ad',
  'ad',
  'page',
  'content',
  'ad',
  'ad',
  'ad',
  'effort',
  'contribution',
  'feedback',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'i-95',
  'virginia',
  'winter',
  'storm',
  'driver',
  'hour',
  'jason',
  'hanna',
  'steve',
  'almasy',
  'alisha',
  'ebrahimji',
  'cnn',
  'est',
  'd',
  'january',
  'woman',
  'hour',
  'i-95',
  'woman',
  'hour',
  'i-95',
  'concertgoers',
  'hail',
  'colorado',
  'body',
  'temperature',
  'flooding',
  'china',
  'couple',
  'car',
  'house',
  'cliff',
  'river',
  'foundation',
  'video',
  'tornado',
  'home',
  'debris',
  'video',
  'moment',
  'soldier',
  'heat',
  'video',
  'tornado',
  'texas',
  'barren',
  'land',
  'impact',
  'spain',
  'record',
  'heat',
  'windshield',
  'helicopter',
  'hail',
  'shelf',
  'cloud',
  'sky',
  'downtown',
  'chicago',
  'man',
  'street',
  'flooding',
  'man',
  'tornado',
  'van',
  'footage',
  'california',
  'weather',
  'crisis',
  'lake',
  'life',
  'unbelievable',
  'cnn',
  'reporter',
  'snowfall',
  'california',
  'graphic',
  'change',
  'temperature',
  'mile',
  'stretch',
  'interstate',
  'virginia',
  'tuesday',
  'night',
  'winter',
  'storm',
  'motorist',
  'highway',
  'hour',
  'vehicle',
  'i-95',
  'stretch',
  'fredericksburg',
  'area',
  'richmond',
  'washington',
  'd.c.',
  'p.m.',
  'transportation',
  'official',
  'monday',
  'storm',
  'foot',
  'snow',
  'area',
  'highway',
  'traveler',
  'traffic',
  'road',
  'amtrak',
  'passenger',
  'train',
  'hour',
  'point',
  'storm',
  'customer',
  'atlantic',
  'southeast',
  'power',
  'virginia',
  'motorist',
  'monday',
  'tuesday',
  'truck',
  'way',
  'condition',
  'state',
  'transportation',
  'official',
  'driver',
  'engine',
  'time',
  'fuel',
  'food',
  'supply',
  'crew',
  'truck',
  'way',
  'ice',
  'snow',
  'temperature',
  'teen',
  'jim',
  'defede',
  'journalist',
  'miami',
  'holiday',
  'visit',
  'family',
  'new',
  'york',
  'cnn',
  'jake',
  'tapper',
  'tuesday',
  'hour',
  'car',
  'ice',
  'way',
  'emergency',
  'responder',
  'report',
  'death',
  'injury',
  'luck',
  'point',
  'lot',
  'update',
  'driver',
  'hour',
  'i-95',
  'trucker',
  'bottle',
  'water',
  'bread',
  'delivery',
  'truck',
  'door',
  'people',
  'loaf',
  'defede',
  'direction',
  'hour',
  'interstate',
  'place',
  'sen.',
  'tim',
  'kaine',
  'washington',
  'hour',
  'image',
  'virginia',
  'department',
  'transportation',
  'section',
  'interstate',
  'fredericksburg',
  'virginia',
  'january',
  'virginia',
  'department',
  'transportation',
  'ap',
  'virginia',
  'senator',
  'hour',
  'winter',
  'storm',
  'point',
  'travel',
  'day',
  'kind',
  'survival',
  'mode',
  'day',
  'virginia',
  'democrat',
  'cnn',
  'alisyn',
  'camerota',
  'tuesday',
  'phone',
  'road',
  'car',
  'food',
  'car',
  'mess',
  'line',
  'vehicle',
  'portion',
  'mile',
  'stretch',
  'exit',
  'ruther',
  'glen',
  'exit',
  'dumfries',
  'authority',
  'portion',
  'highway',
  'worker',
  'vehicle',
  'road',
  'snow',
  'icing',
  'virginia',
  'department',
  'transportation',
  'condition',
  'wednesday',
  'road',
  'vdot',
  'winter',
  'storm',
  'central',
  'virginia',
  'thursday',
  'friday',
  'morning',
  'snow',
  'travel',
  'disruption',
  'friday',
  'morning',
  'commute',
  'national',
  'weather',
  'service',
  'wednesday',
  'morning',
  'motorist',
  'i-95',
  'fredericksburg',
  'virginia',
  'tuesday',
  'morning',
  'motorist',
  'frustration',
  'medium',
  'monday',
  'tuesday',
  'vehicle',
  'i-95',
  'freezing',
  'morning',
  'temperature',
  'a.m.',
  'tuesday',
  'susan',
  'phalen',
  'car',
  'northbound',
  'i-95',
  'stafford',
  'hour',
  'phalen',
  'cnn',
  'phone',
  'traffic',
  'morning',
  'truck',
  'truck',
  'truck',
  'inch',
  'i-95',
  'jennifer',
  'travis',
  'husband',
  'year',
  'daughter',
  'car',
  'virginia',
  'home',
  'florida',
  'return',
  'flight',
  'i-95',
  'hour',
  'tuesday',
  'fuel',
  'heat',
  'water',
  'food',
  'family',
  'exit',
  'road',
  'road',
  'region',
  'tree',
  'wintry',
  'condition',
  'authority',
  'i-95',
  'travel',
  'tree',
  'car',
  'travis',
  'cnn',
  'phone',
  'video',
  'cnn',
  'affiliate',
  'wjla',
  'vehicle',
  'tuesday',
  'morning',
  'lane',
  'i-95',
  'caroline',
  'county',
  'fredericksburg',
  'people',
  'child',
  'car',
  'man',
  'dog',
  'leash',
  'phalen',
  'fredericksburg',
  'fredericksburg',
  'p.m.',
  'monday',
  'trip',
  'alexandria',
  'hour',
  'fredericksburg',
  'home',
  'power',
  'cell',
  'phone',
  'service',
  'cell',
  'phone',
  'internet',
  'connection',
  'house',
  'fredericksburg',
  'nightmare',
  'dab',
  'middle',
  'phalen',
  'tank',
  'gas',
  'car',
  'heat',
  'foot',
  'snow',
  'people',
  'snow',
  'capitol',
  'hill',
  'monday',
  'jan.',
  'washington',
  'dc',
  'winter',
  'storm',
  'district',
  'county',
  'monday',
  'afternoon',
  'washington',
  'dc',
  'record',
  'snow',
  'storm',
  'system',
  'east',
  'fredericksburg',
  'area',
  'inch',
  'snow',
  'storm',
  'national',
  'weather',
  'service',
  'baltimore',
  'washington',
  'area',
  'people',
  'time',
  'period',
  'closure',
  'area',
  'truck',
  'blockage',
  'driver',
  'traffic',
  'flow',
  'kelly',
  'hannon',
  'spokesperson',
  'vdot',
  'fredericksburg',
  'district',
  'cnn',
  'tuesday',
  'trucker',
  'jean',
  'carlo',
  'gachet',
  'hour',
  'i-95',
  'dale',
  'city',
  'a.m.',
  'tuesday',
  'food',
  'water',
  'microwave',
  'breakfast',
  'man',
  'mother',
  'vehicle',
  'traffic',
  'jam',
  'gachet',
  'rhode',
  'island',
  'p.m.',
  'monday',
  'georgia',
  'car',
  'snow',
  'alexandria',
  'virginia',
  'winter',
  'snow',
  'storm',
  'state',
  'monday',
  'cnn',
  'en',
  'español',
  'correspondent',
  'gustavo',
  'valdés',
  'traffic',
  'gas',
  'p.m.',
  'gps',
  'hour',
  'washington',
  'a.m.',
  'tuesday',
  'valdés',
  'highway',
  'quantico',
  'virginia',
  'road',
  'route',
  '1a',
  'area',
  'jackknifed',
  'truck',
  'snowplow',
  'cnn',
  'en',
  'español',
  'correspondent',
  'gustavo',
  'valdés',
  'photo',
  'route',
  '1a',
  'virginia',
  'valdés',
  'road',
  'night',
  'car',
  'hotel',
  'room',
  'traffic',
  'wheel',
  'drive',
  'vehicle',
  'path',
  'snow',
  'vehicle',
  'traffic',
  'interstate',
  'driver',
  'roadway',
  'dozen',
  'traffic',
  'signal',
  'service',
  'power',
  'outage',
  'official',
  'customer',
  'tuesday',
  'afternoon',
  'georgia',
  'maryland',
  'outage',
  'virginia',
  'poweroutage',
  'federal',
  'office',
  'washington',
  'hour',
  'delay',
  'i-95',
  'government',
  'office',
  'washington',
  'dc',
  'hour',
  'delay',
  'tuesday',
  'monday',
  'weather',
  'district',
  'inch',
  'snow',
  'monday',
  'day',
  'snow',
  'total',
  'january',
  'cnn',
  'meteorologist',
  'brandon',
  'miller',
  'capitol',
  'heights',
  'maryland',
  'inch',
  'snow',
  'baltimore',
  'washington',
  'international',
  'airport',
  'inch',
  'week',
  'snow',
  'cnn',
  'meteorologist',
  'pedram',
  'javaheri',
  'layer',
  'snow',
  'cover',
  'sunlight',
  'coolant',
  'ground',
  'surface',
  'day',
  'temperature',
  'degree',
  'inch',
  'snow',
  'javaheri',
  'washington',
  'area',
  'mark',
  'end',
  'week',
  'person',
  'sidewalk',
  'alexandria',
  'virginia',
  'winter',
  'snow',
  'storm',
  'area',
  'monday',
  'suv',
  'snowplow',
  'official',
  'death',
  'maryland',
  'suv',
  'occupant',
  'snowplow',
  'shiera',
  'goff',
  'spokesperson',
  'montgomery',
  'county',
  'police',
  'department',
  'woman',
  'man',
  'scene',
  'goff',
  'victim',
  'man',
  'area',
  'hospital',
  'condition',
  'investigation',
  'cause',
  'collision',
  'goff',
  'southeast',
  'child',
  'tree',
  'monday',
  'morning',
  'official',
  'georgia',
  'year',
  'boy',
  'atlanta',
  'area',
  'tree',
  'home',
  'wind',
  'dekalb',
  'county',
  'fire',
  'rescue',
  'spokesman',
  'capt',
  'jaeson',
  'daniels',
  'cnn',
  'affiliate',
  'wsb',
  'boy',
  'mother',
  'outlet',
  'temperature',
  'snow',
  'town',
  'shock',
  'monday',
  'ground',
  'area',
  'rainfall',
  'daniels',
  'wsb',
  'weather',
  'service',
  'atlanta',
  'wind',
  'gust',
  'mph',
  'monday',
  'morning',
  'tennessee',
  'year',
  'girl',
  'monday',
  'tree',
  'home',
  'knoxville',
  'area',
  'blount',
  'county',
  'sheriff',
  'office',
  'cnn',
  'affiliate',
  'wvlt',
  'tree',
  'county',
  'townsend',
  'foothill',
  'great',
  'smoky',
  'national',
  'park',
  'bcso',
  'public',
  'information',
  'officer',
  'marian',
  'o’briant',
  'wvlt',
  'lot',
  'tree',
  'snow',
  'tree',
  'cnn',
  'dekalb',
  'county',
  'fire',
  'rescue',
  'blount',
  'county',
  'sheriff',
  'office',
  'cnn',
  'kelly',
  'mccleary',
  'jennifer',
  'henderson',
  'joe',
  'sutton',
  'amir',
  'vera',
  'michael',
  'guy',
  'pete',
  'muntean',
  'amy',
  'simonson',
  'report',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cable',
  'news',
  'network',
  'warner',
  'bros.',
  'discovery',
  'company',
  'rights',
  'cnn',
  'sans',
  'cable',
  'news',
  'network'],
 ['ad',
  'issue',
  'video',
  'player',
  'content',
  'ad',
  'video',
  'content',
  'ad',
  'audio',
  'ad',
  'ad',
  'page',
  'content',
  'ad',
  'ad',
  'ad',
  'effort',
  'contribution',
  'feedback',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'texans',
  'power',
  'outage',
  'storm',
  'texans',
  'power',
  'outage',
  'storm',
  'dramatic',
  'video',
  'moment',
  'crane',
  'new',
  'york',
  'street',
  'esper',
  'fighter',
  'jet',
  'syria',
  'dr.',
  'gupta',
  'bronny',
  'james',
  'arrest',
  'alleged',
  'gilgo',
  'beach',
  'killer',
  'case',
  'date',
  'trooper',
  'ex',
  '-',
  'pastor',
  'demeanor',
  'police',
  'year',
  'girl',
  'ex',
  '-',
  'official',
  'shift',
  'trump',
  'attitude',
  'cnn',
  'reporter',
  'witness',
  'theft',
  'shoplifting',
  'prisoner',
  'ukraine',
  'people',
  'year',
  'life',
  'study',
  'emergency',
  'physician',
  'mistake',
  'people',
  'heat',
  'wave',
  'police',
  'fire',
  'water',
  'cannon',
  'protester',
  'christie',
  'debt',
  'governor',
  'tip',
  'trump',
  'unesco',
  'world',
  'heritage',
  'site',
  'missile',
  'attack',
  'pence',
  'trump',
  'threat',
  'prison',
  'video',
  'damage',
  'cathedral',
  'mlb',
  'game',
  'rain',
  'stadium',
  'step',
  'waterfall',
  'week',
  'weather',
  'catastrophe',
  'texas',
  'pm',
  'est',
  'sun',
  'february',
  'texans',
  'power',
  'outage',
  'storm',
  'texans',
  'power',
  'outage',
  'storm',
  'dramatic',
  'video',
  'moment',
  'crane',
  'new',
  'york',
  'street',
  'esper',
  'fighter',
  'jet',
  'syria',
  'dr.',
  'gupta',
  'bronny',
  'james',
  'arrest',
  'alleged',
  'gilgo',
  'beach',
  'killer',
  'case',
  'date',
  'trooper',
  'ex',
  '-',
  'pastor',
  'demeanor',
  'police',
  'year',
  'girl',
  'ex',
  '-',
  'official',
  'shift',
  'trump',
  'attitude',
  'cnn',
  'reporter',
  'witness',
  'theft',
  'shoplifting',
  'prisoner',
  'ukraine',
  'people',
  'year',
  'life',
  'study',
  'emergency',
  'physician',
  'mistake',
  'people',
  'heat',
  'wave',
  'police',
  'fire',
  'water',
  'cannon',
  'protester',
  'christie',
  'debt',
  'governor',
  'tip',
  'trump',
  'unesco',
  'world',
  'heritage',
  'site',
  'missile',
  'attack',
  'pence',
  'trump',
  'threat',
  'prison',
  'video',
  'damage',
  'cathedral',
  'mlb',
  'game',
  'rain',
  'stadium',
  'step',
  'waterfall',
  'week',
  'lone',
  'star',
  'state',
  'relief',
  'temperature',
  'sunday',
  'state',
  '60',
  '70',
  'temperature',
  'resident',
  'time',
  'year',
  'texans',
  'devastation',
  'winter',
  'storm',
  'day',
  'customer',
  'line',
  'frontier',
  'fiesta',
  'february',
  'houston',
  'texas',
  'winter',
  'storm',
  'houston',
  'area',
  'hour',
  'million',
  'americans',
  'electricity',
  'wednesday',
  'cold',
  'winter',
  'storm',
  'system',
  'grip',
  'swathe',
  'united',
  'states',
  'mexico',
  'photo',
  'thomas',
  'shea',
  'afp',
  'photo',
  'thomas',
  'shea',
  'afp',
  'getty',
  'images',
  'storm',
  'nation',
  'brink',
  'year',
  'lockdown',
  'people',
  'state',
  'february',
  'million',
  'power',
  'family',
  'fireplace',
  'scavenge',
  'firewood',
  'night',
  'car',
  'hour',
  'food',
  'shelf',
  'weather',
  'condition',
  'food',
  'supply',
  'chain',
  'problem',
  'temperature',
  'pipe',
  'water',
  'disruption',
  'state',
  'population',
  'covid-19',
  'relief',
  'effort',
  'food',
  'bank',
  'shipment',
  'appointment',
  'week',
  'state',
  'temperature',
  'snow',
  'road',
  'power',
  'outage',
  'city',
  'country',
  'emergency',
  'declaration',
  'state',
  'texas',
  'impact',
  'week',
  'window',
  'storm',
  'time',
  'harris',
  'county',
  'texas',
  'judge',
  'lina',
  'hidalgo',
  'temperature',
  'state',
  'dallas',
  'degree',
  'fahrenheit',
  'temperature',
  'city',
  'austin',
  'san',
  'antonio',
  'digit',
  'temperature',
  'time',
  'year',
  'texans',
  'blackout',
  'monday',
  'morning',
  'electric',
  'reliability',
  'council',
  'texas',
  'ercot',
  'grid',
  'operator',
  '%',
  'state',
  'load',
  'record',
  'demand',
  'resident',
  'layer',
  'blanket',
  'car',
  'hour',
  'device',
  'state',
  'leader',
  'national',
  'guard',
  'welfare',
  'check',
  'resident',
  'state',
  'warming',
  'center',
  'duct',
  'door',
  'window',
  'temperature',
  'drop',
  'layer',
  'clothing',
  'blanket',
  'cat',
  'warmth',
  'chey',
  'louis',
  'irving',
  'pedestrian',
  'road',
  'monday',
  'february',
  'east',
  'austin',
  'texas',
  'customer',
  'dark',
  'texas',
  'tuesday',
  'official',
  'state',
  'answer',
  'ercot',
  'governor',
  'group',
  'handling',
  'pump',
  'jack',
  'permian',
  'basin',
  'midland',
  'texas',
  'u.s',
  'saturday',
  'feb.',
  'freeze',
  'u.s.',
  'specter',
  'power',
  'outage',
  'texas',
  'pressure',
  'energy',
  'price',
  'level',
  'photographer',
  'matthew',
  'busch',
  'bloomberg',
  'getty',
  'images',
  'texas',
  'power',
  'state',
  'electric',
  'reliability',
  'council',
  'texas',
  'hour',
  'texas',
  'gov.',
  'greg',
  'abbott',
  'statement',
  'texans',
  'power',
  'heat',
  'home',
  'state',
  'temperature',
  'winter',
  'weather',
  'resident',
  'barbara',
  'martinez',
  'fireplace',
  'parent',
  'dog',
  'firewood',
  'martinez',
  'goal',
  'today',
  'firewood',
  'official',
  'death',
  'toll',
  'dozen',
  'case',
  'carbon',
  'monoxide',
  'poisoning',
  'houston',
  'police',
  'report',
  'woman',
  'girl',
  'carbon',
  'monoxide',
  'poisoning',
  'car',
  'garage',
  'home',
  'heat',
  'power',
  'person',
  'fort',
  'worth',
  'carbon',
  'monoxide',
  'incident',
  'fire',
  'official',
  'police',
  'car',
  'memorial',
  'drive',
  'houston',
  'texas',
  'morning',
  'monday',
  'february',
  '15th',
  'snow',
  'storm',
  'photo',
  'reginald',
  'mathalone',
  'nurphoto',
  'ap',
  'official',
  'grid',
  'operator',
  'dark',
  'million',
  'power',
  'weather',
  'condition',
  'vehicle',
  'sunday',
  'tuesday',
  'houston',
  'area',
  'police',
  'chief',
  'art',
  'acevedo',
  'addition',
  'carbon',
  'monoxide',
  'death',
  'acevedo',
  'death',
  'person',
  'weather',
  'traffic',
  'fatality',
  'area',
  'problem',
  'water',
  'disruption',
  'water',
  'leak',
  'weather',
  'san',
  'angelo',
  'city',
  'official',
  'boil',
  'water',
  'notice',
  'people',
  'faucet',
  'pipe',
  'water',
  'pressure',
  'supply',
  'concern',
  'citizen',
  'water',
  'official',
  'tweet',
  'city',
  'richardson',
  'worker',
  'kaleb',
  'love',
  'ice',
  'water',
  'fountain',
  'tuesday',
  'richardson',
  'texas',
  'customer',
  'texas',
  'power',
  'wednesday',
  'morning',
  'jordan',
  'orta',
  'cnn',
  'car',
  'tuesday',
  'night',
  'year',
  'son',
  'san',
  'antonio',
  'home',
  'power',
  'son',
  'cnn',
  'decision',
  'car',
  'heater',
  'authority',
  'san',
  'antonio',
  'oxygen',
  'bottle',
  'home',
  'resident',
  'supply',
  'house',
  'dark',
  'gov.',
  'abbott',
  'investigation',
  'ercot',
  'pedestrian',
  'snow',
  'mckinney',
  'texas',
  'u.s.',
  'tuesday',
  'feb.',
  'energy',
  'crisis',
  'u.s.',
  'sign',
  'tuesday',
  'blackout',
  'customer',
  'electricity',
  'refinery',
  'oil',
  'weather',
  'photographer',
  'cooper',
  'neill',
  'bloomberg',
  'getty',
  'images',
  'winter',
  'storm',
  'hammer',
  'business',
  'ercot',
  'ceo',
  'bill',
  'magness',
  'issue',
  'lack',
  'energy',
  'supply',
  'weather',
  'power',
  'facility',
  'ercot',
  'power',
  'outage',
  'system',
  'collapse',
  'outage',
  'demand',
  'system',
  'blackout',
  'people',
  'blackout',
  'blackout',
  'supply',
  'demand',
  'balance',
  'month',
  'people',
  'power',
  'people',
  'propane',
  'tank',
  'tuesday',
  'feb.',
  'houston',
  'temperature',
  'freezing',
  'tuesday',
  'resident',
  'electricity',
  'texas',
  'grid',
  'minute',
  'lawmaker',
  'power',
  'outage',
  'pipe',
  'home',
  'water',
  'plant',
  'abilene',
  'mcmurry',
  'university',
  'campus',
  'resident',
  'water',
  'campus',
  'swimming',
  'pool',
  'toilet',
  'friendswood',
  'sandra',
  'erickson',
  'home',
  'pipe',
  'ceiling',
  'room',
  'hurricane',
  'catastrophe',
  'cnn',
  'shelf',
  'meat',
  'aisle',
  'grocery',
  'store',
  'mckinney',
  'texas',
  'wednesday',
  'customer',
  'texas',
  'power',
  'thursday',
  'improvement',
  'million',
  'power',
  'round',
  'temperature',
  'people',
  'south',
  'freeze',
  'warning',
  'recovery',
  'tally',
  'household',
  'dark',
  'disaster',
  'shape',
  'texas',
  'week',
  'dark',
  'country',
  'infrastructure',
  'people',
  'texas',
  'water',
  'disruption',
  'water',
  'system',
  'reporting',
  'issue',
  'pipe',
  'toby',
  'baker',
  'director',
  'texas',
  'commission',
  'environmental',
  'quality',
  'system',
  'boil',
  'water',
  'advisory',
  'baker',
  'crestview',
  'resident',
  'cnn',
  'snow',
  'balcony',
  'drinking',
  'water',
  'supply',
  'official',
  'food',
  'shortage',
  'situation',
  'texans',
  'grocery',
  'store',
  'shipment',
  'dairy',
  'product',
  'store',
  'shelf',
  'texas',
  'agriculture',
  'commissioner',
  'sid',
  'miller',
  'food',
  'supply',
  'chain',
  'problem',
  'covid-19',
  'fort',
  'worth',
  'resident',
  'philip',
  'shelley',
  'wife',
  'month',
  'daughter',
  'ava',
  'formula',
  'shelley',
  'store',
  'food',
  'food',
  'refrigerator',
  'freezer',
  'food',
  'way',
  'vehicle',
  'southbound',
  'interstate',
  'highway',
  'february',
  'killeen',
  'texas',
  'hit',
  'state',
  'hospital',
  'president',
  'ceo',
  'houston',
  'methodist',
  'dr.',
  'marc',
  'bloom',
  'charge',
  'hospital',
  'houston',
  'area',
  'facility',
  'water',
  'day',
  'hospital',
  'rainwater',
  'toilet',
  'cnn',
  'trinity',
  'river',
  'snow',
  'storm',
  'monday',
  'feb.',
  'fort',
  'worth',
  'texas',
  'blast',
  'winter',
  'weather',
  'u.s.',
  'people',
  'texas',
  'power',
  'yffy',
  'yossifor',
  'star',
  'telegram',
  'ap',
  'snow',
  'flooding',
  'half',
  'state',
  'population',
  'disruption',
  'water',
  'service',
  'pipe',
  'boil',
  'water',
  'advisory',
  'home',
  'business',
  'power',
  'austin',
  'state',
  'capital',
  'water',
  'supply',
  'gallon',
  'pipe',
  'austin',
  'water',
  'director',
  'greg',
  'meszaros',
  'thursday',
  'news',
  'conference',
  'fire',
  'department',
  'thousand',
  'thousand',
  'pipe',
  'meszaros',
  'austin',
  'resident',
  'jenn',
  'studebaker',
  'home',
  'power',
  'water',
  'cnn',
  'week',
  'family',
  'fireplace',
  'chair',
  'bookshelf',
  'wood',
  'water',
  'snow',
  'bathtub',
  'cnn',
  'charles',
  'andrews',
  'neighborhood',
  'waco',
  'texas',
  'february',
  'household',
  'texas',
  'dark',
  'president',
  'joe',
  'biden',
  'disaster',
  'declaration',
  'texas',
  'resource',
  'state',
  'water',
  'disruption',
  'pile',
  'supply',
  'concern',
  'home',
  'business',
  'hospital',
  'disaster',
  'pandemic',
  'texas',
  'hospital',
  'association',
  'spokeswoman',
  'carrie',
  'williams',
  'saturday',
  'morning',
  'people',
  'water',
  'disruption',
  'official',
  'cnn',
  'state',
  'process',
  'recovery',
  'detail',
  'devastation',
  'week',
  'people',
  'sam',
  'club',
  'store',
  'essential',
  'saturday',
  'february',
  'austin',
  'marty',
  'miles',
  'manager',
  'hotel',
  'group',
  'galveston',
  'demand',
  'resident',
  'place',
  'miles',
  'day',
  'power',
  'emergency',
  'generator',
  'water',
  'day',
  'miles',
  'blackout',
  'water',
  'stop',
  'time',
  'hour',
  'thousand',
  'dark',
  'official',
  'hike',
  'customer',
  'energy',
  'bill',
  'result',
  'storm',
  ...],
 ['abc',
  'newsvideoliveshowselectionsinterest',
  'successfully',
  "addedwe'll",
  'news',
  'desktop',
  'notification',
  'story',
  'interest',
  'offonlog',
  'instream',
  'onfatality',
  'vermont',
  'weather',
  'weather',
  'country',
  'bymax',
  'golembo',
  'melissa',
  'griffin',
  'morgan',
  'winsor',
  'ivan',
  'pereirajuly',
  'pm1:48storm',
  'cloud',
  'chicago',
  'illinois',
  'july',
  'national',
  'weather',
  'service',
  'tornado',
  'warning',
  'area',
  'charles',
  'rex',
  'arbogast',
  'apat',
  'person',
  'floodwater',
  'vermont',
  'week',
  'state',
  'authority',
  'thursday',
  'stephen',
  'davoll',
  'barre',
  'city',
  'vermont',
  'wednesday',
  'result',
  'accident',
  'home',
  'vermont',
  'department',
  'health',
  'fatality',
  'week',
  'storm',
  'flooding',
  'green',
  'mountain',
  'state',
  'friday',
  'president',
  'joe',
  'biden',
  'disaster',
  'declaration',
  'state',
  'action',
  'funding',
  'county',
  'chittenden',
  'lamoille',
  'rutland',
  'washington',
  'windham',
  'windsor',
  'white',
  'house',
  'disaster',
  'declaration',
  'funding',
  'government',
  'addison',
  'bennington',
  'caledonia',
  'chittenden',
  'essex',
  'franklin',
  'grand',
  'isle',
  'lamoille',
  'orange',
  'orleans',
  'rutland',
  'washington',
  'windham',
  'windsor',
  'county',
  'white',
  'house',
  'announcement',
  'weather',
  'united',
  'states',
  'storm',
  'heat',
  'wave',
  'country',
  'tips',
  'tornadostorm',
  'twister',
  'illinois',
  'wednesday',
  'evening',
  'tree',
  'roof',
  'flight',
  'chicago',
  'area',
  'tornado',
  'chicago',
  'area',
  'city',
  'airport',
  'national',
  'weather',
  'service',
  'flight',
  "o'hare",
  'international',
  'airport',
  'wednesday',
  'flight',
  'tracking',
  'service',
  'flightaware',
  'tornado',
  'iowa',
  'michigan',
  'night',
  'report',
  'damage',
  'line',
  'wind',
  'mile',
  'hour',
  'texas',
  'michigan',
  'report',
  'golf',
  'ball',
  'hail',
  'missouri',
  'nebraska',
  'kansas',
  'damage',
  'sinnott',
  'tree',
  'service',
  'building',
  'mccook',
  'illinois',
  'july',
  'national',
  'weather',
  'service',
  'tornado',
  'warning',
  'chicago',
  'area',
  'nam',
  'y.',
  'huh',
  'weather',
  'wednesday',
  'evening',
  'storm',
  'system',
  'midwest',
  'threat',
  'northeast',
  'thursday',
  'kentucky',
  'vermont',
  'wind',
  'hail',
  'tornado',
  'storm',
  'system',
  'path',
  'city',
  'cincinnati',
  'ohio',
  'charleston',
  'west',
  'virginia',
  'pittsburgh',
  'pennsylvania',
  'binghamton',
  'new',
  'york',
  'albany',
  'new',
  'york',
  'burlington',
  'vermont',
  'floodwater',
  'safety',
  'tipsa',
  'flood',
  'watch',
  'new',
  'york',
  'vermont',
  'new',
  'hampshire',
  'vermont',
  'capital',
  'montpelier',
  'rainfall',
  'flooding',
  'week',
  'thursday',
  'threat',
  'rainfall',
  'flooding',
  'weekend',
  'northeast',
  'interstate',
  'travel',
  'corridor',
  'forecast',
  'inch',
  'rain',
  'new',
  'england',
  'vermont',
  'new',
  'hampshire',
  'maine',
  'storm',
  'cloud',
  'chicago',
  'illinois',
  'july',
  'national',
  'weather',
  'service',
  'tornado',
  'warning',
  'area',
  'charles',
  'rex',
  'arbogast',
  'apmeanwhile',
  'million',
  'americans',
  'u.s.',
  'state',
  'heat',
  'alert',
  'thursday',
  'washington',
  'florida',
  'heat',
  'index',
  'degree',
  'fahrenheit',
  'mid',
  '-',
  'south',
  'gulf',
  'coast',
  'florida',
  'temperature',
  'houston',
  'miami',
  'wednesday',
  'temperature',
  'phoenix',
  'degree',
  'fahrenheit',
  'day',
  'arizona',
  'capital',
  'track',
  'day',
  'streak',
  '1974.more',
  'heat',
  'safety',
  'forecast',
  'heat',
  'week',
  'temperature',
  'southwest',
  'weekend',
  'heat',
  'watch',
  'effect',
  'burbank',
  'california',
  'friday',
  'monday',
  'temperature',
  'degree',
  'fahrenheit',
  'hospital',
  'emergency',
  'department',
  'visit',
  'heat',
  'illness',
  'month',
  'centers',
  'disease',
  'control',
  'prevention',
  'abc',
  'news',
  'youri',
  'benadjaoud',
  'report',
  'topicsweathertop',
  'storiesruin',
  'vatican',
  'emperor',
  'nero',
  'theaterjul',
  'pmhouse',
  'ufo',
  'hearing',
  'ex',
  'knowledge',
  'craftjul',
  'amsinead',
  "o'connor",
  'u',
  'singer',
  '56jul',
  'pmmcconnell',
  'press',
  'conference',
  'return',
  'pmwhistleblower',
  'congress',
  'decade',
  'program',
  'ufosjul',
  'pmabc',
  'news',
  'live24/7',
  'coverage',
  'news',
  'eventsabc',
  'news',
  'networkprivacy',
  'policyyour',
  'state',
  'privacy',
  'rightschildren',
  'online',
  'privacy',
  'policyinterest',
  'adsabout',
  'nielsen',
  'measurementterms',
  'usedo',
  'sell',
  'informationcontact',
  'uscopyright',
  'abc',
  'news',
  'internet',
  'ventures',
  'right'],
 ['news',
  'datum',
  'analytic',
  'market',
  'aboutrefinitivreuter',
  'statescalifornia',
  'rain',
  'river',
  'stormby',
  'steve',
  'gorman',
  'brendan',
  "o'brienmarch",
  'utcupdated',
  'agolos',
  'angeles',
  'march',
  'reuters',
  'emergency',
  'official',
  'california',
  'county',
  'friday',
  'patrolling',
  'levy',
  'river',
  'river',
  'storm',
  'state',
  'rain',
  'flood',
  'road',
  'evacuation',
  'deluge',
  'stream',
  'pacific',
  'moisture',
  'california',
  'sky',
  'mountain',
  'area',
  'pile',
  'snow',
  'spate',
  'paralyzing',
  'blizzard',
  'snow',
  'elevation',
  'san',
  'bernardino',
  'county',
  'sheriff',
  'department',
  'role',
  'february',
  'snowstorm',
  'demise',
  'people',
  'home',
  'week',
  'resident',
  'town',
  'big',
  'bear',
  'mountain',
  'enclave',
  'community',
  'severity',
  'winter',
  'storm',
  'authority',
  'southern',
  'california',
  'country',
  'blast',
  'shower',
  'wind',
  'thursday',
  'night',
  'friday',
  'region',
  'home',
  'people',
  'los',
  'angeles',
  'san',
  'francisco',
  'bay',
  'area',
  'sacramento',
  'flood',
  'watch',
  'advisory',
  'san',
  'diego',
  'border',
  'shasta',
  'cascade',
  'region',
  'california',
  'national',
  'weather',
  'service',
  'nws',
  'rainfall',
  'total',
  'inch',
  'inch',
  'region',
  'u.s.',
  'president',
  'joe',
  'biden',
  'friday',
  'emergency',
  'california',
  'assistance',
  'state',
  'authority',
  'weather',
  'storm',
  'product',
  'meteorologist',
  'river',
  'altitude',
  'current',
  'moisture',
  'streaming',
  'west',
  'coast',
  'pacific',
  'water',
  'hawaii',
  'weather',
  'system',
  'california',
  'christmas',
  'winter',
  'state',
  'year',
  'drought',
  'wildfire',
  'precipitation',
  'area',
  'friday',
  'riverfront',
  'community',
  'california',
  'stream',
  'runoff',
  'rain',
  'snow',
  'mountain',
  'torrents.[1/13]floodwater',
  'pajaro',
  'river',
  'pajaro',
  'california',
  'u.s.',
  'march',
  'reuters',
  'nathan',
  "frandino'fully",
  "saturated'about",
  'resident',
  'evacuation',
  'order',
  'warning',
  'san',
  'luis',
  'obispo',
  'county',
  'crew',
  'day',
  'monitoring',
  'levee',
  'creek',
  'river',
  'sandbag',
  'rachel',
  'monte',
  'dion',
  'county',
  'emergency',
  'service',
  'coordinator',
  'personnel',
  'hour',
  'trailer',
  'flooding',
  'area',
  'county',
  'downpour',
  'january',
  'levy',
  'home',
  '"since',
  'january',
  'ground',
  'creek',
  'dion',
  'flooding',
  'friday',
  'wine',
  'country',
  'town',
  'cambria',
  'community',
  'oceano',
  'collapse',
  'roadway',
  'paso',
  'robles',
  'time',
  'january',
  'couple',
  'resident',
  'town',
  'dion',
  'santa',
  'cruz',
  'county',
  'road',
  'creek',
  'town',
  'soquel',
  'home',
  'foothill',
  'mountain',
  'community',
  'county',
  'spokesperson',
  'jason',
  'hoppin',
  'county',
  'community',
  'san',
  'lorenzo',
  'river',
  'flood',
  'stage',
  'hoppin',
  'authority',
  'eye',
  'pajaro',
  'river',
  'area',
  'evacuation',
  'order',
  'monterey',
  'county',
  'bank',
  'river',
  'levee',
  'bit',
  'santa',
  'cruz',
  'county',
  'hoppin',
  'friday',
  'morning',
  'weather',
  'service',
  'flash',
  'flood',
  'warning',
  'tulare',
  'county',
  'resident',
  'ground',
  'life',
  'situation',
  '"the',
  'tulare',
  'county',
  'sheriff',
  'evacuation',
  'order',
  'warning',
  'area',
  'river',
  'stream',
  'bank',
  'level',
  'levee',
  'bridge',
  'frequency',
  'intensity',
  'storm',
  'bout',
  'drought',
  'human',
  'climate',
  'change',
  'expert',
  'swing',
  'extreme',
  'difficulty',
  'california',
  'water',
  'supply',
  'flood',
  'wildfire',
  'risk',
  'steve',
  'gorman',
  'los',
  'angeles',
  'brendan',
  "o'brien",
  'chicago',
  'reporting',
  'nathan',
  'frandino',
  'soquel',
  'california',
  'rosalba',
  "o'brien",
  'shri',
  'navaratnamour',
  'standards',
  'thomson',
  'reuters',
  'trust',
  'principles',
  'read',
  'nextarticle',
  'statescategorytop',
  'senate',
  'republican',
  'mitch',
  'mcconnell',
  'press',
  'airline',
  'detail',
  'newark',
  'new',
  'jersey',
  'airport',
  'flight',
  'galleryworldcategorychina',
  'agenda',
  'biden',
  'italy',
  'meloni',
  'washington4:14',
  'utcunited',
  'statescategorypolice',
  'officer',
  'dog',
  'man',
  'ohio',
  'traffic',
  'stopjuly',
  'reutersworldbiden',
  'war',
  'crime',
  'evidence',
  'iccworldcategory',
  'july',
  'president',
  'joe',
  'biden',
  'administration',
  'evidence',
  'war',
  'crime',
  'ukraine',
  'hague',
  'international',
  'criminal',
  'court',
  'icc',
  'u.s',
  'official',
  'wednesday.article',
  'galleryunited',
  'statescategoryus',
  'house',
  'republicans',
  'hurdle',
  'spending',
  'share',
  'fed',
  'stick',
  'utc',
  'agoarticle',
  'salvador',
  'trial',
  'thousand',
  'crime',
  'aircraft',
  'drone',
  'syria',
  '-white',
  'housejuly',
  '2023site',
  'indexbrowseworldbusinessmarketssustainabilitylegalbreakingviewstechnologyinvestigations',
  'tabsportssciencelifestyleabout',
  'reutersabout',
  'reuters',
  'tabcareer',
  'tabreuters',
  'news',
  'agency',
  'attribution',
  'guidelines',
  'leadership',
  'fact',
  'check',
  'tabreuters',
  'diversity',
  'report',
  'informeddownload',
  'app',
  'tabnewsletter',
  'tabinformation',
  'trustreuter',
  'news',
  'medium',
  'division',
  'thomson',
  'reuters',
  'world',
  'multimedia',
  'news',
  'provider',
  'billion',
  'people',
  'day',
  'reuters',
  'business',
  'news',
  'professional',
  'desktop',
  'terminal',
  'world',
  'medium',
  'organization',
  'industry',
  'event',
  'consumer',
  'usthomson',
  'reuters',
  'productswestlaw',
  'tabbuild',
  'argument',
  'content',
  'attorney',
  'editor',
  'expertise',
  'industry',
  'technology',
  'onesource',
  'tabthe',
  'solution',
  'tax',
  'compliance',
  'need',
  'checkpoint',
  'tabthe',
  'industry',
  'leader',
  'information',
  'tax',
  'accounting',
  'finance',
  'professional',
  'refinitiv',
  'productsrefinitiv',
  'workspace',
  'tab',
  'access',
  'datum',
  'news',
  'content',
  'workflow',
  'experience',
  'desktop',
  'web',
  'refinitiv',
  'data',
  'catalogue',
  'tab',
  'browse',
  'portfolio',
  'time',
  'market',
  'datum',
  'insight',
  'source',
  'expert',
  'refinitiv',
  'world',
  'check',
  'tabscreen',
  'risk',
  'individual',
  'entity',
  'risk',
  'business',
  'relationship',
  'network',
  'advertise',
  'tabadvertising',
  'guidelines',
  'tabcoupon',
  'tabcookie',
  'tabterms',
  'use',
  'tabprivacy',
  'tabdigital',
  'accessibility',
  'tabcorrection',
  'feedback',
  'taball',
  'quote',
  'minimum',
  'minute',
  'list',
  'exchange',
  'delay',
  'reuters',
  'right'],
 ['discover',
  'thomson',
  'reutersdirectory',
  '-',
  'phone',
  'onlyfor',
  'tablet',
  'portrait',
  'upfor',
  'tablet',
  'landscape',
  'upfor',
  'desktop',
  'desktop',
  'arizona',
  'brace',
  'repeat',
  'stormsby',
  'david',
  'schwartz2',
  'min',
  'readslideshow',
  'image',
  'phoenix',
  'reuters',
  'arizona',
  'resident',
  'wave',
  'rain',
  'flooding',
  'tuesday',
  'remnant',
  'hurricane',
  'odile',
  'desert',
  'state',
  'sky',
  'local',
  'sandbag',
  'fire',
  'station',
  'home',
  'day',
  'storm',
  'state',
  'record',
  'rainfall',
  'phoenix',
  'tucson',
  'area',
  'week',
  'downpour',
  'section',
  'freeway',
  'lake',
  'creek',
  'canal',
  'woman',
  'floodwater',
  'state',
  'emergency',
  'governor',
  'jan',
  'brewer',
  'day',
  'possibility',
  'ken',
  'waters',
  'meteorologist',
  'national',
  'weather',
  'service',
  'phoenix',
  '”odile',
  'storm',
  'way',
  'mexico',
  'baja',
  'california',
  'peninsula',
  'monday',
  'strength',
  'evacuation',
  'thousand',
  'people',
  'water',
  'trace',
  'storm',
  'arizona',
  'monday',
  'shower',
  'activity',
  'wednesday',
  'state',
  'blow',
  'storm',
  'tucson',
  'area',
  'gun',
  'rain',
  'event',
  'question',
  'water',
  'storm',
  'new',
  'mexico',
  'texas',
  'strength',
  'reporting',
  'david',
  'schwartz',
  'daniel',
  'wallis',
  'bill',
  'trottour',
  'standards',
  'thomson',
  'reuters',
  'trust',
  'principles',
  'appsnewslettersadvertise',
  'usadvertising',
  'guidelinescookiesterms',
  'useprivacydo',
  'informationall',
  'quote',
  'minimum',
  'minute',
  'list',
  'exchange',
  'delay',
  'reuters',
  'rights',
  'reserved.for',
  'phone',
  'onlyfor',
  'tablet',
  'portrait',
  'upfor',
  'tablet',
  'landscape',
  'upfor',
  'desktop',
  'desktop'],
 ['indiana',
  'news',
  'video',
  'indianapolis',
  'area',
  'crime',
  'consumer',
  'news',
  'consumer',
  'alerts',
  'black',
  'history',
  'month',
  'local',
  'election',
  'headquarters',
  'politics',
  'hill',
  'newsnation',
  'national',
  'world',
  'bestreviews',
  'bestreviews',
  'daily',
  'deal',
  'steam',
  'podcast',
  'link',
  'cbs4',
  'press',
  'automotive',
  'news',
  'indianapolis',
  'weather',
  'forecast',
  'school',
  'closing',
  'delay',
  'indiana',
  'weather',
  'radar',
  'watches',
  'warnings',
  'camera',
  'network',
  'weather',
  'closing',
  'register',
  'school',
  'business',
  'indy',
  'indiana',
  'pacers',
  'big',
  'game',
  'high',
  'school',
  'basketball',
  'indianapolis',
  'colts',
  'big',
  'sports',
  'colts',
  'blue',
  'zone',
  'podcast',
  'meet',
  'cbs4',
  'team',
  'tv',
  'schedule',
  'advertise',
  'news',
  'tip',
  'sign',
  'email',
  'newsletter',
  'closed',
  'captioning',
  'community',
  'calendar',
  'regional',
  'news',
  'partners',
  'bestreviews',
  'personal',
  'information',
  'winter',
  'storm',
  'central',
  'indiana',
  'thursday',
  'evening',
  'commute',
  'dec',
  'pm',
  'est',
  'dec',
  'pm',
  'est',
  'dec',
  'pm',
  'est',
  'dec',
  'pm',
  'est',
  'article',
  'information',
  'article',
  'time',
  'stamp',
  'story',
  'indianapolis',
  'winter',
  'storm',
  'west',
  'central',
  'hoosier',
  'state',
  'snow',
  'wind',
  'cold',
  'thursday',
  'evening',
  'look',
  'timing',
  'impact',
  'storm',
  'timeline',
  'storm',
  'time',
  'arrive',
  'thursday',
  'afternoon',
  'weather',
  'rain',
  'shower',
  'area',
  'chance',
  'house',
  'hour',
  'information',
  'storm',
  'window',
  'thursday',
  'mid',
  'afternoon',
  'evening',
  'storm',
  'degree',
  'rain',
  'snow',
  'wind',
  'temperature',
  'road',
  'window',
  'way',
  'temperature',
  'degree',
  'hour',
  'feels',
  'temp',
  'degree',
  'window',
  'temp',
  'drop',
  'rainfall',
  'flash',
  'freeze',
  'concern',
  'condition',
  'snowfall',
  'storm',
  'time',
  'powdery',
  'nature',
  'snow',
  'visibility',
  'friday',
  'morning',
  'weather',
  'year',
  'low',
  'degree',
  'temperature',
  'january',
  'wind',
  'degree',
  'value',
  'frostbite',
  'setting',
  'minute',
  'flurry',
  'snowfall',
  'wind',
  'visibility',
  'snow',
  'friday',
  'afternoon',
  'evening',
  'wind',
  'storm',
  'afternoon',
  'friday',
  'wind',
  'gust',
  'mph',
  'range',
  'reference',
  'mph',
  'thunderstorm',
  'snow',
  'visibility',
  'issue',
  'road',
  'cleanup',
  'improvement',
  'saturday',
  'morning',
  'improvement',
  'place',
  'saturday',
  'morning',
  'time',
  'morning',
  'feel',
  'temp',
  'sun',
  'morning',
  'temperature',
  'way',
  'degree',
  'wind',
  'storm',
  'holiday',
  'weekend',
  'way',
  'upside',
  'christmas',
  'week',
  'chance',
  'snow',
  'monday',
  'weather',
  'typo',
  'error(required',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'amazon',
  'school',
  'deal',
  'schooler',
  'school',
  'corner',
  'amazon',
  'supply',
  'school',
  'deal',
  'supply',
  'schooler',
  'august',
  'vegetable',
  'flower',
  'flower',
  'plant',
  'hour',
  'soil',
  'air',
  'temperature',
  'sunshine',
  'august',
  'month',
  'planting',
  'chemical',
  'guys',
  'kit',
  'car',
  'car',
  'care',
  'hour',
  'chemical',
  'guys',
  'car',
  'wash',
  'kit',
  'time',
  'deal',
  'thank',
  'inbox',
  'taiwan',
  'school',
  'office',
  'typhoon',
  'bomb',
  'threat',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'russia',
  'un',
  'meeting',
  'soldier',
  'niger',
  'bluffing',
  'putin',
  'deployment',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'taiwan',
  'school',
  'office',
  'typhoon',
  'bomb',
  'threat',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'russia',
  'un',
  'meeting',
  'soldier',
  'niger',
  'biden',
  'relief',
  'heat',
  'butler',
  'university',
  'woman',
  'soccer',
  'player',
  'camera',
  'airbnb',
  'vrbo',
  'rental',
  'indy',
  'man',
  'weekend',
  'crime',
  'spree',
  'broad',
  'ripple',
  'gun',
  'zone',
  'motorcyclist',
  'crash',
  'indy',
  'motorcyclist',
  'crash',
  'indy',
  'northwest',
  'impd',
  'child',
  'family',
  'pool',
  'monday',
  'pedestrian',
  'car',
  'indy',
  'indianapolis',
  'colts',
  'prep',
  'training',
  'camp',
  'year',
  'ankle',
  'monitor',
  'biden',
  'relief',
  'heat',
  'transgender',
  'intersex',
  'people',
  'biden',
  'prime',
  'minister',
  'trump',
  'jan.',
  'rioter',
  'cambodia',
  'hun',
  'sen',
  'asia',
  'leader',
  'greece',
  'country',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'millipede',
  'specie',
  'leg',
  'indiana',
  'state',
  'police',
  'trooper',
  'perjury',
  'arizona',
  'girl',
  'montana',
  'indiana',
  'native',
  'korea',
  'indians',
  'leader',
  'end',
  'action',
  'angels',
  'pitcher',
  'lucas',
  'giolito',
  'reynaldo',
  'lópez',
  'taiwan',
  'school',
  'office',
  'typhoon',
  'indiana',
  'ob',
  'gyn',
  'suspension',
  'license',
  'parent',
  'deal',
  'daughter',
  'killer',
  'cbs4',
  'investigates',
  'month',
  'contractor',
  'plea',
  'deal',
  'woman',
  'investigates',
  'month',
  'washington',
  'twp',
  'school',
  'nepotism',
  'accusation',
  'investigates',
  'month',
  'charge',
  'man',
  'child',
  'service',
  'dog',
  'cbs4',
  'investigates',
  'month',
  'isp',
  'mother',
  'suspect',
  'flora',
  'fire',
  'investigates',
  'month',
  'look',
  'finance',
  'indiana',
  'supreme',
  'court',
  'investigates',
  'month',
  'investigation',
  'henry',
  'co.',
  'correction',
  'director',
  'cbs4',
  'investigates',
  'month',
  'indiana',
  'ob',
  'gyn',
  'malpractice',
  'suit',
  'investigates',
  'month',
  'mail',
  'thief',
  'hair',
  'straightener',
  'cancer',
  'gift',
  'summer',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'home',
  'depot',
  'foot',
  'skeleton',
  'halloween',
  'deal',
  'day',
  'prime',
  'day',
  'favorite',
  'amazon',
  'essentials',
  'clothe',
  'indiana',
  'state',
  'police',
  'trooper',
  'perjury',
  'indiana',
  'news',
  'hour',
  'scammer',
  'greene',
  'county',
  'home',
  'scheme',
  'hamilton',
  'county',
  'market',
  'indiana',
  'news',
  'hour',
  'health',
  'clinician',
  'indy',
  'indiana',
  'news',
  'hour',
  'indiana',
  'fever',
  'iu',
  'hat',
  'night',
  'iu',
  'basketball',
  'crown',
  'point',
  'teacher',
  'year',
  'indiana',
  'news',
  'hour',
  'online',
  'public',
  'file',
  'public',
  'file',
  'eeo',
  'fcc',
  'applications',
  'android',
  'app',
  'google',
  'play',
  'android',
  'weather',
  'app',
  'google',
  'play',
  'personal',
  'information',
  'personal',
  'information',
  'nexstar',
  'media',
  'inc.',
  'rights'],
 ['local',
  'news',
  'california',
  'california',
  'politics',
  'national',
  'world',
  'news',
  'fox40',
  'newsletters',
  'live',
  'traffic',
  'update',
  'politic',
  'hill',
  'newsnation',
  'entertainment',
  'bestreviews',
  'bestreviews',
  'daily',
  'deals',
  'press',
  'health',
  'clinician',
  'davis',
  'suspect',
  'kia',
  'hyundai',
  'theft',
  'resident',
  'sacramento',
  'duct',
  'tape',
  'gown',
  'winner',
  'process',
  'inspiration',
  'roseville',
  'fire',
  'police',
  'therapy',
  'dog',
  'sacramento',
  'weather',
  'radar',
  'map',
  'center',
  'weather',
  'newsletter',
  'warnings',
  'fox40',
  'weather',
  'team',
  'fox40',
  'weather',
  'advisory',
  'state',
  'fair',
  'weekend',
  'heat',
  'wave',
  'city',
  'center',
  'heat',
  'day',
  'heat',
  'wave',
  'zone',
  'heat',
  'wave',
  'state',
  'fair',
  'opening',
  'weekend',
  'sacramento',
  'kings',
  'sacramento',
  'republic',
  'fc',
  'raiders',
  'football',
  'baseball',
  'extra',
  'point',
  'ford',
  'final',
  'quarter',
  'indy',
  'world',
  'cup',
  'player',
  'neck',
  'giants',
  'fan',
  'protest',
  'sacramento',
  'terrance',
  'mitchell',
  '49er',
  'savannah',
  'bananas',
  'west',
  'sacramento',
  'south',
  'korea',
  'casey',
  'phair',
  'guest',
  'community',
  'calendar',
  'contests',
  'conversation',
  'change',
  'destination',
  'california',
  'pros',
  'sacramento',
  'job',
  'post',
  'job',
  'jobs',
  'fox40',
  'fox40',
  'team',
  'contact',
  'program',
  'schedule',
  'fox40',
  'newsletters',
  'download',
  'fox40',
  'mobile',
  'app',
  'regional',
  'news',
  'partners',
  'rescanning',
  'nextgen',
  'tv',
  'advertise',
  'fox40',
  'fox40',
  'digital',
  'solutions',
  'antenna',
  'tv',
  'bestreviews',
  'sacramento',
  'area',
  'sierra',
  'nevada',
  'storm',
  'chain',
  'mountain',
  'highway',
  'mar',
  'pm',
  'pst',
  'mar',
  'pm',
  'pdt',
  'mar',
  'pm',
  'pst',
  'mar',
  'pm',
  'pdt',
  'article',
  'fox',
  'weather',
  'section',
  'forecast',
  'radar',
  'map',
  'weather',
  'coverage',
  'ktxl',
  'california',
  'river',
  'rain',
  'wind',
  'threat',
  'flooding',
  'community',
  'foot',
  'snow',
  'storm',
  '•click',
  'update',
  'river',
  'potential',
  'snow',
  'foothill',
  'region',
  'quantity',
  'snowmelt',
  'creek',
  'river',
  'state',
  'weather',
  'maps•weather',
  'news•weather',
  'email',
  'alerts•live',
  'radar•live',
  'traffic',
  'map',
  'brunt',
  'storm',
  'california',
  'thursday',
  'weekend',
  'state',
  'county',
  'governor',
  'declaration',
  'emergency',
  'winter',
  'storm',
  'power',
  'outage',
  'information•what',
  'outage•tips',
  'american',
  'red',
  'cross',
  '•smud',
  'outage',
  'map•pg&e',
  'outage',
  'map',
  'p.m.',
  'chain',
  'control',
  'effect',
  'interstate',
  'highway',
  'sierra',
  'caltrans',
  'a.m.',
  'uc',
  'berkely',
  'central',
  'sierra',
  'snow',
  'lab',
  'inch',
  'snow',
  'hour',
  'donner',
  'summit',
  'winter',
  'time',
  'snow',
  'lab',
  'friday',
  'a.m.',
  'chain',
  'control',
  'effect',
  'eastbound',
  'westbound',
  'twin',
  'bridges',
  'meyers',
  'caltrans',
  'a.m.',
  'president',
  'joe',
  'biden',
  'emergency',
  'declaration',
  'state',
  'california',
  'emergency',
  'condition',
  'winter',
  'storm',
  'flooding',
  'landslide',
  'mudslide',
  'march',
  'action',
  'agency',
  'disaster',
  'relief',
  'effort',
  'staff',
  'resource',
  'storm',
  'response',
  'county',
  'amador',
  'butte',
  'el',
  'dorado',
  'fresno',
  'humboldt',
  'imperial',
  'inyo',
  'kern',
  'lake',
  'los',
  'angeles',
  'madera',
  'mariposa',
  'mendocino',
  'merced',
  'mono',
  'monterey',
  'napa',
  'nevada',
  'placer',
  'plumas',
  'sacramento',
  'san',
  'bernardino',
  'san',
  'francisco',
  'san',
  'mateo',
  'san',
  'luis',
  'obispo',
  'santa',
  'barbara',
  'santa',
  'clara',
  'santa',
  'cruz',
  'sierra',
  'sonoma',
  'stanislaus',
  'tulare',
  'tuolumne',
  'yuba',
  'a.m.',
  'us-50',
  'direction',
  'twin',
  'bridges',
  'meyers',
  'avalanche',
  'control',
  'caltrans',
  'district',
  'time',
  'reopening',
  'a.m.',
  'avalanche',
  'danger',
  'forest',
  'service',
  'sierra',
  'avalanche',
  'greater',
  'lake',
  'tahoe',
  'area',
  'central',
  'sierra',
  'nevada',
  'mountains',
  'el',
  'dorado',
  'county',
  'office',
  'south',
  'lake',
  'tahoe',
  'weather',
  'thursday',
  'p.m.',
  'mudslide',
  'traffic',
  'twin',
  'bridges',
  'meyers',
  'p.m.',
  'gov.',
  'newsom',
  'presidential',
  'emergency',
  'declaration',
  'storm',
  'authorization',
  'assistance',
  'p.m.',
  'flood',
  'advisory',
  'friday',
  'a.m.',
  'sacramento',
  'san',
  'joaquin',
  'valley',
  'east',
  'northeast',
  'delta',
  'foothill',
  'advisory',
  'advisory',
  'county',
  'placer',
  'amador',
  'butte',
  'calaveras',
  'colusa',
  'el',
  'dorado',
  'glenn',
  'nevada',
  'plumas',
  'sacramento',
  'san',
  'joaquin',
  'shasta',
  'solano',
  'stanislaus',
  'sutter',
  'tehama',
  'tuolumne',
  'yolo',
  'yuba',
  'county',
  'emergency',
  'official',
  'stanislaus',
  'county',
  'evacuation',
  'warning',
  'resident',
  'area',
  'tuolumne',
  'river',
  'warning',
  'resident',
  'business',
  'area',
  'tuolumne',
  'river',
  'north',
  'river',
  'road',
  'south',
  's.',
  '9th',
  'st.',
  'avon',
  'st.',
  'official',
  'shelter',
  'patterson',
  'high',
  'school',
  'st.',
  'patterson',
  'resident',
  'thursday',
  'p.m.',
  'flood',
  'watch',
  'national',
  'weather',
  'service',
  'effect',
  'sacramento',
  'san',
  'joaquin',
  'valleys',
  'northeast',
  'foothills',
  'delta',
  'area',
  'agency',
  'flooding',
  'rainfall',
  'snow',
  'flood',
  'watch',
  'effect',
  'sunday',
  'morning',
  'wednesday',
  'p.m.',
  'gov.',
  'gavin',
  'newsom',
  'storm',
  'state',
  'emergency',
  'county',
  'butte',
  'el',
  'dorado',
  'fresno',
  'humboldt',
  'imperial',
  'inyo',
  'lake',
  'mendocino',
  'merced',
  'monterey',
  'napa',
  'placer',
  'plumas',
  'sacramento',
  'san',
  'francisco',
  'san',
  'mateo',
  'santa',
  'clara',
  'santa',
  'cruz',
  'stanislaus',
  'tuolumne',
  'yuba',
  'proclamation',
  'march',
  'county',
  'amador',
  'kern',
  'los',
  'angeles',
  'madera',
  'mariposa',
  'mono',
  'nevada',
  'san',
  'bernardino',
  'san',
  'luis',
  'obispo',
  'santa',
  'barbara',
  'sierra',
  'sonoma',
  'tulare',
  'typo',
  'error(required',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'thank',
  'inbox',
  'amazon',
  'school',
  'deal',
  'schooler',
  'school',
  'corner',
  'amazon',
  'supply',
  'school',
  'deal',
  'supply',
  'schooler',
  'august',
  'vegetable',
  'flower',
  'flower',
  'plant',
  'hour',
  'soil',
  'air',
  'temperature',
  'sunshine',
  'august',
  'month',
  'planting',
  'chemical',
  'guys',
  'kit',
  'car',
  'car',
  'care',
  'hour',
  'chemical',
  'guys',
  'car',
  'wash',
  'kit',
  'time',
  'deal',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'taiwan',
  'school',
  'office',
  'typhoon',
  'bomb',
  'threat',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'stock',
  'market',
  'today',
  'share',
  'federal',
  'bluffing',
  'putin',
  'deployment',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'taiwan',
  'school',
  'office',
  'typhoon',
  'bomb',
  'threat',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'stock',
  'market',
  'today',
  'share',
  'federal',
  'health',
  'clinician',
  'davis',
  'suspect',
  'russia',
  'un',
  'meeting',
  'competency',
  'trial',
  'dominguez',
  'fairfield',
  'pastor',
  'case',
  'university',
  'california',
  'strike',
  'competency',
  'trial',
  'dominguez',
  'capybaras',
  'pup',
  'sacramento',
  'zoo',
  'sacramento',
  'city',
  'council',
  'debate',
  'removal',
  'tagging',
  'scam',
  'medium',
  'ballpark',
  'message',
  'oakland',
  'athletics',
  'yuba',
  'county',
  'district',
  'attorney',
  'office',
  'pride',
  'industries',
  'veteran',
  'job',
  'event',
  'california',
  'june',
  'tax',
  'revenue',
  'competency',
  'trail',
  'davis',
  'suspect',
  'hogan',
  'manufacturing',
  'employee',
  'work',
  'health',
  'clinician',
  'davis',
  'suspect',
  'russia',
  'un',
  'meeting',
  'soldier',
  'niger',
  'biden',
  'relief',
  'heat',
  'las',
  'vegas',
  'casino',
  'mogul',
  'steve',
  'wynn',
  'm',
  'transgender',
  'intersex',
  'people',
  'biden',
  'prime',
  'minister',
  'trump',
  'jan.',
  'rioter',
  'competency',
  'trial',
  'dominguez',
  'los',
  'angeles',
  'teen',
  'winner',
  'duct',
  'tape',
  'prom',
  'fairfield',
  'pastor',
  'case',
  'gift',
  'summer',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'home',
  'depot',
  'foot',
  'skeleton',
  'halloween',
  'deal',
  'day',
  'prime',
  'day',
  'favorite',
  'amazon',
  'essentials',
  'clothe',
  'health',
  'clinician',
  'davis',
  'yolo',
  'county',
  'min',
  'kia',
  'hyundai',
  'theft',
  'resident',
  'sacramento',
  'duct',
  'tape',
  'gown',
  'winner',
  'process',
  'inspiration',
  'roseville',
  'fire',
  'police',
  'therapy',
  'dog',
  'fairfield',
  'case',
  'resident',
  'solano',
  'county',
  'min',
  'news',
  'weather',
  'sports',
  'news',
  'fox40',
  'eeo',
  'report',
  'online',
  'public',
  'file',
  'public',
  'file',
  'news',
  'alert',
  'fcc',
  'applications',
  'android',
  'app',
  'google',
  'play',
  'personal',
  'information',
  'personal',
  'information',
  'nexstar',
  'media',
  'inc.',
  'rights'],
 ['widower',
  'insurance',
  'company',
  'wife',
  'equipment',
  'stanwood',
  'man',
  'reimbursement',
  'equipment',
  'year',
  'wife',
  'death',
  'husky',
  'basketball',
  'player',
  'summer',
  'camp',
  'kid',
  'cancer',
  'pierce',
  'county',
  'pond',
  'turtle',
  'comeback',
  'weather',
  'blizzard',
  'west',
  'virginia',
  'storm',
  'appalachia',
  'blizzard',
  'west',
  'virginia',
  'storm',
  'appalachia',
  'author',
  'king',
  'staff',
  'king5.com',
  'king',
  'pdt',
  'october',
  'elkins',
  'w.va',
  'wet',
  'snow',
  'wind',
  'edge',
  'superstorm',
  'sandy',
  'blizzard',
  'condition',
  'west',
  'virginia',
  'state',
  'tuesday',
  'interstate',
  'truck',
  'car',
  'power',
  'national',
  'weather',
  'service',
  'foot',
  'snow',
  'elevation',
  'west',
  'virginia',
  'town',
  'road',
  'elevation',
  'mountain',
  'foot',
  'blizzard',
  'warning',
  'state',
  'effect',
  'wednesday',
  'afternoon',
  'customer',
  'west',
  'virginia',
  'power',
  'tuesday',
  'elkins',
  'city',
  'people',
  'power',
  'town',
  'dawn',
  'light',
  'snow',
  'plow',
  'flake',
  'inch',
  'authority',
  'mile',
  'interstate',
  'west',
  'virginia',
  'maryland',
  'state',
  'line',
  'blizzard',
  'condition',
  'car',
  'highway',
  'road',
  'west',
  'virginia',
  'snow',
  'ice',
  'water',
  'tree',
  'power',
  'line',
  'department',
  'transportation',
  'spokeswoman',
  'leslie',
  'fitzwater',
  'school',
  'county',
  'maryland',
  'crew',
  'tractor',
  'trailer',
  'highway',
  'passenger',
  'vehicle',
  'median',
  'state',
  'highway',
  'administration',
  'spokeswoman',
  'kelly',
  'boulware',
  'elevation',
  'maryland',
  'foot',
  'snow',
  'monday',
  'afternoon',
  'tuesday',
  'dawn',
  'boulware',
  'police',
  'motorist',
  'interstate',
  'west',
  'virginia',
  'spokeswoman',
  'state',
  'department',
  'homeland',
  'security',
  'emergency',
  'management',
  'official',
  'west',
  'virginia',
  'woman',
  'monday',
  'storm',
  'traffic',
  'accident',
  'spokeswoman',
  'gov.',
  'earl',
  'ray',
  'tomblin',
  'inch',
  'snow',
  'area',
  'tucker',
  'county',
  'crash',
  'road',
  'condition',
  'winter',
  'storm',
  'tennessee',
  'great',
  'smoky',
  'mountains',
  'national',
  'weather',
  'service',
  'forecast',
  'snow',
  'shower',
  'elevation',
  'wednesday',
  'morning',
  'example',
  'video',
  'title',
  'video',
  'news',
  'wednesday',
  '',
  '',
  'king',
  'weather',
  'eeo',
  'public',
  'file',
  'report',
  'fcc',
  'online',
  'public',
  'inspection',
  'file',
  'closed',
  'caption',
  'procedure',
  'personal',
  'information',
  'king',
  'tv',
  'rights',
  'king',
  'notification',
  'news',
  'weather',
  'notification',
  'browser',
  'setting'],
 ['contentskip',
  'content',
  'register',
  'article',
  'newsletter',
  'weather',
  'forecast',
  'weather',
  'alert',
  'inbox',
  'subscriber',
  'sign',
  'time',
  'owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'lee',
  'enterprises',
  'terms',
  'service',
  '',
  '',
  'privacy',
  'policy',
  'help',
  'center',
  'account',
  'dashboard',
  'profile',
  'item',
  'storm',
  'wind',
  'tree',
  'power',
  'outage',
  'decatur',
  'central',
  'illinois',
  'severe',
  'weather',
  'storm',
  'wind',
  'tree',
  'power',
  'outage',
  'decatur',
  'central',
  'illinois',
  'city',
  'decatur',
  'employee',
  'picture',
  'vehicle',
  'tree',
  'west',
  'main',
  'street',
  'damage',
  'thunderstorm',
  'thursday',
  'joseph',
  'ressler',
  'herald',
  'review',
  'reginald',
  'wiggins',
  'charlene',
  'wiggins',
  'robert',
  'cunningham',
  'damage',
  'house',
  'tree',
  'wire',
  'storm',
  'decatur',
  'thursday',
  'joseph',
  'ressler',
  'herald',
  'review',
  'bow',
  'echo',
  'storm',
  'way',
  'downtown',
  'charleston',
  'thursday',
  'afternoon',
  'storm',
  'rain',
  'wind',
  'tree',
  'power',
  'line',
  'wake',
  'bruce',
  'glass',
  'damage',
  'tree',
  'west',
  'main',
  'street',
  'thunderstorm',
  'decatur',
  'thursday',
  'joseph',
  'ressler',
  'herald',
  'review',
  'decatur',
  'fire',
  'step',
  'street',
  'lamp',
  'north',
  'college',
  'street',
  'damage',
  'thunderstorm',
  'decatur',
  'thursday',
  'joseph',
  'ressler',
  'herald',
  'review',
  'aftermath',
  'thursday',
  'weather',
  'mph',
  'wind',
  'decatur',
  'area',
  'decatur',
  'echo',
  'storm',
  'way',
  'central',
  'illinois',
  'thursday',
  'afternoon',
  'tree',
  'power',
  'line',
  'power',
  'outage',
  'thousand',
  'family',
  'business',
  'customer',
  'national',
  'weather',
  'service',
  'lincoln',
  'wind',
  'speed',
  'mph',
  'mph',
  'coles',
  'county',
  'tree',
  'damage',
  'wind',
  'gust',
  'decatur',
  'mph',
  'city',
  'region',
  'tree',
  'power',
  'line',
  'power',
  'blackout',
  'ameren',
  'illinois',
  'customer',
  'electricity',
  'decatur',
  'area',
  'mid',
  '-',
  'afternoon',
  'outage',
  'utility',
  'service',
  'area',
  'decatur',
  'starbucks',
  'location',
  'mattoon',
  'burger',
  'king',
  'owner',
  'menu',
  'shelbyville',
  'man',
  'gun',
  'decatur',
  'road',
  'rage',
  'incident',
  'police',
  'gunfire',
  'decatur',
  'police',
  'homicide',
  'decatur',
  'homicide',
  'victim',
  'police',
  'arrest',
  'decatur',
  'homicide',
  'macon',
  'county',
  'cannabis',
  'dispensary',
  'decatur',
  'police',
  'homicide',
  'sheryl',
  'crow',
  'jason',
  'aldean',
  'song',
  'controversy',
  'champaign',
  'man',
  'crash',
  'i-72',
  'macon',
  'county',
  'mayor',
  'lincoln',
  'college',
  'jason',
  'aldean',
  'small',
  'town',
  'rocket',
  '.',
  'chart',
  'music',
  'video',
  'controversy',
  'macon',
  'speedway',
  'clash',
  'court',
  'mount',
  'zion',
  'junior',
  'high',
  'principal',
  'julie',
  'marquardt',
  'excellence',
  'entire',
  'shelby',
  'county',
  'dive',
  'team',
  'spat',
  'county',
  'board',
  'member',
  'central',
  'illinois',
  'damage',
  'wind',
  'zone',
  'decatur',
  'mattoon',
  'charleston',
  'north',
  'bloomington',
  'report',
  'line',
  'wind',
  'damage',
  'spin',
  'nws',
  'meteorologist',
  'mike',
  'albano',
  'edge',
  'storm',
  'tornado',
  'path',
  'storm',
  'bow',
  'echo',
  'shape',
  'state',
  'illinois',
  'result',
  'chaos',
  'tree',
  'branch',
  'tree',
  'fire',
  'crew',
  'police',
  'afternoon',
  'emergency',
  'evening',
  'survey',
  'town',
  'dennis',
  'school',
  'building',
  'tree',
  'car',
  'home',
  'road',
  'limb',
  'leave',
  'speed',
  'wind',
  'sign',
  'business',
  'portion',
  'handful',
  'street',
  'resident',
  'ameren',
  'response',
  'crew',
  'damage',
  'resident',
  'mandi',
  'swan',
  'herald',
  'review',
  'home',
  'corner',
  'monroe',
  'street',
  'prairie',
  'avenue',
  'thursday',
  'afternoon',
  'noise',
  'sound',
  'daughter',
  'swan',
  'daughter',
  'house',
  'tree',
  'backyard',
  'house',
  'power',
  'line',
  'p.m.',
  'thursday',
  'swan',
  'wait',
  'response',
  'crew',
  'damage',
  'apple',
  'podcast',
  'google',
  'podcast',
  'rss',
  'feed',
  'omny',
  'studio',
  'fire',
  'marshal',
  'look',
  'swan',
  'fire',
  'city',
  'ameren',
  'macon',
  'county',
  'esda',
  'coordinator',
  'tammy',
  'schneider',
  'herald',
  'review',
  'report',
  'injury',
  'way',
  'people',
  'power',
  'line',
  'surrounding',
  'care',
  'storm',
  'deluge',
  'rain',
  '¾',
  'inch',
  'inch',
  'central',
  'illinois',
  'power',
  'storm',
  'rainfall',
  'area',
  'drought',
  'condition',
  'rainfall',
  'rainfall',
  'event',
  'albano',
  'deluge',
  'fringe',
  'benefit',
  'smoke',
  'area',
  'fire',
  'control',
  'canada',
  'albano',
  'smoke',
  'altitude',
  'storm',
  'power',
  'fume',
  'area',
  'foot',
  'ground',
  'air',
  'quality',
  'hillside',
  'bethel',
  'tabernacle',
  'church',
  'summer',
  'camp',
  'thursday',
  'storm',
  'church',
  'limb',
  'roof',
  'privacy',
  'fence',
  'power',
  'rev.',
  'kevin',
  'horath',
  'pastor',
  'summer',
  'camp',
  'tomorrow',
  'tree',
  'mary',
  'jo',
  'fromm',
  'yard',
  'home',
  'siding',
  'pool',
  'need',
  'daughter',
  'heaven',
  'power',
  'heaven',
  'machinery',
  'power',
  'suction',
  'machine',
  'tracheotomy',
  'airway',
  'feeding',
  'pump',
  'majority',
  'nutrient',
  'pulse',
  'ox',
  'machine',
  'heart',
  'breathing',
  'epilepsy',
  'feed',
  'fromm',
  'friday',
  'forecast',
  'rain',
  'storm',
  'onslaught',
  'thursday',
  'punch',
  'breadth',
  'area',
  'thursday',
  'storm',
  'albano',
  'staff',
  'writer',
  'taylor',
  'vidmar',
  'valerie',
  'wells',
  'report',
  'history',
  'photo',
  'central',
  'illinois',
  'weather',
  'look',
  'rain',
  'flood',
  'past',
  'contact',
  'tony',
  'reid',
  'twitter',
  '@tonyjreid',
  'local',
  'weather',
  'forecast',
  'weather',
  'alert',
  'inbox',
  'registration',
  'use',
  'site',
  'agreement',
  'user',
  'agreement',
  'privacy',
  'policy',
  'time',
  'lapse',
  'video',
  'storm',
  'system',
  'charleston',
  'thursday',
  'june',
  'decatur',
  'air',
  'quality',
  'plummet',
  'wildfire',
  'decatur',
  'air',
  'quality',
  'measure',
  'country',
  'smoke',
  'wildfire',
  'c',
  'condition',
  'toll',
  'crop',
  'garden',
  'drought',
  'central',
  'illinois',
  'gardener',
  'watering',
  'farmer',
  'weather',
  'forecast',
  'rain',
  'caution',
  'morning',
  'commute',
  'storm',
  'cleanup',
  'decatur',
  'area',
  'morning',
  'commute',
  'decatur',
  'cleanup',
  'thursday',
  'storm',
  'city',
  'year',
  'lake',
  'decatur',
  'birthday',
  'fest',
  'event',
  'coordinator',
  'centennial',
  'lake',
  'fest',
  'lake',
  'weekend',
  'resident',
  'everyth',
  'decatur',
  'crew',
  'roadway',
  'criterion',
  'tree',
  'debris',
  'home',
  'size',
  'quantity',
  'tree',
  'limb',
  'city',
  'decatur',
  'tree',
  'debris',
  'condition',
  'ameren',
  'power',
  'restoration',
  'battle',
  'illinois',
  'storm',
  'utility',
  'sunday',
  'war',
  'customer',
  'power',
  'decatur',
  'macon',
  'county',
  'city',
  'storm',
  'waste',
  'pickup',
  'trash',
  'collection',
  'wake',
  'storm',
  'friday',
  'ivy',
  'league',
  'colleges',
  'rich',
  'class',
  'student',
  'swimming',
  'seine',
  'returns',
  'paris',
  'year',
  'swimming',
  'seine',
  'returns',
  'paris',
  'year',
  'fifa',
  'lotr',
  'fan',
  'new',
  'zealand',
  'hobbiton',
  'fifa',
  'lotr',
  'fan',
  'new',
  'zealand',
  'hobbiton',
  'star',
  'faces',
  'star',
  'faces',
  'copyright',
  'herald',
  'review',
  's.',
  'main',
  'street',
  '.',
  'decatur',
  'il',
  '62523',
  'term',
  'use',
  '',
  '',
  'privacy',
  'policy',
  '',
  '',
  'info',
  '',
  '',
  'cookie',
  'preferences',
  'blox',
  'content',
  'management',
  'system',
  'minute',
  'news',
  'device'],
 ['fox',
  'news',
  'media',
  'fox',
  'news',
  'mediafox',
  'businessfox',
  'nationfox',
  'news',
  'audiofox',
  'fox',
  'news',
  'expand',
  'collapse',
  'search',
  'login',
  'tv',
  'menu',
  'u.s.',
  'crimemilitaryeducationterrorimmigrationeconomypersonal',
  'freedomsfox',
  'news',
  'investigatesworld',
  'u.n.conflictsterrorismdisastersglobal',
  'politic',
  'executivesenatehousejudiciaryforeign',
  'policypollselectionsentertainment',
  'celebrity',
  'newsmoviestv',
  'newsmusic',
  'newsstyle',
  'newsentertainment',
  'videobusiness',
  'personal',
  'financeeconomymarketswatchlistlifestylereal',
  'estatetechlifestyle',
  'food',
  'drinkcars',
  'truckstravel',
  'outdoorshouse',
  'homefitness',
  'beingstyle',
  'beautyfamilyfaithscience',
  'archaeologyair',
  'spaceplanet',
  'earthwild',
  'naturenatural',
  'sciencedinosaurstech',
  'gamesmilitary',
  'techhealth',
  'coronavirushealthy',
  'livingmedical',
  'researchmental',
  'healthcancerheart',
  'healthchildren',
  'healthtv',
  'showspersonalitieswatch',
  'livefull',
  'episodesshow',
  'clipsnews',
  'clipsabout',
  'contact',
  'worldadvertise',
  'usmedia',
  'relationscorporate',
  'informationcompliance',
  'fox',
  'businessfox',
  'weatherfox',
  'nationwomen',
  'world',
  'cup',
  'news',
  'shopfox',
  'news',
  'gofox',
  'news',
  'radiooutkicknewsletterspodcastsapps',
  'products',
  'fox',
  'news',
  'new',
  'terms',
  'use',
  'new',
  'privacy',
  'policy',
  'privacy',
  'choices',
  'captioning',
  'policy',
  'material',
  'fox',
  'news',
  'network',
  'llc',
  'right',
  'quote',
  'time',
  'minute',
  'market',
  'datum',
  'factset',
  'factset',
  'digital',
  'solutions',
  'statement',
  'mutual',
  'fund',
  'etf',
  'datum',
  'refinitiv',
  'lipper',
  'facebook',
  'twitter',
  'instagram',
  'rss',
  'email',
  'weather',
  'september',
  'edt',
  'hurricane',
  'force',
  'wind',
  'utah',
  'semitruck',
  'person',
  'thousand',
  'power',
  'customer',
  'power',
  'salt',
  'lake',
  'city',
  'area',
  'travis',
  'fedschun',
  'fox',
  'news',
  'facebook',
  'twitter',
  'flipboard',
  'comments',
  'print',
  'email',
  'video',
  'hurricane',
  'force',
  'wind',
  'truck',
  'utah',
  'highway',
  'raw',
  'video',
  'wind',
  'damage',
  'property',
  'person',
  'utah',
  'thousand',
  'power',
  'utah',
  'hurricane',
  'force',
  'wind',
  'portion',
  'state',
  'week',
  'damage',
  'person',
  'official',
  'wind',
  'gust',
  'mph',
  'salt',
  'lake',
  'city',
  'tuesday',
  'system',
  'snowstorm',
  'rockies',
  'state',
  'degree',
  'temperature',
  'drop',
  'utah',
  'highway',
  'patrol',
  'uhp',
  'semitruck',
  'windstorm',
  'profile',
  'vehicle',
  'wind',
  'hit',
  'utah',
  'sparking',
  'power',
  'outage',
  'school',
  'closures',
  'trooper',
  'uhp',
  'video',
  'truck',
  'interstate',
  'hurricane',
  'force',
  'wind',
  'semitruck',
  'utah',
  'tuesday',
  'utah',
  'highway',
  'patrol)uhp',
  'lt',
  'nick',
  'street',
  'kjzz',
  'tv',
  'truck',
  'driver',
  'hospital',
  'injury',
  'wind',
  'property',
  'damage',
  'person',
  'official',
  'driver',
  'restriction',
  'place',
  'profile',
  'vehicle',
  'gusty',
  'wind',
  'wind',
  'excess',
  'mph',
  'tree',
  'property',
  'salt',
  'lake',
  'city',
  'semi',
  'wind',
  'interstate',
  'tuesday',
  'sept.',
  'bountiful',
  'utah',
  'ap',
  'photo',
  'rick',
  'bowmer)rocky',
  'mountain',
  'power',
  'fox13',
  'power',
  'customer',
  'service',
  'power',
  'thursday',
  'morning',
  'restoration',
  'effort',
  'clock',
  'customer',
  'service',
  'power',
  'night',
  'thursday',
  'message',
  'rocky',
  'mountain',
  'power',
  'website',
  'resident',
  'power',
  'pole',
  'wind',
  'tuesday',
  'sept.',
  'hyrum',
  'utah',
  'eli',
  'lucero',
  'herald',
  'journal',
  'ap)farmington',
  'city',
  'state',
  'emergency',
  'wednesday',
  'wind',
  'property',
  'damage',
  'person',
  'wildfire',
  'threat',
  'simmer',
  'west',
  'smoke',
  'blazes',
  'spreads',
  'central',
  'ustruck',
  'driver',
  'donald',
  'hardy',
  'shipment',
  'tennessee',
  'business',
  'south',
  'salt',
  'lake',
  'wind',
  'ground',
  'people',
  'damage',
  'wind',
  'damage',
  'power',
  'outage',
  'tuesday',
  'sept.',
  'salt',
  'lake',
  'city',
  'ap',
  'photo',
  'rick',
  'bowmer)the',
  'south',
  'salt',
  'lake',
  'fire',
  'department',
  'fox13',
  'cargo',
  'door',
  'hardy',
  'thrust',
  'wind',
  'head',
  'wife',
  'alissa',
  'joy',
  'hardy',
  'incident',
  'freak',
  'accident',
  'hardy',
  'husband',
  'road',
  'month',
  'fox13.“we',
  'truck',
  'house',
  'hour',
  'day',
  'day',
  'year',
  'fox13',
  'foot',
  'kite',
  'click',
  'weather',
  'fox',
  'news',
  'season',
  'winter',
  'storm',
  'snow',
  'temperature',
  'gusty',
  'wind',
  'rockies',
  'central',
  'high',
  'plains',
  'temperature',
  'thursday',
  'sept.',
  'fox',
  'news)the',
  'blast',
  'arctic',
  'air',
  'high',
  'friday',
  'weekend',
  'forecast',
  'sept.',
  'fox',
  'news',
  'janice',
  'dean',
  'james',
  'rogers',
  'associated',
  'press',
  'report',
  'click',
  'fox',
  'news',
  'app',
  'story',
  'news',
  'thing',
  'morning',
  'inbox',
  'weekday',
  'newsletter',
  'u.s.',
  'crimemilitaryeducationterrorimmigrationeconomypersonal',
  'freedomsfox',
  'news',
  'investigatesworld',
  'u.n.conflictsterrorismdisastersglobal',
  'politic',
  'executivesenatehousejudiciaryforeign',
  'policypollselectionsentertainment',
  'celebrity',
  'newsmoviestv',
  'newsmusic',
  'newsstyle',
  'newsentertainment',
  'videobusiness',
  'personal',
  'financeeconomymarketswatchlistlifestylereal',
  'estatetechlifestyle',
  'food',
  'drinkcars',
  'truckstravel',
  'outdoorshouse',
  'homefitness',
  'beingstyle',
  'beautyfamilyfaithscience',
  'archaeologyair',
  'spaceplanet',
  'earthwild',
  'naturenatural',
  'sciencedinosaurstech',
  'gamesmilitary',
  'techhealth',
  'coronavirushealthy',
  'livingmedical',
  'researchmental',
  'healthcancerheart',
  'healthchildren',
  'healthtv',
  'showspersonalitieswatch',
  'livefull',
  'episodesshow',
  'clipsnews',
  'clipsabout',
  'contact',
  'worldadvertise',
  'usmedia',
  'relationscorporate',
  'informationcompliance',
  'fox',
  'businessfox',
  'weatherfox',
  'nationwomen',
  'world',
  'cup',
  'news',
  'shopfox',
  'news',
  'gofox',
  'news',
  'radiooutkicknewsletterspodcastsapps',
  'products',
  'facebook',
  'twitter',
  'instagram',
  'youtube',
  'flipboard',
  'linkedin',
  'slack',
  'rss',
  'newsletters',
  'spotify',
  'iheartradio',
  'fox',
  'news',
  'new',
  'terms',
  'use',
  'new',
  'privacy',
  'policy',
  'privacy',
  'choices',
  'captioning',
  'policy',
  'accessibility',
  'statement',
  'material',
  'fox',
  'news',
  'network',
  'llc',
  'right',
  'quote',
  'time',
  'minute',
  'market',
  'datum',
  'factset',
  'factset',
  'digital',
  'solutions',
  'statement',
  'mutual',
  'fund',
  'etf',
  'datum',
  'refinitiv',
  'lipper'],
 ['abc',
  'newsvideoliveshowselectionsinterest',
  'successfully',
  "addedwe'll",
  'news',
  'desktop',
  'notification',
  'story',
  'interest',
  'offonlog',
  'instream',
  'storm',
  'calvin',
  'hawaii',
  'flooding',
  'storm',
  'calvin',
  'surf',
  'rain',
  'gust',
  'hawaii',
  'big',
  'island',
  'flooding',
  'mcavoy',
  'associated',
  'pressjuly',
  'pmhonolulu',
  'honolulu',
  'ap',
  'tropical',
  'storm',
  'calvin',
  'surf',
  'rain',
  'gust',
  'hawaii',
  'big',
  'island',
  'wednesday',
  'damage',
  'morning',
  'storm',
  'west',
  'national',
  'weather',
  'service',
  'storm',
  'warning',
  'hawaii',
  'volcanoes',
  'national',
  'park',
  'home',
  'kilaluea',
  'volcano',
  'a.m.',
  'staff',
  'road',
  'trail',
  'hawaii',
  'gov.',
  'josh',
  'green',
  'relief',
  'injury',
  'damage',
  'state',
  'hurricane',
  'season',
  'june',
  'nov.',
  'month',
  'hurricane',
  'season',
  'green',
  'news',
  'conference',
  'opportunity',
  '”a',
  'rain',
  'gauge',
  'honolii',
  'stream',
  'north',
  'hilo',
  'inch',
  'centimeter',
  'wind',
  'summit',
  'haleakala',
  'volcano',
  'maui',
  'mile',
  'mph',
  'mauna',
  'kea',
  'big',
  'island',
  'mph',
  'kph).hawaii',
  'county',
  'mayor',
  'mitch',
  'roth',
  'report',
  'tree',
  'branch',
  'road',
  'pahala',
  'area',
  'talmadge',
  'magno',
  'administrator',
  'hawaii',
  'county',
  'civil',
  'defense',
  'flooding',
  'community',
  'wood',
  'valley',
  'kind',
  'rain',
  'people',
  'national',
  'weather',
  'service',
  'wave',
  'foot',
  'press',
  'writer',
  'mark',
  'thiessen',
  'report',
  'anchorage',
  'alaska',
  'storieshouse',
  'ufo',
  'hearing',
  'ex',
  'knowledge',
  'craftjul',
  'amruin',
  'vatican',
  'emperor',
  'nero',
  'theaterjul',
  'pmsinead',
  "o'connor",
  'u',
  'singer',
  '56jul',
  'pmwhistleblower',
  'congress',
  'decade',
  'program',
  'ufosjul',
  'pmmcconnell',
  'press',
  'conference',
  'return',
  'pmabc',
  'news',
  'live24/7',
  'coverage',
  'news',
  'eventsabc',
  'news',
  'networkprivacy',
  'policyyour',
  'state',
  'privacy',
  'rightschildren',
  'online',
  'privacy',
  'policyinterest',
  'adsabout',
  'nielsen',
  'measurementterms',
  'usedo',
  'sell',
  'informationcontact',
  'uscopyright',
  'abc',
  'news',
  'internet',
  'ventures',
  'right'],
 ['main',
  'content',
  'sensor',
  'network',
  'maps',
  'radar',
  'severe',
  'weather',
  'news',
  'blogs',
  'mobile',
  'apps',
  'nearest',
  'station',
  'manage',
  'favorite',
  'citieslog',
  'joinsettingsaccount_box',
  'log',
  'person_add',
  'join',
  'setting',
  'settings',
  'sensor',
  'networkmaps',
  'radarsevere',
  'weathernews',
  'blogsmobile',
  'appshistorical',
  'weatherstarnews',
  'blogs',
  'category',
  'news',
  'stories',
  'infographics',
  'posters',
  'news',
  'stories',
  'category',
  'storiesinfographicsposterspublished',
  'weather',
  'company',
  'mission',
  'weather',
  'news',
  'environment',
  'importance',
  'science',
  'life',
  'story',
  'position',
  'parent',
  'company',
  'ibm.recent',
  'storiesweather',
  'articlesour',
  'appsabout',
  'uscontactcareerspws',
  'networkwundermapfeedback',
  'supportterms',
  'useprivacy',
  'policyaccessibility',
  'statementadchoicesdata',
  'vendorswe',
  'responsibility',
  'datum',
  'technology',
  'datum',
  'data',
  'vendor',
  'control',
  'datum',
  'datum',
  'rightspowered',
  'ibm',
  'cloud',
  'copyright',
  'twc',
  'product',
  'technology',
  'llc',
  'javascript',
  'application'],
 ['day',
  'woman',
  'birth',
  'hospital',
  'heart',
  'attack',
  'seizure',
  'kidney',
  'failure',
  'blood',
  'transfusion',
  'problem',
  'death',
  'human',
  'trafficking',
  'sports',
  'entertainment',
  'life',
  'money',
  'tech',
  'travel',
  'opinion',
  'obituariesonly',
  'usa',
  'today',
  'newsletters',
  'subscribers',
  'archives',
  'crossword',
  'enewspaper',
  'magazines',
  'investigations',
  'weather',
  'forecast',
  'video',
  'humankind',
  'curiousbest',
  'booklist',
  'pets',
  'food',
  'reviewed',
  'coupons',
  'blueprint',
  'best',
  'auto',
  'insurance',
  'best',
  'pet',
  'insurance',
  'best',
  'travel',
  'insurance',
  'best',
  'credit',
  'cards',
  'best',
  'cd',
  'rate',
  'best',
  'personal',
  'loans',
  'nationweatheradd',
  'topicsevere',
  'weather',
  'risk',
  'tornado',
  'ohio',
  'valley',
  'heat',
  'wave',
  'south',
  'thao',
  'todayviolent',
  'weather',
  'ohio',
  'valley',
  'sunday',
  'system',
  'concern',
  'region',
  'thunderstorm',
  'midwest',
  'south',
  'month',
  'national',
  'weather',
  'service',
  'storm',
  'middle',
  'south',
  'ohio',
  'valley',
  'great',
  'lakes',
  'ohio',
  'tennessee',
  'valley',
  'threat',
  'sunday',
  'weather',
  'service',
  'risk',
  'tornado',
  'ohio',
  'valley',
  'sunday',
  'night',
  'accuweather',
  'meteorologist',
  'matt',
  'benz',
  'weather',
  'service',
  'weather',
  'condition',
  'region',
  'risk',
  'thunderstorm',
  'agency',
  'hail',
  'wind',
  'threat',
  'tornado',
  'tornado',
  'warning',
  'watch',
  'sunday',
  'weather',
  'service',
  'indiana',
  'ohio',
  'kentucky',
  'round',
  'storm',
  'southern',
  'indiana',
  'western',
  'kentucky',
  'sunday',
  'night',
  'southeast',
  'weather',
  'service',
  'sunday',
  'night',
  'customer',
  'midwest',
  'south',
  'power',
  'weather',
  'condition',
  'poweroutage.usmeanwhile',
  'temperature',
  'rest',
  'week',
  'united',
  'states',
  'accuweather',
  'heat',
  'wave',
  'week',
  'temperature',
  'region',
  'heat',
  'warning',
  'heat',
  'advisory',
  'texas',
  'heat',
  'texas',
  'day',
  'end',
  'week',
  'core',
  'pressure',
  'atmosphere',
  'coverage',
  'mexico',
  'texas',
  'accuweather',
  'meteorologist',
  'la',
  'troy',
  'thornton',
  'damage',
  'central',
  'indianaat',
  'tornado',
  'indiana.wthr.com',
  'tornado',
  'new',
  'whiteland',
  'town',
  'mile',
  'indianapolis',
  'collapse',
  'bargersville',
  'deputy',
  'fire',
  'chief',
  'michael',
  'pruitt',
  'structure',
  'white',
  'river',
  'township',
  'johnson',
  'county',
  'indiana',
  'pruitt',
  'emergency',
  'crew',
  'searcher',
  'report',
  'injury',
  'road',
  'area',
  'white',
  'river',
  'township',
  'tornado',
  'neighborhood',
  'home',
  'johnson',
  'county',
  'damage',
  'area',
  'johnson',
  'county',
  'sheriff',
  'duane',
  'e.',
  'burgess',
  'power',
  'line',
  'tree',
  'debris',
  'hazard',
  'area',
  'official',
  'power',
  'line',
  'mile',
  'area',
  'tornado',
  'point',
  'customer',
  'outage',
  'p.m.',
  'duke',
  'energy',
  'customer',
  'power',
  'johnson',
  'county',
  'area',
  'area',
  'work',
  'emergency',
  'worker',
  'burgess',
  'johnson',
  'county',
  'mile',
  'indianapolis',
  'indiana',
  'weather',
  'service',
  'baseball',
  'hail',
  'storm',
  'activity',
  'area',
  'u.s.',
  'state',
  'week',
  'temperaturesaccuweather',
  'forecaster',
  'record',
  'united',
  'states',
  'week',
  'temperature',
  'degree',
  'average',
  'weather',
  'service',
  'heat',
  'advisory',
  'texas',
  'oklahoma',
  'louisiana',
  'arkansas',
  'mississippi',
  'tennessee',
  'sunday',
  'heat',
  'warning',
  'west',
  'texas',
  'weather',
  'push',
  'air',
  'accuweather',
  'heat',
  'dome',
  'central',
  'united',
  'states',
  'majority',
  'week',
  'accuweather',
  'forecaster',
  'build',
  'portion',
  'plains',
  'mississippi',
  'valley',
  'southeast',
  'louisville',
  'courier',
  'journal',
  'indianapolis',
  'starfeatured',
  'weekly',
  'adabout',
  'newsroom',
  'staff',
  'ethical',
  'principles',
  'correction',
  'press',
  'accessibility',
  'sitemap',
  'subscription',
  'terms',
  'conditions',
  'terms',
  'service',
  'california',
  'privacy',
  'rights',
  'privacy',
  'policy',
  'privacy',
  'policydo',
  'sell',
  'share',
  'target',
  'infocookie',
  'settingscontact',
  'account',
  'feedback',
  'home',
  'delivery',
  'enewspaper',
  'usa',
  'today',
  'shop',
  'usa',
  'today',
  'print',
  'editions',
  'licensing',
  'reprints',
  'advertise',
  'careers',
  'internships',
  'businessnews',
  'tips',
  'letter',
  'editor',
  'newsletters',
  'mobile',
  'app',
  'facebook',
  'twitter',
  'instagram',
  'linkedin',
  'pinterest',
  'youtube',
  'reddit',
  'flipboard',
  'jobs',
  'sports',
  'betting',
  'sports',
  'weekly',
  'studio',
  'gannett',
  'classifieds',
  'coupons',
  'blueprint',
  'auto',
  'insurance',
  'pet',
  'insurance',
  'travel',
  'insurance',
  'credit',
  'cards',
  'banking',
  'personal',
  'loans',
  'usa',
  'today',
  'division',
  'gannett',
  'satellite',
  'information',
  'network',
  'llc'],
 ['home',
  'hill',
  'county',
  'wildfire',
  'official',
  'sister',
  'slain',
  'woman',
  'death',
  'penalty',
  'dallas',
  'killer',
  'dfw',
  'weather',
  'break',
  'digit',
  'local',
  'news',
  'energy',
  'expert',
  'share',
  'week',
  'winter',
  'weather',
  'texas',
  'power',
  'grid',
  'energy',
  'expert',
  'winter',
  'storm',
  'state',
  'example',
  'video',
  'title',
  'video',
  'pm',
  'cst',
  'february',
  'pm',
  'cst',
  'february',
  'fort',
  'worth',
  'texas',
  'day',
  'north',
  'texas',
  'snow',
  'ice',
  'family',
  'region',
  'grocery',
  'store',
  'gas',
  'pump',
  'meteorologist',
  'storm',
  'february',
  'blast',
  'people',
  'texas',
  'grid',
  'million',
  'dark',
  'doug',
  'lewin',
  'energy',
  'consultant',
  'head',
  'stoic',
  'energy',
  'grid',
  'week',
  'grade',
  'bar',
  'takeaway',
  'friday',
  'press',
  'conference',
  'state',
  'official',
  'ercot',
  'ceo',
  'brad',
  'jones',
  'power',
  'plant',
  'outage',
  'storm',
  'generation',
  'transmission',
  'partner',
  'grid',
  'jones',
  'test',
  'lewin',
  'year',
  'puc',
  'job',
  'winterization',
  'rule',
  'energy',
  'source',
  'wind',
  'production',
  '%',
  'energy',
  'wind',
  'week',
  'texans',
  'texas',
  'policy',
  'maker',
  'lot',
  'love',
  'lewin',
  'problem',
  'area',
  'week',
  'gas',
  'producer',
  'production',
  'percent',
  'permian',
  'basin',
  'temperature',
  'platts',
  'gas',
  'light',
  'gas',
  'supply',
  'system',
  'lewin',
  'storm',
  'state',
  'freeze',
  'permian',
  'eagle',
  'ford',
  'shale',
  'percent',
  'reduction',
  'drop',
  'year',
  'week',
  'ercot',
  'texas',
  'winter',
  'demand',
  'record',
  'estimate',
  'gigawatt',
  'gw',
  'state',
  'mark',
  'projection',
  'gw',
  'power',
  'home',
  'year',
  'ercot',
  'problem',
  'demand',
  'friday',
  'press',
  'conference',
  'puc',
  'chair',
  'peter',
  'lake',
  'model',
  'demand',
  'lot',
  'people',
  'work',
  'school',
  'lot',
  'building',
  'power',
  'morning',
  'lake',
  'lewin',
  'focus',
  'home',
  'heating',
  'energy',
  'demand',
  'standard',
  'grid',
  'weather',
  'event',
  'austin',
  'boil',
  'water',
  'notice',
  'effect',
  'conservation',
  'requirement',
  'ourcalling',
  'dallas',
  'volunteer',
  'weather',
  'influx',
  'need',
  'view',
  'snow',
  'north',
  'texas',
  'coverage',
  'winter',
  'storm',
  'eeo',
  'public',
  'file',
  'report',
  'fcc',
  'online',
  'public',
  'inspection',
  'file',
  'closed',
  'caption',
  'procedure',
  'personal',
  'information',
  'wfaa',
  'tv',
  'rights',
  'wfaa',
  'notification',
  'news',
  'weather',
  'notification',
  'browser',
  'setting'],
 ['main',
  'contentskip',
  'wall',
  'street',
  'journalenglish',
  'editionenglish中文',
  'chinese)日本語',
  'japanese)print',
  'headlinesmore',
  'products',
  'wsjbuy',
  'wsjwsj',
  'americamiddle',
  'eastsectionseconomymoreworld',
  'videou.s.sectionseconomylawpoliticsmoreu.s.',
  'videowhat',
  'news',
  'podcastpoliticsmorepolitics',
  'probankruptcycentral',
  'bankingprivate',
  'equityventure',
  'capitalmoreeconomic',
  'forecasting',
  'surveyeconomy',
  'videosectionscapital',
  'reportsthe',
  'future',
  'everythingobituariestech',
  'defenseautos',
  'transportationcommercial',
  'real',
  'estateconsumer',
  'productsenergyentrepreneurshipfinancial',
  'servicesfood',
  'serviceshealth',
  'carehospitalitylawmanufacturingmedia',
  'marketingnatural',
  'resourcesretailc',
  'suitecfo',
  'journalcio',
  'journalcmo',
  'todaylogistics',
  'reportrisk',
  'compliancethe',
  'workplace',
  'reportcolumnsheard',
  'streetwsj',
  'probankruptcycentral',
  'businessventure',
  'capitalmorebusiness',
  'videobusiness',
  'podcastspace',
  'sciencetechsectionscio',
  'journalthe',
  'future',
  'everythingpersonal',
  'techcolumnschristopher',
  'mimsjoanna',
  'sternjulie',
  'jargonnicole',
  'videotech',
  'podcastmarketssectionsbondscommercial',
  'real',
  'estatecommodities',
  'futuresstockspersonal',
  'financewsj',
  'moneystreetwiseintelligent',
  'investorcolumnsheard',
  'streetgreg',
  'ipjason',
  'zweiglaura',
  'saundersjames',
  'mackintoshmarket',
  'datamarket',
  'data',
  'homeu.s.',
  'ratesmutual',
  'funds',
  'journalmarkets',
  'videoyour',
  'money',
  'briefing',
  'podcastsecrets',
  'wealthy',
  'women',
  'podcastsearch',
  'quotes',
  'bakersadanand',
  'dhumeallysia',
  'finleyjames',
  'freemanwilliam',
  'a.',
  'galstondaniel',
  'henningerholman',
  'w.',
  'jenkinsandy',
  'kesslerwilliam',
  'mcgurnwalter',
  'russell',
  'meadpeggy',
  'noonanmary',
  'anastasia',
  "o'gradyjason",
  'rileyjoseph',
  'sternbergkimberley',
  'a.',
  'strasselmoreeditorialscommentaryfuture',
  'viewhouses',
  'worshipcross',
  'countryletters',
  'editorthe',
  'weekend',
  'interviewpotomac',
  'podcastforeign',
  'edition',
  'podcastfree',
  'expression',
  'podcastopinion',
  'videonotable',
  'quotablebooks',
  'artsreviewsfilmtelevisiontheatermasterpiece',
  'seriesmusicdanceoperaexhibitioncultural',
  'commentaryartarchitecturesectionsartsbooksmorewsj',
  'puzzleswhat',
  'watcharts',
  'calendarreal',
  'real',
  'estatemorereal',
  'estate',
  'videolife',
  'worksectionscarscareersfood',
  'drinkhome',
  'designideaspersonal',
  'financerecipestravelwellnesscolumnsyour',
  'healthwork',
  'lifecarry',
  'onbondsturning',
  'pointson',
  'clockmorewsj',
  'puzzlesspace',
  'sciencestylesectionslifestylefashionfilmtelevisionmusicart',
  'monday',
  'morningoff',
  'brandon',
  'trendsportssectionsbaseballbasketballfootballgolfhockeyolympicssoccertenniscolumnsjason',
  'gaysearchhomeworldregionsafricaasiacanadachinaeuropelatin',
  'americamiddle',
  'eastsectionseconomymoreworld',
  'videou.s.sectionseconomylawpoliticsmoreu.s.',
  'videowhat',
  'news',
  'podcastpoliticsmorepolitics',
  'probankruptcycentral',
  'bankingprivate',
  'equityventure',
  'capitalmoreeconomic',
  'forecasting',
  'surveyeconomy',
  'videosectionscapital',
  'reportsthe',
  'future',
  'everythingobituariestech',
  'defenseautos',
  'transportationcommercial',
  'real',
  'estateconsumer',
  'productsenergyentrepreneurshipfinancial',
  'servicesfood',
  'serviceshealth',
  'carehospitalitylawmanufacturingmedia',
  'marketingnatural',
  'resourcesretailc',
  'suitecfo',
  'journalcio',
  'journalcmo',
  'todaylogistics',
  'reportrisk',
  'compliancethe',
  'workplace',
  'reportcolumnsheard',
  'streetwsj',
  'probankruptcycentral',
  'businessventure',
  'capitalmorebusiness',
  'videobusiness',
  'podcastspace',
  'sciencetechsectionscio',
  'journalthe',
  'future',
  'everythingpersonal',
  'techcolumnschristopher',
  'mimsjoanna',
  'sternjulie',
  'jargonnicole',
  'videotech',
  'podcastmarketssectionsbondscommercial',
  'real',
  'estatecommodities',
  'futuresstockspersonal',
  'financewsj',
  'moneystreetwiseintelligent',
  'investorcolumnsheard',
  'streetgreg',
  'ipjason',
  'zweiglaura',
  'saundersjames',
  'mackintoshmarket',
  'datamarket',
  'data',
  'homeu.s.',
  'ratesmutual',
  'funds',
  'journalmarkets',
  'videoyour',
  'money',
  'briefing',
  'podcastsecrets',
  'wealthy',
  'women',
  'podcastsearch',
  'quotes',
  'bakersadanand',
  'dhumeallysia',
  'finleyjames',
  'freemanwilliam',
  'a.',
  'galstondaniel',
  'henningerholman',
  'w.',
  'jenkinsandy',
  'kesslerwilliam',
  'mcgurnwalter',
  'russell',
  'meadpeggy',
  'noonanmary',
  'anastasia',
  "o'gradyjason",
  'rileyjoseph',
  'sternbergkimberley',
  'a.',
  'strasselmoreeditorialscommentaryfuture',
  'viewhouses',
  'worshipcross',
  'countryletters',
  'editorthe',
  'weekend',
  'interviewpotomac',
  'podcastforeign',
  'edition',
  'podcastfree',
  'expression',
  'podcastopinion',
  'videonotable',
  'quotablebooks',
  'artsreviewsfilmtelevisiontheatermasterpiece',
  'seriesmusicdanceoperaexhibitioncultural',
  'commentaryartarchitecturesectionsartsbooksmorewsj',
  'puzzleswhat',
  'watcharts',
  'calendarreal',
  'real',
  'estatemorereal',
  'estate',
  'videolife',
  'worksectionscarscareersfood',
  'drinkhome',
  'designideaspersonal',
  'financerecipestravelwellnesscolumnsyour',
  'healthwork',
  'lifecarry',
  'onbondsturning',
  'pointson',
  'clockmorewsj',
  'puzzlesspace',
  'sciencestylesectionslifestylefashionfilmtelevisionmusicart',
  'monday',
  'morningoff',
  'brandon',
  'trendsportssectionsbaseballbasketballfootballgolfhockeyolympicssoccertenniscolumnsjason',
  'gaysearchsearch',
  'foundwe',
  'page',
  'url',
  'browser',
  'page',
  'site',
  'search',
  'articles',
  'u.s.hunter',
  'biden',
  'tax',
  'charges',
  'u.s.',
  'economyfed',
  'set',
  'rate',
  'year',
  'u.s.',
  'economyfederal',
  'reserve',
  'interest',
  'rate',
  'year',
  'highpopular',
  'videosvideo',
  'center',
  'na',
  'natpkgwatch',
  'wagner',
  'leader',
  'prigozhin',
  'troop',
  'belarus',
  'na',
  'sotwatch',
  'biden',
  'establishes',
  'new',
  'national',
  'monument',
  'emmett',
  'till',
  'na',
  'factboxwatch',
  'crane',
  'partially',
  'collapses',
  'new',
  'yorklatest',
  'podcastspodcast',
  'centeropinion',
  'potomac',
  'watchamerica',
  'broken',
  'immigration',
  'law',
  'court',
  'againthe',
  'wall',
  'street',
  'journal',
  'google',
  'news',
  'updatefed',
  'rate',
  'year',
  'highwhat',
  'newsfed',
  'rate',
  'year',
  'highthe',
  'wall',
  'street',
  'journalenglish',
  'editionenglish中文',
  'chinese)日本語',
  'wsj',
  'membershipbuy',
  'exclusivessubscription',
  'optionswhy',
  'subscribe?corporate',
  'subscriptionswsj',
  'higher',
  'education',
  'programwsj',
  'high',
  'school',
  'programpublic',
  'library',
  'programwsj',
  'livecommercial',
  'partnershipscustomer',
  'servicecustomer',
  'centercontact',
  'uscancel',
  'subscriptiontools',
  'featuresnewsletters',
  'alertsguidestopicsmy',
  'newsrss',
  'feedsvideo',
  'real',
  'estate',
  'adsplace',
  'classified',
  'adsell',
  'businesssell',
  'homerecruitment',
  'career',
  'adscouponsdigital',
  'self',
  'servicemoreabout',
  'uscontent',
  'partnershipscorrectionsjobs',
  'archiveregister',
  'freereprints',
  'licensingbuy',
  'issueswsj',
  'shopfacebooktwitterinstagramyoutubepodcastssnapchatgoogle',
  'playapp',
  'storedow',
  'jones',
  "productsbarron'sbigchartsdow",
  'jones',
  'newswiresfactivafinancial',
  'newsmansion',
  'globalmarketwatchrisk',
  'compliancebuy',
  'wsjwsj',
  'prowsj',
  'wineupdated',
  'privacy',
  'noticeupdated',
  'cookie',
  'noticecopyright',
  'policydata',
  'policysubscriber',
  'agreement',
  'terms',
  'useyour',
  'ad',
  'choicesaccessibilitycopyright',
  'dow',
  'jones',
  'company',
  'inc.',
  'rights'],
 ['arizona',
  'weathermansign',
  'originalbecome',
  'contributorsgo',
  'arizona',
  'weathermannewsbreak',
  'contributorarizona',
  'weatherman',
  'aka',
  'michael',
  'bielas',
  'year',
  'experience',
  'meteorologist',
  'weather',
  'consultant',
  'abundant',
  'sources',
  'llc',
  'az',
  'stem',
  'teacher',
  'news',
  'article',
  'arizona',
  'weather',
  'event',
  'aircraft',
  'benson',
  'az4',
  'k',
  'followersfollowon',
  'newsbreakcorrection',
  'raiden',
  'storm',
  'arizona',
  'monsoon',
  'season',
  'forecastarizona',
  'weatherman2023',
  'hurricane',
  'season',
  'forecast',
  'pacificphoto',
  'bynoaajournalistic',
  'integrity',
  'author',
  'information',
  'article',
  'mistake',
  'fact',
  'quote',
  'article',
  'journalist',
  'story',
  'public',
  'arizona',
  'weatherman',
  'commitment',
  'mistake',
  'arizona',
  'weatherman',
  'article',
  'updated',
  'arizona',
  'monsoon',
  'forecast',
  'discussion',
  'raiden',
  'storm',
  'raiden',
  'storm',
  'quote',
  'article',
  'monsoon',
  'june',
  'thunderstorm',
  'weather',
  'monsoon',
  'article',
  'raiden',
  'storm',
  'average',
  'rainfall',
  'arizona',
  'monsoon',
  'season',
  'raiden',
  'storm',
  'article',
  'quote',
  'article',
  'arizona',
  'monsoon',
  'forecast',
  'strong',
  'hurricane',
  'el',
  'nino',
  'influenced',
  'season',
  'water',
  'season',
  'year',
  'monsoon',
  'monsoon',
  'rainfall',
  'arizona',
  'monsoon',
  'season',
  'arizona',
  'weatherman',
  'monsoon',
  'forecast',
  'likelihood',
  'season',
  'el',
  'nino',
  'event',
  'arizona',
  '%',
  'el',
  'nino',
  'monsoon',
  'average',
  'rainfall',
  'rate',
  'monsoon',
  'arizona',
  'arizona',
  'weatherman',
  'climatologist',
  'meteorologist',
  'experience',
  'weather',
  'week',
  'arizona',
  'hurricane',
  'storm',
  'baja',
  'arizona',
  'rainfall',
  'raiden',
  'storm',
  'case',
  'forecast',
  'noaa',
  'season',
  'eastern',
  'pacific',
  'picture',
  'stage',
  'moisture',
  'arizona',
  'article',
  'noaa',
  'monsoon',
  'summer',
  'forecast',
  'dry',
  'couple',
  'season',
  'opposite',
  'raiden',
  'storm',
  'forecast',
  'monsoon',
  'season',
  'author',
  'arizona',
  'season',
  'year',
  'drought',
  'condition',
  'state',
  'line',
  'arizona',
  'monsoon',
  'season',
  'rainfall',
  'state',
  'raiden',
  'storm',
  'arizona',
  'weatherman',
  'potential',
  'forecasting',
  'event',
  'state',
  'arizona',
  'weatherman',
  'information',
  'public',
  'mistake',
  'future',
  'read',
  'story',
  'newsbreak',
  'appthis',
  'content',
  'newsbreak',
  'creator',
  'program',
  'today',
  'content',
  'comment',
  'thoughts?postcommunity',
  'policypublished',
  'weathermanarizona',
  'weatherman',
  'aka',
  'michael',
  'bielas',
  'year',
  'experience',
  'meteorologist',
  'weather',
  'consultant',
  'abundant',
  'sources',
  'llc',
  'az',
  'stem',
  'teacher',
  'news',
  'article',
  'arizona',
  'weather',
  'event',
  'aircraft',
  'benson',
  'az4',
  'k',
  'followersfollowon',
  'newsbreakmore',
  'arizona',
  'weathermanarizona',
  'state11',
  'hour',
  'trouble',
  'monsoon',
  'thunderstorm',
  'southern',
  'arizona',
  'weather',
  'condition',
  'possiblethe',
  'arizona',
  'weatherman',
  'area',
  'thunderstorm',
  'coverage',
  'arizona',
  'wednesday',
  'july',
  'initiation',
  'activity',
  'time',
  'intensity',
  'story',
  'commentssharephoenix',
  'az2',
  'day',
  'monsoon',
  'thunderstorm',
  'range',
  'outlook',
  'kick',
  'offthe',
  'arizona',
  'weatherman',
  'raiden',
  'storm',
  'arizona',
  'weather',
  'force',
  'discussion',
  'phoenix',
  'thunderstorm',
  'way',
  'metro',
  'area',
  'weekend',
  'change',
  'level',
  'flow',
  'thunderstorm',
  'phoenix',
  'spell',
  'area',
  'monsoon',
  'place',
  'arizona',
  'week',
  'july',
  'southern',
  'arizona',
  'mogollon',
  'rim',
  'southwest',
  'arizona',
  'region',
  'rain',
  'story',
  'commentssharearizona',
  'day',
  'agoarizona',
  'monsoon',
  'thunderstorm',
  'potential',
  'remain',
  'card',
  'arizona',
  'weatherman',
  'continuation',
  'arizona',
  'monsoon',
  'thunderstorm',
  'section',
  'state',
  'shift',
  'today',
  'thunderstorm',
  'bulk',
  'activity',
  'mogollon',
  'rim',
  'hour',
  'southern',
  'arizona',
  'weather',
  'stability',
  'index',
  'story',
  'commentssharearizona',
  'state4',
  'day',
  'agoarizona',
  'monsoon',
  'thunderstorm',
  'weekend',
  'weather',
  'rain',
  'phoenixaccording',
  'arizona',
  'weatherman',
  'arizona',
  'monsoon',
  'thunderstorm',
  'weekend',
  'activity',
  'mogollon',
  'rim',
  'section',
  'state',
  'possibility',
  'weather',
  'thunderstorm',
  'weather',
  'dynamic',
  'phoenix',
  'rain',
  'thunderstorm',
  'activity',
  'story',
  'commentssharearizona',
  'state5',
  'day',
  'agoeast',
  'update',
  'depression',
  'e',
  'impact',
  'arizona',
  'monsoon',
  'arizona',
  'weatherman',
  'east',
  'pacific',
  'basin',
  'update',
  'tropical',
  'depression',
  'e',
  'impact',
  'arizona',
  'monsoon',
  'thunderstorm',
  'depression',
  'mile',
  'tip',
  'baja',
  'california',
  'west',
  'northwest',
  'mph',
  'land',
  'mass',
  'arizona',
  'day',
  'depression',
  'strength',
  'saturday',
  'july',
  'story',
  'commentssharephoenix',
  'az6',
  'day',
  'rain',
  'southeastern',
  'arizona',
  'monsoon',
  'thunderstorm',
  'arizona',
  'weatherman',
  'july',
  'temperature',
  'rain',
  'phoenix',
  'metro',
  'area',
  'southwest',
  'arizona',
  'thunderstorm',
  'coverage',
  'rest',
  'state',
  'southeast',
  'arizona',
  'exception',
  'rule',
  'monsoon',
  'thunderstorm',
  'region',
  'story',
  'commentssharearizona',
  'state8',
  'day',
  'agomonsoon',
  'track',
  'weather',
  'southern',
  'arizona',
  'mogollon',
  'rimaccording',
  'arizona',
  'weatherman',
  'heat',
  'thunderstorm',
  'phoenix',
  'metro',
  'today',
  'monsoon',
  'thunderstorm',
  'picture',
  'area',
  'state',
  'pressure',
  'northeast',
  'change',
  'weather',
  'arizona',
  'thunderstorm',
  'activity',
  'weather',
  'potential',
  'south',
  'mogollon',
  'rim',
  'story',
  'commentssharephoenix',
  'az10',
  'day',
  'heatwave',
  'thunderstorm',
  'section',
  'arizona',
  'beginning',
  'week',
  'arizona',
  'weatherman',
  'heat',
  'thunderstorm',
  'phoenix',
  'metro',
  'monsoon',
  'thunderstorm',
  'tap',
  'section',
  'state',
  'longwave',
  'ridge',
  'pressure',
  'dome',
  'northeast',
  'day',
  'weather',
  'change',
  'arizona',
  'story',
  'commentssharearizona',
  'day',
  'arizona',
  'temperature',
  'pause',
  'monsoon',
  'thunderstorm',
  'weekendaccording',
  'arizona',
  'weatherman',
  'weekend',
  'july',
  'scorcher',
  'southern',
  'central',
  'arizona',
  'monsoon',
  'hold',
  'weekend',
  'thunderstorm',
  'activity',
  'south',
  'mogollon',
  'rim',
  'story',
  'commentssharearizona',
  'day',
  'agoarizona',
  'monsoon',
  'thunderstorm',
  'potential',
  'region',
  'state',
  'arizona',
  'weatherman',
  'arizona',
  'monsoon',
  'thunderstorm',
  'activity',
  'today',
  'july',
  'county',
  'pattern',
  'yesterday',
  'activity',
  'state',
  'coverage',
  'section',
  'state',
  'thunderstorm',
  'instability',
  'area',
  'phoenix',
  'metro',
  'area',
  'southwest',
  'arizona',
  'thunderstorm',
  'activity',
  'today',
  'tucson',
  'vicinity',
  'southeast',
  'evening',
  'hour',
  'story',
  'commentssharearizona',
  'state15',
  'day',
  'agotropical',
  'depression',
  'e',
  'form',
  'east',
  'pacific',
  'basin',
  'arizona',
  'depression',
  '3e',
  'start',
  'system',
  'east',
  'pacific',
  'basin',
  'spin',
  'system',
  'week',
  'national',
  'hurricane',
  'center',
  'nhc',
  'update',
  'system',
  'arizona',
  'story',
  'commentssharearizona',
  'day',
  'spread',
  'monsoon',
  'thunderstorm',
  'arizona',
  'mogollon',
  'rim',
  'arizona',
  'weatherman',
  'monsoon',
  'moisture',
  'thunderstorm',
  'activity',
  'state',
  'today',
  'july',
  'thunderstorm',
  'southeastern',
  'arizona',
  'mogollon',
  'rim',
  'dynamic',
  'activity',
  'state',
  'phoenix',
  'metro',
  'area',
  'southwest',
  'region',
  'thunderstorm',
  'activity',
  'today',
  'story',
  'commentssharearizona',
  'day',
  'agoarizona',
  'dust',
  'storm',
  'haboobs',
  'haboob',
  'term',
  'word',
  'origin',
  'american',
  'meteorological',
  'society',
  'dictionary',
  'sandstorm',
  'duststorm',
  'wind',
  'sand',
  'dust',
  'height',
  'm',
  'ft',
  'wall',
  'dust',
  'edge',
  'haboob',
  'definition',
  'storm',
  'thunderstorm',
  'outflow',
  'wind',
  'dust',
  'sand',
  'distance',
  'line',
  'feature',
  'thunderstorm',
  'activity',
  'visibility',
  'period',
  'minute',
  'hour',
  'story',
  'commentssharearizona',
  'day',
  'agosoutheastern',
  'arizona',
  'brace',
  'round',
  'thunderstorm',
  'rain',
  'wind',
  'arizona',
  'weatherman',
  'southeastern',
  'arizona',
  'area',
  'afternoon',
  'thunderstorm',
  'potential',
  'rain',
  'flooding',
  'wind',
  'thunderstorm',
  'cochise',
  'santa',
  'cruz',
  'southeast',
  'pima',
  'counties',
  'today',
  'story',
  'commentssharearizona',
  'day',
  'agoarizona',
  'impact',
  'weekend',
  'wildfire',
  'potential',
  'temperature',
  'thunderstorm',
  'southeast',
  'arizona',
  'weatherman',
  'wildfire',
  'potential',
  'central',
  'northern',
  'arizona',
  'temperature',
  'southern',
  'arizona',
  'thunderstorm',
  'potential',
  'southeastern',
  'arizona',
  'weekend',
  'pattern',
  'monsoon',
  'week',
  'start',
  'el',
  'nino',
  'year',
  'story',
  'commentssharearizona',
  'state21',
  'day',
  'agoheat',
  'dryness',
  'arizona',
  'monsoon',
  'system',
  'east',
  'pacific',
  'arizona',
  'weatherman',
  'eastern',
  'pacific',
  'basin',
  'start',
  'hurricane',
  'season',
  'storm',
  'week',
  'east',
  'pacific',
  'basin',
  'track',
  'storm',
  'rain',
  'thunderstorm',
  'activity',
  'section',
  'arizona',
  'start',
  'monsoon',
  'season',
  'arizona',
  'rain',
  'relief',
  'summer',
  'temperature',
  'southwest',
  'phoenix',
  'metro',
  'area',
  'story',
  'commentssharearizona',
  'state24',
  'day',
  'agoeast',
  'update',
  'storm',
  'temperature',
  'start',
  'arizona',
  'monsoon',
  'thunderstorm',
  'arizona',
  'weatherman',
  'ridging',
  'place',
  'southern',
  'arizona',
  'temperature',
  'rain',
  'week',
  'formation',
  'system',
  'end',
  'week',
  'chance',
  'thunderstorm',
  'activity',
  'southeastern',
  'arizona',
  'mogollon',
  'rim',
  'week',
  'story',
  'commentssharesierra',
  'vista',
  'az26',
  'agoarmy',
  'eye',
  'sky',
  'rq',
  '7b',
  'shadow',
  'unmanned',
  'aircraft',
  'system',
  'uas',
  'training',
  'unit',
  'fort',
  'huachuca',
  'arizonafor',
  'people',
  'fort',
  'huachuca',
  'sierra',
  'vista',
  'arizona',
  'thing',
  'mind',
  'army',
  'intelligence',
  'mission',
  'aircraft',
  'system',
  'uas',
  'plane',
  'drone',
  'medium',
  'eye',
  'sky',
  'aircraft',
  'battlefield',
  'information',
  'commander',
  'ground',
  'intelligence',
  'surveillance',
  'reconnaissance',
  'isr',
  'information',
  'sort',
  'fact',
  'force',
  'enemy',
  'troop',
  'movement',
  'troop',
  'number',
  'position',
  'terrorist',
  'roadside',
  'bomb',
  'example',
  'isr',
  'information',
  'story',
  'sharearizona',
  'state27',
  'day',
  'agosecond',
  'east',
  'pacific',
  'tropical',
  'storm',
  'beatriz',
  'way',
  'today',
  'monsoon',
  'thunderstorm',
  'impact',
  'arizonathe',
  'arizona',
  'weatherman',
  'east',
  'pacific',
  'tropical',
  'system',
  'update',
  'june',
  'impact',
  'thunderstorm',
  'arizona',
  'week',
  'hurricane',
  'adrian',
  'distance',
  'baja',
  'california',
  'peninsula',
  'west',
  'northwest',
  'mph',
  'impact',
  'arizona',
  'point',
  'land',
  'sea',
  'water',
  'weekend',
  'story',
  'commentssharecochise',
  'county',
  'az28',
  'day',
  'agocochise',
  'county',
  'arizona',
  'brace',
  'afternoon',
  'thunderstorm',
  'wildfire',
  'arizona',
  'weatherman',
  'thunderstorm',
  'cochise',
  'county',
  'southern',
  'graham',
  'county',
  'day',
  'june',
  'pm',
  'pm',
  'activity',
  'lightning',
  'rain',
  'wind',
  'vegetation',
  'wildfire',
  'potential',
  'area',
  'chance',
  'activity',
  'central',
  'cochise',
  'county',
  'naco',
  'douglas',
  'pearce',
  'willcox',
  'arizona',
  'model',
  'southern',
  'graham',
  'county',
  'activity',
  'state',
  'border',
  'story',
  'comment',
  '0closecommunity',
  'policy'],
 ['april',
  'packing',
  'high',
  'winds',
  'damage',
  'central',
  'indianaassociated',
  'press',
  'national',
  'weather',
  'service',
  'radar',
  'storm',
  'indiana',
  'wednesday',
  'p.m.',
  'april',
  '8national',
  'weather',
  'service',
  'april',
  'p.m.',
  'mooresville',
  'ind.',
  'ap',
  'storm',
  'wind',
  'hail',
  'tornado',
  'midwest',
  'damage',
  'home',
  'business',
  'indiana',
  'authority',
  'injury',
  'wednesday',
  'night',
  'storm',
  'threat',
  'weather',
  'day',
  'united',
  'states',
  'indiana',
  'community',
  'mooresville',
  'mile',
  'indianapolis',
  'brick',
  'town',
  'downtown',
  'thoroughfare',
  'traffic',
  'debris',
  'police',
  'officer',
  'brock',
  'a.',
  'chipman',
  'wish',
  'tv',
  'storm',
  'story',
  'story',
  'building',
  'woman',
  'power',
  'line',
  'car',
  'indiana',
  'home',
  'order',
  'coronavirus',
  'pandemic',
  'people',
  'danger',
  'storm',
  'roof',
  'building',
  'downtown',
  'storefront',
  'division',
  'chief',
  'john',
  'robinson',
  'mooresville',
  'fire',
  'department',
  'restaurant',
  'downtown',
  'folk',
  'circumstance',
  'virus',
  'blessing',
  'robinson',
  'wxin',
  'tv',
  'utility',
  'customer',
  'indiana',
  'power',
  'storm',
  'indiana',
  'power',
  'p.m.',
  'thursday',
  'duke',
  'energy',
  'outage',
  'indianapolis',
  'power',
  'light',
  'national',
  'weather',
  'service',
  'indianapolis',
  'survey',
  'crew',
  'thursday',
  'mooresville',
  'area',
  'community',
  'storm',
  'damage',
  'tornado',
  'meteorologist',
  'david',
  'beachler',
  'place',
  'state',
  'damage',
  'indiana',
  'community',
  'whiteland',
  'support',
  'journalism',
  'today',
  'wfyi',
  'work',
  'reporting',
  'today',
  'related',
  'newslocal',
  'news',
  'july',
  'response',
  'team',
  'health',
  'crisis',
  'police',
  'indianapolis',
  'clinician',
  'community',
  'response',
  'team',
  'health',
  'crisis',
  'july',
  '1.read',
  'morelocal',
  'news',
  'july',
  'recycling',
  'future',
  'study',
  'committee',
  'city',
  'indianapolis',
  'recycling',
  'program',
  'contract',
  'morelocal',
  'news',
  'july',
  'location',
  'u.s.',
  'version',
  'film',
  'oppenheimer',
  'indianapolis',
  'handful',
  'location',
  'country',
  'world',
  'millimeter',
  'version',
  'film',
  'oppenheimer',
  'week',
  'playingwfyi',
  'fmworld',
  'today',
  'bbc',
  'ws)1:00',
  'playinghd2',
  'radio12:00',
  'amlisten',
  'view',
  'programsindiana',
  'week',
  'review',
  'democrats',
  'republicans',
  'insider',
  'issue',
  'indiana',
  'statehouse',
  'indiana',
  'week',
  'review',
  'wfyi',
  'public',
  'media',
  'host',
  'brandon',
  'smith',
  'expert',
  'debate',
  'indiana',
  'view',
  'program',
  'wfyihomenewsprogramskidseducational',
  'resourceswfyi',
  'mobile',
  'appfollow',
  'passportcorporate',
  'sponsorshipwfyi',
  'newslocal',
  'newspublic',
  'affairseducationarts',
  'culturehealthfollow',
  'memberupdate',
  'payment',
  'methodwills',
  'estate',
  'planningdonate',
  'cargifts',
  'securitiesmatching',
  'centercontact',
  'wfyinewsroom',
  'staffwfyi',
  'press',
  'releasesdonor',
  'privacy',
  'policyfcc',
  'public',
  'inspection',
  'filespublic',
  'reporting',
  'right',
  'reserved.wfyi',
  'indianapolis',
  '',
  '',
  'north',
  'meridian',
  'st',
  'indianapolis',
  'indianapolis',
  'public',
  'media',
  'inconline',
  'privacy',
  'policy',
  'support',
  'wfyi'],
 ['owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'account',
  'dashboard',
  'profile',
  'items',
  'today',
  'cloud',
  'shower',
  'thunderstorm',
  'winds',
  'ssw',
  'mph',
  'tonight',
  'cloud',
  'shower',
  'thunderstorm',
  'winds',
  'ssw',
  'mph',
  'july',
  'pm',
  'account',
  'dashboard',
  'profile',
  'items',
  'fall',
  'storm',
  'season',
  'west',
  'virginia',
  'josiah',
  'cork',
  'matt',
  'harvey',
  'staff',
  'writers',
  'clarksburg',
  'w.va',
  'wv',
  'news',
  'temperature',
  'leave',
  'risk',
  'storm',
  'weather',
  'change',
  'air',
  'temperature',
  'season',
  'air',
  'gulf',
  'mexico',
  'air',
  'canada',
  'temperature',
  'difference',
  'air',
  'head',
  'system',
  'air',
  'fall',
  'air',
  'canada',
  'lot',
  'jennifer',
  'berryman',
  'meteorologist',
  'national',
  'weather',
  'service',
  '“the',
  'head',
  'system',
  'air',
  'gulf',
  'air',
  'berryman',
  'hurricane',
  'season',
  'people',
  'east',
  'coast',
  'potential',
  'boarding',
  'window',
  'west',
  'virginia',
  'remnant',
  'storm',
  'national',
  'preparedness',
  'month',
  'september',
  'hurricane',
  'season',
  'hurricane',
  'brewing',
  'florida',
  'pegi',
  'bailey',
  'harrison',
  'county',
  'office',
  'emergency',
  'management',
  'seashore',
  'ocean',
  'kind',
  'storm',
  'lot',
  'rain',
  'lot',
  'wind',
  'bailey',
  'accuweather',
  'senior',
  'meteorologist',
  'paul',
  'pastelok',
  'hurricane',
  'fiona',
  'canada',
  'west',
  'virginia',
  'tropical',
  'depression',
  'pastelok',
  'friday',
  'afternoon',
  'storm',
  'south',
  'american',
  'coast',
  'term',
  'forecast',
  'model',
  'shift',
  'depression',
  'cuba',
  'pastelok',
  'track',
  'storm',
  'united',
  'states',
  'coast',
  'west',
  'virginia',
  'rain',
  'event',
  'future',
  'condition',
  'september',
  'north',
  'central',
  'west',
  'virginia',
  'area',
  'accuweather',
  'senior',
  'meteorologist',
  'paul',
  'pastelok',
  'region',
  'august',
  'rain',
  'september',
  'area',
  'inch',
  'rain',
  'average',
  'rest',
  'country',
  'west',
  'virginia',
  'drought',
  'condition',
  'thursday',
  'u.s.',
  'drought',
  'monitor',
  'map',
  'idea',
  'storm',
  'home',
  'bailey',
  'case',
  'flooding',
  'power',
  'outage',
  'preparedness',
  'rule',
  'emergency',
  'day',
  'hour',
  'safety',
  'kit',
  'water',
  'food',
  'medicine',
  'person',
  'house',
  'bailey',
  'gutter',
  'time',
  'care',
  'debris',
  'tree',
  'drainage',
  'ditch',
  'weekend',
  'issue',
  'bailey',
  'reaction',
  '×',
  'post',
  'comment',
  'anonymous',
  'commenter',
  'discussion',
  'discussion',
  'email',
  'notification',
  'discussion',
  'notification',
  'discussion',
  'language',
  'turn',
  'caps',
  'lock',
  'threat',
  'person',
  'racism',
  'sexism',
  'sort',
  '-ism',
  'person',
  'report',
  'link',
  'comment',
  'post',
  'eyewitness',
  'account',
  'history',
  'article',
  'discussion',
  'discussion',
  'wv',
  'news',
  'hewes',
  'avenue',
  'po',
  'box',
  'clarksburg',
  'wv',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'minute',
  'news',
  'device',
  'switch',
  'account',
  'photo',
  'comment',
  'blog',
  'post',
  'email',
  'address',
  'account',
  'password',
  'email',
  'address',
  'wv',
  'news',
  'dailynews',
  'state',
  'world',
  'today',
  'wv',
  'news',
  'weeklyfind',
  'state',
  'email',
  'alert',
  'thursday',
  'evening',
  'wv',
  'obituariessign',
  'obit',
  'inbox',
  'state',
  'journal',
  'newslettersign',
  'newsletter',
  'thing',
  'business',
  'politic',
  'west',
  'virginia',
  'morgantown',
  'news',
  'weeklymorgantown',
  'news',
  'inbox',
  'week',
  'wv',
  'special',
  'offersspecial',
  'business',
  'area',
  'expert',
  'wvu',
  'college',
  'high',
  'school',
  'sports',
  'updateget',
  'headline',
  'wvu',
  'college',
  'high',
  'school',
  'sport',
  'newsget',
  'news',
  'state',
  'exponent',
  'telegram',
  'daily',
  'newsletterdaily',
  'news',
  'sport',
  'event',
  'et',
  'wv',
  'biz',
  'gov',
  'frequent)sign',
  'wv',
  'government',
  'business',
  'newsletter',
  'week',
  'wv',
  'new',
  'story',
  'weekthis',
  'week',
  'news',
  'state',
  'blue',
  'gold',
  'newsletterdaily',
  'blue',
  'gold',
  'news',
  'wvu',
  'sport',
  'fairmont',
  'daily',
  'newsletterdaily',
  'news',
  'sport',
  'event',
  'marion',
  'county',
  'garrett',
  'county',
  'weekly',
  'newsletterdaily',
  'news',
  'sport',
  'event',
  'garrett',
  'county',
  'area',
  'jackson',
  'star',
  'herald',
  'weeklyget',
  'jackson',
  'news',
  'weekly',
  'inbox',
  'mineral',
  'news',
  'tribune',
  'daily',
  'updatedaily',
  'news',
  'mineral',
  'news',
  'tribune',
  'email',
  'preston',
  'county',
  'daily',
  'newsletterdaily',
  'news',
  'sport',
  'event',
  'preston',
  'county',
  'river',
  'cities',
  'weekly',
  'newsletterget',
  'river',
  'cities',
  'tribune',
  'register',
  'email',
  'mountain',
  'statesman',
  'newsletternews',
  'sports',
  'event',
  'grafton',
  'taylor',
  'county',
  'record',
  'delta',
  'newsletterthe',
  'best',
  'news',
  'buckhannon',
  'upshur',
  'county',
  'weston',
  'democrat',
  'dailydaily',
  'news',
  'sport',
  'event',
  'weston',
  'area',
  'job',
  'offer',
  'inbox',
  'bulletin',
  'board',
  'listingsarea',
  'listing',
  'bulletin',
  'board',
  'update',
  'account',
  'email',
  'detail',
  'password',
  'account',
  'log',
  'link',
  'form',
  'message',
  'email',
  'link',
  'password',
  'email',
  'message',
  'instruction',
  'password',
  'email',
  'address',
  'account',
  'log',
  'link',
  'facebook',
  'google',
  'switch',
  'account',
  'alabamaalaskaarizonaarkansascaliforniacoloradoconnecticutdelawarefloridageorgiahawaiiidahoillinoisindianaiowakansaskentuckylouisianamainemarylandmassachusettsmichiganminnesotamississippimissourimontananebraskanevadanew',
  'hampshirenew',
  'jerseynew',
  'mexiconew',
  'yorknorth',
  'carolinanorth',
  'dakotaohiooklahomaoregonpennsylvaniarhode',
  'islandsouth',
  'carolinasouth',
  'virginiawisconsinwyomingpuerto',
  'ricous',
  'virgin',
  'islandsarmed',
  'forces',
  'americasarmed',
  'forces',
  'pacificarmed',
  'forces',
  'europenorthern',
  'mariana',
  'islandsmarshall',
  'islandsamerican',
  'samoafederated',
  'states',
  'micronesiaguampalaualberta',
  'canadabritish',
  'columbia',
  'canadamanitoba',
  'canadanew',
  'brunswick',
  'canadanewfoundland',
  'canadanova',
  'scotia',
  'canadanorthwest',
  'territories',
  'canadanunavut',
  'canadaontario',
  'canadaprince',
  'edward',
  'island',
  'canadaquebec',
  'canadasaskatchewan',
  'canadayukon',
  'territory',
  'canada',
  'united',
  'states',
  'virgin',
  'islandsunited',
  'states',
  'minor',
  'outlying',
  'islandscanadamexico',
  'united',
  'mexican',
  'statesbahamas',
  'commonwealth',
  'thecuba',
  'republic',
  'ofdominican',
  'republichaiti',
  'republic',
  'ofjamaicaafghanistanalbania',
  'people',
  'socialist',
  'republic',
  'ofalgeria',
  'people',
  'democratic',
  'republic',
  'samoaandorra',
  'principality',
  'ofangola',
  'republic',
  'ofanguillaantarctica',
  'territory',
  'south',
  'deg',
  's)antigua',
  'barbudaargentina',
  'argentine',
  'republicarmeniaarubaaustralia',
  'commonwealth',
  'ofaustria',
  'republic',
  'ofazerbaijan',
  'republic',
  'ofbahrain',
  'kingdom',
  'ofbangladesh',
  'people',
  'republic',
  'ofbarbadosbelarusbelgium',
  'kingdom',
  'ofbelizebenin',
  'people',
  'republic',
  'ofbermudabhutan',
  'kingdom',
  'ofbolivia',
  'republic',
  'ofbosnia',
  'herzegovinabotswana',
  'republic',
  'ofbouvet',
  'island',
  'bouvetoya)brazil',
  'federative',
  'republic',
  'ofbritish',
  'indian',
  'ocean',
  'territory',
  'chagos',
  'virgin',
  'islandsbrunei',
  'darussalambulgaria',
  'people',
  'republic',
  'ofburkina',
  'fasoburundi',
  'republic',
  'ofcambodia',
  'kingdom',
  'ofcameroon',
  'united',
  'republic',
  'ofcape',
  'verde',
  'republic',
  'islandscentral',
  'african',
  'republicchad',
  'republic',
  'ofchile',
  'republic',
  'ofchina',
  'people',
  'republic',
  'ofchristmas',
  'islandcocos',
  'keeling',
  'islandscolombia',
  'republic',
  'ofcomoros',
  'union',
  'thecongo',
  'democratic',
  'republic',
  'ofcongo',
  'people',
  'republic',
  'ofcook',
  'islandscosta',
  'rica',
  'republic',
  'ofcote',
  "d'ivoire",
  'ivory',
  'coast',
  'republic',
  'thecyprus',
  'republic',
  'ofczech',
  'republicdenmark',
  'kingdom',
  'ofdjibouti',
  'republic',
  'ofdominica',
  'commonwealth',
  'ofecuador',
  'republic',
  'ofegypt',
  'arab',
  'republic',
  'ofel',
  'salvador',
  'republic',
  'ofequatorial',
  'guinea',
  'republic',
  'oferitreaestoniaethiopiafaeroe',
  'islandsfalkland',
  'islands',
  'malvinas)fiji',
  'republic',
  'fiji',
  'islandsfinland',
  'republic',
  'offrance',
  'republicfrench',
  'guianafrench',
  'polynesiafrench',
  'southern',
  'territoriesgabon',
  'gabonese',
  'republicgambia',
  'republic',
  'republic',
  'ofgibraltargreece',
  'hellenic',
  'republicgreenlandgrenadaguadaloupeguamguatemala',
  'republic',
  'ofguinea',
  'revolutionary',
  'people',
  "rep'c",
  'ofguinea',
  'bissau',
  'republic',
  'ofguyana',
  'republic',
  'ofheard',
  'mcdonald',
  'islandsholy',
  'vatican',
  'city',
  'state)honduras',
  'republic',
  'ofhong',
  'kong',
  'special',
  'administrative',
  'region',
  'chinahrvatska',
  'croatia)hungary',
  'people',
  'republiciceland',
  'republic',
  'ofindia',
  'republic',
  'ofindonesia',
  'republic',
  'ofiran',
  'islamic',
  'republic',
  'republic',
  'state',
  'italian',
  'republicjapanjordan',
  'hashemite',
  'kingdom',
  'ofkazakhstan',
  'republic',
  'ofkenya',
  'republic',
  'ofkiribati',
  'republic',
  'ofkorea',
  'democratic',
  'people',
  'republic',
  'ofkorea',
  'republic',
  'ofkuwait',
  'state',
  'ofkyrgyz',
  'republiclao',
  'people',
  'democratic',
  'republiclatvialebanon',
  'lebanese',
  'republiclesotho',
  'kingdom',
  'ofliberia',
  'republic',
  'arab',
  'jamahiriyaliechtenstein',
  'oflithuanialuxembourg',
  'grand',
  'duchy',
  'ofmacao',
  'special',
  'administrative',
  'region',
  'chinamacedonia',
  'yugoslav',
  'republic',
  'ofmadagascar',
  'republic',
  'ofmalawi',
  'republic',
  'ofmalaysiamaldives',
  'republic',
  'ofmali',
  'republic',
  'ofmalta',
  'republic',
  'ofmarshall',
  'islandsmartiniquemauritania',
  'islamic',
  'republic',
  'ofmauritiusmayottemicronesia',
  'federated',
  'states',
  'ofmoldova',
  'republic',
  'ofmonaco',
  'ofmongolia',
  'mongolian',
  'people',
  'republicmontserratmorocco',
  'kingdom',
  'ofmozambique',
  'people',
  'republic',
  'ofmyanmarnamibianauru',
  'republic',
  'ofnepal',
  'kingdom',
  'ofnetherlands',
  'antillesnetherlands',
  'kingdom',
  'thenew',
  'caledonianew',
  'zealandnicaragua',
  'republic',
  'ofniger',
  'republic',
  'thenigeria',
  'federal',
  'republic',
  'ofniue',
  'republic',
  'ofnorfolk',
  'islandnorthern',
  'mariana',
  'islandsnorway',
  'kingdom',
  'ofoman',
  'sultanate',
  'islamic',
  'republic',
  'ofpalaupalestinian',
  'territory',
  'occupiedpanama',
  'republic',
  'ofpapua',
  'new',
  'guineaparaguay',
  'republic',
  'ofperu',
  'republic',
  'ofphilippines',
  'republic',
  'thepitcairn',
  'islandpoland',
  'polish',
  'people',
  'republicportugal',
  'portuguese',
  'republicpuerto',
  'ricoqatar',
  'state',
  'socialist',
  'republic',
  'ofrussian',
  'federationrwanda',
  'rwandese',
  'republicsamoa',
  'independent',
  'state',
  'ofsan',
  'marino',
  'republic',
  'tome',
  'principe',
  'democratic',
  'republic',
  'ofsaudi',
  'arabia',
  'kingdom',
  'ofsenegal',
  'republic',
  'ofserbia',
  'montenegroseychelles',
  'republic',
  'ofsierra',
  'leone',
  'republic',
  'ofsingapore',
  'republic',
  'ofslovakia',
  'slovak',
  'republic)sloveniasolomon',
  'islandssomalia',
  'somali',
  'republicsouth',
  'africa',
  'republic',
  'ofsouth',
  'georgia',
  'south',
  'sandwich',
  'islandsspain',
  'spanish',
  'statesri',
  'lanka',
  'democratic',
  'socialist',
  'republic',
  'ofst',
  'helenast',
  'kitts',
  'nevisst',
  'luciast',
  'pierre',
  'miquelonst',
  'vincent',
  'grenadinessudan',
  'democratic',
  'republic',
  'thesuriname',
  'republic',
  'ofsvalbard',
  'jan',
  'mayen',
  'islandsswaziland',
  'kingdom',
  'ofsweden',
  'kingdom',
  'ofswitzerland',
  'swiss',
  'confederationsyrian',
  'arab',
  'republictaiwan',
  'province',
  'chinatajikistantanzania',
  'united',
  'republic',
  'ofthailand',
  'kingdom',
  'oftimor',
  'leste',
  'democratic',
  'republic',
  'oftogo',
  'togolese',
  'republictokelau',
  'tokelau',
  'islands)tonga',
  'kingdom',
  'oftrinidad',
  'tobago',
  'republic',
  'oftunisia',
  'republic',
  'ofturkey',
  'republic',
  'ofturkmenistanturks',
  'caicos',
  'islandstuvaluuganda',
  'republic',
  'arab',
  'emiratesunited',
  'kingdom',
  'great',
  'britain',
  'n.',
  'irelanduruguay',
  'eastern',
  'republic',
  'ofuzbekistanvanuatuvenezuela',
  'bolivarian',
  'republic',
  'ofviet',
  'nam',
  'socialist',
  'republic',
  'ofwallis',
  'futuna',
  'islandswestern',
  'saharayemenzambia',
  'republic',
  'state',
  'alabamaalaskaarizonaarkansascaliforniacoloradoconnecticutdelawarefloridageorgiahawaiiidahoillinoisindianaiowakansaskentuckylouisianamainemarylandmassachusettsmichiganminnesotamississippimissourimontananebraskanevadanew',
  'hampshirenew',
  'jerseynew',
  'mexiconew',
  'yorknorth',
  'carolinanorth',
  'dakotaohiooklahomaoregonpennsylvaniarhode',
  'islandsouth',
  'carolinasouth',
  'virginiawisconsinwyomingpuerto',
  'ricous',
  'virgin',
  'islandsarmed',
  'forces',
  'americasarmed',
  'forces',
  'pacificarmed',
  'forces',
  'europenorthern',
  'mariana',
  'islandsmarshall',
  'islandsamerican',
  'samoafederated',
  'states',
  'micronesiaguampalaualberta',
  'canadabritish',
  'columbia',
  'canadamanitoba',
  'canadanew',
  'brunswick',
  'canadanewfoundland',
  'canadanova',
  'scotia',
  'canadanorthwest',
  'territories',
  'canadanunavut',
  'canadaontario',
  'canadaprince',
  'edward',
  'island',
  'canadaquebec',
  'canadasaskatchewan',
  'canadayukon',
  'territory',
  'canada',
  ...],
 ['owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'log',
  'account',
  'log',
  'account',
  'sign',
  'today',
  'account',
  'dashboard',
  'profile',
  'item',
  'illinois',
  'storm',
  'damage',
  'state',
  'state',
  'day',
  'fund',
  'storm',
  'damage',
  'statestrong',
  'thunderstorm',
  'illinois',
  'thursday',
  'tree',
  'semis',
  'power',
  'thousand',
  'police',
  'resident',
  'area',
  'power',
  'line',
  'illinois',
  'state',
  'police',
  'i-57',
  'tuscola',
  'wind',
  'semis',
  'point',
  'utility',
  'people',
  'springfield',
  'power',
  'decatur',
  'power',
  'state',
  'day',
  'fund',
  'friday',
  'illinois',
  'state',
  'year',
  'budget',
  'deposit',
  'budget',
  'stabilization',
  'fund',
  'state',
  'illinois',
  'fiscal',
  'year',
  'budget',
  'fund',
  'balance',
  'state',
  'history',
  'illinois',
  'budget',
  'stabilization',
  'fund',
  'intent',
  'day',
  'fund',
  'emergency',
  'downturn',
  'cahokia',
  'mounds',
  'app',
  'cahokia',
  'mounds',
  'museum',
  'society',
  'museum',
  'award',
  'excellence',
  'american',
  'association',
  'state',
  'history',
  'city',
  'sun',
  'site',
  'reality',
  'experience',
  'visitor',
  'exhibit',
  'past',
  'present',
  'audio',
  'video',
  'app',
  'tour',
  'visitor',
  'temple',
  'monks',
  'mound',
  'aspect',
  'site',
  'year',
  'camera',
  'smartphone',
  'device',
  'center',
  'square',
  'center',
  'square',
  'illinois',
  'carbon',
  'emissions',
  'states',
  'illinois',
  'veteran',
  'population',
  'states',
  'best',
  'place',
  'illinois',
  'cannabis',
  'consumption',
  'illinois',
  'rest',
  'spn',
  'poll',
  'majority',
  'parent',
  'teacher',
  'course',
  'curriculum',
  'sen.',
  'mcconnell',
  'press',
  'conference',
  'concern',
  'u.s.',
  'house',
  'committee',
  'report',
  'mayorkas',
  'border',
  'policy',
  'dereliction',
  'duty',
  'desantis',
  'nation',
  'decline',
  'coast',
  'guard',
  'stockpile',
  'food',
  'water',
  'emergency',
  'report',
  'federal',
  'reserve',
  'hike',
  'rate',
  'level',
  'year',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'copyright',
  'franklin',
  'news',
  'foundation',
  'n.',
  'clark',
  'st.',
  'suite',
  'chicago',
  'il',
  'term',
  'use',
  '',
  '',
  'privacy',
  'policy'],
 ['ad',
  'issue',
  'video',
  'player',
  'content',
  'ad',
  'video',
  'content',
  'ad',
  'audio',
  'ad',
  'ad',
  'page',
  'content',
  'ad',
  'ad',
  'ad',
  'effort',
  'contribution',
  'feedback',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'winter',
  'storm',
  'heat',
  'wave',
  'south',
  'degree',
  'difference',
  'aya',
  'elamroussi',
  'eric',
  'levenson',
  'taylor',
  'ward',
  'cnn',
  'pm',
  'est',
  'd',
  'february',
  'dashcam',
  'inch',
  'state',
  'trooper',
  'dashcam',
  'inch',
  'state',
  'trooper',
  'mcconnell',
  'press',
  'conference',
  'mcconnell',
  'press',
  'conference',
  'statement',
  'doctor',
  'athlete',
  'risk',
  'arrest',
  'cnn',
  'reporter',
  'giuliani',
  'night',
  'court',
  'filing',
  'kevin',
  'spacey',
  'assault',
  'charge',
  'video',
  'moment',
  'crane',
  'new',
  'york',
  'street',
  'esper',
  'fighter',
  'jet',
  'syria',
  'dr.',
  'gupta',
  'bronny',
  'james',
  'arrest',
  'alleged',
  'gilgo',
  'beach',
  'killer',
  'case',
  'date',
  'trooper',
  'ex',
  '-',
  'pastor',
  'demeanor',
  'police',
  'year',
  'girl',
  'ex',
  '-',
  'official',
  'shift',
  'trump',
  'attitude',
  'cnn',
  'reporter',
  'witness',
  'theft',
  'shoplifting',
  'prisoner',
  'ukraine',
  'people',
  'year',
  'life',
  'study',
  'emergency',
  'physician',
  'mistake',
  'people',
  'heat',
  'wave',
  'police',
  'fire',
  'water',
  'cannon',
  'protester',
  'winter',
  'storm',
  'record',
  'temperature',
  'plains',
  'heat',
  'wave',
  'southeast',
  'set',
  'record',
  'high',
  'month',
  'february',
  'country',
  'temperature',
  'difference',
  'degree',
  'montana',
  'wyoming',
  'dakotas',
  'temperature',
  'wednesday',
  'afternoon',
  'degree',
  'cut',
  'bank',
  'montana',
  'time',
  'south',
  'texas',
  'carolinas',
  'afternoon',
  'temperature',
  'degree',
  'mcallen',
  'texas',
  'cold',
  'north',
  'aspect',
  'coast',
  'coast',
  'storm',
  'snow',
  'wind',
  'ice',
  'wednesday',
  'dozen',
  'state',
  'winter',
  'weather',
  'alert',
  'travel',
  'condition',
  'area',
  'people',
  'state',
  'west',
  'california',
  'minnesota',
  'maine',
  'winter',
  'weather',
  'alert',
  'wednesday',
  'morning',
  'warning',
  'icing',
  'cold',
  'sleet',
  'travel',
  'power',
  'man',
  'snow',
  'street',
  'downtown',
  'minneapolis',
  'february',
  'upper',
  'midwest',
  'brunt',
  'storm',
  'term',
  'snowfall',
  'minneapolis',
  'area',
  'inch',
  'wednesday',
  'foot',
  'multiday',
  'storm',
  'year',
  'twin',
  'cities',
  'inch',
  'snow',
  'wednesday',
  'morning',
  'round',
  'snow',
  'wind',
  'night',
  'thursday',
  'morning',
  'life',
  'travel',
  'condition',
  'national',
  'weather',
  'service',
  'minnesota',
  'department',
  'transportation',
  'wednesday',
  'afternoon',
  'state',
  'highway',
  'i-90',
  'blizzard',
  'condition',
  'visibility',
  'snow',
  'highway',
  'minneapolis',
  'wednesday',
  'february',
  'snow',
  'ice',
  'storm',
  'warning',
  'place',
  'people',
  'stretch',
  'iowa',
  'michigan',
  'icing',
  'atlantic',
  'wednesday',
  'weather',
  'threat',
  'wind',
  'oklahoma',
  'missouri',
  'flooding',
  'rain',
  'illinois',
  'indiana',
  'ohio',
  'blizzard',
  'warning',
  'wyoming',
  'minnesota',
  'wisconsin',
  'dakota',
  'weather',
  'south',
  'area',
  'temperature',
  'record',
  'calendar',
  'day',
  'nashville',
  'tennessee',
  'degree',
  'mobile',
  'alabama',
  'charleston',
  'west',
  'virginia',
  'cincinnati',
  'southeast',
  'temperature',
  '70',
  '80',
  'contrast',
  'condition',
  'wind',
  'storm',
  'power',
  'line',
  'power',
  'home',
  'business',
  'california',
  'tuesday',
  'outage',
  'county',
  'san',
  'mateo',
  'santa',
  'clara',
  'santa',
  'cruz',
  'tracking',
  'site',
  'poweroutage.us',
  'wednesday',
  'evening',
  'california',
  'outage',
  'power',
  'outage',
  'midwest',
  'wednesday',
  'evening',
  'snow',
  'rain',
  'region',
  'customer',
  'power',
  'state',
  'michigan',
  'illinois',
  'tracking',
  'site',
  'fence',
  'tree',
  'apartment',
  'building',
  'winter',
  'storm',
  'san',
  'diego',
  'california',
  'tuesday',
  'february',
  'california',
  'foot',
  'snow',
  'mountain',
  'inch',
  'elevation',
  'national',
  'weather',
  'service',
  'los',
  'angeles',
  'event',
  'country',
  'blizzard',
  'warning',
  'mountain',
  'california',
  'los',
  'angeles',
  'ventura',
  'county',
  'effect',
  'friday',
  'morning',
  'saturday',
  'afternoon',
  'blizzard',
  'warning',
  'weather',
  'service',
  'los',
  'angeles',
  'office',
  'february',
  'office',
  'population',
  'california',
  'snow',
  'vantage',
  'point',
  'week',
  'direction',
  'daniel',
  'swain',
  'climate',
  'scientist',
  'university',
  'california',
  'los',
  'angeles',
  'weather',
  'state',
  'month',
  'round',
  'flooding',
  'area',
  'time',
  'cold',
  'winter',
  'storm',
  'week',
  'weather',
  'service',
  'los',
  'angeles',
  'gusty',
  'wind',
  'flight',
  'wednesday',
  'minneapolis',
  'denver',
  'detroit',
  'chicago',
  'tracking',
  'site',
  'flightaware',
  'minneapolis',
  'foot',
  'snow',
  'minneapolis',
  'day',
  'storm',
  'snow',
  'snow',
  'wednesday',
  'thursday',
  'national',
  'weather',
  'service',
  'twin',
  'cities',
  'impact',
  'twin',
  'cities',
  'region',
  'city',
  'minneapolis',
  'st.',
  'paul',
  'suburb',
  'wednesday',
  'thursday',
  'snow',
  'ground',
  'wind',
  'weather',
  'service',
  'wind',
  'mph',
  'gust',
  'mph',
  'blizzard',
  'condition',
  'wednesday',
  'afternoon',
  'round',
  'snow',
  'inch',
  'area',
  'inch',
  'service',
  'look',
  'winter',
  'storm',
  'severity',
  'index',
  'wssi',
  'day',
  'midday',
  'friday',
  'major',
  'extreme',
  'winter',
  'weather',
  'impact',
  'west',
  'coast',
  'new',
  'england',
  'travel',
  'upper',
  'midwest',
  'blizzard',
  'condition',
  'pic.twitter.com/fcwxg5e7gq',
  'national',
  'weather',
  'service',
  'february',
  'minnesota',
  'gov.',
  'tim',
  'walz',
  'state',
  'national',
  'guard',
  'transportation',
  'department',
  'state',
  'patrol',
  'storm',
  'impact',
  'twitter',
  'minnesotans',
  'plan',
  'travel',
  'walz',
  'upper',
  'midwest',
  'snow',
  'rate',
  'inch',
  'hour',
  'wind',
  'gust',
  'mph',
  'national',
  'weather',
  'service',
  'whammy',
  'condition',
  'snow',
  'condition',
  'people',
  'blizzard',
  'warning',
  'wyoming',
  'minnesota',
  'wisconsin',
  'dakotas',
  'minneapolis',
  'city',
  'inch',
  'snow',
  'thursday',
  'addition',
  'inch',
  'sioux',
  'falls',
  'south',
  'dakota',
  'addition',
  'inch',
  'snow',
  'state',
  'inch',
  'wind',
  'mph',
  'cheyenne',
  'wyoming',
  'snowfall',
  'foot',
  'addition',
  'wind',
  'icing',
  'milwaukee',
  'wisconsin',
  'detroit',
  'ann',
  'arbor',
  'michigan',
  'icing',
  'wednesday',
  'thunderstorm',
  'wind',
  'rain',
  'wednesday',
  'morning',
  'afternoon',
  'oklahoma',
  'arkansas',
  'missouri',
  'illinois',
  'national',
  'weather',
  'service',
  'car',
  'stormcnn',
  'site',
  'wednesday',
  'condition',
  'state',
  'safety',
  'measure',
  'south',
  'dakota',
  'governor',
  'tuesday',
  'closure',
  'state',
  'government',
  'executive',
  'branch',
  'office',
  'wednesday',
  'half',
  'state',
  'county',
  'plan',
  'employee',
  'tuesday',
  'night',
  'snow',
  'south',
  'dakota',
  'official',
  'wednesday',
  'closing',
  'section',
  'interstate',
  'minnesota',
  'state',
  'highway',
  'portion',
  'i-90',
  'wednesday',
  'blizzard',
  'condition',
  'crash',
  'state',
  'minnesota',
  'state',
  'patrol',
  'crash',
  'hour',
  'wyoming',
  'institution',
  'door',
  'wednesday',
  'portion',
  'i-25',
  'i-80',
  'eastern',
  'wyoming',
  'college',
  'closure',
  'campus',
  'natrona',
  'county',
  'school',
  'district',
  'casper',
  'learning',
  'day',
  'wednesday',
  'weather',
  'road',
  'condition',
  'area',
  'district',
  'food',
  'bank',
  'wyoming',
  'county',
  'state',
  'wednesday',
  'tweet',
  'cnn',
  'theresa',
  'waldrop',
  'robert',
  'shackelford',
  'joe',
  'sutton',
  'andy',
  'rose',
  'michelle',
  'watson',
  'report',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cable',
  'news',
  'network',
  'warner',
  'bros.',
  'discovery',
  'company',
  'rights',
  'cnn',
  'sans',
  'cable',
  'news',
  'network'],
 ['health',
  'sex',
  'relationships',
  'viral',
  'trends',
  'human',
  'interest',
  'parenting',
  'fashion',
  'beauty',
  'food',
  'drink',
  'travel',
  'storm',
  'havoc',
  'hawaii',
  'thank',
  'submission',
  'tourist',
  'submarine',
  'pilot',
  'ocean',
  'floor',
  'time',
  'day',
  'job',
  'stuck',
  'hawaii',
  'passenger',
  'hour',
  'delay',
  'nyc',
  'airport',
  'food',
  'voucher',
  'southwest',
  'passenger',
  'photo',
  'bomb',
  'plane',
  'pat',
  'sajak',
  'oldie',
  'wheel',
  'retirement',
  'honolulu',
  'shore',
  'oahu',
  'waikiki',
  'beach',
  'summit',
  'big',
  'island',
  'peak',
  'winter',
  'storm',
  'hawaiian',
  'islands',
  'threat',
  'flash',
  'flood',
  'landslide',
  'tree',
  'limb',
  'storm',
  'nation',
  'island',
  'state',
  'couple',
  'wedding',
  'tourist',
  'indoor',
  'state',
  'infrastructure',
  'deluge',
  'rain',
  'wind',
  'boy',
  'age',
  'creek',
  'honolulu',
  'fire',
  'department',
  'worker',
  'statement',
  'agency',
  'official',
  'thunderstorm',
  'wind',
  'rain',
  'wednesday',
  'gov.',
  'david',
  'ige',
  'state',
  'emergency',
  'state',
  'island',
  'monday',
  'night',
  'people',
  'umbrella',
  'beach',
  'honolulu',
  'ap',
  'veterans',
  'survivor',
  'attack',
  'pearl',
  'harbor',
  'year',
  'anniversary',
  'celebration',
  'tuesday',
  'morning',
  'pearl',
  'harbor',
  'navy',
  'spokesperson',
  'brenda',
  'way',
  'associated',
  'press',
  'email',
  'monday',
  'discussion',
  'event',
  'storm',
  'national',
  'weather',
  'service',
  'storm',
  'threat',
  'flooding',
  'day',
  'pressure',
  'system',
  'east',
  'west',
  'edge',
  'archipelago',
  'storm',
  'power',
  'community',
  'hawaii',
  'rain',
  'state',
  'island',
  'oahu',
  'monday',
  'evening',
  'people',
  'rain',
  'waikiki',
  'beach',
  'ap',
  'time',
  'emergency',
  'plan',
  'place',
  'supply',
  'water',
  'ige',
  'statement',
  'oahu',
  'shelter',
  'beach',
  'waikiki',
  'monday',
  'people',
  'umbrella',
  'shower',
  'roadway',
  'area',
  'car',
  'downtown',
  'water',
  'manhole',
  'cover',
  'maui',
  'power',
  'outage',
  'flooding',
  'foot',
  'centimeter',
  'rain',
  'area',
  'beach',
  'goer',
  'rain',
  'waikiki',
  'beach',
  'ap',
  'rain',
  'couple',
  'u.s.',
  'mainland',
  'maui',
  'elopement',
  'nicole',
  'bonanno',
  'owner',
  'bella',
  'bloom',
  'floral',
  'wedding',
  'florist',
  'boutique',
  'wailea',
  'weather',
  'flower',
  'delivery',
  'company',
  'power',
  'employee',
  'road',
  'debris',
  'bonanno',
  'road',
  'mess',
  'lot',
  'tree',
  'maui',
  'resident',
  'jimmy',
  'gomes',
  'light',
  'home',
  'monday',
  'power',
  'p.m.',
  'sunday',
  'rain',
  'gauge',
  'inch',
  'centimeter',
  'kind',
  'rain',
  'time',
  'car',
  'cooke',
  'street',
  'monday',
  'dec.',
  'honolulu',
  'ap',
  'night',
  'wind',
  'morning',
  'big',
  'island',
  'mayor',
  'mitch',
  'roth',
  'state',
  'emergency',
  'sunday',
  'rainfall',
  'wind',
  'area',
  'hilo',
  'rain',
  'weekend',
  'weather',
  'official',
  'island',
  'threat',
  'flash',
  'flooding',
  'lightning',
  'strike',
  'landslide',
  'wind',
  'day',
  'national',
  'weather',
  'service',
  'oahu',
  'kauai',
  'brunt',
  'storm',
  'monday',
  'tuesday',
  'maui',
  'big',
  'island',
  'lot',
  'rain',
  'problem',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'meteorologist',
  'robert',
  'ballard',
  'pedestrian',
  'queen',
  'street',
  'monday',
  'dec.',
  'honolulu',
  'ap',
  'winter',
  'weather',
  'system',
  'kona',
  'low',
  'emergency',
  'alert',
  'weekend',
  'wind',
  'rain',
  'blizzard',
  'condition',
  'hawaii',
  'elevation',
  'weekend',
  'blizzard',
  'warning',
  'state',
  'peak',
  'big',
  'island',
  'snow',
  'summit',
  'mauna',
  'kea',
  'foot',
  'meter',
  'time',
  'blizzard',
  'warning',
  'summit',
  'resident',
  'summit',
  'telescope',
  'observatory',
  'office',
  'official',
  'weather',
  'service',
  'report',
  'inch',
  'centimeter',
  'snow',
  'road',
  'mauna',
  'kea',
  'official',
  'summit',
  'measurement',
  'forecast',
  'foot',
  'snow',
  'mountain',
  'peak',
  'storm',
  'cloud',
  'background',
  'beachgoer',
  'waikiki',
  'beach',
  'ap',
  'wind',
  'gust',
  'mph',
  '138',
  'kph',
  'mauna',
  'kea',
  'area',
  'elevation',
  'wind',
  'gust',
  'mph',
  'kph',
  'location',
  'state',
  'weather',
  'official',
  'kona',
  'type',
  'pressure',
  'system',
  'form',
  'hawaii',
  'winter',
  'season',
  'characteristic',
  'ballard',
  'national',
  'weather',
  'service',
  'science',
  'operation',
  'officer',
  'hawaii',
  'moisture',
  'region',
  'kona',
  'low',
  'rain',
  'thunder',
  'shower',
  'area',
  'time',
  'wind',
  'ballard',
  'storm',
  'wind',
  'rain',
  'road',
  'power',
  'line',
  'tree',
  'branch',
  'hawaii',
  'ap',
  'hawaii',
  'dam',
  'state',
  'storm',
  'wall',
  'kauai',
  'kaloko',
  'reservoir',
  'rain',
  'wave',
  'water',
  'mud',
  'hillside',
  'people',
  'woman',
  'rainfall',
  'march',
  'fear',
  'dam',
  'maui',
  'floodwater',
  'home',
  'roadway',
  'storm',
  'system',
  'flood',
  'oahu',
  'landslide',
  'kauai',
  'ballard',
  'state',
  'agency',
  'dam',
  'condition',
  'people',
  'situation',
  'folk',
  'type',
  'situation',
  'flash',
  'flooding',
  'ballard',
  'hospital',
  'worker',
  'covid-19',
  'chris',
  'story',
  'time',
  'girl',
  'montana',
  'police',
  'station',
  'miracle',
  'story',
  'time',
  'onlooker',
  'hunter',
  'biden',
  'sweetheart',
  'plea',
  'deal',
  'court',
  'story',
  'time',
  'teen',
  'country',
  'concert',
  'girlfriend',
  'horror',
  'expert',
  'weight',
  'overview',
  'found',
  'program',
  'safety',
  'pack',
  'fire',
  'extinguisher',
  '%',
  'sheet',
  'sleeper',
  'review',
  'expert',
  'sleep',
  'foundation',
  '%',
  'wayfair',
  'outdoor',
  'seating',
  'sale',
  'set',
  'sectional',
  'today',
  'beach',
  'wagon',
  'cart',
  'rollin',
  'beach',
  'kylie',
  'jenner',
  'boob',
  'job',
  'year',
  'denial',
  'jamie',
  'lynn',
  'spears',
  'responsibility',
  'fame',
  'selena',
  'gomez',
  'francia',
  'raísa',
  'birthday',
  'feud',
  'life',
  'noise',
  'activity',
  'mid',
  '-',
  'prison',
  'r.i.p.',
  'sinéad',
  'o’connor',
  'irish',
  'singer',
  'compare',
  'subject',
  'dead',
  'kevin',
  'spacey',
  'drinking',
  'acquittal',
  'london',
  'hotspot',
  'girl',
  'montana',
  'police',
  'station',
  'miracle',
  'news',
  'metro',
  'sports',
  'sports',
  'betting',
  'business',
  'opinion',
  'entertainment',
  'fashion',
  'beauty',
  'shopping',
  'lifestyle',
  'real',
  'estate',
  'media',
  'tech',
  'health',
  'travel',
  'astrology',
  'video',
  'photos',
  'stories',
  'alexa',
  'cover',
  'horoscopes',
  'sport',
  'odd',
  'podcast',
  'columnists',
  'classifieds',
  'email',
  'newsletters',
  'rss',
  'ny',
  'post',
  'official',
  'store',
  'home',
  'delivery',
  'new',
  'york',
  'post',
  'customer',
  'service',
  'apps',
  'community',
  'guidelines',
  'contact',
  'tips',
  'newsroom',
  'letters',
  'editor',
  'licensing',
  'reprints',
  'careers',
  'vulnerability',
  'disclosure',
  'program',
  'nyp',
  'holdings',
  'inc.',
  'rights',
  'reserved',
  'terms',
  'use',
  'membership',
  'terms',
  'privacy',
  'notice',
  'sitemap',
  'information'],
 ['contentlivenewsconstruction',
  'mappolitical',
  'blogweatherpodcastscontestssubmit',
  'news',
  'tipsubmit',
  'photos',
  'videosnewsletternewslocalnationalcrimeeconomypoliticsanchorage',
  'editionweatherweather',
  'headlinesweather',
  'labsky',
  'alaskapicture',
  'alaskatrafficgas',
  'sportsalaska',
  'olympiansiron',
  'dogathlete',
  'weekfishing',
  'reportiditarodmount',
  'marathonstats',
  'predictionshow',
  'shelternourish',
  'alaskatelling',
  'alaska',
  'storyin',
  'depth',
  'alaskait',
  'goodinside',
  'gatesoutside',
  'gateswatching',
  'walletthe',
  'video',
  'guzzy',
  'health',
  'minutelivestream',
  'newscastsstream',
  'ussign',
  'newslettersubmit',
  'news',
  'tipssubmit',
  'photos',
  'videosdownload',
  'appshow',
  'demandcommunity',
  'calendaradvertise',
  'usmeet',
  'teamwhat',
  'ktuujob',
  'openingsktuu',
  'press',
  'releasesprogramming',
  'scheduletransmitter',
  'faqcircle',
  'country',
  'music',
  'lifestylegray',
  'dc',
  'bureaupowernationinvestigatetvpress',
  'releasesmultiple',
  'winter',
  'weather',
  'alert',
  'effect',
  'storm',
  'aim',
  'alaskablizzard',
  'condition',
  'coastline',
  'alaskaby',
  'aaron',
  'morrisonpublished',
  'feb.',
  'akstshare',
  'facebookemail',
  'linkshare',
  'twittershare',
  'pinterestshare',
  'linkedinanchorage',
  'alaska',
  'ktuu',
  'southcentral',
  'southeast',
  'alaska',
  'area',
  'pressure',
  'bering',
  'sea',
  'stretch',
  'winter',
  'weather',
  'state',
  'form',
  'winter',
  'weather',
  'alert',
  'day',
  'detail',
  'alert',
  'article(alaska',
  'news',
  'source)the',
  'uptick',
  'weather',
  'hour',
  'bering',
  'sea',
  'low',
  'chukchi',
  'sea',
  'precipitation',
  'shield',
  'alaska',
  'impact',
  'today',
  'western',
  'alaska',
  'blizzard',
  'condition',
  'coastline',
  'area',
  'yukon',
  'delta',
  'winter',
  'alert',
  'rain',
  'snow',
  'condition',
  'temperature',
  'today',
  'accumulation',
  'rain',
  'norton',
  'sound',
  'point',
  'blizzard',
  'condition',
  'place',
  'day',
  'wind',
  'mph',
  'visibility',
  'snow',
  'coast',
  'snow',
  'seward',
  'peninsula',
  'seward',
  'peninsula',
  'foot',
  'foot',
  'half',
  'snow',
  'thursday',
  'morning',
  'precipitation',
  'shield',
  'wind',
  'area',
  'pressure',
  'water',
  'wind',
  'area',
  'interior',
  'alaska',
  'wind',
  'mph',
  'majority',
  'wind',
  'proximity',
  'gap',
  'pass',
  'mountain',
  'visibility',
  'snow',
  'snow',
  'snow',
  'interior',
  'thursday',
  'area',
  'inch',
  'snow',
  'air',
  'air',
  'potential',
  'glaze',
  'ice',
  'thursday',
  'afternoon',
  'snow',
  'brooks',
  'range',
  'foot',
  'snow',
  'north',
  'slope',
  'wind',
  'issue',
  'snow',
  'forecast',
  'inch',
  'slope',
  'exception',
  'beaufort',
  'sea',
  'coast',
  'south',
  'brooks',
  'range',
  'inch',
  'storm',
  'snow',
  'rain',
  'southcentral',
  'wednesday',
  'thursday',
  'chance',
  'flurry',
  'p.m.',
  'wednesday',
  'evening',
  'snow',
  'southcentral',
  'inch',
  'snowfall',
  'hillside',
  'valley',
  'snowfall',
  'total',
  'anchorage',
  'kenai',
  'peninsula',
  'air',
  'snow',
  'chance',
  'kenai',
  'inch',
  'snow',
  'glaze',
  'ice',
  'homer',
  'seward',
  'rain',
  'day',
  'snow',
  'rain',
  'area',
  'rain',
  'southcentral',
  'thursday',
  'evening.(alaska',
  'news',
  'source)thing',
  'anchorage',
  'wind',
  'contributor',
  'snow',
  'city',
  'level',
  'disturbance',
  'south',
  'night',
  'wind',
  'wind',
  'mph',
  'elevation',
  'snow',
  'thursday',
  'morning',
  'dent',
  'snow',
  'anchorage',
  'bowl',
  'rain',
  'snow',
  'chance',
  'inch',
  'snow',
  'anchorage',
  'hillside',
  'trouble',
  'inch',
  'snow',
  'wind',
  'wintry',
  'mix',
  'duration',
  'result',
  'snowfall',
  'total',
  'snowfall',
  'total',
  'anchorage',
  'bowl',
  'date',
  'information',
  'storm',
  'rain',
  'snow',
  'return',
  'southeast',
  'alaska',
  'condition',
  'panhandle',
  'weekend',
  'state',
  'thing',
  'weekend',
  'condition',
  'locationalerttimingimpactssoutheastern',
  'brooks',
  'rangewinter',
  'storm',
  'warninguntil',
  'friheavy',
  'snow',
  'wind',
  'mph',
  'wind',
  'chills',
  '°',
  'upper',
  'koyukuk',
  'valleywinter',
  'storm',
  'warninguntil',
  'thuheavy',
  'snow',
  'winds',
  'mph',
  'wind',
  'chills',
  '-30',
  '°',
  'yukon',
  'flats',
  'surrounding',
  'uplandswinter',
  'storm',
  'warninguntil',
  'friheavy',
  'snow',
  '8″',
  'east',
  'beaver',
  'wind',
  'chill',
  '-35',
  'central',
  'interiorwinter',
  'storm',
  'warninguntil',
  'thuheavy',
  'snow',
  'trace',
  'ice',
  'wind',
  'chill',
  '°',
  'tanana',
  'valleywinter',
  'storm',
  'd',
  'friheavy',
  'snow',
  'trace',
  'ice',
  'nenana',
  'hillsdenaliwinter',
  'storm',
  'warninguntil',
  'friheavy',
  'snow',
  'wind',
  'mph',
  'near',
  'passes',
  'light',
  'glaze',
  'ice',
  'thur',
  'alaska',
  'rangewinter',
  'weather',
  'd',
  'frisnow',
  'winds',
  'mph',
  'blowing',
  'snowst',
  'lawrence',
  'island',
  'bering',
  'strait',
  'coastblizzard',
  'warninguntil',
  'thusnow',
  'wind',
  'mph',
  'light',
  'glaze',
  'icechukchi',
  'sea',
  'coastblizzard',
  'warninguntil',
  'thusnow',
  '8″',
  'wind',
  'mphbaldwin',
  'peninsula',
  'selawik',
  'valleyblizzard',
  'warninguntil',
  'thusnow',
  'wind',
  'mphsouthern',
  'seward',
  'peninsula',
  'coastblizzard',
  'warninguntil',
  'thusnow',
  'wind',
  'mph',
  'light',
  'glaze',
  'iceeastern',
  'norton',
  'sound',
  'nulato',
  'hillsblizzard',
  'warninguntil',
  'thusnow',
  'wind',
  'mph',
  'light',
  'glaze',
  'icekobuk',
  'noatak',
  'valleyswinter',
  'storm',
  'warninguntil',
  'thuheavy',
  'snow',
  'wind',
  'mphnorthern',
  'interior',
  'seward',
  'peninsulawinter',
  'storm',
  'warninguntil',
  'thuheavy',
  'snow',
  'wind',
  'mphyukon',
  'deltawinter',
  'storm',
  'warninguntil',
  'thuheavy',
  'wintry',
  'mix',
  'snow',
  'ice',
  'wind',
  'mphlower',
  'yukon',
  'valleywinter',
  'storm',
  'warninguntil',
  'thuheavy',
  'wintry',
  'mix',
  'snow',
  'light',
  'glaze',
  'ice',
  'winds',
  'mphlower',
  'koyukuk',
  'middle',
  'yukon',
  'valleyswinter',
  'storm',
  'warninguntil',
  'thuheavy',
  'wintry',
  'mix',
  'snow',
  'light',
  'glaze',
  'ice',
  'winds',
  'mphupper',
  'kuskokwim',
  'valleywinter',
  'storm',
  'warninguntil',
  'thuheavy',
  'wintry',
  'mix',
  'snow',
  'light',
  'glaze',
  'ice',
  'wind',
  'weather',
  'advisory3am',
  'thu',
  'thuwintry',
  'mix',
  'snow',
  'winds',
  'mphwestern',
  'kenaiwinter',
  'weather',
  'advisorymidnight',
  'thuwintry',
  'snow',
  'light',
  'glaze',
  'icemat',
  'su',
  'valleywinter',
  'weather',
  'advisory6am',
  'thuwintry',
  'mix',
  'poss',
  'snow',
  '3″',
  'palmer',
  'wasillacopyright',
  'ktuu',
  'right',
  'read',
  'bronson',
  'address',
  'plane',
  'ticket',
  'population',
  'state',
  'denali',
  'business',
  'owner',
  'claim',
  'young',
  'geologist',
  'north',
  'slope',
  'helicopter',
  'crash',
  'family',
  'man',
  'swastika',
  'sticker',
  'anchorage',
  'building',
  'month',
  'hiker',
  'hour',
  'helicopter',
  'flattop',
  'mountainlatest',
  'news',
  'rain',
  'southcentral',
  'fridayrain',
  'friday',
  'sun',
  'cloud',
  'haze',
  'lingerssunshine',
  'thunderstorm',
  'activity',
  'alaskanewsweathersportscommunityktuu501',
  'east',
  'avenueanchorage',
  'ak',
  'inspection',
  'applicationsterm',
  'serviceprivacy',
  'statementadvertisingdigital',
  'advertisingclosed',
  'captioning',
  'audio',
  'descriptionat',
  'gray',
  'journalist',
  'news',
  'content',
  'community',
  'approach',
  'intelligence',
  'gray',
  'media',
  'group',
  'inc.',
  'station',
  'gray',
  'television',
  'inc.'],
 ['louisvillians',
  'temperature',
  'fun',
  'hogan',
  'fountain',
  'pavilion',
  'risk',
  'heat',
  'wave',
  'indiana',
  'nws',
  'ef-1',
  'tornado',
  'damage',
  'new',
  'albany',
  'tornado',
  'mile',
  'floyd',
  'county',
  'storm',
  'sunday',
  'morning',
  'example',
  'video',
  'title',
  'video',
  'edt',
  'edt',
  'albany',
  'ind',
  'national',
  'weather',
  'service',
  'tornado',
  'peak',
  'wind',
  'mph',
  'storm',
  'damage',
  'new',
  'albany',
  'sunday',
  'morning',
  'new',
  'albany',
  'kentuckiana',
  'county',
  'storm',
  'damage',
  'region',
  'area',
  'indiana',
  'university',
  'southeast',
  'grant',
  'line',
  'road',
  'school',
  'damage',
  'campus',
  'damage',
  'sunday',
  'afternoon',
  'clean',
  'campus',
  'iu',
  'southeast',
  'director',
  'communications',
  'nancy',
  'trafton',
  'safety',
  'student',
  'faculty',
  'staff',
  'campus',
  'importance',
  'iu',
  'southeast',
  'graduation',
  'ceremony',
  'monday',
  'cleanup',
  'crew',
  'whas11',
  'campus',
  'area',
  'monday',
  'bit',
  'damage',
  'week',
  'joseph',
  'tragesser',
  'tree',
  'service',
  'carriage',
  'house',
  'apartments',
  'new',
  'albany',
  'ius',
  'roof',
  'damage',
  'building',
  'tv',
  'carriage',
  'house',
  'resident',
  'tony',
  'elmore',
  'daughter',
  'family',
  'day',
  'official',
  'fatality',
  'injury',
  'duplex',
  'complex',
  'roof',
  'storm',
  'neighbor',
  'roof',
  'apartment',
  'building',
  'resident',
  'lily',
  'baker',
  'crash',
  'neighbor',
  'family',
  'injurioe',
  'city',
  'new',
  'albany',
  'statement',
  'weather',
  'event',
  'area',
  'grant',
  'line',
  'rd',
  'ius',
  'i-265',
  'interchange',
  'klerner',
  'lane',
  'city',
  'official',
  'power',
  'power',
  'line',
  'public',
  'area',
  'notice',
  'indiana',
  'state',
  'police',
  'department',
  'line',
  'wind',
  'tree',
  'power',
  'line',
  'new',
  'albany',
  'nws',
  'louisville',
  'ef-1',
  'mile',
  'grant',
  'line',
  'road',
  'roof',
  'barn',
  'damage',
  'sporting',
  'club',
  'farm',
  'monday',
  'morning',
  'duke',
  'energy',
  'power',
  'power',
  'storm',
  'photo',
  'damage',
  'tornado',
  'new',
  'albany',
  'indiana',
  'jessica',
  'farley',
  'whas',
  'tv',
  'tenant',
  'damage',
  'carriage',
  'house',
  'apartments',
  'new',
  'albany',
  'indiana',
  'jessica',
  'farley',
  'whas',
  'tv',
  'tenant',
  'damage',
  'carriage',
  'house',
  'apartments',
  'new',
  'albany',
  'indiana',
  'jessica',
  'farley',
  'whas',
  'tv',
  'tenant',
  'damage',
  'carriage',
  'house',
  'apartments',
  'new',
  'albany',
  'indiana',
  'jessica',
  'farley',
  'whas',
  'tv',
  'tenant',
  'damage',
  'carriage',
  'house',
  'apartments',
  'new',
  'albany',
  'indiana',
  'jessica',
  'farley',
  'whas',
  'tv',
  'tenant',
  'damage',
  'carriage',
  'house',
  'apartments',
  'new',
  'albany',
  'indiana',
  'jessica',
  'farley',
  'whas',
  'tv',
  'tenant',
  'damage',
  'carriage',
  'house',
  'apartments',
  'new',
  'albany',
  'indiana',
  'jessica',
  'farley',
  'whas',
  'tv',
  'tenant',
  'damage',
  'carriage',
  'house',
  'apartments',
  'new',
  'albany',
  'indiana',
  'jessica',
  'farley',
  'whas',
  'tv',
  'tenant',
  'damage',
  'carriage',
  'house',
  'apartments',
  'new',
  'albany',
  'indiana',
  'jessica',
  'farley',
  'whas',
  'tv',
  'tenant',
  'damage',
  'carriage',
  'house',
  'apartments',
  'new',
  'albany',
  'indiana',
  'jessica',
  'farley',
  'whas',
  'tv',
  'tenant',
  'damage',
  'carriage',
  'house',
  'apartments',
  'new',
  'albany',
  'indiana',
  'jessica',
  'farley',
  'whas',
  'tv',
  'tenant',
  'damage',
  'carriage',
  'house',
  'apartments',
  'new',
  'albany',
  'indiana',
  'jessica',
  'farley',
  'whas',
  'tv',
  'tenant',
  'damage',
  'carriage',
  'house',
  'apartments',
  'new',
  'albany',
  'indiana',
  'jessica',
  'farley',
  'whas',
  'tv',
  'tenant',
  'damage',
  'carriage',
  'house',
  'apartments',
  'new',
  'albany',
  'indiana',
  'jessica',
  'farley',
  'whas',
  'tv',
  'tenant',
  'damage',
  'carriage',
  'house',
  'apartments',
  'new',
  'albany',
  'indiana',
  'jessica',
  'farley',
  'whas',
  'tv',
  'tenant',
  'damage',
  'carriage',
  'house',
  'apartments',
  'new',
  'albany',
  'indiana',
  'tenant',
  'damage',
  'carriage',
  'house',
  'apartments',
  'new',
  'albany',
  'indiana',
  'spring',
  'weather',
  'season',
  'building',
  'new',
  'albany',
  'life',
  'date',
  'story',
  'whas11',
  'news',
  'app',
  'apple',
  'android',
  'user',
  'news',
  'tip',
  'email',
  'assign@whas11.com',
  'facebook',
  'page',
  'twitter',
  'feed',
  'eeo',
  'public',
  'file',
  'report',
  'fcc',
  'online',
  'public',
  'inspection',
  'file',
  'closed',
  'caption',
  'procedure',
  'personal',
  'information',
  'whas',
  'tv',
  'rights',
  'whas',
  'notification',
  'news',
  'weather',
  'notification',
  'browser',
  'setting'],
 ['leading',
  'edge',
  'sciencescope',
  'basic',
  'research',
  'innovation',
  'invention',
  'inbox',
  'subscribe',
  'deal',
  'politic',
  'newsletter',
  'analysis',
  'inbox',
  'news',
  'alert',
  'pbs',
  'newshour',
  'turn',
  'desktop',
  'notification',
  'force',
  'alabama',
  'tornado',
  'science',
  'jan',
  'pm',
  'edt',
  'denver',
  'ap',
  'la',
  'nina',
  'weather',
  'pattern',
  'air',
  'gulf',
  'mexico',
  'climate',
  'change',
  'decade',
  'shift',
  'tornado',
  'storm',
  'system',
  'alabama',
  'thursday',
  'meteorologist',
  'start',
  'tornado',
  'year',
  'expert',
  'worry',
  'signal',
  'pattern',
  'year',
  'northern',
  'illinois',
  'university',
  'meteorology',
  'professor',
  'victor',
  'gensini',
  'tornado',
  'pattern',
  'climate',
  'change',
  'dollar',
  'disaster',
  'noaa',
  'gensini',
  'concern',
  'pattern',
  'change',
  'condition',
  'la',
  'nina',
  'cooling',
  'pacific',
  'month',
  'combination',
  'tornado',
  'ingredient',
  'level',
  'time',
  'instability',
  'wind',
  'shear',
  'difference',
  'wind',
  'speed',
  'direction',
  'altitude',
  'time',
  'year',
  'guarantee',
  'harold',
  'brooks',
  'scientist',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'national',
  'severe',
  'storms',
  'laboratory',
  'moisture',
  'storm',
  'system',
  'ingredient',
  'time',
  'year',
  'waviness',
  'jet',
  'stream',
  'river',
  'weather',
  'system',
  'la',
  'nina',
  'winter',
  'gensini',
  'la',
  'nina',
  'winter',
  'tornado',
  'noaa',
  'week',
  'number',
  'tornado',
  'la',
  'nina',
  'year',
  '%',
  'tornado',
  'january',
  'type',
  'setup',
  'gensini',
  'moisture',
  'tornado',
  'tornado',
  'havoc',
  'jonesboro',
  'arkansas',
  'photo',
  'said',
  'said',
  'triples',
  's',
  'phone',
  'computer',
  'repair',
  'reuters',
  'air',
  'measurement',
  'moisture',
  'alabama',
  'air',
  'time',
  'year',
  'tornado',
  'alley',
  'area',
  'texas',
  'south',
  'dakota',
  'twister',
  'gensini',
  'tornado',
  'air',
  'gulf',
  'mexico',
  'climate',
  'change',
  'signal',
  'gensini',
  'noaa',
  'measurement',
  'water',
  'temperature',
  'gulf',
  'computer',
  'screen',
  'number',
  'degree',
  'celsius',
  'way',
  'time',
  'year',
  'water',
  'air',
  'la',
  'nina',
  'type',
  'system',
  'gulf',
  'mexico',
  'sea',
  'surface',
  'temperature',
  'gensini',
  'air',
  'ramp',
  'mixing',
  'tornado',
  'gensini',
  'tornado',
  'east',
  'decade',
  'pattern',
  'tornado',
  'activity',
  'tornado',
  'tornado',
  'alley',
  'mississippi',
  'river',
  'southeast',
  'study',
  'gensini',
  'brooks',
  'tornado',
  'activity',
  'mississippi',
  'arkansas',
  'tennessee',
  'louisiana',
  'alabama',
  'kentucky',
  'missouri',
  'illinois',
  'indiana',
  'wisconsin',
  'iowa',
  'ohio',
  'michigan',
  'drop',
  'number',
  'tornado',
  'texas',
  'decline',
  'texas',
  'tornado',
  'state',
  'gensini',
  'lab',
  'summer',
  'vulnerability',
  'effect',
  'tornado',
  'east',
  'area',
  'brooks',
  'gensini',
  'tornado',
  'alley',
  'tornado',
  'mile',
  'mile',
  'issue',
  'brooks',
  'case',
  'east',
  'people',
  'building',
  'way',
  'people',
  'way',
  'poverty',
  'southeast',
  'home',
  'population',
  'place',
  'tornado',
  'brooks',
  'storm',
  'track',
  'route',
  'storm',
  'wind',
  'weather',
  'condition',
  'east',
  'tornado',
  'day',
  'night',
  'people',
  'warning',
  'gensini',
  'larry',
  'fondren',
  'rubble',
  'home',
  'tree',
  'tornado',
  'home',
  'home',
  'akron',
  'hale',
  'county',
  'alabama',
  'u.s.',
  'january',
  'photo',
  'gary',
  'cosby',
  'jr./usa',
  'today',
  'network',
  'reuters',
  'tornado',
  'death',
  'toll',
  'alabama',
  'georgia',
  'kim',
  'chandler',
  'jeff',
  'martin',
  'associated',
  'press',
  'listen',
  'nasa',
  'year',
  'record',
  'associated',
  'press',
  'weather',
  'americans',
  'isabella',
  'isaacs',
  'thomas',
  'inbox',
  'subscribe',
  'deal',
  'politic',
  'newsletter',
  'analysis',
  'inbox',
  'climate',
  'change',
  'weather',
  'event',
  'newshour',
  'productions',
  'llc',
  'rights',
  'deal',
  'politic',
  'newsletter',
  'inbox',
  'journalism',
  'friends',
  'newshour'],
 ['world',
  'news',
  'poll',
  'day',
  'photos',
  'week',
  'link',
  'news',
  'alert',
  'news',
  'day',
  'outlook',
  'weather',
  'radar',
  'closings',
  'delays',
  'flight',
  'tracker',
  'power',
  'weather',
  'photos',
  'nebraska',
  'weather',
  'cameras',
  'fraud',
  'senior',
  'strong',
  'showcase',
  'nebraska',
  'small',
  'business',
  'saturday',
  'live',
  'contests',
  'midday',
  'interviews',
  'camp',
  'nebraska',
  'kids',
  'camps',
  'community',
  'calendar',
  'events',
  'newscasts',
  'news',
  'events',
  'nebraska',
  'weather',
  'cameras',
  'video',
  'tv',
  'schedule',
  'channel',
  'apps',
  'channel',
  'news',
  'team',
  'advertise',
  'careers',
  'captioning',
  'dmca',
  'agent',
  'fcc',
  'public',
  'file',
  'fcc',
  'applications',
  'children',
  'tv',
  'report',
  'eeo',
  'report',
  'term',
  'use',
  'privacy',
  'policy',
  'standard',
  'media',
  'group',
  'world',
  'news',
  'poll',
  'day',
  'photos',
  'week',
  'link',
  'news',
  'alert',
  'news',
  'day',
  'outlook',
  'weather',
  'radar',
  'closings',
  'delays',
  'flight',
  'tracker',
  'power',
  'weather',
  'photos',
  'nebraska',
  'weather',
  'cameras',
  'fraud',
  'senior',
  'strong',
  'showcase',
  'nebraska',
  'small',
  'business',
  'saturday',
  'live',
  'contests',
  'midday',
  'interviews',
  'camp',
  'nebraska',
  'kids',
  'camps',
  'community',
  'calendar',
  'events',
  'newscasts',
  'news',
  'events',
  'nebraska',
  'weather',
  'cameras',
  'video',
  'tv',
  'schedule',
  'channel',
  'apps',
  'channel',
  'news',
  'team',
  'advertise',
  'careers',
  'captioning',
  'dmca',
  'agent',
  'fcc',
  'public',
  'file',
  'fcc',
  'applications',
  'children',
  'tv',
  'report',
  'eeo',
  'report',
  'term',
  'use',
  'privacy',
  'policy',
  'standard',
  'media',
  'group',
  'photo',
  'storm',
  'southeast',
  'nebraska',
  'lincoln',
  'neb.',
  'klkn',
  'thunderstorm',
  'warning',
  'effect',
  'nebraska',
  'tuesday',
  'evening',
  'cluster',
  'storm',
  'mph',
  'wind',
  'lincoln',
  'area',
  'p.m.',
  'lincoln',
  'seward',
  'milford',
  'flash',
  'flood',
  'warning',
  'p.m.',
  'viewer',
  'inch',
  'rain',
  'superior',
  'street',
  'channel',
  'producer',
  'kitchen',
  'point',
  'lincoln',
  'electric',
  'system',
  'power',
  'outage',
  'p.m.',
  'number',
  'eagle',
  'raceway',
  'picture',
  'facebook',
  'bleacher',
  'mammatus',
  'wymore',
  'kathy',
  'williamson',
  'storm',
  'cloud',
  'lincoln',
  'kate',
  'cox',
  'storm',
  'damage',
  'lincoln',
  'matt',
  'haden',
  'fireworks',
  'trailer',
  'walmart',
  'parking',
  'lot',
  'brian',
  'fuchs',
  'southeast',
  'crete',
  'jayme',
  'fochtman',
  'cowan',
  'firework',
  'tent',
  'brian',
  'fuchs',
  'mile',
  'palmyra',
  'nancy',
  'danny',
  'stetler',
  'platte',
  'river',
  'bridge',
  'mahoney',
  'state',
  'park',
  'stef',
  'dick',
  'south',
  'panama',
  'road',
  'street',
  'diana',
  'krieger',
  'columbus',
  'dallas',
  'thelen',
  'tree',
  'patio',
  'weston',
  'cheyenne',
  'peterson',
  'yankee',
  'woods',
  'drive',
  'street',
  'samantha',
  'scott',
  'north',
  'waverly',
  'paula',
  'mach',
  'peterson',
  'chautauqua',
  'park',
  'beatrice',
  'korene',
  'krzycki',
  'garden',
  'lake',
  'debi',
  'upton',
  'storm',
  'damage',
  'eagle',
  'raceway',
  'courtesy',
  'eagle',
  'raceway',
  'storm',
  'damage',
  'eagle',
  'raceway',
  'courtesy',
  'eagle',
  'raceway',
  'storm',
  'damage',
  'eagle',
  'raceway',
  'courtesy',
  'eagle',
  'raceway',
  'storm',
  'cloud',
  'lincoln',
  'tony',
  'mccumber',
  'storm',
  'cloud',
  'northwest',
  '56th',
  'street',
  'curtis',
  'sorge',
  'storm',
  'northwest',
  '56th',
  'street',
  'curtis',
  'sorge',
  'wind',
  'damage',
  'fence',
  'gary',
  'calhoon',
  'air',
  'conditioner',
  'hailey',
  'schoening',
  'redish',
  'cloud',
  'storm',
  'katie',
  'troupe',
  'storm',
  'damage',
  'lincoln',
  'britney',
  'strong',
  'storm',
  'damage',
  'lincoln',
  'britney',
  'strong',
  'storm',
  'damage',
  'lincoln',
  'britney',
  'strong',
  'shelf',
  'cloud',
  'ceresco',
  'wendy',
  'melia',
  'thunderstorm',
  'street',
  'yankee',
  'hill',
  'road',
  'william',
  'fisher',
  'storm',
  'west',
  'lincoln',
  'bailey',
  'selvage',
  'categories',
  'nebraska',
  'news',
  'news',
  'stories',
  'weather',
  'tags',
  'lincoln',
  'nebraska',
  'storm',
  'thunderstorm',
  'warning',
  'weather',
  'southeast',
  'nebraska',
  'thunderstorm',
  'facebookpinteresttwitterlinkedin',
  'channel',
  'news',
  'app',
  'photo',
  'national',
  'weather',
  'service',
  'tornado',
  'nebraska',
  'big',
  'medium',
  'day',
  'tony',
  'petitti',
  'northwestern',
  'minnesota',
  'deal',
  'drama',
  'horse',
  'gage',
  'county',
  'sheriff',
  'animal',
  'welfare',
  'investigation',
  'gov.',
  'jim',
  'pillen',
  'school',
  'funding',
  'press',
  'conference',
  'year',
  'man',
  'lincoln',
  'school',
  'student',
  'sex',
  'crimestexas',
  'heart',
  'arrest',
  'mix',
  'lincolnnebraska',
  'game',
  'parks',
  'mountain',
  'lion',
  'omahadozens',
  'lottery',
  'ticket',
  'nebraska',
  "days'she",
  'arm',
  'lincoln',
  'man',
  'girlfriend',
  'life',
  'cpr',
  '@nebraskanowshowcase',
  'nebraskasmall',
  'business',
  'saturdaylive',
  'nebraska',
  'cameraslinks',
  'entertainment',
  'news',
  'skittles',
  'mustard',
  'candy',
  'french',
  'collaborationit',
  'national',
  'wine',
  'cheese',
  'debut',
  'text',
  'posts',
  'featureelon',
  'musk',
  'change',
  'twitter',
  'logocolumbus',
  'zoo',
  'gorilla',
  'male',
  'birth',
  'newsnews',
  'local',
  'news',
  'nebraska',
  'news',
  'link',
  'capitol',
  'news',
  'world',
  'news',
  'consumer',
  'health',
  'news',
  'entertainment',
  'news',
  'news',
  'alert',
  'news',
  'weatherweather',
  'day',
  'outlook',
  'closings',
  'delays',
  'flight',
  'tracker',
  'power',
  'outages',
  'weather',
  'weather',
  'photos',
  'traffictraffic',
  'traffic',
  'map',
  'sportssports',
  'husker',
  'sports',
  'lps',
  'sports',
  'live',
  'high',
  'school',
  'communitycommunity',
  'magic',
  'moments',
  'midday',
  'interviews',
  'camp',
  'nebraska',
  'kids',
  'camps',
  'klkn',
  'contests',
  'watchwatch',
  'news',
  'video',
  'tv',
  'schedule',
  'mr.',
  'food',
  'aboutabout',
  'channel',
  'news',
  'team',
  'advertise',
  'careers',
  'captioning',
  'dmca',
  'agent',
  'fcc',
  'public',
  'file',
  'eeo',
  'fcc',
  'applications',
  'children',
  'tv',
  'report',
  'standard',
  'media',
  'group',
  'privacy',
  'policy',
  'terms',
  'service',
  'copyright',
  'klkn',
  'lincoln',
  'operations',
  'llc',
  'standard',
  'media',
  'company',
  'rights'],
 ['blizzard',
  'snowstorm',
  'wind',
  'mph',
  'cleveland',
  'winter',
  'snowstorm',
  'proximity',
  'lake',
  'erie',
  'lake',
  'effect',
  'snow',
  'cleveland',
  'blizzard',
  'national',
  'weather',
  'service',
  'record',
  'nov.',
  'nov.',
  'jan.',
  'blizzard',
  'cleveland',
  'suburb',
  'storm',
  'canadian',
  'northwest',
  'cleveland',
  'georgia',
  'new',
  'york',
  'great',
  'lakes',
  'rain',
  'sunday',
  'nov.',
  'night',
  'mph',
  'wind',
  'window',
  'fire',
  'hour',
  'barometer',
  'record',
  'time',
  'wire',
  'horse',
  'trolley',
  'communication',
  'city',
  'plowing',
  'snow',
  'day',
  'storm',
  'great',
  'lakes',
  'ship',
  'sailor',
  'storm',
  'tuesday',
  'food',
  'fuel',
  'delivery',
  'city',
  'good',
  'e.',
  '55th',
  'w.',
  'street',
  'thaw',
  'thursday',
  'temperature',
  'degree',
  'condition',
  'friday',
  'weather',
  'bureau',
  'storm',
  'record',
  'blizzard',
  'traffic',
  'west',
  'street',
  'day',
  'thanksgiving',
  'blizzard',
  'arctic',
  'air',
  'mass',
  'temperature',
  'degree',
  'day',
  'nov.',
  'pressure',
  'virginia',
  'ohio',
  'blizzard',
  'wind',
  'snow',
  'airport',
  'mayor',
  'thomas',
  'burke',
  'national',
  'guard',
  'snow',
  'removal',
  'equipment',
  'snow',
  'storm',
  'snow',
  'car',
  'effort',
  'burke',
  'state',
  'emergency',
  'travel',
  'downtown',
  'business',
  'hour',
  'transit',
  'burden',
  'car',
  'downtown',
  'storm',
  'monday',
  'area',
  'school',
  'storm',
  'guardsman',
  'wednesday',
  'cleveland',
  'school',
  'week',
  'child',
  'transit',
  'line',
  'auto',
  'ban',
  'cts',
  'line',
  'saturday',
  'parking',
  'problem',
  'police',
  'traffic',
  'condition',
  'temperature',
  'degree',
  'storm',
  'area',
  'week',
  'life',
  'blizzard',
  'cleveland',
  'history',
  'thursday',
  'jan.',
  'pressure',
  'mississippi',
  'valley',
  'ohio',
  'pressure',
  'great',
  'lakes',
  'cyclone',
  'wind',
  'pressure',
  'eye',
  'cleveland',
  'a.m.',
  'barometer',
  'record',
  'temperature',
  'degree',
  'hour',
  'wind',
  'mph',
  'mph',
  'gust',
  'wind',
  'chill',
  '-100deg',
  'f',
  'snow',
  'hopkins',
  'airport',
  'visibility',
  'illuminating',
  'co.',
  'crew',
  'line',
  'wind',
  'branch',
  'greater',
  'cleveland',
  'home',
  'power',
  'blizzard',
  'storm',
  'winter',
  'u.s.',
  'mayor',
  'dennis',
  'kucinich',
  'return',
  'washington',
  'dc',
  'finance',
  'director',
  'joseph',
  'tegreene',
  'command',
  'post',
  'mayor',
  'national',
  'guard',
  'gov.',
  'james',
  'rhodes',
  'emergency',
  'storm',
  'worker',
  'job',
  'rta',
  'demand',
  'bus',
  'service',
  'bus',
  'line',
  'road',
  'area',
  'freeway',
  'storm',
  'ohio',
  'turnpike',
  'time',
  'condition',
  'day',
  'hopkins',
  'airport',
  'highway',
  'turnpike',
  'east',
  'elyria',
  'food',
  'supply',
  'weekend',
  'winter',
  'city',
  'case',
  'western',
  'reserve',
  'university'],
 ['content',
  'navigation',
  'skip',
  'search',
  'link',
  'u.s.',
  'news',
  'america',
  'silicon',
  'valley',
  'technology',
  'immigration',
  'africa',
  'americas',
  'east',
  'asia',
  'europe',
  'middle',
  'east',
  'south',
  'central',
  'asia',
  'tornado',
  'missouri',
  'severe',
  'weather',
  'threat',
  'sunlight',
  'storm',
  'cloud',
  'wind',
  'turbine',
  'weather',
  'roll',
  'midwest',
  'apr.',
  'stuart',
  'iowa',
  'tornado',
  'missouri',
  'severe',
  'weather',
  'threat',
  'des',
  'moines',
  'iowa',
  'tornado',
  'missouri',
  'wednesday',
  'morning',
  'number',
  'injury',
  'thunderstorm',
  'threat',
  'hail',
  'tornado',
  'midwest',
  'south',
  'storm',
  'region',
  'portion',
  'country',
  'weekend',
  'weather',
  'storm',
  'prediction',
  'center',
  'people',
  'chicago',
  'indianapolis',
  'detroit',
  'memphis',
  'tennessee',
  'risk',
  'storm',
  'wednesday',
  'threat',
  'michigan',
  'middle',
  'ohio',
  'river',
  'valley',
  'mid',
  'storm',
  'wednesday',
  'morning',
  'ozarks',
  'arkansas',
  'missouri',
  'tornado',
  'warning',
  'national',
  'weather',
  'service',
  'tornado',
  'bollinger',
  'county',
  'missouri',
  'wednesday',
  'morning',
  'number',
  'injury',
  'tornado',
  'damage',
  'home',
  'people',
  'extent',
  'fatality',
  'meteorologist',
  'justin',
  'gibbs',
  'weather',
  'service',
  'paducah',
  'kentucky',
  'gibbs',
  'tornado',
  'ground',
  'kilometer',
  'area',
  'kilometer',
  'st.',
  'louis',
  'weather',
  'service',
  'survey',
  'team',
  'area',
  'wednesday',
  'damage',
  'strength',
  'tornado',
  'missouri',
  'state',
  'highway',
  'patrol',
  'tornado',
  'damage',
  'debris',
  'field',
  'injury',
  'bolinger',
  'county',
  'state',
  'southeast',
  'community',
  'grassy',
  'marble',
  'hill',
  'sgt',
  'clark',
  'parrott',
  'missouri',
  'state',
  'highway',
  'patrol',
  'kfvs',
  'tv',
  'message',
  'detail',
  'damage',
  'associated',
  'press',
  'missouri',
  'highway',
  'patrol',
  'bolinger',
  'county',
  'sheriff',
  'office',
  'wednesday',
  'morning',
  'storm',
  'weather',
  'dozen',
  'tornado',
  'people',
  'day',
  'misery',
  'home',
  'arkansas',
  'iowa',
  'illinois',
  'storm',
  'friday',
  'weekend',
  'tornado',
  'state',
  'system',
  'arkansas',
  'south',
  'midwest',
  'northeast',
  'school',
  'little',
  'rock',
  'wednesday',
  'class',
  'storm',
  'metro',
  'morning',
  'rush',
  'hour',
  'kfvs',
  'tv',
  'tornado',
  'tuesday',
  'illinois',
  'storm',
  'state',
  'iowa',
  'wisconsin',
  'nightfall',
  'national',
  'weather',
  'service',
  'tornado',
  'warning',
  'iowa',
  'illinois',
  'tuesday',
  'evening',
  'twister',
  'southwest',
  'chicago',
  'bryant',
  'illinois',
  'official',
  'tornado',
  'tuesday',
  'morning',
  'illinois',
  'community',
  'colona',
  'news',
  'report',
  'wind',
  'damage',
  'business',
  'tuesday',
  'thunderstorm',
  'quad',
  'cities',
  'area',
  'iowa',
  'illinois',
  'wind',
  'kph',
  'baseball',
  'size',
  'hail',
  'injury',
  'tree',
  'business',
  'moline',
  'illinois',
  'northern',
  'illinois',
  'moline',
  'chicago',
  'kph',
  'wind',
  'centimeter',
  'diameter',
  'tuesday',
  'afternoon',
  'national',
  'weather',
  'service',
  'meteorologist',
  'scott',
  'baker',
  'agency',
  'report',
  'semitruck',
  'wind',
  'lee',
  'county',
  'kilometer',
  'chicago',
  'condition',
  'storm',
  'area',
  'pressure',
  'wind',
  'weather',
  'tuesday',
  'wednesday',
  'ryan',
  'bunker',
  'meteorologist',
  'national',
  'weather',
  'center',
  'norman',
  'oklahoma',
  'condition',
  'air',
  'west',
  'rockies',
  'air',
  'gulf',
  'mexico',
  'u.s.',
  'tornado',
  'storm',
  'dozen',
  'rash',
  'tornadoes',
  'midwest',
  'south',
  'forecast',
  'warn',
  'severe',
  'storms',
  'south',
  'midwest',
  'world',
  'weather',
  'catastrophe',
  'blinken',
  'door',
  'open',
  'new',
  'zealand',
  'aukus',
  'pact',
  'expert',
  'austin',
  'papua',
  'new',
  'guinea',
  'visit',
  'spotlights',
  'defense',
  'pact',
  'senate',
  'republican',
  'leader',
  'mcconnell',
  'freezes',
  'leaves',
  'news',
  'conference',
  'federal',
  'reserve',
  'rate',
  'hike',
  'september',
  'white',
  'house',
  'nominates',
  'allvin',
  'air',
  'force',
  'chief',
  'terms',
  'use',
  'privacy',
  'notice'],
 ['search',
  'fox',
  'weather',
  'fox',
  'weather',
  'app',
  'podcast',
  'lifestyle',
  'november',
  'est',
  'montana',
  'weather',
  'shape',
  'character',
  'treasure',
  'state',
  'state',
  'america',
  'mile',
  'landscape',
  'montana',
  'lot',
  'weather',
  'year',
  'flood',
  'heat',
  'wind',
  'chris',
  'oberholtz',
  'robert',
  'ray',
  'source',
  'fox',
  'weather',
  'facebook',
  'twitter',
  'email',
  'copy',
  'link',
  'impact',
  'yellowstone',
  'year',
  'fox',
  'weather',
  'robert',
  'ray',
  'weather',
  'impact',
  'yellowstone',
  'year',
  'west',
  'yellowstone',
  'mont.',
  'treasure',
  'state',
  'land',
  'mood',
  'plain',
  'snow',
  'mountain',
  'snowpack',
  'cathy',
  'whitlock',
  'montana',
  'state',
  'university',
  'snow',
  'summer',
  'water',
  'state',
  'america',
  'mile',
  'landscape',
  'montana',
  'lot',
  'weather',
  'year',
  'flood',
  'heat',
  'wind',
  'whitlock',
  'snow',
  'water',
  'end',
  'summer',
  'fire',
  'montana',
  'transition',
  'winter',
  'resiliency',
  'people',
  'land',
  'place',
  'america',
  'oldest',
  'national',
  'park',
  'celebrate',
  'year',
  'image',
  'elk',
  'graze',
  'yellowstone',
  'national',
  'park',
  'robert',
  'ray',
  'prevnext',
  'image',
  'bison',
  'yellowstone',
  'national',
  'park',
  'october',
  'robert',
  'ray',
  'fox',
  'weather',
  'prevnext',
  'image',
  'bison',
  'yellowstone',
  'national',
  'park',
  'october',
  'robert',
  'ray',
  'fox',
  'weather',
  'prevnext',
  'image',
  'bison',
  'yellowstone',
  'national',
  'park',
  'october',
  'robert',
  'ray',
  'fox',
  'weather',
  'prevnext',
  'image',
  'ridge',
  'yellowstone',
  'national',
  'park',
  'robert',
  'ray',
  'prevnext',
  'image',
  'road',
  'landscape',
  'yellowstone',
  'national',
  'park',
  'robert',
  'ray',
  'prevnext',
  'image',
  'river',
  'yellowstone',
  'national',
  'park',
  'october',
  'robert',
  'ray',
  'fox',
  'weather',
  'prevnext',
  'image',
  'river',
  'yellowstone',
  'national',
  'park',
  'october',
  'robert',
  'ray',
  'fox',
  'weather',
  'prevnext',
  'image',
  'water',
  'trickle',
  'ground',
  'yellowstone',
  'national',
  'park',
  'october',
  'robert',
  'ray',
  'fox',
  'weather',
  'prevnext',
  'image',
  'pool',
  'yellowstone',
  'national',
  'park',
  'october',
  'robert',
  'ray',
  'fox',
  'weather',
  'prevnext',
  'image',
  'steam',
  'vent',
  'yellowstone',
  'national',
  'park',
  'october',
  'robert',
  'ray',
  'fox',
  'weather',
  'prevnext',
  'image',
  'geyser',
  'yellowstone',
  'national',
  'park',
  'october',
  'robert',
  'ray',
  'fox',
  'weather',
  'prevnext',
  'image',
  'portion',
  'lake',
  'bed',
  'yellowstone',
  'national',
  'park',
  'october',
  'robert',
  'ray',
  'fox',
  'weather',
  'prevnext',
  'image',
  'bison',
  'yellowstone',
  'national',
  'park',
  'october',
  'robert',
  'ray',
  'fox',
  'weather',
  'prevnext',
  'image',
  'fall',
  'foliage',
  'tree',
  'river',
  'bank',
  'yellowstone',
  'national',
  'park',
  'robert',
  'ray',
  'prevnext',
  'image',
  'river',
  'yellowstone',
  'national',
  'park',
  'october',
  'robert',
  'ray',
  'fox',
  'weather',
  'prevnext',
  'image',
  'icy',
  'slope',
  'yellowstone',
  'national',
  'park',
  'robert',
  'ray',
  'prevnext',
  'image',
  'steam',
  'rock',
  'formation',
  'yellowstone',
  'national',
  'park',
  'robert',
  'ray',
  'prevnext',
  'image',
  'water',
  'rock',
  'river',
  'yellowstone',
  'national',
  'park',
  'robert',
  'ray',
  'prevnext',
  'image',
  'river',
  'yellowstone',
  'national',
  'park',
  'robert',
  'ray',
  'prevnext',
  'image',
  'hills',
  'mountain',
  'yellowstone',
  'national',
  'park',
  'robert',
  'ray',
  'prevnext',
  'image',
  'water',
  'river',
  'yellowstone',
  'national',
  'park',
  'robert',
  'ray',
  'prevnext',
  'image',
  'water',
  'river',
  'yellowstone',
  'national',
  'pak',
  'robert',
  'ray',
  'image',
  'elk',
  'foreground',
  'mountain',
  'hill',
  'background',
  'yellowstone',
  'national',
  'park',
  'robert',
  'ray)"there',
  'plethora',
  'challenge',
  'montana',
  'rancher',
  'aaron',
  'paulson',
  'summertime',
  'heat',
  'period',
  'rain',
  'wintertime',
  'month',
  'snow',
  '"paulson',
  'land',
  'environment',
  'change',
  '"change',
  'weather',
  'year',
  'precipitation',
  'punch',
  'greater',
  'yellowstone',
  'climate',
  'assessment',
  'study',
  'temperature',
  'region',
  'period',
  'year',
  'year',
  'matter',
  'west',
  'river',
  'system',
  'water',
  'supply',
  'issue',
  'snowfall',
  'inch',
  'thing',
  'yellowstone',
  'national',
  'park',
  'yellowstone',
  'national',
  'park',
  'look',
  'united',
  'states',
  'national',
  'park',
  'yellowstone',
  'challenge',
  'future',
  'water',
  'availability',
  'charles',
  'wolf',
  'drimal',
  'greater',
  'yellowstone',
  'coalition',
  'picture',
  'change',
  'change',
  'temperature',
  '"montana',
  'ecosystem',
  'montane',
  'forest',
  'intermountain',
  'grassland',
  'plain',
  'shrub',
  'grassland',
  'weather',
  'pattern',
  'region',
  'temperature',
  'degree',
  'minute',
  'year',
  'weather',
  'day',
  'record',
  'extreme',
  'paulson',
  'june',
  'flash',
  'flooding',
  'yellowstone',
  'national',
  'park',
  'mother',
  'nature',
  'hold',
  'place',
  'earth',
  'moment',
  'tag',
  'montanawestlifestylenational',
  'parksextreme',
  'weather',
  'download',
  'fox',
  'weather',
  'app',
  'available',
  'android',
  'weather',
  'news',
  'loading',
  'fox',
  'weather',
  'app',
  'privacy',
  'policy',
  'terms',
  'condition',
  'privacy',
  'choices',
  'media',
  'relations',
  'corporate',
  'information',
  'facebook',
  'twitter',
  'instagram',
  'youtube',
  'linkedin',
  'tiktok',
  'rss',
  'download',
  'app',
  'store',
  'google',
  'play',
  'material',
  'fox',
  'news',
  'network',
  'llc',
  'right'],
 ['abc',
  'newsvideoliveshowselectionsinterest',
  'successfully',
  "addedwe'll",
  'news',
  'desktop',
  'notification',
  'story',
  'interest',
  'offonlog',
  'instream',
  'louisiana',
  'storm',
  'watch',
  'southtornado',
  'watch',
  'line',
  'storm',
  'bydaniel',
  'amarante',
  'teddy',
  'grantfebruary',
  'pm2:31video',
  'tornado',
  'louisiana',
  'mississippiabc',
  'newsa',
  'tornado',
  'tangipahoa',
  'louisiana',
  'wednesday',
  'evening',
  'national',
  'weather',
  'service',
  'new',
  'orleans',
  'resident',
  'shelter',
  'tornado',
  'people',
  'tornado',
  'village',
  'tangipahoa',
  'tangipahoa',
  'parish',
  'police',
  'chief',
  'jimmy',
  'travis',
  'wednesday',
  'tornado',
  'watch',
  'state',
  'south',
  'storm',
  'region',
  'mississippi',
  'arkansas',
  'louisiana',
  'county',
  'texas',
  'alert',
  'tornado',
  'p.m.',
  'et.more',
  'thousand',
  'texas',
  'customer',
  'day',
  'power',
  'week',
  'tornado',
  'watch',
  'line',
  'storm',
  'mississippi',
  'tennessee',
  'people',
  'risk',
  'weather',
  'south',
  'storm',
  'wind',
  'flash',
  'flooding',
  'tornado',
  'abc',
  'newsjackson',
  'mississippi',
  'center',
  'weather',
  'threat',
  'storm',
  'area',
  'evening',
  'hour',
  'tornado',
  'time',
  'tornado',
  'daytime',
  'storm',
  'country',
  'range',
  'weather',
  'hazard',
  'weather',
  'wind',
  'snow',
  'video',
  'americans',
  'state',
  'wind',
  'alert',
  'gulf',
  'coast',
  'great',
  'lakes',
  'wind',
  'gust',
  'mph',
  'wednesday',
  'thursday',
  'winter',
  'alert',
  'effect',
  'iowa',
  'wisconsin',
  'inch',
  'snow',
  'accumulation',
  'wednesday',
  'thursday',
  'afternoon',
  'abc',
  'news',
  'max',
  'golembo',
  'report',
  'topicstornadoestop',
  'storiesruin',
  'vatican',
  'emperor',
  'nero',
  'theaterjul',
  'pmhouse',
  'ufo',
  'hearing',
  'ex',
  'knowledge',
  'craftjul',
  'amsinead',
  "o'connor",
  'u',
  'singer',
  '56jul',
  'pmmcconnell',
  'press',
  'conference',
  'return',
  'pmwhistleblower',
  'congress',
  'decade',
  'program',
  'ufosjul',
  'pmabc',
  'news',
  'live24/7',
  'coverage',
  'news',
  'eventsabc',
  'news',
  'networkprivacy',
  'policyyour',
  'state',
  'privacy',
  'rightschildren',
  'online',
  'privacy',
  'policyinterest',
  'adsabout',
  'nielsen',
  'measurementterms',
  'usedo',
  'sell',
  'informationcontact',
  'uscopyright',
  'abc',
  'news',
  'internet',
  'ventures',
  'right'],
 ['restaurant',
  'report',
  'card',
  'killing',
  'lorenzen',
  'investigations',
  'problem',
  'solvers',
  'manhunt',
  'monday',
  'tyre',
  'nichols',
  'gun',
  'safe',
  'memphis',
  'local',
  'election',
  'headquarters',
  'politics',
  'hill',
  'bestreviews',
  'bestreviews',
  'daily',
  'deals',
  'automotive',
  'news',
  'wreg',
  'mobile',
  'apps',
  'newsletters',
  'press',
  'memphis',
  'weather',
  'hourly',
  'day',
  'forecast',
  'weather',
  'news',
  'memphis',
  'weather',
  'radar',
  'school',
  'closing',
  'delay',
  'school',
  'closing',
  'information',
  'weather',
  'alerts',
  'weather',
  'stream',
  'newscasts',
  'breaking',
  'news',
  'stream',
  'wreg',
  'tv',
  'schedule',
  'videos',
  'news',
  'bright',
  'spot',
  'community',
  'changers',
  'grizzlies',
  'tigers',
  'basketball',
  'memphis',
  'tigers',
  'football',
  'university',
  'mississippi',
  'gas',
  'price',
  'tracker',
  'gas',
  'memphis',
  'mid',
  'south',
  'fair',
  'spokeskid',
  'school',
  'contest',
  'winner',
  'pass',
  'nominate',
  'educator',
  'week',
  'educator',
  'week',
  'knowledge',
  'bowl',
  'contact',
  'people',
  'job',
  'wreg',
  'community',
  'calendar',
  'eeo',
  'report',
  'wreg',
  'captioning',
  'help',
  'bestreviews',
  'regional',
  'news',
  'partners',
  'history',
  'wreg',
  'tv',
  'wynne',
  'school',
  'superintendent',
  'kenneth',
  'moore',
  'gov.',
  'sarah',
  'huckabee',
  'sanders',
  'wynne',
  'high',
  'school',
  'friday',
  'tornado',
  'sunday',
  'read',
  'wynne',
  'school',
  'superintendent',
  'kenneth',
  'moore',
  'gov.',
  'sarah',
  'huckabee',
  'sanders',
  'wynne',
  'high',
  'school',
  'friday',
  'tornado',
  'sunday',
  'april',
  'wynne',
  'ark.',
  'thomas',
  'metthe',
  'arkansas',
  'democrat',
  'gazette',
  'nws',
  'storm',
  'survey',
  'tornado',
  'line',
  'wind',
  'tn',
  'ar',
  'ms',
  'apr',
  'pm',
  'cdt',
  'apr',
  'pm',
  'cdt',
  'wynne',
  'school',
  'superintendent',
  'kenneth',
  'moore',
  'gov.',
  'sarah',
  'huckabee',
  'sanders',
  'wynne',
  'high',
  'school',
  'friday',
  'tornado',
  'sunday',
  'wynne',
  'school',
  'superintendent',
  'kenneth',
  'moore',
  'gov.',
  'sarah',
  'huckabee',
  'sanders',
  'wynne',
  'high',
  'school',
  'friday',
  'tornado',
  'sunday',
  'april',
  'wynne',
  'ark.',
  'thomas',
  'metthe',
  'arkansas',
  'democrat',
  'gazette',
  'ap',
  'read',
  'apr',
  'pm',
  'cdt',
  'apr',
  'pm',
  'cdt',
  'memphis',
  'tenn.',
  'tornado',
  'mid',
  '-',
  'south',
  'friday',
  'survey',
  'national',
  'weather',
  'service',
  'people',
  'region',
  'memphis',
  'damage',
  'line',
  'wind',
  'tornado',
  'category',
  'ef-3',
  'tornado',
  'wind',
  'speed',
  'mph',
  'twister',
  'wynne',
  'arkansas',
  'covington',
  'tennessee',
  'adamsville',
  'tennessee',
  'storm',
  'victim',
  'mcnairy',
  'county',
  'tornado',
  'wind',
  'speed',
  'mph',
  'eudora',
  'mississippi',
  'nws',
  'memphis',
  'monday',
  'people',
  'wynne',
  'covington',
  'adamsville',
  'mcnairy',
  'county',
  'people',
  'child',
  'shelby',
  'county',
  'line',
  'wind',
  'damage',
  'tree',
  'infrastructure',
  'east',
  'memphis',
  'mid',
  'tornado',
  'victim',
  'memphis',
  'city',
  'official',
  'structure',
  'apartment',
  'complex',
  'building',
  'report',
  'tree',
  'typo',
  'error(required',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'amazon',
  'school',
  'deal',
  'schooler',
  'school',
  'corner',
  'amazon',
  'supply',
  'school',
  'deal',
  'supply',
  'schooler',
  'august',
  'vegetable',
  'flower',
  'flower',
  'plant',
  'hour',
  'soil',
  'air',
  'temperature',
  'sunshine',
  'august',
  'month',
  'planting',
  'chemical',
  'guys',
  'kit',
  'car',
  'car',
  'care',
  'hour',
  'chemical',
  'guys',
  'car',
  'wash',
  'kit',
  'time',
  'deal',
  'thank',
  'inbox',
  'thank',
  'inbox',
  'woman',
  'sex',
  'crime',
  'child',
  'arrest',
  'truck',
  'driver',
  'memphis',
  'fight',
  'man',
  'gas',
  'station',
  'shootout',
  'germantown',
  'emergency',
  'order',
  'thursday',
  'driver',
  'car',
  'run',
  'crash',
  'bluffing',
  'putin',
  'deployment',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'taiwan',
  'school',
  'office',
  'typhoon',
  'bomb',
  'threat',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'bluffing',
  'putin',
  'deployment',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'taiwan',
  'school',
  'office',
  'typhoon',
  'bomb',
  'threat',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'stock',
  'market',
  'today',
  'share',
  'federal',
  'russia',
  'un',
  'meeting',
  'soldier',
  'niger',
  'mom',
  'help',
  'boyfriend',
  'accident',
  'pass',
  'day',
  'cordova',
  'daycare',
  'worker',
  'car',
  'issue',
  'month',
  'woman',
  'lung',
  'cancer',
  'help',
  'time',
  'pass',
  'month',
  'woman',
  'care',
  'friend',
  'blessing',
  'month',
  'man',
  'struggle',
  'time',
  'friend',
  'month',
  'daycare',
  'worker',
  'cancer',
  'blessing',
  'coworker',
  'pass',
  'month',
  'redbird',
  'iowa',
  'loss',
  'ncaa',
  'college',
  'basketball',
  'academy',
  'memphis',
  'cardinal',
  'diamondback',
  'series',
  'finale',
  'vrabel',
  'henry',
  'role',
  'titans',
  'hopkins',
  'lenard',
  'memphis',
  'tiger',
  'tigers',
  'basketball',
  'day',
  'prospect',
  'camp',
  'step',
  'tiger',
  'program',
  'tiger',
  'aac',
  'preseason',
  'poll',
  'tigers',
  'football',
  'day',
  'coach',
  'yo',
  'deal',
  'oxford',
  'derrick',
  'henry',
  'vrabrel',
  'hopkins',
  'titans',
  'germantown',
  'emergency',
  'order',
  'thursday',
  'tennessee',
  'highway',
  'patrol',
  'bonus',
  'collierville',
  'woman',
  'sex',
  'crime',
  'hero',
  'funeral',
  'memphis',
  'firefighter',
  'stock',
  'market',
  'today',
  'share',
  'federal',
  'russia',
  'un',
  'meeting',
  'soldier',
  'niger',
  'biden',
  'relief',
  'heat',
  'las',
  'vegas',
  'casino',
  'mogul',
  'steve',
  'wynn',
  'm',
  'transgender',
  'intersex',
  'people',
  'biden',
  'prime',
  'minister',
  'trump',
  'jan.',
  'rioter',
  'gift',
  'summer',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'home',
  'depot',
  'foot',
  'skeleton',
  'halloween',
  'deal',
  'day',
  'prime',
  'day',
  'favorite',
  'amazon',
  'essentials',
  'clothe',
  'wreg',
  'meteorologist',
  'debut',
  'today',
  'weather',
  'expert',
  'tim',
  'simpson',
  'year',
  'lorenzen',
  'podcast',
  'woman',
  'sex',
  'crime',
  'child',
  'arrest',
  'truck',
  'driver',
  'memphis',
  'fight',
  'man',
  'gas',
  'station',
  'shootout',
  'germantown',
  'emergency',
  'order',
  'thursday',
  'driver',
  'car',
  'run',
  'crash',
  'arrest',
  'truck',
  'driver',
  'memphis',
  'thp',
  'bonus',
  'shelby',
  'county',
  'man',
  'gas',
  'station',
  'shootout',
  'man',
  'fox',
  'meadows',
  'man',
  'germantown',
  'emergency',
  'order',
  'thursday',
  'woman',
  'abuse',
  'kidnapping',
  'news',
  'channel',
  'memphis',
  'tn',
  'news',
  'sports',
  'weather',
  'eeo',
  'report',
  'wreg',
  'wjkt',
  'online',
  'public',
  'file',
  'wreg',
  'online',
  'public',
  'file',
  'wjkt',
  'public',
  'file',
  'fcc',
  'applications',
  'android',
  'app',
  'google',
  'play',
  'android',
  'weather',
  'app',
  'google',
  'play',
  'personal',
  'information',
  'personal',
  'information',
  'nexstar',
  'media',
  'inc.',
  'rights'],
 ['motorcyclist',
  'york',
  '-',
  'vehicle',
  'crash',
  'year',
  'brunswick',
  'woman',
  'home',
  'intruder',
  'family',
  'road',
  'lewiston',
  'auburn',
  'flooding',
  'coats',
  'toys',
  'kids',
  'new',
  'hampshire',
  'damage',
  'new',
  'hampshire',
  'storm',
  'fire',
  'official',
  'hollis',
  'scene',
  'tree',
  'house',
  'car',
  'road',
  'example',
  'video',
  'title',
  'video',
  'pm',
  'edt',
  'august',
  'pm',
  'edt',
  'august',
  'hollis',
  'n.h.',
  'storm',
  'hollis',
  'new',
  'hampshire',
  'p.m.',
  'friday',
  'damage',
  'town',
  'nbc',
  'boston',
  'hollis',
  'police',
  'wind',
  'rain',
  'thunder',
  'lightning',
  'hail',
  'wire',
  'tree',
  'hollis',
  'fire',
  'department',
  'scene',
  'tree',
  'house',
  'car',
  'road',
  'storm',
  'damage',
  'caller',
  'car',
  'wire',
  'new',
  'hampshire',
  'homeland',
  'security',
  'emergency',
  'management',
  'situation',
  'town',
  'weather',
  'event',
  'story',
  'nbc',
  'boston',
  'website',
  'flash',
  'flood',
  'road',
  'death',
  'valley',
  'national',
  'park',
  'death',
  'toll',
  'kentucky',
  'flooding',
  'click',
  'news',
  'center',
  'maine',
  'break',
  'time',
  'newsletter',
  'breaking',
  'news',
  'weather',
  'traffic',
  'alert',
  'news',
  'center',
  'maine',
  'mobile',
  'app',
  'jobs',
  'wcsh',
  'job',
  'wlbz',
  'terms',
  'service',
  'privacy',
  'policy',
  'ad',
  'choices',
  'eeo',
  'public',
  'file',
  'report',
  'fcc',
  'online',
  'public',
  'inspection',
  'file',
  'closed',
  'caption',
  'procedure',
  'personal',
  'information',
  'news',
  'center',
  'maine',
  'rights',
  'wcsh',
  'notification',
  'news',
  'weather',
  'notification',
  'browser',
  'setting'],
 ['businesscelebrationscrime',
  'safetyeducationelectionenvironmenthealthhousingobituariesreal',
  'estateweathernews',
  'region',
  'arts',
  'entertainmentbest',
  'summitcalendar',
  'eventsexplore',
  'summit',
  'magazinefood',
  'drink',
  'hikingwinter',
  'sportsprep',
  'sportsbike',
  'guidepeak',
  'performersmountain',
  'cams',
  'eventsadd',
  'music',
  'eventsfood',
  'eventssport',
  'outdoors',
  'eventsbreckenridge',
  'mountain',
  'eventsdillon',
  'eventsfrisco',
  'eventskeystone',
  'event',
  'education',
  'dividedface',
  'hopeflashpointprosperity',
  'disparitystill',
  'standingthe',
  'longevity',
  'projectwhiteout',
  'estateautosservice',
  'directoryall',
  'classifiedsplace',
  'monsoon',
  'storm',
  'weather',
  'pattern',
  'colorado',
  'monsoon',
  'season',
  'news',
  'news',
  'jun',
  'rain',
  'band',
  'buffalo',
  'mountain',
  'sun',
  'july',
  'storm',
  'summit',
  'county',
  'week',
  'national',
  'weather',
  'service',
  'andrew',
  'maciejewski',
  'summit',
  'daily',
  'news',
  'storm',
  'monsoon',
  'season',
  'rain',
  'weather',
  'system',
  'oreo',
  'colorado',
  'middle',
  'meteorologist',
  'national',
  'weather',
  'service',
  'meteorologist',
  'aisha',
  'wilkinson',
  'pressure',
  'system',
  'rocky',
  'mountain',
  'state',
  'chocolate',
  'cookie',
  'oreo',
  'filling',
  'stuff',
  'colorado',
  'precipitation',
  'rate',
  'meteorologist',
  'flash',
  'flood',
  'watch',
  'warning',
  'week',
  'summit',
  'county',
  'forecaster',
  'way',
  'denver',
  'water',
  'runoff',
  'season',
  'year',
  'dillon',
  'reservoir',
  'spill',
  'string',
  'storm',
  'colorado',
  'outflow',
  'rate',
  'flow',
  'foot',
  'second',
  'denver',
  'water',
  'report',
  'tuesday',
  'gallon',
  'beer',
  'keg',
  'outlet',
  'second',
  'dillon',
  'reservoir',
  'inch',
  'precipitation',
  'inch',
  'precipitation',
  'year',
  'continental',
  'divide',
  'range',
  'denver',
  'rainiest',
  'record',
  'national',
  'weather',
  'service',
  'spell',
  'thank',
  'level',
  'system',
  'wilkinson',
  'precipitation',
  'state',
  'pattern',
  'weekend',
  'week',
  'day',
  'weather',
  'outlook',
  'southwest',
  'monsoon',
  'wilkinson',
  'level',
  'pattern',
  'wilkinson',
  'rain',
  'afternoon',
  'storm',
  'monsoon',
  'season',
  'week',
  'month',
  'monsoon',
  'pattern',
  'pattern',
  'lightning',
  'hail',
  'monsoon',
  'pattern',
  'pressure',
  'system',
  'region',
  'moisture',
  'rainstorm',
  'mountain',
  'state',
  'moisture',
  'shower',
  'hail',
  'rainfall',
  'shower',
  'lot',
  'water',
  'content',
  'wilkinson',
  'downpour',
  'date',
  'thing',
  'summit',
  'county',
  'story',
  'inbox',
  'morning',
  'sign',
  'summitdaily.com/newsletter',
  'weather',
  'station',
  'summit',
  'county',
  'storm',
  'noon',
  'day',
  'wednesday',
  'june',
  'temperature',
  'county',
  'snowpack',
  '%',
  'year',
  'median',
  'year',
  'mark',
  'rain',
  'potential',
  'snowpack',
  'rate',
  'wilkinson',
  'case',
  'year',
  'temperature',
  'spring',
  'sky',
  'snow',
  'river',
  'rate',
  'snowpack',
  'june',
  'year',
  'median',
  'range',
  'forecast',
  'summit',
  'county',
  'promise',
  'colorado',
  'temperature',
  'week',
  'outlook',
  'month',
  'outlook',
  'month',
  'outlook',
  'temperature',
  'precipitation',
  'year',
  'monsoon',
  'season',
  'summit',
  'county',
  'climate',
  'area',
  'drought',
  'status',
  'level',
  'precipitation',
  'year',
  'expert',
  'folk',
  'river',
  'swiftwater',
  'year',
  'people',
  'river',
  'accident',
  'western',
  'slope',
  'wine',
  'jazz',
  'festival',
  'keystone',
  'man',
  'police',
  'summit',
  'cove',
  'gun',
  'subject',
  'law',
  'enforcement',
  'hour',
  'sheriff',
  'denver',
  'zoo',
  'app',
  'citizen',
  'scientist',
  'research',
  'colorado',
  'mountain',
  'specie',
  'video',
  'colorado',
  'wildflower',
  'season',
  'guide',
  'fourth',
  'july',
  'festivities',
  'summit',
  'county',
  'support',
  'local',
  'journalism',
  'summit',
  'daily',
  'news',
  'reader',
  'work',
  'summit',
  'daily',
  'project',
  'archive',
  'public',
  'partnership',
  'colorado',
  'historic',
  'newspapers',
  'collection',
  'project',
  'donation',
  'project',
  'contribution',
  'size',
  'difference',
  'donate',
  'summit',
  'county',
  'governmentjob',
  'opportunities',
  'breckenridge',
  'co',
  'employment',
  'opportunities',
  'summit',
  'county',
  'government',
  'equal',
  'employment',
  'opportunity',
  'employer',
  'list',
  'employment',
  'opportunity',
  'review',
  'summit',
  'sky',
  'ranch',
  'hoashort',
  'term',
  'rental',
  'operations',
  'manager',
  'marketing',
  'liason',
  'rental',
  'program',
  'silverthorne',
  'co',
  'summit',
  'sky',
  'ranch',
  'hoa',
  'silverthorne',
  'time',
  'staff',
  'member',
  'summit',
  'stagedrivers',
  'frisco',
  'co',
  'driver',
  'bonus',
  'year',
  'summit',
  'stage',
  'time',
  'year',
  'round',
  'bus',
  'town',
  'dillonfinance',
  'director',
  'dillon',
  'co',
  'town',
  'dillon',
  'finance',
  'director',
  'experience',
  'ski',
  'snowboard',
  'club',
  'vailsscv',
  'alpine',
  'seasonal',
  'coaches',
  'vail',
  'co',
  'ski',
  'snowboard',
  'club',
  'vail',
  'coach',
  'program',
  'individual',
  'love',
  'colorado',
  'mountain',
  'collegeemergency',
  'medical',
  'services',
  'ems',
  'paramedic',
  'faculty',
  'edwards',
  'co',
  'emergency',
  'medical',
  'services',
  'ems',
  'paramedic',
  'faculty',
  'colorado',
  'mountain',
  'college',
  'vail',
  'valley',
  'edwards',
  'time',
  'faculty',
  'position',
  'january',
  'colorado',
  'mountain',
  'collegefacilities',
  'maintenance',
  'technician',
  'edwards',
  'co',
  'facilities',
  'maintenance',
  'technician',
  'colorado',
  'mountain',
  'college',
  'vail',
  'valley',
  'edwards',
  'facilities',
  'manager',
  'facilities',
  'maintenance',
  'technicia',
  'mobilityfield',
  'technician',
  'vail',
  'co',
  'time',
  'time',
  'position',
  'vail',
  'breckenridge',
  'colorado',
  'equal',
  'opportunity',
  'employer',
  'prohibits',
  'colorado',
  'mountain',
  'collegecollege',
  'counselor',
  'dillon',
  'co',
  'college',
  'counselor',
  'colorado',
  'mountain',
  'college',
  'summit',
  'campus',
  'college',
  'counselor',
  'campus',
  'leader',
  'interperson',
  'breckenridge',
  'property',
  'mgmt',
  'companyfull',
  'time',
  'property',
  'manager',
  'breckenridge',
  'co',
  'breckenridge',
  'property',
  'management',
  'company',
  'time',
  'property',
  'manager',
  'discounted',
  'housing',
  'available',
  'company',
  'vehicle',
  'cell',
  'phone',
  'time',
  'background',
  'daily',
  'newsletter',
  'sign',
  'news',
  'headline',
  'manage',
  'subscription',
  'subscribe',
  'information',
  'winter',
  'park',
  'granby',
  'grand',
  'county',
  'terms',
  'use',
  '',
  'privacy',
  'comment',
  'policy',
  '',
  'term',
  'conditions',
  '',
  'careers',
  ''],
 ['hunter',
  'biden',
  'plea',
  'deal',
  'ufo',
  'takeaway',
  'whistleblower',
  'congress',
  'uap',
  'sinéad',
  "o'connor",
  'grammy',
  'singer',
  'netherlands',
  'u.s.',
  'draw',
  'rematch',
  'world',
  'cup',
  'federal',
  'reserve',
  'interest',
  'rate',
  'level',
  'year',
  'niger',
  'president',
  'guard',
  'coup',
  'ohio',
  'officer',
  'k-9',
  'man',
  'hand',
  'story',
  'tic',
  'tac',
  'ufo',
  'sighting',
  'ian',
  'florida',
  'storm',
  'coast',
  'category',
  'hurricane',
  'app',
  'tucker',
  'reals',
  'sarah',
  'lynch',
  'baldwin',
  'brian',
  'dakss',
  'sophie',
  'reardon',
  'september',
  'cbs',
  'news',
  'hurricane',
  'ian',
  'landfall',
  'florida',
  'hurricane',
  'ian',
  'landfall',
  'florida',
  'category',
  'follow',
  'friday',
  'development',
  'coverage',
  'hurricane',
  'ian',
  'wind',
  'storm',
  'national',
  'hurricane',
  'center',
  'miami',
  'punch',
  'way',
  'florida',
  'atlantic',
  'ocean',
  'storm',
  'surge',
  'concern',
  'ian',
  'landfall',
  'cayo',
  'costa',
  'florida',
  'florida',
  'wednesday',
  'category',
  'storm',
  'category',
  'saffir',
  'simpson',
  'hurricane',
  'wind',
  'scale',
  'hurricane',
  'center',
  'edt',
  'thursday',
  'ian',
  'wind',
  'mph',
  'mph',
  'threshold',
  'hurricane',
  'ian',
  'center',
  'mile',
  'orlando',
  'mile',
  'cape',
  'canaveral',
  'mph',
  'ian',
  'power',
  'swath',
  'florida',
  'county',
  'state',
  'number',
  'home',
  'business',
  'dark',
  'a.m.',
  'edt',
  'region',
  'ian',
  'impact',
  'landfall',
  'life',
  'storm',
  'surge',
  'florida',
  'gov.',
  'ron',
  'desantis',
  'press',
  'conference',
  'wednesday',
  'evening',
  'flooding',
  'place',
  'collier',
  'county',
  'sanibel',
  'fort',
  'myers',
  'beach',
  'storm',
  'surge',
  'foot',
  'official',
  'damage',
  'flooding',
  'car',
  'building',
  'power',
  'line',
  'fire',
  'town',
  'city',
  'resident',
  'water',
  'water',
  'facility',
  'demand',
  'governor',
  'state',
  'official',
  'wednesday',
  'evening',
  'ian',
  'resident',
  'florida',
  'tornado',
  'wind',
  'flash',
  'flooding',
  'county',
  'jacksonville',
  'st.',
  'augustine',
  'evacuation',
  'order',
  'september',
  'power',
  'line',
  'spark',
  'reminder',
  'danger',
  'power',
  'line',
  'hurricane',
  'ian',
  'thursday',
  'winter',
  'haven',
  'fire',
  'department',
  'facebook',
  'fire',
  'truck',
  'minute',
  'danger',
  'storm',
  'fire',
  'truck',
  'minute',
  'danger',
  'storm',
  'incident',
  'trampoline',
  'truck',
  'winter',
  'haven',
  'fire',
  'department',
  'wednesday',
  'september',
  'september',
  'cbs',
  'fort',
  'myers',
  'affiliate',
  'cbs',
  'affiliate',
  'fort',
  'myers',
  'florida',
  'wink',
  'tv',
  'thursday',
  'tweet',
  'meteorologist',
  'station',
  'dylan',
  'federico',
  '212am',
  'emergency',
  'wink',
  'news',
  'building',
  'idea',
  'myers',
  'hurricane',
  'ian',
  'landfall',
  'wednesday',
  'wednesday',
  'night',
  'storm',
  'surge',
  'wink',
  'water',
  'foot',
  'wind',
  'hurricane',
  'floor',
  'fort',
  'myers',
  'pitch',
  'failure',
  'grid',
  'september',
  'ian',
  'trek',
  'florida',
  'national',
  'hurricane',
  'center',
  'miami',
  'ian',
  'hurricane',
  'florida',
  'morning',
  'atlantic',
  'today',
  'ian',
  'friday',
  'florida',
  'georgia',
  'south',
  'carolina',
  'coast',
  'center',
  'life',
  'flash',
  'flooding',
  'flooding',
  'river',
  'florida',
  'flash',
  'river',
  'flooding',
  'portion',
  'florida',
  'georgia',
  'south',
  'carolina',
  'today',
  'weekend',
  'a.m.',
  'edt',
  'ian',
  'core',
  'mile',
  'south',
  'southeast',
  'orlando',
  'distance',
  'south',
  'southwest',
  'cape',
  'canaveral',
  'mph',
  'wind',
  'mph',
  'september',
  'ian',
  'port',
  'charlotte',
  'hospital',
  'hurricane',
  'ian',
  'florida',
  'hospital',
  'storm',
  'surge',
  'level',
  'emergency',
  'room',
  'wind',
  'floor',
  'roof',
  'care',
  'unit',
  'doctor',
  'dr.',
  'birgit',
  'bodine',
  'night',
  'hca',
  'florida',
  'fawcett',
  'hospital',
  'port',
  'charlotte',
  'storm',
  'thing',
  'roof',
  'floor',
  'water',
  'wednesday',
  'icu',
  'staff',
  'hospital',
  'patient',
  'ventilator',
  'floor',
  'staff',
  'member',
  'towel',
  'plastic',
  'bin',
  'mess',
  'hospital',
  'floor',
  'patient',
  'damage',
  'september',
  'jacksonville',
  'airport',
  'jacksonville',
  'international',
  'airport',
  'wednesday',
  'night',
  'thursday',
  'flight',
  'tomorrow',
  'airport',
  'terminal',
  'airline',
  'rebooking',
  'option',
  'pic.twitter.com/dacemgadis',
  'jaxairport',
  '@jaxairport',
  'september',
  'pm',
  'september',
  'ian',
  'category',
  'p.m.',
  'et',
  'hurricane',
  'ian',
  'win',
  'mph',
  'category',
  'storm',
  'landfall',
  'day',
  'category',
  'storm',
  'national',
  'hurricane',
  'center',
  'life',
  'condition',
  'life',
  'flooding',
  'florida',
  'storm',
  'concern',
  'florida',
  'coastline',
  'life',
  'storm',
  'surge',
  'florida',
  'coast',
  'coast',
  'georgia',
  'south',
  'carolina',
  'thursday',
  'saturday',
  'storm',
  'atlantic',
  'pm',
  'september',
  'watch',
  'warning',
  'effect',
  'p.m.',
  'watch',
  'warning',
  'effect',
  'p.m.:a',
  'hurricane',
  'warning',
  'effect',
  'chokoloskee',
  'anclote',
  'river',
  'tampa',
  'baysebastian',
  'inlet',
  'flagler',
  'volusia',
  'county',
  'linea',
  'storm',
  'surge',
  'warning',
  'effect',
  'suwannee',
  'river',
  'flamingotampa',
  'bayflagler',
  'volusia',
  'line',
  'mouth',
  'south',
  'santee',
  'riverst',
  'johns',
  'rivera',
  'tropical',
  'storm',
  'warning',
  'effect',
  'indian',
  'pass',
  'anclote',
  'riverboca',
  'raton',
  'sebastian',
  'inletflagler',
  'volusia',
  'county',
  'line',
  'surf',
  'cityflamingo',
  'chokoloskeelake',
  'okeechobeebimini',
  'grand',
  'bahama',
  'islandsa',
  'storm',
  'surge',
  'watch',
  'effect',
  'north',
  'south',
  'santee',
  'river',
  'little',
  'river',
  'hurricane',
  'watch',
  'effect',
  'flagler',
  'volusia',
  'county',
  'line',
  'south',
  'santee',
  'rivera',
  'storm',
  'watch',
  'effect',
  'north',
  'surf',
  'city',
  'cape',
  'lookout',
  'pm',
  'september',
  'florida',
  'resident',
  'power',
  'hurricane',
  'ian',
  'number',
  'florida',
  'power',
  'p.m.',
  'et',
  'people',
  'southwest',
  'florida',
  'brunt',
  'impact',
  'resident',
  'county',
  'desoto',
  'charlotte',
  'lee',
  'power',
  'wednesday',
  'evening',
  'half',
  'resident',
  'neighboring',
  'county',
  'manatee',
  'sarasota',
  'collier',
  'highlands',
  'glades',
  'power',
  'pm',
  'september',
  'hurricane',
  'hunter',
  'pilot',
  'flight',
  'ian',
  'people',
  'hurricane',
  'captain',
  'jason',
  'mansour',
  'gulfstream',
  'iv',
  'hurricane',
  'hunter',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'cbs',
  'news',
  'john',
  'dickerson',
  'prime',
  'time',
  'hurricane',
  'hunter',
  'harm',
  'way',
  'information',
  'forecast',
  'mansour',
  'hurricane',
  'hunter',
  'pilot',
  'mission',
  'hurricane',
  'ian',
  'pm',
  'september',
  'hurricane',
  'position',
  'strength',
  'p.m.',
  'et',
  'hurricane',
  'ian',
  'mile',
  'punta',
  'gorda',
  'florida',
  'mile',
  'south',
  'southwest',
  'orlando',
  'north',
  'northeast',
  'mph',
  'wind',
  'mph',
  'category',
  'storm',
  'pm',
  'september',
  'tampa',
  'police',
  'chief',
  'update',
  'hurricane',
  'ian',
  'florida',
  'tampa',
  'police',
  'chief',
  'update',
  'hurricane',
  'ian',
  'florida',
  'pm',
  'september',
  'warning',
  'watch',
  'effect',
  'p.m.',
  'national',
  'hurricane',
  'center',
  'warning',
  'watch',
  'effect',
  'p.m',
  'et',
  'hurricane',
  'warning',
  'effect',
  'for:-chokoloskee',
  'anclote',
  'river',
  'tampa',
  'bay',
  'sebastian',
  'inlet',
  'flagler',
  'volusia',
  'county',
  'linea',
  'storm',
  'surge',
  'warning',
  'effect',
  'for:-suwannee',
  'river',
  'flamingo',
  'tampa',
  'bay',
  'flagler',
  'volusia',
  'line',
  'mouth',
  'south',
  'santee',
  'river',
  'st.',
  'johns',
  'rivera',
  'storm',
  'warning',
  'effect',
  'for:-indian',
  'pass',
  'anclote',
  'river',
  'flamingo',
  'sebastian',
  'inlet',
  'flagler',
  'volusia',
  'county',
  'line',
  'surf',
  'city',
  'flamingo',
  'chokoloskee',
  'lake',
  'okeechobee',
  'bimini',
  'grand',
  'bahama',
  'islandsa',
  'storm',
  'surge',
  'watch',
  'effect',
  'for:-north',
  'south',
  'santee',
  'river',
  'little',
  'river',
  'inlet',
  'florida',
  'baya',
  'hurricane',
  'watch',
  'effect',
  'for:-flagler',
  'volusia',
  'county',
  'line',
  'south',
  'santee',
  'river',
  'lake',
  'storm',
  'watch',
  'effect',
  'for:-north',
  'surf',
  'city',
  'cape',
  'lookout',
  'pm',
  'september',
  'daytona',
  'beach',
  'shores',
  'florida',
  'east',
  'coast',
  'bridge',
  'wind',
  'department',
  'safety',
  'daytona',
  'beach',
  'shores',
  'wednesday',
  'night',
  'bridge',
  'halifax',
  'river',
  'wind',
  'speed',
  'bridge',
  'state',
  'department',
  'transportation',
  'department',
  'portions',
  'florida',
  'daytona',
  'flooding',
  'wind',
  'hurricane',
  'ian',
  'way',
  'peninsula',
  'volusia',
  'county',
  'hurricane',
  'warning',
  'flood',
  'watch',
  'tornado',
  'pm',
  'september',
  'sarasota',
  'mayor',
  'impact',
  'hurricane',
  'ian',
  'sarasota',
  'mayor',
  'impact',
  'hurricane',
  'ian',
  'pm',
  'september',
  'biden',
  'fema',
  'headquarters',
  'thursday',
  'hurricane',
  'ian',
  'florida',
  'white',
  'house',
  'president',
  'biden',
  'fema',
  'headquarters',
  'washington',
  'd.c.',
  'thursday',
  'briefing',
  'impact',
  'hurricane',
  'ian',
  'response',
  'effort',
  'president',
  'remark',
  'hurricane',
  'pm',
  'september',
  'virginia',
  'state',
  'emergency',
  'friday',
  'beginning',
  'friday',
  'virginia',
  'state',
  'emergency',
  'gov.',
  'glenn',
  'youngkin',
  'wednesday',
  'declaration',
  'response',
  'hurricane',
  'ian',
  'state',
  'week',
  'community',
  'resource',
  'effect',
  'storm',
  'governor',
  'statement',
  'storm',
  'track',
  'virginians',
  'visitor',
  'plan',
  'supply',
  'hand',
  'source',
  'forecast',
  'information',
  'guidance',
  '"similar',
  'state',
  'emergency',
  'north',
  'south',
  'carolina',
  'georgia',
  'florida',
  'pm',
  'september',
  'resident',
  'shelter',
  'tampa',
  'school',
  'florida',
  'home',
  'hurricane',
  'ian',
  'decision',
  'anita',
  'glover',
  'shelter',
  'tampa',
  'school',
  'month',
  'son',
  'jayven',
  'glover',
  'shelter',
  'son',
  'focus',
  'safety',
  'electricity',
  'thing',
  'shelter',
  'yesterday',
  '"hundred',
  'people',
  'storm',
  'shelter',
  'family',
  'family',
  'shelter',
  'school',
  'house',
  'lot',
  'tree',
  'area',
  'school',
  'resident',
  'classroom',
  'bedroom',
  'juan',
  'lopez',
  'day',
  'job',
  'sale',
  'marketing',
  'tampa',
  'convention',
  'center',
  'shelter',
  'supervisor',
  'guest',
  'space',
  'place',
  'element',
  'meal',
  'day',
  'lopez',
  'support',
  'shelter',
  'refuge',
  'hurricane',
  'ian',
  'pm',
  'september',
  'fort',
  'myers',
  'police',
  'issue',
  'citywide',
  'curfew',
  'hurricane',
  'city',
  'fort',
  'myers',
  'curfew',
  'health',
  'safety',
  'welfare',
  'resident',
  'visitor',
  'responder',
  'police',
  'effect',
  'wednesday',
  'p.m.',
  'friday',
  'p.m.',
  'lee',
  'county',
  'fort',
  'myers',
  'wednesday',
  'evening',
  'curfew',
  'notice',
  'lee',
  'county',
  'city',
  'exception',
  'estero',
  'time',
  'county',
  'facebook',
  'page',
  'pm',
  'september',
  'desantis',
  'hurricane',
  'florida',
  'hurricane',
  'ian',
  'florida',
  'town',
  'storm',
  'florida',
  'gov.',
  'ron',
  'desantis',
  'wednesday',
  'evening',
  'swath',
  'state',
  'damage',
  'resident',
  'state',
  ...],
 ['official',
  'site',
  'state',
  'new',
  'jersey',
  'governor',
  'phil',
  'murphy',
  'lt',
  'governor',
  'sheila',
  'oliver',
  'state',
  'nj',
  'site',
  'link',
  'information',
  'service',
  'content',
  'website',
  'party',
  'convenience',
  'google',
  'translate',
  'google',
  'translate',
  'service',
  'user',
  'language',
  'translation',
  'user',
  'notice',
  'state',
  'nj',
  'site',
  'operator',
  'service',
  'information',
  'content',
  'state',
  'nj',
  'site',
  'reason',
  'disclaimer',
  'depcommissionerformer',
  'commissionerscommissioner',
  'stafforg',
  'chartcalendarboards',
  'councils',
  'commissionsemploymentphone',
  'directoriesrulesdirections',
  'officeswarn',
  'dep',
  'index',
  'topicprograms',
  'units',
  'fishinghuntingwildlifedestinationsconservationeducation',
  'parks',
  'forests',
  'historic',
  'sites',
  'forest',
  'serviceforest',
  'fire',
  'servicehistoric',
  'sitesnatural',
  'lands',
  'managementstate',
  'park',
  'policestate',
  'park',
  'service',
  'air',
  'energy',
  'materials',
  'sustainability',
  'air',
  'compliance',
  'enforcementair',
  'hazardous',
  'materials',
  'enforcementair',
  'monitoringair',
  'qualityair',
  'quality',
  'evaluation',
  'planningair',
  'quality',
  'mobile',
  'sourcesair',
  'quality',
  'regulationair',
  'quality',
  'stationary',
  'sourceschemical',
  'release',
  'informationclimate',
  'changediesel',
  'enforcementdischarge',
  'preventiondrivegreennjenvironmental',
  'radiationhazardous',
  'waste',
  'compliance',
  'enforcementnuclear',
  'engineeringradiation',
  'protectionradonrecycling',
  'planningsustainable',
  'waste',
  'managementsolid',
  'waste',
  'compliance',
  'enforcementsustainabilitywaste',
  'underground',
  'storage',
  'tanks',
  'enforcementx',
  'ray',
  'compliance',
  'blue',
  'acresclimate',
  'resilience',
  'planning',
  'contaminated',
  'site',
  'remediation',
  'redevelopment',
  'brownfieldsremediation',
  'managementunregulated',
  'heating',
  'oil',
  'tanks',
  'office',
  'commissioner',
  'administrative',
  'executive',
  'orderscommunity',
  'investment',
  'economic',
  'revitalizationcommunity',
  'local',
  'government',
  'assistancedispute',
  'resolutionemergency',
  'managementenforcement',
  'policyenvironmental',
  'justiceenvironmental',
  'research',
  'libraryequal',
  'opportunity',
  'contract',
  'assistancegreen',
  'acresgeographic',
  'information',
  'systems',
  'gis)historic',
  'preservationlegal',
  'affairslocal',
  'environmental',
  'managementnatural',
  'resource',
  'restorationpermitting',
  'project',
  'coordinationpollution',
  'prevention',
  'right',
  'knowpress',
  'officequality',
  'assurancerecord',
  'access',
  'opra)transactions',
  'public',
  'land',
  'administrationscience',
  'research',
  'freshwater',
  'biological',
  'monitoringmarine',
  'water',
  'monitoringmunicipal',
  'finance',
  'constructionpesticides',
  'licensing',
  'surveypesticides',
  'enforcementsource',
  'water',
  'assessment',
  'programwater',
  'wastewater',
  'licensingwater',
  'compliance',
  'enforcementwater',
  'monitoring',
  'standardswater',
  'pollution',
  'managementwater',
  'qualitywater',
  'quality',
  'assessmentwater',
  'quality',
  'standardswater',
  'supply',
  'geoscience',
  'watershed',
  'land',
  'management',
  'coastal',
  'engineeringcoastal',
  'land',
  'enforcementdam',
  'safetyflood',
  'controlflood',
  'resilienceland',
  'resource',
  'protectionmitigationresilience',
  'engineering',
  'constructiontidelands',
  'dep',
  'onlinedataminernjgeowebgis',
  'datagis',
  'maps',
  'app',
  'gallerypublic',
  'records',
  'opra)rules',
  'bulletinenvironmental',
  'standardsenvironmental',
  'research',
  'libraryenvironmental',
  'education',
  'calendarnewscontact',
  'superstorm',
  'sandy',
  'homeclimate',
  'change',
  'stormsclimate',
  'flood',
  'resilienceget',
  'involvedflood',
  'resource',
  'toolkitflood',
  'indicator',
  'toolresources',
  'aftermath',
  'superstorm',
  'sandyjet',
  'star',
  'roller',
  'coaster',
  'casino',
  'pier',
  'seaside',
  'heights',
  'superstorm',
  'sandy',
  'aftermath',
  'superstorm',
  'sandysuperstorm',
  'sandy',
  'aftermath',
  'point',
  'pleasant',
  'new',
  'jersey',
  'aftermath',
  'superstorm',
  'sandypiles',
  'sand',
  'street',
  'bay',
  'head',
  'nj',
  'superstorm',
  'sandy',
  'aftermath',
  'superstorm',
  'sandywhat',
  'boardwalk',
  'spring',
  'lake',
  'n.j.',
  'superstorm',
  'sandy',
  'aftermath',
  'superstorm',
  'sandybrick',
  'township',
  'nj',
  'usa',
  'beach',
  'house',
  'super',
  'storm',
  'sandy',
  'devastation',
  'aftermath',
  'superstorm',
  'sandythe',
  'princess',
  'cottage',
  'union',
  'beach',
  'new',
  'jersey',
  'half',
  'home',
  'home',
  'superstorm',
  'sandy',
  'town',
  'aftermath',
  'superstorm',
  'sandya',
  'beach',
  'house',
  'shore',
  'superstorm',
  'sandy',
  'november',
  'union',
  'beach',
  'new',
  'jersey',
  'home',
  'town',
  'resident',
  'storm',
  'superstorm',
  'sandy',
  'new',
  'jersey',
  'shorepoint',
  'pleasant',
  'new',
  'jersey',
  'sunday',
  'october',
  '28th',
  'day',
  'hurricane',
  'sandy',
  'landfall',
  'photo',
  'hour',
  'superstorm',
  'landfall',
  'evening',
  'october',
  '29th',
  'ocean',
  'wave',
  'wind',
  'speed',
  'aftermath',
  'superstorm',
  'sandy',
  'home',
  'superstorm',
  'seaside',
  'heights',
  'new',
  'jersey',
  'aftermath',
  'superstorm',
  'sandy',
  'aftermath',
  'superstorm',
  'sandy',
  'northern',
  'new',
  'jersey',
  'tree',
  'telephone',
  'pole',
  'blackout',
  'period',
  'excess',
  'week',
  'responsibility',
  'department',
  'environmental',
  'protection',
  'community',
  'neighbor',
  'flood',
  'risk',
  'risk',
  'community',
  'superstorm',
  'sandy',
  'new',
  'jersey',
  'october',
  'september',
  'remnant',
  'tropical',
  'storm',
  'ida',
  'inland',
  'riverine',
  'community',
  'new',
  'jersey',
  'weather',
  'climate',
  'change',
  'year',
  'superstorm',
  'sandy',
  'east',
  'coast',
  'storm',
  'toll',
  'new',
  'jersey',
  'disaster',
  'garden',
  'state',
  'history',
  'aftershock',
  'state',
  '\u200b',
  'october',
  'sandy',
  'landfall',
  'new',
  'jersey',
  'brigantine',
  'rain',
  'mph',
  'wind',
  'record',
  'storm',
  'surge',
  'tide',
  'moon',
  'street',
  'house',
  'foundation',
  'tree',
  'powerline',
  'jersey',
  'shore',
  'amusement',
  'landmark',
  'jet',
  'star',
  'roller',
  'coaster',
  'seaside',
  'heights',
  'hulk',
  'wave',
  'storm',
  'image',
  'aftermath',
  'new',
  'jersey',
  'road',
  'recovery',
  'scientist',
  'influence',
  'climate',
  'sea',
  'level',
  'storm',
  'destruction',
  'sandy',
  'harbinger',
  'thing',
  'today',
  'dep',
  'effort',
  'threat',
  'sea',
  'level',
  'rise',
  'greenhouse',
  'gas',
  'emission',
  'fuel',
  'climate',
  'change',
  'state',
  'resilience',
  'storm',
  'new',
  'jersey',
  'network',
  'climate',
  'flood',
  'resilience',
  'learn',
  'climate',
  'change',
  'storms\u200b',
  'remembering',
  'superstorm',
  'sandyhome',
  'climate',
  'change',
  'storms',
  'climate',
  'flood',
  'resilience',
  'flood',
  'resource',
  'toolkit',
  'flood',
  'indicator',
  'tool',
  'resources',
  'environmental',
  'protection',
  'commissioner',
  'shawn',
  'm.',
  'latourette',
  'dep',
  'home',
  'press',
  'dep',
  'topics',
  'programs',
  'unit',
  'dep',
  'online',
  'contact',
  'statewide',
  'governor',
  'phil',
  'murphy',
  'lt',
  'governor',
  'sheila',
  'oliver',
  'nj',
  'home',
  'services',
  'z',
  'departments',
  'agencies',
  'faqs',
  'contact',
  'privacy',
  'notice',
  'legal',
  'statement',
  'disclaimers',
  'accessibility',
  'statement',
  'copyright',
  'state',
  'new',
  'jersey',
  'department',
  'environmental',
  'protection',
  'p.',
  'o.',
  'box',
  'trenton',
  'nj',
  'update',
  'october',
  '26th'],
 ['sign',
  'offers',
  'press',
  'heraldcentral',
  'mainesun',
  'journaltimes',
  'recordweekly',
  'newspapers',
  'news',
  'times',
  'record',
  'local',
  'state',
  'forecaster',
  'cops',
  'courts',
  'american',
  'journal',
  'politics',
  'lakes',
  'region',
  'weekly',
  'nation',
  'world',
  'mainely',
  'media',
  'weekly',
  'news',
  'schools',
  'society',
  'notebook',
  'business',
  'business',
  'events',
  'people',
  'commercial',
  'estate',
  'sports',
  'high',
  'school',
  'sports',
  'outdoors',
  'maine',
  'mariners',
  'boston',
  'red',
  'sox',
  'portland',
  'sea',
  'dogs',
  'new',
  'england',
  'patriots',
  'a&e',
  'books',
  'daily',
  'crossword',
  'daily',
  'sudoku',
  'puzzles',
  'games',
  'thing',
  'pph',
  'events',
  'guides',
  'event',
  'calendar',
  'event',
  'real',
  'estate',
  'design',
  'maintenance',
  'premier',
  'property',
  'subscribe',
  'year',
  'news',
  'times',
  'record',
  'local',
  'state',
  'forecaster',
  'cops',
  'courts',
  'american',
  'journal',
  'politics',
  'lakes',
  'region',
  'weekly',
  'nation',
  'world',
  'mainely',
  'media',
  'weekly',
  'news',
  'schools',
  'society',
  'notebook',
  'business',
  'business',
  'events',
  'people',
  'commercial',
  'estate',
  'sports',
  'high',
  'school',
  'sports',
  'outdoors',
  'maine',
  'mariners',
  'boston',
  'red',
  'sox',
  'portland',
  'sea',
  'dogs',
  'new',
  'england',
  'patriots',
  'a&e',
  'books',
  'daily',
  'crossword',
  'daily',
  'sudoku',
  'puzzles',
  'games',
  'thing',
  'pph',
  'events',
  'guides',
  'event',
  'calendar',
  'event',
  'real',
  'estate',
  'design',
  'maintenance',
  'premier',
  'property',
  'millions',
  'u.s.',
  'brace',
  'snow',
  'rain',
  'flood',
  'national',
  'weather',
  'service',
  'weather',
  'hazard',
  'heart',
  'country',
  'week',
  'share',
  'article',
  'article',
  'gift',
  'article',
  'month',
  'link',
  'account',
  'article',
  'link',
  'error',
  'gift',
  'article',
  'press',
  'herald',
  'subscription',
  'article',
  'month',
  'subscribe',
  'today',
  'subscription',
  'subscription',
  'page',
  'gift',
  'article',
  'press',
  'herald',
  'subscription',
  'article',
  'month',
  'subscribe',
  'today',
  'subscriber',
  'sign',
  'sal',
  'wood',
  'blake',
  'wood',
  'jacobi',
  'wood',
  'snowball',
  'camel',
  'park',
  'boise',
  'idaho',
  'monday',
  'inch',
  'snow',
  'national',
  'weather',
  'service',
  'sarah',
  'a.',
  'miller',
  'idaho',
  'statesman',
  'ap',
  'sioux',
  'falls',
  's.d.',
  'winter',
  'storm',
  'center',
  'u.s.',
  'monday',
  'million',
  'people',
  'snow',
  'rain',
  'flooding',
  'national',
  'weather',
  'service',
  'weather',
  'hazard',
  'heart',
  'country',
  'week',
  'rockies',
  'plains',
  'midwest',
  'people',
  'blizzard',
  'condition',
  'texas',
  'louisiana',
  'rain',
  'flash',
  'flooding',
  'hail',
  'tornado',
  'tuesday',
  'storm',
  'florida',
  'week',
  'forecaster',
  'week',
  'system',
  'country',
  'marc',
  'chenard',
  'meteorologist',
  'national',
  'weather',
  'service',
  'headquarters',
  'college',
  'park',
  'maryland',
  'official',
  'south',
  'dakota',
  'resident',
  'inch',
  'snow',
  'shovel',
  'grocery',
  'supply',
  'road',
  'swath',
  'country',
  'montana',
  'nebraska',
  'colorado',
  'blizzard',
  'warning',
  'monday',
  'national',
  'weather',
  'service',
  'foot',
  'snow',
  'area',
  'south',
  'dakota',
  'nebraska',
  'ice',
  'sleet',
  'great',
  'plains',
  'national',
  'weather',
  'service',
  'inch',
  'ice',
  'wind',
  'mile',
  'hour',
  'iowa',
  'minnesota',
  'south',
  'dakota',
  'power',
  'outage',
  'tree',
  'damage',
  'branch',
  'travel',
  'condition',
  'region',
  'advertisement',
  'kind',
  'storm',
  'south',
  'dakota',
  'department',
  'public',
  'safety',
  'tweet',
  'people',
  'essential',
  'storm',
  'thousand',
  'student',
  'community',
  'wyoming',
  'nebraska',
  'dakotas',
  'rapid',
  'city',
  'south',
  'dakota',
  'week',
  'lakota',
  'nation',
  'invitational',
  'school',
  'event',
  'brian',
  'brewer',
  'organizer',
  'school',
  'participant',
  'evan',
  'freedman',
  'los',
  'angeles',
  'snow',
  'chain',
  'vehicle',
  'snow',
  'highway',
  'wrightwood',
  'calif.',
  'monday',
  'lester',
  'orange',
  'county',
  'register',
  'ap',
  'storm',
  'tomorrow',
  'chance',
  'monday',
  'utah',
  'tour',
  'bus',
  'monday',
  'morning',
  'snow',
  'temperature',
  'region',
  'bus',
  'tremonton',
  'driver',
  'control',
  'lane',
  'highway',
  'patrol',
  'statement',
  'highway',
  'patrol',
  'passenger',
  'weather',
  'system',
  'snow',
  'sierra',
  'nevada',
  'weekend',
  'northern',
  'california',
  'mountain',
  'highway',
  'monday',
  'warning',
  'california',
  'mountain',
  'monday',
  'night',
  'national',
  'weather',
  'service',
  'advertisement',
  'winter',
  'week',
  'fall',
  'storm',
  'precipitation',
  'california',
  'impact',
  'year',
  'drought',
  'water',
  'conservation',
  'uc',
  'berkeley',
  'central',
  'sierra',
  'snow',
  'lab',
  'lake',
  'tahoe',
  'storm',
  'inch',
  'snow',
  'salt',
  'lake',
  'bus',
  'passenger',
  'monday',
  'eastbound',
  'i-84',
  'mile',
  'tremonton',
  'utah',
  'tour',
  'bus',
  'boise',
  'idaho',
  'salt',
  'lake',
  'city',
  'utah',
  'monday',
  'morning',
  'dozen',
  'passenger',
  'utah',
  'highway',
  'patrol',
  'utah',
  'department',
  'public',
  'safety',
  'ap',
  'sierra',
  'snowpack',
  'peak',
  'april',
  'source',
  'water',
  'spring',
  'drought',
  'expert',
  'optimism',
  'season',
  'storm',
  'climate',
  'change',
  'condition',
  'year',
  'river',
  'rain',
  'california',
  'october',
  'stretch',
  'december',
  'sierra',
  'nevada',
  'snow',
  'state',
  'january',
  'april',
  'record',
  'associated',
  'press',
  'writer',
  'sam',
  'metz',
  'salt',
  'lake',
  'city',
  'trisha',
  'ahmed',
  'minneapolis',
  'john',
  'antczak',
  'los',
  'angeles',
  'success',
  'page',
  'page',
  'second',
  'page',
  'email',
  'password',
  'comment',
  'password',
  'commenting',
  'profile',
  'story',
  'commenting',
  'profile',
  'profile',
  'addition',
  'subscription',
  'website',
  'login',
  'commenting',
  'profile',
  'login',
  'email',
  'registration',
  'commenting',
  'profile',
  'email',
  'address',
  'password',
  'display',
  'email',
  'registration',
  'display',
  'screen',
  'email',
  'address',
  'discussion',
  'subscriber',
  'comment',
  'access',
  'form',
  'password',
  'account',
  'email',
  'email',
  'reset',
  'code',
  'hiker',
  'death',
  'new',
  'hampshire',
  'equipment',
  'billionaire',
  'climate',
  'policy',
  'cops',
  'courts',
  'daily',
  'headlines',
  'read',
  'epaper',
  'new',
  'law',
  'dollar',
  'pocket',
  'income',
  'mainer',
  'closure',
  'lobsterman',
  'family',
  'man',
  'sea',
  'president',
  'biden',
  'auburn',
  'friday',
  'brunswick',
  'barnes',
  'noble',
  'wednesday',
  'portland',
  'run',
  'day',
  'temp',
  'contact',
  'staff',
  'directory',
  'story',
  'tip',
  'letters',
  'editor',
  'faqs',
  'subscribers',
  'subscriber',
  'resource',
  'subscriber',
  'benefits',
  'home',
  'delivery',
  'help',
  'account',
  'bill',
  'access',
  'epaper',
  'newsletters',
  'alerts',
  'mobile',
  'apps',
  'press',
  'herald',
  'event',
  'email',
  'newsletter',
  'podcast',
  'facebook',
  'twitter',
  'instagram',
  'pinterest',
  'advertise',
  'media',
  'kit',
  'contact',
  'advertising',
  'ads',
  'place',
  'obituary',
  'press',
  'herald',
  'event',
  'boss',
  'maine',
  'voices',
  'live',
  'business',
  'series',
  'newsroom',
  'live',
  'source',
  'maine',
  'sustainability',
  'awards',
  'network',
  'work',
  'centralmaine.com',
  'sunjournal.com',
  'timesrecord.com',
  'forecasters',
  'mainely',
  'medium',
  'weeklies',
  'varsity',
  'maine',
  'privacy',
  'policy',
  'cookie',
  'policy',
  'terms',
  'service',
  'commenting',
  'terms',
  'public',
  'notices',
  'photo',
  'store',
  'merch',
  'store',
  'archive',
  'search',
  '',
  '',
  'rights',
  'reserved',
  '',
  '',
  'press',
  'herald'],
 ['experience',
  'community',
  'spectrum',
  'news',
  'app',
  'open',
  'spectrum',
  'news',
  'app',
  '×',
  'set',
  'weather',
  'location',
  'forecast',
  'radar',
  'weather',
  'alert',
  'app',
  'spectrum',
  'news',
  'app',
  'way',
  'story',
  'louisville',
  'gas',
  'pricesstay',
  'price',
  'town',
  'weather',
  'alertview',
  'list',
  'weather',
  'alert',
  'apartment',
  'building',
  'brooklawn',
  'area',
  'louisville',
  'roof',
  'tornado',
  'night',
  'april',
  'spectrum',
  'news',
  'drew',
  'bennett',
  'pm',
  'et',
  'apr.',
  'published',
  'pm',
  'et',
  'apr.',
  'published',
  'pm',
  'edt',
  'apr.',
  'kentucky',
  'line',
  'thunderstorm',
  'wind',
  'kentucky',
  'wednesday',
  'evening',
  'tornado',
  'louisville',
  'area',
  'national',
  'weather',
  'service',
  'ef-1',
  'tornado',
  'louisville',
  'wednesday',
  'night',
  'storm',
  'tornado',
  'meade',
  'county',
  'damage',
  'survey',
  'storm',
  'tree',
  'house',
  'power',
  'line',
  'roof',
  'apartment',
  'person',
  'weather',
  'national',
  'weather',
  'service',
  'thursday',
  'damage',
  'ef-1',
  'tornado',
  'pleasure',
  'ridge',
  'park',
  'newburg',
  'section',
  'louisville',
  'wednesday',
  'evening',
  'tornado',
  'wind',
  'mph',
  'brandonburg',
  'area',
  'mead',
  'county',
  'hour',
  'southwest',
  'louisville',
  'meteorologist',
  'brian',
  'neudorff',
  'service',
  'crew',
  'damage',
  'thursday',
  'path',
  'length',
  'tornado',
  'storm',
  'tree',
  'house',
  'power',
  'line',
  'roof',
  'apartment',
  'building',
  'tractor',
  'trailer',
  'wind',
  'interstate',
  'louisville',
  'driver',
  'louisville',
  'police',
  'spokesperson',
  'dwight',
  'mitchell',
  'customer',
  'power',
  'thursday',
  'afternoon',
  'jefferson',
  'county',
  'louisville',
  'person',
  'storm',
  'california',
  'consumer',
  'limit',
  'use',
  'sensitive',
  'personal',
  'information',
  'personal',
  'information',
  'opt',
  'targeted',
  'advertising',
  'â',
  'charter',
  'communications',
  'right'],
 ['permission',
  'article',
  'account',
  'dashboard',
  'profile',
  'item',
  'northeast',
  'north',
  'central',
  'nebraska',
  'news',
  'source',
  'heat',
  'advisory',
  'effect',
  'pm',
  'cdt',
  'evening',
  'heat',
  'advisory',
  'effect',
  'noon',
  'pm',
  'cdt',
  'thursday',
  'heat',
  'advisory',
  'heat',
  'index',
  'value',
  'heat',
  'advisory',
  'heat',
  'index',
  'value',
  'iowa',
  'monona',
  'county',
  'nebraska',
  'knox',
  'cedar',
  'thurston',
  'antelope',
  'pierce',
  'wayne',
  'madison',
  'stanton',
  'cuming',
  'counties',
  'heat',
  'advisory',
  'pm',
  'cdt',
  'evening',
  'heat',
  'advisory',
  'noon',
  'pm',
  'cdt',
  'thursday',
  'impact',
  'temperature',
  'humidity',
  'heat',
  'illness',
  'plenty',
  'fluid',
  'air',
  'room',
  'sun',
  'relative',
  'neighbor',
  'child',
  'pet',
  'vehicle',
  'circumstance',
  'precaution',
  'time',
  'activity',
  'morning',
  'evening',
  'sign',
  'symptom',
  'heat',
  'exhaustion',
  'heat',
  'stroke',
  'clothing',
  'risk',
  'work',
  'occupational',
  'safety',
  'health',
  'administration',
  'rest',
  'break',
  'air',
  'environment',
  'heat',
  'location',
  'heat',
  'stroke',
  'emergency',
  'heat',
  'advisory',
  'effect',
  'pm',
  'cdt',
  'evening',
  'heat',
  'advisory',
  'effect',
  'noon',
  'pm',
  'cdt',
  'thursday',
  'heat',
  'advisory',
  'heat',
  'index',
  'value',
  'heat',
  'advisory',
  'heat',
  'index',
  'value',
  'iowa',
  'monona',
  'county',
  'nebraska',
  'knox',
  'cedar',
  'thurston',
  'antelope',
  'pierce',
  'wayne',
  'madison',
  'stanton',
  'cuming',
  'counties',
  'heat',
  'advisory',
  'pm',
  'cdt',
  'evening',
  'heat',
  'advisory',
  'noon',
  'pm',
  'cdt',
  'thursday',
  'impact',
  'temperature',
  'humidity',
  'heat',
  'illness',
  'plenty',
  'fluid',
  'air',
  'room',
  'sun',
  'relative',
  'neighbor',
  'child',
  'pet',
  'vehicle',
  'circumstance',
  'precaution',
  'time',
  'activity',
  'morning',
  'evening',
  'sign',
  'symptom',
  'heat',
  'exhaustion',
  'heat',
  'stroke',
  'clothing',
  'risk',
  'work',
  'occupational',
  'safety',
  'health',
  'administration',
  'rest',
  'break',
  'air',
  'environment',
  'heat',
  'location',
  'heat',
  'stroke',
  'emergency',
  'death',
  'singer',
  'tony',
  'bennett',
  'crooner',
  'wall',
  'dirt',
  'usher',
  'derecho',
  'northeast',
  'nebraska',
  'wall',
  'dust',
  'norfolk',
  'thursday',
  'afternoon',
  'wind',
  'condition',
  'wall',
  'dust',
  'path',
  'storm',
  'northeast',
  'nebraska',
  'thursday',
  'afternoon',
  'storm',
  'derecho',
  'national',
  'weather',
  'service',
  'condition',
  'tree',
  'power',
  'line',
  'swath',
  'damage',
  'area',
  'michael',
  'carnes',
  'wayne',
  'district',
  'track',
  'hartington',
  'wall',
  'dirt',
  'tornado',
  'dirt',
  'blackout',
  'carnes',
  'lack',
  'visibility',
  'vehicle',
  'dirt',
  'thing',
  'wheel',
  'middle',
  'blizzard',
  'downpour',
  'god',
  'yesterday',
  '”brett',
  'albright',
  'meteorologist',
  'national',
  'weather',
  'service',
  'omaha',
  'valley',
  'wind',
  'feature',
  'thursday',
  'storm',
  'northeast',
  'nebraska',
  'wind',
  'gust',
  'norfolk',
  'regional',
  'airport',
  'mph',
  'p.m.',
  'mph',
  'wind',
  'area',
  'storm',
  'line',
  'wind',
  'albright',
  'windstorm',
  'derecho',
  'windstorm',
  'line',
  'thunderstorm',
  'derecho',
  'gust',
  'mph',
  'damage',
  'swath',
  'mile',
  'mile',
  'national',
  'weather',
  'service',
  'definition',
  'wind',
  'albright',
  'estimate',
  'northeast',
  'nebraska',
  'peak',
  'wind',
  'gust',
  'mph',
  'wind',
  'dust',
  'weather',
  'service',
  'office',
  'lot',
  'tree',
  'fence',
  'norfolk',
  'area',
  'northeast',
  'nebraska',
  'albright',
  'report',
  'communication',
  'tower',
  'cedar',
  'county',
  'norfolk',
  'family',
  'ymca',
  'storm',
  'date',
  'closure',
  'pool',
  'roof',
  'pool',
  'director',
  'justin',
  'moore',
  'moore',
  'nature',
  'damage',
  'thursday',
  'storm',
  'water',
  'ceiling',
  'pool',
  'decision',
  'closure',
  'pump',
  'maintenance',
  'pierce',
  'utility',
  'crew',
  'damage',
  'p.m.',
  'pierce',
  'fire',
  'rescue',
  'community',
  'emergency',
  'response',
  'team',
  'tree',
  'pierce',
  'fire',
  'chief',
  'steve',
  'dolesh',
  'damage',
  'utility',
  'line',
  'pole',
  'roof',
  'damage',
  'hog',
  'barn',
  'destruction',
  'car',
  'port',
  'lot',
  'tree',
  'damage',
  'tree',
  'car',
  'dolesh',
  'crew',
  'p.m.',
  'dolesh',
  'damage',
  'minute',
  'storm',
  'surprise',
  'wall',
  'dust',
  'storm',
  'planet',
  'bit',
  'situation',
  'dust',
  'cloud',
  'thursday',
  'storm',
  'condition',
  '“it',
  'status',
  'field',
  'growth',
  'cover',
  'dirt',
  'window',
  'drought',
  'condition',
  'kind',
  'stuff',
  '”the',
  'storm',
  'power',
  'outage',
  'thursday',
  'grant',
  'otten',
  'nebraska',
  'public',
  'power',
  'district',
  'peak',
  'storm',
  'customer',
  'outage',
  'nppd',
  'service',
  'area',
  'storm',
  'customer',
  'o’neill',
  'oakdale',
  'tilden',
  'inman',
  'creighton',
  'bloomfield',
  'hartington',
  'otten',
  'customer',
  'power',
  'norfolk',
  'storm',
  'yesterday',
  'evening',
  'a.m.',
  'friday',
  'customer',
  'outage',
  'norfolk',
  'otten',
  'chance',
  'shower',
  'thunderstorm',
  'saturday',
  'night',
  'sunday',
  'morning',
  'sunshine',
  'high',
  'mid-70',
  'feature',
  'weekend',
  'forecast',
  'hour',
  'rainfall',
  'hour',
  'rainfall',
  'inch',
  'a.m.',
  'friday',
  'area',
  'community',
  'year',
  'boy',
  'maskenthine',
  'lake',
  'year',
  'boy',
  'lindsay',
  'omaha',
  'hospital',
  'sunday',
  'drowning',
  'maskenthine',
  'lake',
  'stanton',
  'ups',
  'contract',
  'worker',
  'new',
  'york',
  'ap',
  'ups',
  'contract',
  'person',
  'union',
  'strike',
  'package',
  'delivery',
  'million',
  'business',
  'household',
  'whistleblower',
  'congress',
  'program',
  'ufo',
  'washington',
  'ap',
  'u.s.',
  'program',
  'engineer',
  'flying',
  'object',
  'air',
  'force',
  'intelligence',
  'officer',
  'wednesday',
  'congress',
  'pentagon',
  'claim',
  'genoa',
  'school',
  'site',
  'event',
  'genoa',
  'u.s.',
  'indian',
  'school',
  'foundation',
  'recognition',
  'remembrance',
  'day',
  'saturday',
  'aug.',
  'a.m.',
  'p.m.',
  'north',
  'korea',
  'missile',
  'submarine',
  'south',
  'korea',
  'seoul',
  'south',
  'korea',
  'ap',
  'north',
  'korea',
  'missile',
  'sea',
  'south',
  'korea',
  'military',
  'tuesday',
  'streak',
  'weapon',
  'testing',
  'protest',
  'u.s.',
  'asset',
  'south',
  'korea',
  'force',
  'pedestrian',
  'fire',
  'new',
  'york',
  'construction',
  'crane',
  'arm',
  'new',
  'york',
  'ap',
  'construction',
  'crane',
  'fire',
  'west',
  'manhattan',
  'wednesday',
  'morning',
  'arm',
  'building',
  'street',
  'people',
  'life',
  'sidewalk',
  'hour',
  'rainfall',
  'july',
  'hour',
  'rainfall',
  'inch',
  'a.m.',
  'monday',
  'area',
  'community',
  'land',
  'place',
  'russian',
  'plant',
  'ukraine',
  'kyiv',
  'ukraine',
  'ap',
  'u.n.',
  'watchdog',
  'monitor',
  'russian',
  'zaporizhzhia',
  'nuclear',
  'power',
  'plant',
  'site',
  'ukraine',
  'military',
  'counteroffensive',
  'kremlin',
  'force',
  'month',
  'war',
  'firefighter',
  'scene',
  'watch',
  'work',
  'commence',
  'downtown',
  'mural',
  'watch',
  'theater',
  'role',
  'experience',
  'barrier',
  'rio',
  'grande',
  'migrant',
  'austin',
  'texas',
  'ap',
  'month',
  'trump',
  'administration',
  'plan',
  'ups',
  'contract',
  'worker',
  'new',
  'york',
  'ap',
  'ups',
  'contract',
  'person',
  'union',
  'potentia',
  'pedestrian',
  'fire',
  'new',
  'york',
  'construction',
  'crane',
  'arm',
  'new',
  'york',
  'ap',
  'construction',
  'crane',
  'fire',
  'west',
  'manhat',
  'leader',
  'russia',
  'summit',
  'kremlin',
  'ally',
  'st',
  'petersburg',
  'russia',
  'ap',
  'leader',
  'russia',
  'wednesday',
  'summ',
  'whistleblower',
  'congress',
  'program',
  'ufo',
  'washington',
  'ap',
  'u.s.',
  'program',
  'e',
  'articlesnorfolk',
  'woman',
  'jail',
  'probation',
  'disposal',
  'remainsloud',
  'boom',
  'house',
  'fire',
  'norfolk4',
  'year',
  'boy',
  'maskenthine',
  'lakewausa',
  'man',
  'vehicle',
  'crash',
  'randolphnorfolk',
  'man',
  'year',
  'prison',
  'laibleno',
  'report',
  'injury',
  'helicopter',
  'fly',
  'field',
  'clarksonnorfolk',
  'police',
  'citizen',
  'scamfirst',
  'column',
  'news',
  'junkienorfolk',
  'water',
  'tower',
  'commentedsorry',
  'result',
  'article',
  'photo',
  'caption',
  'chance',
  'subscription',
  'norfolk',
  'daily',
  'news',
  'week',
  'caption',
  'worth',
  'shot',
  'saturday',
  'daily',
  'news',
  'norfolk',
  'avenue',
  'norfolk',
  'ne',
  'daily',
  'news',
  'browser',
  'date',
  'security',
  'risk',
  'browser'],
 ['watch',
  'news',
  'braxton',
  'county',
  'boone',
  'county',
  'cabell',
  'county',
  'calhoun',
  'county',
  'clay',
  'county',
  'fayette',
  'county',
  'jackson',
  'county',
  'kanawha',
  'county',
  'lincoln',
  'county',
  'logan',
  'county',
  'mason',
  'county',
  'mingo',
  'county',
  'nicholas',
  'county',
  'putnam',
  'county',
  'roane',
  'county',
  'wayne',
  'county',
  'webster',
  'county',
  'wirt',
  'county',
  'wood',
  'county',
  'athens',
  'county',
  'gallia',
  'county',
  'jackson',
  'county',
  'lawrence',
  'county',
  'meigs',
  'county',
  'pike',
  'county',
  'scioto',
  'county',
  'vinton',
  'county',
  'boyd',
  'county',
  'carter',
  'county',
  'elliott',
  'county',
  'greenup',
  'county',
  'floyd',
  'county',
  'johnson',
  'county',
  'lawrence',
  'county',
  'lewis',
  'county',
  'pike',
  'county',
  'politics',
  'hill',
  'automotive',
  'news',
  'washington',
  'dc',
  'bureau',
  'world',
  'press',
  'releases',
  'sinéad',
  'o’connor',
  'singer',
  'songwriter',
  'bluffing',
  'putin',
  'deployment',
  'nuclear',
  'elon',
  'musk',
  'tweet',
  'x',
  '’',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'taiwan',
  'school',
  'office',
  'typhoon',
  'stock',
  'market',
  'today',
  'share',
  'federal',
  'video',
  'tv',
  'schedule',
  'west',
  'virginia',
  'politics',
  'good',
  'day',
  'look',
  'daily',
  'forecast',
  'vipir',
  'radar',
  'day',
  'forecast',
  'free',
  'stormtracker',
  'app',
  'stormtracker',
  'weather',
  'camera',
  'network',
  'weather',
  'alerts',
  'closings',
  'delays',
  'station',
  'heat',
  'ohio',
  'west',
  'heat',
  'west',
  'virginia',
  'kentucky',
  'ohio',
  'storm',
  'tree',
  'power',
  'line',
  'meigs',
  'county',
  'storm',
  'tree',
  'power',
  'huntington',
  'heat',
  'wave',
  'west',
  'virginia',
  'ohio',
  'kentucky',
  'hot',
  'week',
  'west',
  'virginia',
  'ohio',
  'kentucky',
  'sports',
  'zone',
  'high',
  'school',
  'sports',
  'scores',
  'high',
  'school',
  'sports',
  'winfield',
  'youth',
  'baseball',
  'local',
  'sports',
  'gold',
  'blue',
  'nation',
  'marshall',
  'sports',
  'college',
  'sports',
  'black',
  'gold',
  'today',
  'masters',
  'report',
  'nfl',
  'big',
  'game',
  'nascar',
  'angels',
  'pitcher',
  'lucas',
  'giolito',
  'reynaldo',
  'lópez',
  'lindsey',
  'horan',
  'ekes',
  'draw',
  'leader',
  'colorado',
  'clearing',
  'aaron',
  'judge',
  'new',
  'york',
  'guardians',
  'trade',
  'amed',
  'rosario',
  'dodgers',
  'person',
  'tri',
  'state',
  'bestreviews',
  'local',
  'election',
  'hq',
  'bestreviews',
  'daily',
  'deals',
  'contest',
  'half',
  'hump',
  'day',
  'deal',
  'press',
  'releases',
  'calendar',
  'wowk',
  'news',
  'app',
  'meet',
  'team',
  'contact',
  'newsletter',
  'sign',
  'advertise',
  'wowk',
  'tv',
  'schedule',
  'contests',
  'jobs',
  'regional',
  'news',
  'partners',
  'information',
  'bestreviews',
  'kentucky',
  'state',
  'emergency',
  'storm',
  'mar',
  'pm',
  'est',
  'mar',
  'pm',
  'est',
  'mar',
  'pm',
  'est',
  'mar',
  'pm',
  'est',
  'frankfort',
  'ky',
  'wowk',
  'kentucky',
  'governor',
  'andy',
  'beshear',
  'state',
  'emergency',
  'bluegrass',
  'state',
  'storm',
  'friday',
  'march',
  'beshear',
  'office',
  'storm',
  'wind',
  'tornado',
  'rainfall',
  'kentucky',
  'severe',
  'weather',
  'strike',
  'second',
  'matter',
  'stormtracker',
  'app',
  'beshear',
  'national',
  'weather',
  'service',
  'storm',
  'kentucky',
  'noon',
  'p.m.',
  'official',
  'rainfall',
  'total',
  'kentucky',
  'bluegrass',
  'parkway',
  'governor',
  'office',
  'tornado',
  'watch',
  'effect',
  'kentucky',
  'flood',
  'watch',
  'effect',
  'portion',
  'kentucky',
  'beshear',
  'office',
  'wind',
  'state',
  'afternoon',
  'evening',
  'hour',
  'hail',
  'storm',
  'beshear',
  'wind',
  'tornado',
  'flood',
  'risk',
  'friday',
  'wv',
  'ky',
  'oh',
  'kentuckians',
  'weather',
  'plan',
  'today',
  'weather',
  'event',
  'beshear',
  'emergency',
  'management',
  'communication',
  'transportation',
  'energy',
  'environment',
  'staff',
  'storm',
  'emergency',
  'operations',
  'center',
  'kentucky',
  'national',
  'guard',
  'kentucky',
  'state',
  'police',
  'beshear',
  'kentuckians',
  'traffic',
  'weather',
  'update',
  'office',
  'kentucky',
  'state',
  'police',
  'roadway',
  'trooper',
  'thank',
  'inbox',
  'governor',
  'kentucky',
  'emergency',
  'management',
  'director',
  'jeremy',
  'slinker',
  'kentuckians',
  'storm',
  'time',
  'weather',
  'awareness',
  'week',
  'plan',
  'action',
  'slinker',
  'emergency',
  'kit',
  'car',
  'emergency',
  'kit',
  'home',
  'food',
  'water',
  'aid',
  'kit',
  'battery',
  'rain',
  'gear',
  'road',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'putnam',
  'county',
  'prosecutor',
  'september',
  'thank',
  'inbox',
  'amazon',
  'school',
  'deal',
  'schooler',
  'school',
  'corner',
  'amazon',
  'supply',
  'school',
  'deal',
  'supply',
  'schooler',
  'august',
  'vegetable',
  'flower',
  'flower',
  'plant',
  'hour',
  'soil',
  'air',
  'temperature',
  'sunshine',
  'august',
  'month',
  'planting',
  'chemical',
  'guys',
  'kit',
  'car',
  'car',
  'care',
  'hour',
  'chemical',
  'guys',
  'car',
  'wash',
  'kit',
  'time',
  'deal',
  'bomb',
  'threat',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'russia',
  'un',
  'meeting',
  'cambodia',
  'hun',
  'sen',
  'asia',
  'leader',
  'huntington',
  'sinéad',
  'o’connor',
  'singer',
  'songwriter',
  'bluffing',
  'putin',
  'deployment',
  'nuclear',
  'elon',
  'musk',
  'tweet',
  'x',
  '’',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'taiwan',
  'school',
  'office',
  'typhoon',
  'stock',
  'market',
  'today',
  'share',
  'federal',
  'soldier',
  'niger',
  'e',
  '-',
  'bike',
  'fire',
  'wowk',
  'news',
  'app',
  'putnam',
  'county',
  'prosecutor',
  'complaint',
  'philadelphia',
  'man',
  'robbing',
  'west',
  'virginia',
  'democrats',
  'session',
  'community',
  'west',
  'virginia',
  'dumpster',
  'fire',
  'vista',
  'view',
  'apartments',
  'west',
  'virginia',
  'state',
  'trooper',
  'maryland',
  'man',
  'remain',
  'car',
  'greenup',
  'dunbar',
  'babysitter',
  'court',
  'death',
  'year',
  'putnam',
  'county',
  'animal',
  'shelter',
  'board',
  'public',
  'service',
  'commission',
  'opinion',
  'man',
  'kanawha',
  'river',
  'putnam',
  'county',
  'prosecutor',
  'wv',
  'angler',
  'fishing',
  'record',
  'year',
  'row',
  'mu',
  'bag',
  'policy',
  'event',
  'boxing',
  'event',
  'debate',
  'youth',
  'competitor',
  'phone',
  'line',
  'dunbar',
  'police',
  'department',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'judge',
  'dems',
  'session',
  'correction',
  'shortage',
  'official',
  'vehicle',
  'fire',
  'oil',
  'deputy',
  'drunk',
  'man',
  'mph',
  'wheeler',
  'wv',
  'angler',
  'fishing',
  'record',
  'year',
  'row',
  'haunting',
  'history',
  'trans',
  '-',
  'allegheny',
  'lunatic',
  'target',
  'store',
  'teays',
  'valley',
  'gift',
  'summer',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'home',
  'depot',
  'foot',
  'skeleton',
  'halloween',
  'deal',
  'day',
  'prime',
  'day',
  'favorite',
  'wowk',
  'news',
  'stormtracker',
  'apps',
  'new',
  'stormtracker',
  'vipir',
  'real',
  'time',
  'radar',
  'wowk',
  'amazon',
  'alexa',
  'ads',
  'eeo',
  'fcc',
  'public',
  'file',
  'nexstar',
  'cc',
  'certification',
  'android',
  'app',
  'google',
  'play',
  'android',
  'weather',
  'app',
  'google',
  'play',
  'personal',
  'information',
  'personal',
  'information',
  'nexstar',
  'media',
  'inc.',
  'rights'],
 ['owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'account',
  'dashboard',
  'profile',
  'item',
  'today',
  'wind',
  'se',
  'mph',
  'tonight',
  'wind',
  'se',
  'mph',
  'july',
  'pm',
  'account',
  'dashboard',
  'profile',
  'item',
  'tuesday',
  'weather',
  'day',
  'east',
  'idaho',
  'thunderstorm',
  'flash',
  'flooding',
  'idaho',
  'falls',
  'blackfoot',
  'rexburg',
  'rain',
  'hail',
  'roof',
  'idaho',
  'falls',
  'quarter',
  'golf',
  'ball',
  'size',
  'hail',
  'pocatello',
  'area',
  'wind',
  'gust',
  'mph',
  'risk',
  'thunderstorm',
  'afternoon',
  'evening',
  'hour',
  'wednesday',
  'orange',
  'black',
  'kick',
  'month',
  'event',
  'idaho',
  'state',
  'university',
  'bengals',
  'month',
  'read',
  "more'welcome",
  'orange',
  'black',
  'kick',
  'month',
  'portneuf',
  'valley',
  'farmers',
  'market',
  'family',
  'fun',
  'days',
  'farmer',
  'market',
  'event',
  'weekend',
  'read',
  'moreportneuf',
  'valley',
  'farmers',
  'market',
  'family',
  'fun',
  'days',
  'caribou',
  'county',
  'sheriff',
  'office',
  'identity',
  'individual',
  'sheriff',
  'office',
  'help',
  'read',
  'morecaribou',
  'county',
  'sheriff',
  'office',
  'identity',
  'individual',
  'fire',
  'danger',
  'storm',
  'tracker',
  'alert',
  'idaho',
  'fall',
  'amazon',
  'delivery',
  'station',
  'grand',
  'opening',
  'today',
  'opening',
  'region',
  'amazon',
  'delivery',
  'station',
  'idaho',
  'falls',
  'read',
  'moreidaho',
  'fall',
  'amazon',
  'delivery',
  'station',
  'grand',
  'opening',
  'orange',
  'black',
  'kick',
  'month',
  'pocatello',
  'orange',
  'black',
  'kick',
  'month',
  'portneuf',
  'valley',
  'farmers',
  'market',
  'family',
  'fun',
  'days',
  'pocatello',
  'portneuf',
  'valley',
  'farmers',
  'market',
  'family',
  'fun',
  'days',
  'caribou',
  'county',
  'sheriff',
  'office',
  'identity',
  'individual',
  'caribou',
  'county',
  'caribou',
  'county',
  'sheriff',
  'office',
  'identity',
  'kpvi',
  'storm',
  'tracker',
  'alert',
  'east',
  'idaho',
  'idaho',
  'fall',
  'amazon',
  'delivery',
  'station',
  'grand',
  'opening',
  'lewis',
  'conrad',
  'idaho',
  'fall',
  'amazon',
  'delivery',
  'station',
  'grand',
  'opening',
  'weather',
  'demand',
  'doug',
  'iverson',
  'weather',
  'forecast',
  'july',
  '26th',
  'boys',
  'girls',
  'club',
  'new',
  'director',
  'boy',
  'girl',
  'club',
  'addition',
  'read',
  'girls',
  'club',
  'new',
  'director',
  'fire',
  'crew',
  'house',
  'fire',
  'sage',
  'road',
  'fire',
  'crew',
  'house',
  'fire',
  'read',
  'crew',
  'house',
  'fire',
  'sage',
  'road',
  'matt',
  'davenport',
  'interviews',
  'band',
  'band',
  'week',
  'national',
  'bar',
  'pocatello',
  'tuesday',
  'night',
  'read',
  'morematt',
  'davenport',
  'interviews',
  'band',
  'accident',
  'state',
  'highway',
  'minidoka',
  'county',
  'person',
  'vehicle',
  'collision',
  'state',
  'highway',
  'saturday',
  'read',
  'morefatal',
  'accident',
  'state',
  'highway',
  'minidoka',
  'county',
  'boys',
  'girls',
  'club',
  'new',
  'director',
  'boy',
  'girl',
  'club',
  'addition',
  'read',
  'girls',
  'club',
  'new',
  'director',
  'fire',
  'crew',
  'house',
  'fire',
  'sage',
  'road',
  'fire',
  'crew',
  'house',
  'fire',
  'read',
  'crew',
  'house',
  'fire',
  'sage',
  'road',
  'matt',
  'davenport',
  'interviews',
  'band',
  'band',
  'week',
  'national',
  'bar',
  'pocatello',
  'tuesday',
  'night',
  'read',
  'morematt',
  'davenport',
  'interviews',
  'band',
  'accident',
  'state',
  'highway',
  'minidoka',
  'county',
  'person',
  'vehicle',
  'collision',
  'state',
  'highway',
  'saturday',
  'read',
  'morefatal',
  'accident',
  'state',
  'highway',
  'minidoka',
  'county',
  'discussion',
  'discussion',
  'email',
  'notification',
  'discussion',
  'notification',
  'discussion',
  'language',
  'turn',
  'caps',
  'lock',
  'threat',
  'person',
  'racism',
  'sexism',
  'sort',
  '-ism',
  'person',
  'report',
  'link',
  'comment',
  'post',
  'eyewitness',
  'account',
  'history',
  'article',
  'discussion',
  'discussion',
  'news',
  'community',
  'wiley',
  'petersen',
  'fort',
  'hall',
  'bull',
  'riding',
  'mayhem',
  'shoshone',
  'bannock',
  'casino',
  'hotel',
  'question',
  'station',
  'antenna',
  'view',
  'public',
  'files',
  'view',
  'eeo',
  'online',
  'fcc',
  'applications',
  'e.',
  'sherman',
  'st.',
  'pocatello',
  'id',
  '6666newstips',
  'kpvi',
  'question',
  'comment',
  'link',
  'page',
  'click',
  'kpvi',
  'newsroom',
  'blox',
  'content',
  'management',
  'system',
  'blox',
  'digital',
  'browser',
  'date',
  'security',
  'risk',
  'browser'],
 ['contentskip',
  'navigationskip',
  'navigationprint',
  'subscription',
  'sign',
  'insearch',
  'jobssearchus',
  'editionus',
  'editionuk',
  'editionaustralia',
  'guardian',
  'guardiannewsopinionsportculturelifestyleshowmoreshow',
  'morenewsview',
  'newsus',
  'newsworld',
  'politicsbusinesstechsciencenewslettersfight',
  'democracyopinionview',
  'opinionthe',
  'guardian',
  'viewcolumnistslettersopinion',
  'videoscartoonssportview',
  'sportsoccernfltennismlbmlsnbanhlf1golfcultureview',
  'culturefilmbooksmusicart',
  'designtv',
  'radiostageclassicalgameslifestyleview',
  'lifestylefashionfoodrecipeslove',
  'sexhome',
  'gardenhealth',
  'fitnessfamilytravelmoneysearch',
  'input',
  'google',
  'search',
  'searchsupport',
  'usprint',
  'subscriptionsus',
  'editionuk',
  'editionaustralia',
  'editionsearch',
  'jobsdigital',
  'archiveguardian',
  'puzzles',
  'licensingthe',
  'guardian',
  'guardianguardian',
  'weeklycrosswordswordiplycorrectionsfacebooktwittersearch',
  'jobsdigital',
  'archiveguardian',
  'puzzles',
  'licensingusworldenvironmentsoccerus',
  'democracy',
  'couple',
  'lifeguard',
  'tower',
  'passage',
  'hurricane',
  'nicole',
  'vero',
  'beach',
  'florida',
  'thursday',
  'photograph',
  'ricardo',
  'arduengo',
  'couple',
  'lifeguard',
  'tower',
  'passage',
  'hurricane',
  'nicole',
  'vero',
  'beach',
  'florida',
  'thursday',
  'photograph',
  'ricardo',
  'arduengo',
  'reutersflorida',
  'article',
  'month',
  'oldat',
  'tropical',
  'storm',
  'nicole',
  'wind',
  'rain',
  'floridathis',
  'article',
  'month',
  'oldstorm',
  'hurricane',
  'force',
  'georgia',
  'carolinas',
  'thursday',
  'fridayrichard',
  'luscombe',
  'miami@richluscthu',
  'nov',
  'estfirst',
  'thu',
  'nov',
  'estthe',
  'death',
  'toll',
  'tropical',
  'storm',
  'nicole',
  'thursday',
  'november',
  'hurricane',
  'florida',
  'wind',
  'flooding',
  'rainmaker',
  'course',
  'georgia',
  'carolinas',
  'season',
  'cyclone',
  'landfall',
  'vero',
  'beach',
  'florida',
  'east',
  'coast',
  'mph',
  'wind',
  'storm',
  'surge',
  'building',
  'ocean',
  'road',
  'north',
  'daytona',
  'beach',
  'florida',
  'police',
  'man',
  'cane',
  'gunread',
  'moreat',
  'afternoon',
  'press',
  'conference',
  'jerry',
  'demings',
  'orange',
  'county',
  'mayor',
  'people',
  'orlando',
  'neighborhood',
  'electricity',
  'line',
  'vehicle',
  'accident',
  'storm',
  'storm',
  'height',
  'customer',
  'power',
  'area',
  'hurricane',
  'ian',
  'damage',
  'florida',
  'september',
  'nicole',
  'category',
  'hurricane',
  'strength',
  'wednesday',
  'afternoon',
  'bahamas',
  'hour',
  'florida',
  'landfall',
  'intensity',
  'mph',
  'predecessor',
  'storm',
  'wind',
  'mph',
  'path',
  'orlando',
  'tampa',
  'gulf',
  'mexico',
  'national',
  'hurricane',
  'center',
  'nhc',
  'miami',
  'afternoon',
  'update',
  'storm',
  'power',
  'day',
  'rainfall',
  'inland',
  'risk',
  'remnant',
  'north',
  'east',
  'path',
  'georgia',
  'carolinas',
  'new',
  'york',
  'florida',
  'peninsula',
  'portion',
  'nhc',
  'hurricane',
  'specialist',
  'jack',
  'beven',
  'bulletin',
  'rainfall',
  'evening',
  'florida',
  'peninsula',
  'flooding',
  'friday',
  'south',
  'east',
  'appalachians',
  'blue',
  'ridge',
  'mountain',
  'ohio',
  'west',
  'pennsylvania',
  'new',
  'york',
  'friday',
  'night',
  'saturday',
  '”nicole',
  'hurricane',
  'mainland',
  'november',
  'month',
  'storm',
  'season',
  'kate',
  'florida',
  'panhandle',
  'nicole',
  'hurricane',
  'season',
  'storm',
  'resident',
  'florida',
  'east',
  'coast',
  'barrier',
  'island',
  'waterfront',
  'community',
  'donald',
  'trump',
  'mar',
  'lago',
  'resort',
  'palm',
  'beach',
  'staff',
  'club',
  'president',
  'wednesday',
  'midterm',
  'election',
  'result',
  'reporter',
  'trump',
  'daytona',
  'beach',
  'building',
  'shoreline',
  'sea',
  'number',
  'block',
  'hurricane',
  'ian',
  'authority',
  'door',
  'door',
  'people',
  'possession',
  'lauderdale',
  'sea',
  'section',
  'fishing',
  'pier',
  'ocean',
  'home',
  'wilbur',
  'sea',
  'property',
  'risk',
  'volusia',
  'county',
  'sheriff',
  'mike',
  'chitwood',
  'medium',
  'message',
  'night',
  'time',
  'curfew',
  'school',
  'dozen',
  'florida',
  'district',
  'theme',
  'park',
  'orlando',
  'governor',
  'ron',
  'desantis',
  'emergency',
  'declaration',
  'dozen',
  'county',
  'joe',
  'biden',
  'emergency',
  'resource',
  'assistance',
  'state',
  'response',
  'effort',
  'federal',
  'emergency',
  'management',
  'agency',
  'personnel',
  'state',
  'hurricane',
  'ian',
  '“the',
  'storm',
  'impact',
  'center',
  'track',
  'state',
  'storm',
  'force',
  'wind',
  'desantis',
  'briefing',
  'tallahassee',
  'thursday',
  'tree',
  'power',
  'line',
  'road',
  'washout',
  'wind',
  'storm',
  'surge',
  'beach',
  'erosion',
  'area',
  'erosion',
  'hurricane',
  'ian',
  '”engineers',
  'kennedy',
  'space',
  'center',
  'damage',
  'nasa',
  'artemis',
  'moon',
  'rocket',
  'launchpad',
  'storm',
  'blast',
  'november',
  'nicole',
  'mission',
  'manager',
  'launch',
  'attempt',
  'day',
  'engineer',
  'artemis',
  'pad',
  'space',
  'launch',
  'system',
  'rocket',
  'orion',
  'capsule',
  'wind',
  '85mph',
  'orlando',
  'sentinel',
  'sensor',
  'launchpad',
  'tower',
  'cape',
  'canaveral',
  'gust',
  'walkdowns',
  'inspection',
  'pad',
  'status',
  'rocket',
  'spacecraft',
  'space',
  'agency',
  'statement',
  'associated',
  'press',
  'reportingtopicsfloridahurricanesus',
  'viewedmost',
  'viewedusworldenvironmentsoccerus',
  'politicsbusinesstechsciencenewslettersfight',
  'reporting',
  'analysis',
  'guardian',
  'ushelpcomplaint',
  'correctionssecuredropwork',
  'usprivacy',
  'policycookie',
  'policyterms',
  'conditionscontact',
  'usall',
  'topicsall',
  'newspaper',
  'archivefacebookyoutubeinstagramlinkedintwitternewslettersadvertise',
  'labssearch',
  'guardian',
  'news',
  'media',
  'limited',
  'company',
  'right'],
 ['news',
  'home',
  'local',
  'news',
  'national',
  'news',
  'crime',
  'stoppers',
  'natalie',
  'everyday',
  'heroes',
  'racine',
  'sunday',
  'morning',
  'special',
  'report',
  'hometown',
  'capitol',
  'connection',
  'weather',
  'home',
  'weather',
  'blog',
  'radar',
  'traffic',
  'closing',
  'tornado',
  'home',
  'job',
  'opening',
  'weigel',
  'broadcasting',
  'milwaukee',
  'download',
  'app',
  'team',
  'contact',
  'tv',
  'schedule',
  'advertise',
  'spotlight',
  'tip',
  'news',
  'link',
  'tip',
  'news',
  'link',
  'news',
  'home',
  'local',
  'news',
  'national',
  'news',
  'crime',
  'stoppers',
  'natalie',
  'everyday',
  'heroes',
  'racine',
  'sunday',
  'morning',
  'special',
  'report',
  'hometown',
  'capitol',
  'connection',
  'weather',
  'home',
  'weather',
  'blog',
  'radar',
  'traffic',
  'closing',
  'tornado',
  'home',
  'job',
  'opening',
  'weigel',
  'broadcasting',
  'milwaukee',
  'download',
  'app',
  'team',
  'contact',
  'tv',
  'schedule',
  'advertise',
  'spotlight',
  'storm',
  'rain',
  'snow',
  'wisconsin',
  'dec',
  'cdt',
  'video',
  'javascript',
  'web',
  'browser',
  'html5',
  'video',
  'storm',
  'rain',
  'snow',
  'southeast',
  'wisconsin',
  'milwaukee',
  'ovp',
  'teen',
  'victim',
  'gun',
  'violence',
  'school',
  'official',
  'judge',
  'year',
  'mother',
  'twitter',
  'x',
  'look',
  'milwaukee',
  'nation',
  'pre',
  '-',
  'trial',
  'milwaukee',
  'police',
  'officer',
  'michael',
  'grammy',
  'regina',
  'spektor',
  'milwaukee',
  'afternoon',
  'update',
  'storm',
  'threat',
  'winding',
  'milwaukee',
  'teen',
  'crash',
  'sister',
  'change',
  'wisconsin',
  'state',
  'fair',
  'basket',
  'cbs',
  'ramirez',
  'family',
  'foundation',
  'cardinal',
  'stritch',
  'campus',
  'historical',
  'pleasant',
  'valley',
  'church',
  'sunday',
  'jazz',
  'concert',
  'storm',
  'rain',
  'snow',
  'southeast',
  'wisconsin',
  'milwaukee',
  'ovp',
  'teen',
  'victim',
  'gun',
  'violence',
  'school',
  'official',
  'judge',
  'year',
  'mother',
  'twitter',
  'x',
  'look',
  'milwaukee',
  'nation',
  'pre',
  '-',
  'trial',
  'milwaukee',
  'police',
  'officer',
  'michael',
  'grammy',
  'regina',
  'spektor',
  'milwaukee',
  'afternoon',
  'update',
  'storm',
  'threat',
  'winding',
  'milwaukee',
  'teen',
  'crash',
  'sister',
  'change',
  'wisconsin',
  'state',
  'fair',
  'basket',
  'cbs',
  'ramirez',
  'family',
  'foundation',
  'cardinal',
  'stritch',
  'campus',
  'historical',
  'pleasant',
  'valley',
  'church',
  'sunday',
  'jazz',
  'concert',
  'weather',
  'story',
  'winter',
  'storm',
  'country',
  'tuesday',
  'morning',
  'storm',
  'blizzard',
  'condition',
  'north',
  'dakota',
  'tornado',
  'warning',
  'oklahoma',
  'texas',
  'southeast',
  'wisconsin',
  'lull',
  'storm',
  'tuesday',
  'morning',
  'rain',
  'mix',
  'tuesday',
  'evening',
  'rain',
  'half',
  'storm',
  'rain',
  'time',
  'tuesday',
  'night',
  'day',
  'wednesday',
  'snow',
  'rain',
  'tuesday',
  'evening',
  'overnight',
  'wednesday',
  'air',
  'wednesday',
  'night',
  'precip',
  'snow',
  'wednesday',
  'night',
  'thursday',
  'morning',
  'chance',
  'snow',
  'southeast',
  'wisconsin',
  'impact',
  'storm',
  'plenty',
  'warning',
  'watch',
  'advisory',
  'region',
  'upper',
  'midwest',
  'winter',
  'storm',
  'winter',
  'weather',
  'advisory',
  'place',
  'wisconsin',
  'area',
  'snow',
  'wind',
  'advisory',
  'iowa',
  'winter',
  'storm',
  'dakotas',
  'minnesota',
  'ice',
  'storm',
  'sioux',
  'falls',
  'blizzard',
  'warning',
  'south',
  'dakota',
  'nebraska',
  'half',
  'storm',
  'rain',
  'rain',
  'time',
  'tuesday',
  'evening',
  'wednesday',
  'thursday',
  'morning',
  'inch',
  'inch',
  'rain',
  'area',
  'rain',
  'thursday',
  'morning',
  'cbs',
  'ready',
  'weather',
  'app',
  'rain',
  'snow',
  'radar',
  'afternoon',
  'update',
  'storm',
  'threat',
  'today',
  'ramirez',
  'family',
  'foundation',
  'cardinal',
  'stritch',
  'campus',
  'm',
  'milwaukee',
  'teen',
  'crash',
  'sister',
  'plea',
  'koch',
  'manke',
  'court',
  'charge',
  'imprisoning',
  'boy',
  'm',
  'milwaukee',
  'ovp',
  'teen',
  'victim',
  'gun',
  'violence',
  'school',
  'official',
  'school',
  'aid',
  'year',
  'judge',
  'year',
  'mother',
  'trial',
  'adult',
  'aaron',
  'rodgers',
  'pay',
  'cut',
  'year',
  'deal',
  'jet',
  'cbs',
  'pet',
  'week',
  'atlas',
  'pasta',
  'star',
  'semolina',
  'mke',
  'social',
  'stream',
  'contact',
  'privacy',
  'policy',
  'terms',
  'use',
  'information',
  's.',
  '60th',
  'st',
  'milwaukee',
  'wi',
  'news',
  'tip',
  'hotline',
  'info',
  'fax',
  'metv',
  '41.1/58.2',
  'wmlw',
  'telemundo',
  '63.1/58.4',
  'start',
  '58.5/63.2',
  'movie',
  '49.2/63.3',
  'h&i',
  'catchy',
  'comedy',
  'content',
  'copyright',
  'wdjt',
  'rights',
  'wdjt',
  'fcc',
  'public',
  'file',
  'fcc',
  'license',
  'renewal',
  'eeo',
  'report',
  'children',
  'programming',
  'report',
  'ad',
  'choice'],
 ['concertgoer',
  'harrisburg',
  'summer',
  'concert',
  'series',
  'hospital',
  'cumberland',
  'county',
  'sheetz',
  'heat',
  'advisory',
  'friday',
  'temperature',
  '90',
  'digits',
  'search',
  'body',
  'infant',
  'flood',
  'sister',
  'mother',
  'local',
  'news',
  'central',
  'pa.',
  'weather',
  'brace',
  'storm',
  'area',
  'day',
  'way',
  'weekend',
  'expert',
  'people',
  'storm',
  'damage',
  'example',
  'video',
  'title',
  'video',
  'pm',
  'edt',
  'june',
  'pm',
  'edt',
  'june',
  'dillsburg',
  'pa.',
  'people',
  'damage',
  'storm',
  'day',
  'lancaster',
  'county',
  'emergency',
  'crew',
  'tree',
  'telephone',
  'line',
  'tuesday',
  'afternoon',
  'tuesday',
  'round',
  'storm',
  'york',
  'county',
  'family',
  'damage',
  'weather',
  'home',
  'monday',
  'driveway',
  'second',
  'car',
  'wife',
  'bang',
  'crash',
  'josh',
  'hertzberger',
  'dillsburg',
  'windshield',
  'foot',
  'oak',
  'tree',
  'house',
  'tree',
  'roof',
  'damage',
  'master',
  'bedroom',
  'josh',
  'wife',
  'crash',
  'property',
  'damage',
  'hertzberger',
  'storm',
  'central',
  'pa.',
  'weekend',
  'valerie',
  'stocker',
  'insurance',
  'agent',
  'strasburg',
  'lancaster',
  'county',
  'people',
  'step',
  'thunderstorm',
  'thing',
  'home',
  'inventory',
  'stocker',
  'record',
  'thing',
  'home',
  'case',
  'claim',
  'damage',
  'home',
  'storm',
  'stocker',
  'damage',
  'property',
  'claim',
  'photo',
  'repair',
  'receipt',
  'agent',
  'step',
  'stocker',
  'josh',
  'repair',
  'roof',
  'lot',
  'hertzberger',
  'difference',
  'spf',
  'upf',
  'heat',
  'advisory',
  'friday',
  'temperature',
  '90',
  'digit',
  'hazmat',
  'accident',
  'i-81',
  'intensifies',
  'focus',
  'road',
  'eeo',
  'public',
  'file',
  'report',
  'fcc',
  'online',
  'public',
  'inspection',
  'file',
  'closed',
  'caption',
  'procedure',
  'personal',
  'information',
  'wpmt',
  'tv',
  'rights',
  'wpmt',
  'notification',
  'news',
  'weather',
  'notification',
  'browser',
  'setting'],
 ['incharlestonsee',
  'locationsclosecharlestonsee',
  'storiessafetyfood',
  'drinksportssee',
  'moreadditional',
  'contentnational',
  'newslocal',
  'newsletternewsbreak',
  'corporateabout',
  'uscontributorspublishersadvertisersterm',
  'use',
  'privacy',
  'policydo',
  'sell',
  'share',
  'info',
  'help',
  'centersign',
  'charleston',
  'wv',
  'update',
  'emailsubscribemetro',
  'newsstorm',
  'west',
  'virginia',
  'punchby',
  'chris',
  'lawrence,2023',
  'chris',
  'lawrence,2023',
  '03',
  'publisher',
  'newsbreakcomments',
  '0add',
  'commentyou',
  'popularchief',
  'justice',
  'suspension',
  'matrimonial',
  'trial',
  'judicial',
  'vacanciespassaic',
  'nj15',
  'day',
  'agokanawha',
  'county',
  'judge',
  'man',
  'sentence',
  'degree',
  'murder',
  'pleacharleston',
  'wv1',
  'day',
  'agoit',
  'climate',
  'change',
  'flooding',
  'war',
  'flood',
  'control',
  'damage',
  'montpelier',
  'vt14',
  'day',
  'agoget',
  'charleston',
  'wv',
  'update',
  'emailsubscribetrending‹›1hunter',
  'biden',
  'plea',
  'deal',
  'through2sinéad',
  "o'connor",
  'singer',
  '563kevin',
  'spacey',
  'assault',
  'charges4federal',
  'reserve',
  'interest',
  'rates5police',
  'k-9',
  'attack',
  'black',
  'man6rudy',
  'giuliani',
  'statement',
  'georgia',
  'election',
  'workers7major',
  'automaker',
  'team',
  'ev',
  'crane',
  'collapse',
  'particle',
  'medium',
  'term',
  'use',
  'privacy',
  'policydo',
  'sell',
  'share',
  'info',
  'help',
  'centercomments',
  '0closecommunity',
  'policy'],
 ['bbc',
  'homepageskip',
  'helpyour',
  'accounthomenewssportreelworklifetravelfuturemore',
  'menumore',
  'bbchomenewssportreelworklifetravelfutureculturemusictvweathersoundsclose',
  'newsmenuhomewar',
  'ukraineclimatevideoworldus',
  'canadaukbusinesstechsciencemoreentertainment',
  'artshealthin',
  'picturesbbc',
  'verifyworld',
  'news',
  'tvnewsbeatus',
  'canadanew',
  'york',
  'city',
  'snowfall',
  'seasonpublished28',
  'februaryshareclose',
  'sharingimage',
  'source',
  'afpimage',
  'caption',
  'new',
  'york',
  'city',
  'winter',
  'storm',
  'seasonby',
  'nadine',
  'newsa',
  'coast',
  'coast',
  'winter',
  'storm',
  'california',
  'midwest',
  'north',
  'east',
  'week',
  'north',
  'east',
  'cm',
  'snow',
  'national',
  'weather',
  'service',
  'nws',
  'new',
  'york',
  'city',
  '6in',
  'snow',
  'country',
  'california',
  'area',
  'people',
  'tornado',
  'oklahoma',
  'york',
  'city',
  'edge',
  'snowfall',
  'sleet',
  'time',
  'snowfall',
  'inch',
  'range',
  'snowstorm',
  'season',
  'nws',
  'forecast',
  'snow',
  'monday',
  'evening',
  'mix',
  'sleet',
  'rain',
  'tuesday',
  'morning',
  'travel',
  'advisory',
  'new',
  'yorkers',
  'gmt',
  'monday',
  'tuesday',
  'people',
  'mass',
  'transit',
  'time',
  'commute',
  'february',
  'storm',
  'new',
  'york',
  'city',
  'season',
  'new',
  'yorkers',
  'north',
  'east',
  'winter',
  'school',
  'district',
  'city',
  'tuesday',
  'weather',
  'winter',
  'storm',
  'warning',
  'effect',
  'connecticut',
  'rhode',
  'island',
  'snow',
  'north',
  'east',
  'end',
  'wednesday',
  'nws',
  'winter',
  'storm',
  'heel',
  'tornado',
  'wind',
  'sunday',
  'monday',
  'state',
  'oklahoma',
  'missouri',
  'texas',
  'resident',
  'shelter',
  'image',
  'source',
  'reutersimage',
  'caption',
  'tornado',
  'oklahoma',
  'home',
  'power',
  'line',
  'sundayin',
  'oklahoma',
  'tornado',
  'state',
  'sunday',
  'news',
  'medium',
  'year',
  'billy',
  'trammel',
  'region',
  'state',
  'storm',
  'footage',
  'car',
  'home',
  'roof',
  'wind',
  'wind',
  'speed',
  'mph',
  'km/h',
  'texas',
  'border',
  'oklahoma',
  'equivalent',
  'category',
  'hurricane',
  'nws',
  'expert',
  'weather',
  'pattern',
  'derecho',
  'weather',
  'pattern',
  'line',
  'wind',
  'michigan',
  'people',
  'power',
  'winter',
  'storm',
  'week',
  'rain',
  'wind',
  'monday',
  'video',
  'video',
  'javascript',
  'browser',
  'medium',
  'caption',
  'oklahoma',
  'storm',
  'home',
  'dozen',
  'injuredcalifornian',
  'power',
  'outage',
  'flooding',
  'closure',
  'motorway',
  'beach',
  'winter',
  'storm',
  'state',
  'people',
  'los',
  'angeles',
  'area',
  'electricity',
  'day',
  'wind',
  'los',
  'angeles',
  'san',
  'bernadino',
  'county',
  'official',
  'emergency',
  'snowfall',
  'resident',
  'home',
  'tuesday',
  'morning',
  'home',
  'california',
  'power',
  'afternoon',
  'number',
  'yosemite',
  'national',
  'park',
  'wednesday',
  'winter',
  'condition',
  'resident',
  'state',
  'capital',
  'sacramento',
  'travel',
  'wednesday',
  'rain',
  'snow',
  'mile',
  'sacramento',
  'blizzard',
  'sierra',
  'nevada',
  'issuance',
  'avalanche',
  'warning',
  'wednesday',
  'morning',
  'reporting',
  'brandon',
  'drenonhave',
  'winter',
  'storm',
  'touch',
  'haveyoursay@bbc.co.uk',
  'contact',
  'number',
  'bbc',
  'journalist',
  'touch',
  'way',
  'whatsapp',
  '+44',
  'picture',
  'video',
  'hereor',
  'form',
  'belowplease',
  'term',
  'condition',
  'privacy',
  'policy',
  'page',
  'form',
  'version',
  'bbc',
  'website',
  'question',
  'comment',
  'haveyoursay@bbc.co.uk',
  'age',
  'location',
  'submission',
  'topicslos',
  'angelesunited',
  'statesoklahomacaliforniamore',
  'storypower',
  'outage',
  'disruption',
  'februarymotorhome',
  'river',
  'california',
  'stormpublished26',
  'februarynorth',
  'america',
  'winter',
  'storm',
  'heat',
  'februarytop',
  'storiesniger',
  'soldier',
  'coup',
  'tvpublished1',
  'hour',
  'singer',
  'sinãad',
  "o'connor",
  'hour',
  'agohow',
  'ukraine',
  'offensive',
  'south',
  'hour',
  'agofeaturessinãad',
  "o'connor",
  'obituary',
  'talent',
  'comparehow',
  'sinãad',
  "o'connor",
  'uhow',
  'ukraine',
  'offensive',
  'south',
  'stutteredn',
  'koreaâ\x80\x99s',
  'prisoner',
  'war',
  'plot',
  'flame',
  'buddha',
  'china',
  'videowatch',
  'flame',
  'buddha',
  'chinathe',
  'claim',
  'india',
  'violenceputin',
  'leader',
  'star',
  'role?can',
  'india',
  'chip',
  'powerhouse?world',
  'city',
  'bbcthe',
  'way',
  'homeswhy',
  'brand',
  'mediathe',
  'film',
  'usmost',
  'read1irish',
  'singer',
  'sinãad',
  "o'connor",
  'family',
  "grid'3how",
  'ukraine',
  'offensive',
  'south',
  'stuttered4niger',
  'soldier',
  'coup',
  'national',
  'tv5alien',
  'congress',
  'biden',
  'plea',
  'deal',
  'apart7mastercard',
  'bank',
  'debit',
  'weed8sinãad',
  "o'connor",
  'obituary',
  'talent',
  'koreaâ\x80\x99s',
  'prisoner',
  'war',
  'plot',
  'toy',
  'maker',
  'movie',
  'sale',
  'news',
  'mobileon',
  'news',
  'alertscontact',
  'bbc',
  'newshomenewssportreelworklifetravelfutureculturemusictvweathersoundsterms',
  'useabout',
  'bbcprivacy',
  'policycookiesaccessibility',
  'helpparental',
  'guidancecontact',
  'bbcget',
  'newsletterswhy',
  'bbcadvertise',
  'usâ',
  'bbc',
  'bbc',
  'content',
  'site',
  'approach',
  'linking'],
 ['commentary',
  'blizzard',
  'therapy',
  'solace',
  'storm',
  'snow',
  'pile',
  'bridge',
  'december',
  'winter',
  'storm',
  'south',
  'dakota',
  'photo',
  'courtesy',
  'sd',
  'department',
  'transportation',
  'day',
  'snowstorm',
  'snowstorm',
  'blizzard',
  'therapy',
  'author',
  'carey',
  'goldberg',
  'behavior',
  'laura',
  'ingalls',
  'wilder',
  'long',
  'winter',
  'snowstorm',
  'blizzard',
  'therapy',
  'writing',
  'history',
  'south',
  'dakota',
  'vol',
  'doane',
  'robinson',
  'hard',
  'winter',
  'author',
  'blizzard',
  'middle',
  'october',
  'performance',
  'winter',
  'severity',
  'history',
  'dakota',
  'northwest',
  'feb.',
  'snow',
  'storm',
  'cessation',
  'day',
  'hardship',
  'suffering',
  'people',
  'rule',
  'testimony',
  'pioneer',
  'enjoyment',
  'winter',
  'winter',
  'blockade',
  'snow',
  'street',
  'winter',
  'spring',
  'flood',
  'winter',
  'april',
  'big',
  'sioux',
  'river',
  'flood',
  'spring',
  'blizzard',
  'jan.',
  'new',
  'york',
  'times',
  'article',
  'snow',
  'windstorm',
  'settlement',
  'south',
  'dakota',
  'round',
  'huron',
  'morning',
  'hour',
  'duration',
  'foot',
  'snow',
  'drift',
  'day',
  'street',
  'snowplow',
  'gang',
  'shoveler',
  'north',
  'west',
  'morning',
  'chicago',
  'northwestern',
  'railway',
  'track',
  'snow',
  'plow',
  'track',
  'tracy',
  'huron',
  'railroad',
  'official',
  'snow',
  'dakota',
  'division',
  'foot',
  'jan.',
  'year',
  'blizzard',
  'hit',
  'snowpack',
  'mph',
  'wind',
  'temperature',
  'cattle',
  'snow',
  'foot',
  'jan.',
  'event',
  'children',
  'blizzard',
  'snowfall',
  'winter',
  'condition',
  'december',
  'account',
  'plains',
  'january',
  'day',
  'temperature',
  'snow',
  'region',
  'national',
  'weather',
  'service',
  'heritage',
  'website',
  'warmth',
  'hour',
  'temperature',
  'f',
  'wind',
  'air',
  'mile',
  'hour',
  'whiteout',
  'people',
  'children',
  'blizzard',
  'storm',
  'death',
  'child',
  'walk',
  'school',
  'blizzard',
  'rapid',
  'city',
  'weather',
  'bureau',
  'office',
  'meteorologist',
  'charge',
  'fred',
  'h.',
  'mcnally',
  'blizzard',
  'rapid',
  'city',
  'history',
  'wind',
  'snow',
  'temperature',
  'factor',
  'wind',
  'mph',
  'city',
  'airport',
  'excess',
  'mph',
  'ellsworth',
  'air',
  'force',
  'base',
  'dynamite',
  'ice',
  'snow',
  'plow',
  'train',
  'line',
  'pierre',
  'rapid',
  'city',
  'day',
  'snow',
  'storm',
  'terry',
  'peak',
  'ski',
  'area',
  'black',
  'hills',
  'terry',
  'peak',
  'today',
  'dec.',
  'facebook',
  'page',
  'inch',
  'snow',
  'resort',
  'year',
  'way',
  'meantime',
  'storm',
  'day',
  'blizzard',
  'therapy',
  'way',
  'morning',
  'headlines',
  'inbox',
  'xblizzard',
  'therapy',
  'solace',
  'storm',
  'brad',
  'johnson',
  'south',
  'dakota',
  'searchlight',
  'december',
  'blizzard',
  'therapy',
  'solace',
  'storm',
  'brad',
  'johnson',
  'south',
  'dakota',
  'searchlight',
  'december',
  'day',
  'snowstorm',
  'snowstorm',
  'blizzard',
  'therapy',
  'author',
  'carey',
  'goldberg',
  'behavior',
  'laura',
  'ingalls',
  'wilder',
  'long',
  'winter',
  'snowstorm',
  'blizzard',
  'therapy',
  'writing',
  'history',
  'south',
  'dakota',
  'vol',
  'doane',
  'robinson',
  'hard',
  'winter',
  'author',
  'blizzard',
  'middle',
  'october',
  'performance',
  'winter',
  'severity',
  'history',
  'dakota',
  'northwest',
  'feb.',
  'snow',
  'storm',
  'cessation',
  'day',
  'hardship',
  'suffering',
  'people',
  'rule',
  'testimony',
  'pioneer',
  'enjoyment',
  'winter',
  'winter',
  'blockade',
  'snow',
  'street',
  'winter',
  'spring',
  'flood',
  'winter',
  'april',
  'big',
  'sioux',
  'river',
  'flood',
  'spring',
  'blizzard',
  'jan.',
  'new',
  'york',
  'times',
  'article',
  'snow',
  'windstorm',
  'settlement',
  'south',
  'dakota',
  'round',
  'huron',
  'morning',
  'hour',
  'duration',
  'foot',
  'snow',
  'drift',
  'day',
  'street',
  'snowplow',
  'gang',
  'shoveler',
  'north',
  'west',
  'morning',
  'chicago',
  'northwestern',
  'railway',
  'track',
  'snow',
  'plow',
  'track',
  'tracy',
  'huron',
  'railroad',
  'official',
  'snow',
  'dakota',
  'division',
  'foot',
  'jan.',
  'year',
  'blizzard',
  'hit',
  'snowpack',
  'mph',
  'wind',
  'temperature',
  'cattle',
  'snow',
  'foot',
  'jan.',
  'event',
  'children',
  'blizzard',
  'snowfall',
  'winter',
  'condition',
  'december',
  'account',
  'plains',
  'january',
  'day',
  'temperature',
  'snow',
  'region',
  'national',
  'weather',
  'service',
  'heritage',
  'website',
  'warmth',
  'hour',
  'temperature',
  'f',
  'wind',
  'air',
  'mile',
  'hour',
  'whiteout',
  'people',
  'children',
  'blizzard',
  'storm',
  'death',
  'child',
  'walk',
  'school',
  'blizzard',
  'rapid',
  'city',
  'weather',
  'bureau',
  'office',
  'meteorologist',
  'charge',
  'fred',
  'h.',
  'mcnally',
  'blizzard',
  'rapid',
  'city',
  'history',
  'wind',
  'snow',
  'temperature',
  'factor',
  'wind',
  'mph',
  'city',
  'airport',
  'excess',
  'mph',
  'ellsworth',
  'air',
  'force',
  'base',
  'dynamite',
  'ice',
  'snow',
  'plow',
  'train',
  'line',
  'pierre',
  'rapid',
  'city',
  'day',
  'snow',
  'storm',
  'terry',
  'peak',
  'ski',
  'area',
  'black',
  'hills',
  'terry',
  'peak',
  'today',
  'dec.',
  'facebook',
  'page',
  'inch',
  'snow',
  'resort',
  'year',
  'way',
  'meantime',
  'storm',
  'day',
  'blizzard',
  'therapy',
  'way',
  'morning',
  'headlines',
  'inbox',
  'south',
  'dakota',
  'searchlight',
  'states',
  'newsroom',
  'network',
  'news',
  'bureaus',
  'grant',
  'coalition',
  'donor',
  'charity',
  'south',
  'dakota',
  'searchlight',
  'independence',
  'contact',
  'editor',
  'seth',
  'tupper',
  'question',
  'south',
  'dakota',
  'searchlight',
  'facebook',
  'twitter',
  'story',
  'print',
  'creative',
  'commons',
  'license',
  'cc',
  'nc',
  'nd',
  'style',
  'attribution',
  'link',
  'web',
  'site',
  'guideline',
  'use',
  'photo',
  'graphic',
  'brad',
  'johnsonbrad',
  'johnson',
  'watertown',
  'businessman',
  'newspaper',
  'reporter',
  'editor',
  'opinion',
  'columnist',
  'south',
  'dakota',
  'wildlife',
  'federation',
  'board',
  'member',
  'organization',
  'delegate',
  'national',
  'wildlife',
  'federation',
  'president',
  'south',
  'dakota',
  'lakes',
  'streams',
  'association',
  'author',
  'related',
  'news',
  'noem',
  'desantis',
  'pugnacity',
  'strategy',
  'dana',
  'hess',
  'ban',
  'abortion',
  'gender',
  'care',
  'attack',
  'samantha',
  'chapman',
  'june',
  'public',
  'lands',
  'rule',
  'wildlife',
  'sporting',
  'brad',
  'johnson',
  'june',
  'light',
  'south',
  'dakota',
  'democracy',
  'toolkit',
  '',
  '',
  'voting',
  'state',
  'lawmaker',
  'federal',
  'lawmaker',
  'state',
  'lawmaker',
  'federal',
  'lawmaker',
  'south',
  'dakota',
  'searchlight',
  'news',
  'commentary',
  'issue',
  'state',
  'interest',
  'accuracy',
  'fairness',
  'insight',
  'civility',
  'deij',
  'policy',
  'ethics',
  'policy',
  '',
  '',
  'privacy',
  'policy',
  'story',
  'print',
  'creative',
  'commons',
  'licence',
  'cc',
  'nc',
  'nd',
  'style',
  'attribution',
  'link',
  'web',
  'site',
  'deij',
  'policy',
  'ethics',
  'policy',
  '',
  '',
  'privacy',
  'policy'],
 ['website',
  'united',
  'states',
  'government',
  'website',
  '.mil',
  'website',
  'u.s.',
  'department',
  'defense',
  'organization',
  'united',
  'states',
  'secure',
  'website',
  'https',
  'lock',
  'lock',
  'https://',
  '.mil',
  'website',
  'share',
  'information',
  'website',
  'content',
  'press',
  'enter',
  'f',
  'wv639',
  'airman',
  'class',
  'jasmine',
  'plummer',
  'nevada',
  'storm',
  'football',
  'game',
  'season',
  'year',
  'plummer',
  'reno',
  'football',
  'team',
  'women',
  'football',
  'alliance',
  'division',
  'ii',
  'championship',
  'game',
  'detroit',
  'dark',
  'angels',
  'july',
  'pro',
  'football',
  'hall',
  'fame',
  'canton',
  'ohio',
  'photo',
  'courtesy',
  'nevada',
  'storm',
  'website',
  'nevada',
  'guardsman',
  'movie',
  'subject',
  'nevada',
  'storm',
  'woman',
  'football',
  'championship',
  '1st',
  'lt',
  'emerson',
  'marcus',
  'reno',
  'nev.',
  'airman',
  'class',
  'jasmine',
  'plummer',
  'peer',
  'nevada',
  'air',
  'guard',
  'way',
  'life',
  'play',
  'football',
  'field',
  'gridiron',
  'prowess',
  'status',
  'hollywood',
  'film',
  'longshots',
  'journey',
  'year',
  'girl',
  'quarterback',
  'team',
  'pop',
  'warner',
  'super',
  'bowl',
  'movie',
  'pop',
  'warner',
  'season',
  'actress',
  'keke',
  'palmer',
  'plummer',
  'ice',
  'cube',
  'football',
  'mentor',
  'year',
  'espn',
  'magazine',
  'article',
  'gridiron',
  'girl',
  'decade',
  'hiatus',
  'football',
  'plummer',
  'game',
  'month',
  'women',
  'football',
  'alliance',
  'division',
  'ii',
  'mvp',
  'plummer',
  'team',
  'reno',
  'nevada',
  'storm',
  'division',
  'ii',
  'championship',
  'july',
  'detroit',
  'dark',
  'angels',
  'pro',
  'football',
  'hall',
  'fame',
  'canton',
  'ohio',
  'championship',
  'game',
  'season',
  'storm',
  'plummer',
  'division',
  'ii',
  'rusher',
  'season',
  'yard',
  'touchdown',
  'yard',
  'carry',
  'run',
  'season',
  'yard',
  'wfa',
  'website',
  'plummer',
  'cornerback',
  'defense',
  'opportunity',
  'people',
  'football',
  'jazzy',
  'lady',
  'uncle',
  'fred',
  'johnson',
  'sr',
  '.',
  'people',
  'plummer',
  'ability',
  'backyard',
  'football',
  'hometown',
  'harvey',
  'illinois',
  'chicago',
  'football',
  'guy',
  'park',
  'street',
  'house',
  'knee',
  'johnson',
  'boy',
  'home',
  'arm',
  'guy',
  'sister',
  'boy',
  'football',
  'baby',
  'sister',
  'game',
  'environment',
  'johnson',
  'coach',
  'pop',
  'warner',
  'mighty',
  'mite',
  'level',
  'ice',
  'cube',
  'movie',
  'longshots',
  'movie',
  'plummer',
  'girlie',
  'girl',
  'football',
  'johnson',
  'case',
  'life',
  'football',
  'love',
  'game',
  'focus',
  'junior',
  'pee',
  'wee',
  'level',
  'pop',
  'warner',
  'quarterback',
  'plummer',
  'harvey',
  'colts',
  'pop',
  'warner',
  'super',
  'bowl',
  'orlando',
  'florida',
  'quarterback',
  'tournament',
  'year',
  'history',
  'espn',
  'johnson',
  'interview',
  'jasmine',
  'girl',
  'jazzy',
  'lady',
  'ego',
  'ball',
  'ball',
  'stallion',
  'fence',
  'johnson',
  'plummer',
  'quarterback',
  'team',
  'league',
  'pop',
  'warner',
  'player',
  'helmet',
  'game',
  'coach',
  'helmet',
  'kid',
  'johnson',
  'uniform',
  'helmet',
  'jasmine',
  'smile',
  'coach',
  'athlete',
  'dad',
  'self',
  'starter',
  'plummer',
  'football',
  'teenager',
  'basketball',
  'lot',
  'option',
  'football',
  'girl',
  'chance',
  'sport',
  'period',
  'time',
  'basketball',
  'competition',
  'basketball',
  'west',
  'point',
  'guard',
  'feather',
  'river',
  'community',
  'college',
  'quincy',
  'california',
  'lot',
  'beach',
  'california',
  'plummer',
  'laugh',
  'plummer',
  'wife',
  'nejae',
  'jackson',
  'basketball',
  'feather',
  'river',
  'today',
  'child',
  'carson',
  'city',
  'mother',
  'cassandra',
  'johnson',
  'illinois',
  'reno',
  'daughter',
  'plummer',
  'quincy',
  'education',
  'university',
  'nevada',
  'reno',
  'job',
  'tesla',
  'way',
  'college',
  'nevada',
  'air',
  'guard',
  'information',
  'technology',
  'specialist',
  'communications',
  'flight',
  'nevada',
  'guard',
  'tuition',
  'waiver',
  'chance',
  'class',
  'self',
  'starter',
  'sport',
  'background',
  'maj',
  '.',
  'greg',
  'green',
  'commander',
  '152nd',
  'communications',
  'flight',
  'work',
  'ethic',
  'practice',
  'nevada',
  'storm',
  'reno',
  'plummer',
  'backfield',
  'storm',
  'division',
  'iii',
  'championship',
  'league',
  'storm',
  'division',
  'ii',
  'pandemic',
  'storm',
  'week',
  'wfa',
  'team',
  'history',
  'title',
  'division',
  'championship',
  'win',
  'month',
  'detroit',
  'dark',
  'angels',
  'storm',
  'test',
  'dark',
  'angels',
  'shutout',
  'game',
  'season',
  'team',
  'point',
  'game',
  'point',
  'game',
  'season',
  'nevada',
  'storm',
  'point',
  'game',
  'point',
  'game',
  'dark',
  'angels',
  'game',
  'wfa',
  'website',
  'score',
  'storm',
  'team',
  'run',
  'plummer',
  'eye',
  'playing',
  'women',
  'football',
  'league',
  'association',
  'woman',
  'football',
  'league',
  'player',
  'league',
  'contact',
  'plummer',
  'start',
  'date',
  'season',
  'pandemic',
  'information',
  'plummer',
  'quarterback',
  'position',
  'pop',
  'warner',
  'chance',
  'ball',
  'league',
  'running',
  'plummer',
  'alvin',
  'kamara',
  'new',
  'orleans',
  'saints',
  'beast',
  'mode',
  'marshawn',
  'lynch',
  'plummer',
  'longtime',
  'seattle',
  'seahawks',
  'kind',
  'runner',
  'quick',
  'link',
  'air',
  'forceveterans',
  'crisis',
  'linesite',
  'mapcontact',
  'usrsssmall',
  'business',
  'supportigaf',
  'disclaimerstrategic',
  'aprsuicide',
  'fear',
  'actosi',
  'tip',
  'line',
  'careers',
  'nevada',
  'air',
  'national',
  'guardnevada',
  'national',
  'guard',
  'careers',
  'official',
  'united',
  'states',
  'air',
  'force',
  'website',
  'defense',
  'media',
  'activity',
  'web.mil'],
 ['national',
  'parks',
  'northern',
  'utah',
  'cities',
  'towns',
  'parks',
  'outdoors',
  'southern',
  'utah',
  'salt',
  'lake',
  'city',
  'wasatch',
  'dark',
  'sky',
  'parks',
  'winter',
  'southern',
  'utah',
  'ski',
  'resorts',
  'arts',
  'museums',
  'backpacking',
  'camping',
  'cycling',
  'dinosaurs',
  'festivals',
  'events',
  'utah',
  'fishing',
  'food',
  'nightlife',
  'hiking',
  'history',
  'mountain',
  'biking',
  'ohv',
  'road',
  'rafting',
  'road',
  'rock',
  'climbing',
  'skiing',
  'slot',
  'canyons',
  'snowboarding',
  'snowmobiling',
  'snowshoeing',
  'stargazing',
  'tribal',
  'cultures',
  'urban',
  'experiences',
  'travel',
  'guides',
  'maps',
  'international',
  'travel',
  'responsible',
  'travel',
  'travel',
  'guides',
  'outfitters',
  'itineraries',
  'ski',
  'travel',
  'weather',
  'prevent',
  'wildfire',
  'fire',
  'safety',
  'review',
  'location',
  'wildfire',
  'utah',
  'robber',
  'roost',
  'southeastern',
  'utah',
  'andrew',
  'burr',
  'learn',
  'year',
  'utah',
  'weather',
  'average',
  'forecast',
  'utah',
  'adventure',
  'season',
  'utah',
  'seasons',
  'utah',
  'state',
  'n',
  'degree',
  'n',
  'degree',
  'parallel',
  'condition',
  'northern',
  'utah',
  'southern',
  'utah',
  'utah',
  'record',
  'temperature',
  'f',
  '-56',
  'c',
  'peter',
  'sinks',
  'february',
  'f',
  'c',
  'month',
  'july',
  'st.',
  'george',
  'utah',
  'season',
  'weather',
  'pattern',
  'weather',
  'april',
  'mid',
  '-',
  'june',
  'august',
  'mid',
  '-',
  'october',
  'december',
  'february',
  'valley',
  'inversion',
  'level',
  'particulate',
  'pollution',
  'air',
  'quality',
  'group',
  'utah',
  'desert',
  'climate',
  'state',
  'country',
  'humidity',
  'percentage',
  'december',
  'humidity',
  '%',
  'july',
  'humidity',
  '%',
  'people',
  'heat',
  'fahrenheit',
  'utah',
  'c',
  'place',
  'humidity',
  'florida',
  'muggy',
  'utah',
  'air',
  'week',
  'winter',
  'place',
  'new',
  'england',
  'humidity',
  'lack',
  'humidity',
  'moisture',
  'atmosphere',
  'sky',
  'utah',
  'shade',
  'blue',
  'utah',
  'season',
  'weather',
  'pattern',
  'weather',
  'april',
  'mid',
  '-',
  'june',
  'august',
  'mid',
  '-',
  'october',
  'delicate',
  'arch',
  'arches',
  'national',
  'park',
  'photo',
  'rosie',
  'serago',
  'beginning',
  'september',
  'day',
  'temperature',
  'day',
  'rainfall',
  'daylight',
  'hour',
  'color',
  'september',
  'stride',
  'october',
  'october',
  'temperature',
  'leave',
  'color',
  'snow',
  'november',
  'temperature',
  'rain',
  'day',
  'average',
  'month',
  'snow',
  'mountain',
  'ski',
  'resort',
  'end',
  'month',
  'march',
  'weather',
  'start',
  'spring',
  'season',
  'utah',
  'spring',
  'land',
  'temperature',
  'difference',
  'rain',
  'march',
  'rest',
  'form',
  'snow',
  'april',
  'temperature',
  'advance',
  'spring',
  'season',
  'utah',
  'snowfall',
  'ski',
  'resort',
  'operation',
  'mid',
  '-',
  'april',
  'spring',
  'bloom',
  'rain',
  'shower',
  'sunshine',
  'week',
  'april',
  'month',
  'state',
  'temperature',
  'length',
  'day',
  'sunshine',
  'rainstorm',
  'june',
  'summer',
  'temperature',
  'sunshine',
  'rainfall',
  'june',
  'day',
  'year',
  'hour',
  'daylight',
  'summer',
  'solstice',
  'july',
  'august',
  'month',
  'year',
  'range',
  'temperature',
  'month',
  'rainfall',
  'winter',
  'december',
  'february',
  'period',
  'snowfall',
  'temperature',
  'daylight',
  'hour',
  'december',
  'january',
  'month',
  'year',
  'day',
  'december',
  'winter',
  'solstice',
  'hour',
  'daylight',
  'february',
  'mix',
  'winter',
  'spring',
  'weather',
  'peek',
  'temperature',
  'sunshine',
  'utah',
  'regional',
  'averages',
  'winter',
  'spring',
  'temperatures',
  'utah',
  'logan',
  'bear',
  'lake',
  'f-1/-12',
  'c',
  'c',
  'f21/5',
  'c',
  'wasatch',
  'range',
  'ogden',
  'salt',
  'lake',
  'city',
  'provo',
  'park',
  'city',
  'degree',
  'f',
  'cooler',
  'c',
  'f11/-1',
  'c',
  'f22/8',
  'c',
  'eastern',
  'utah',
  'flaming',
  'gorge',
  'dinosaur',
  'national',
  'monument',
  'f3/-11',
  'c',
  'f9/-5',
  'c',
  '68/37',
  'c',
  'central',
  'utah',
  'fishlake',
  'national',
  'forest',
  'bryce',
  'canyon',
  'capitol',
  'reef',
  'national',
  'park',
  '39/9',
  'c',
  'c',
  'f20/2',
  'c',
  'f6/-8',
  'c',
  'f17/1',
  'c',
  'f28/9',
  'c',
  'f12/-4',
  'c',
  'c',
  'f30/11',
  'c',
  'f8/-4',
  'c',
  'f17/2',
  'c',
  'f28/11',
  'c',
  'utahlogan',
  'bear',
  'lake',
  'f32/12',
  'c',
  'f25/6',
  'c',
  'f8/-4',
  'c',
  'wasatch',
  'rangeogden',
  'salt',
  'lake',
  'city',
  'provo',
  'park',
  'city',
  'degree',
  'f',
  'cooler',
  'c',
  'f26/11',
  'c',
  'f10/-2',
  'c',
  'eastern',
  'utahflaming',
  'gorge',
  'dinosaur',
  'national',
  'monument',
  'f31/11',
  'c',
  'f24/5',
  'c',
  'f8/-6',
  'c',
  'central',
  'utahfishlake',
  'national',
  'forest',
  'bryce',
  'canyon',
  'capitol',
  'reef',
  'national',
  'park',
  'f28/9',
  'c',
  'f23/4',
  'c',
  'c',
  'f36/16',
  'c',
  'f30/11',
  'c',
  'c',
  'c',
  'f34/13',
  'c',
  'c',
  'c',
  'f31/14',
  'c',
  'f14/1',
  'c',
  'utahlogan',
  'bear',
  'lake',
  'wasatch',
  'rangeogden',
  'salt',
  'lake',
  'city',
  'provo',
  'park',
  'city',
  'degree',
  'f',
  'cooler',
  'park',
  'city(mountain',
  'resort',
  'snowfall',
  'eastern',
  'utahflaming',
  'gorge',
  'dinosaur',
  'national',
  'monument',
  'central',
  'utahfishlake',
  'national',
  'forest',
  'bryce',
  'canyon',
  'capitol',
  'reef',
  'national',
  'park',
  'arches',
  'national',
  'park',
  'temperatures',
  'arches',
  'national',
  'park',
  'f',
  'c',
  'january',
  '100/67',
  'f',
  'c',
  'july',
  'colorado',
  'plateau',
  'desert',
  'region',
  'temperature',
  'fluctuation',
  'degree',
  'day',
  'information',
  'arches',
  'national',
  'park',
  'page',
  'national',
  'park',
  'service',
  'website',
  'bryce',
  'canyon',
  'national',
  'park',
  'bryce',
  'canyon',
  'national',
  'park',
  'temperature',
  'f',
  'c',
  'january',
  'f',
  'c',
  'july',
  'elevation',
  'feet/2,335',
  'meter',
  'park',
  'weather',
  'park',
  'utah',
  'bryce',
  'canyon',
  'national',
  'park',
  'page',
  'national',
  'park',
  'service',
  'website',
  'detail',
  'canyonlands',
  'national',
  'park',
  'canyonlands',
  'national',
  'park',
  'temperature',
  'f',
  'c',
  'january',
  '100/67',
  'f',
  'c',
  'july',
  'canyonlands',
  'national',
  'park',
  'desert',
  'region',
  'colorado',
  'plateau',
  'temperature',
  'variation',
  'day',
  'canyonlands',
  'national',
  'park',
  'page',
  'national',
  'park',
  'service',
  'website',
  'information',
  'capitol',
  'reef',
  'national',
  'park',
  'capitol',
  'reef',
  'national',
  'park',
  'temperature',
  'f',
  'c',
  'january',
  'f',
  'c',
  'july',
  'environment',
  'capitol',
  'reef',
  'weather',
  'safety',
  'concern',
  'flash',
  'flooding',
  'heat',
  'risk',
  'capitol',
  'reef',
  'national',
  'park',
  'weather',
  'national',
  'park',
  'service',
  'website',
  'zion',
  'national',
  'park',
  'temperatures',
  'zion',
  'national',
  'park',
  'range',
  'f',
  '11/-1.6',
  'c',
  'january',
  'f',
  'c',
  'july',
  'daytime',
  'temperature',
  'degree',
  'area',
  'flash',
  'flooding',
  'zion',
  'national',
  'park',
  'page',
  'national',
  'park',
  'service',
  'website',
  'date',
  'information',
  'park',
  'weather',
  'utah',
  'ski',
  'snowboard',
  'weather',
  'utah',
  'ski',
  'resort',
  'state',
  'resort',
  'end',
  'november',
  'season',
  'snowfall',
  'mid',
  '-',
  'april',
  'cottonwood',
  'canyons',
  'snowfall',
  'inch',
  'cm',
  'snow',
  'density',
  'percent',
  'utah',
  'snow',
  'powdery',
  'dozen',
  'powder',
  'day',
  'season',
  'powder',
  'day',
  'inch',
  'cm',
  'hour',
  'science',
  'greatest',
  'snow',
  'earth',
  'daily',
  'snow',
  'condition',
  'resort',
  'update',
  'condition',
  'link',
  'webcam',
  'look',
  'mountain',
  'condition',
  'weather',
  'alert',
  'weather',
  'report',
  'forecast',
  'utah',
  'television',
  'broadcast',
  'channel',
  'kutv',
  'cbs',
  'channel',
  'ksl',
  'nbc',
  'channel',
  'abc4',
  'abc',
  'channel',
  'kued7',
  'pbs',
  'fox13',
  'fox',
  'channel',
  'news',
  'program',
  'p.m.',
  'p.m.',
  'p.m.',
  'weather',
  'information',
  'noaa',
  'weather',
  'radio',
  'unified',
  'police',
  'department',
  'canyon',
  'alert',
  'system',
  'people',
  'canyon',
  'traffic',
  'information',
  'restriction',
  'tire',
  'chain',
  'requirement',
  'cottonwood',
  'canyons',
  'alert',
  'twitter',
  '@udotcottonwood',
  'facebook',
  'page',
  'transportation',
  'utah',
  'mountain',
  'snowfall',
  'winter',
  'recreation',
  'opportunity',
  'winter',
  'safety',
  'challenge',
  'ski',
  'bus',
  'cottonwood',
  'canyon',
  'resort',
  'alta',
  'snowbird',
  'brighton',
  'solitude',
  'review',
  'practice',
  'cottonwood',
  'canyons',
  'congestion',
  'alta',
  'ski',
  'area',
  'new',
  'snow',
  'base',
  'depth',
  'run',
  'opening',
  'closing',
  'beaver',
  'mountain',
  'new',
  'snow',
  'base',
  'depth',
  'run',
  'opening',
  'closing',
  'brian',
  'head',
  'ski',
  'resort',
  'new',
  'snow',
  'base',
  'depth',
  'run',
  'opening',
  'closing',
  'brighton',
  'new',
  'snow',
  'base',
  'depth',
  'run',
  'opening',
  'closing',
  'cherry',
  'peak',
  'new',
  'snow',
  'base',
  'depth',
  'run',
  'opening',
  'closing',
  'deer',
  'valley',
  'resort',
  'new',
  'snow',
  'base',
  'depth',
  'run',
  'opening',
  'closing',
  'eagle',
  'point',
  'new',
  'snow',
  'base',
  'depth',
  'run',
  'opening',
  'closing',
  'nordic',
  'valley',
  'new',
  'snow',
  'base',
  'depth',
  'run',
  'opening',
  'closing',
  'park',
  'city',
  'mountain',
  'new',
  'snow',
  'base',
  'depth',
  'run',
  'opening',
  'powder',
  'mountain',
  'new',
  'snow',
  'base',
  'depth',
  'run',
  'opening',
  'closing',
  'snowbasin',
  'resort',
  'new',
  'snow',
  'base',
  'depth',
  'run',
  'opening',
  'closing',
  'snowbird',
  'new',
  'snow',
  'base',
  'depth',
  'run',
  'opening',
  'closing',
  'solitude',
  'mountain',
  'resort',
  'new',
  'snow',
  'base',
  'depth',
  'run',
  'opening',
  'sundance',
  'mountain',
  'resort',
  'new',
  'snow',
  'base',
  'depth',
  'run',
  'opening',
  'closing',
  'woodward',
  'park',
  'city',
  'new',
  'snow',
  'base',
  'depth',
  'run',
  'opening',
  'closing',
  'travel',
  'travel',
  'travel',
  'guide',
  'highway',
  'map',
  'sign',
  'newsletter',
  'copyright',
  'utah',
  'office',
  'tourism',
  'rights'],
 ['indiana',
  'news',
  'crimetracker',
  'video',
  'demand',
  'investigates',
  'crime',
  'mapping',
  'digital',
  'exclusives',
  'black',
  'history',
  'month',
  'ibj',
  'medium',
  'indiana',
  'business',
  'living',
  'healthy',
  'newsnation',
  'national',
  'world',
  'focus',
  'health',
  'bestreviews',
  'bestreviews',
  'daily',
  'local',
  'election',
  'headquarters',
  'politics',
  'hill',
  'hoosier',
  'lottery',
  'press',
  'automotive',
  'news',
  'indianapolis',
  'forecast',
  'indianapolis',
  'weather',
  'radar',
  'map',
  'watches',
  'warnings',
  'school',
  'closings',
  'delays',
  'camera',
  'network',
  'weather',
  'closing',
  'register',
  'school',
  'business',
  'indy',
  'happy',
  'birthday',
  'pantries',
  'sherman',
  'life',
  'lindy',
  'podcast',
  'forward',
  'kids',
  'fox',
  'dollar',
  'home',
  'zone',
  'kylee',
  'kitchen',
  'furry',
  'friday',
  'angela',
  'mommy',
  'magic',
  'living',
  'inspired',
  'living',
  'indy',
  'indiana',
  'pacers',
  'big',
  'game',
  'high',
  'school',
  'basketball',
  'play',
  'game',
  'indianapolis',
  'colts',
  'colts',
  'blue',
  'zone',
  'podcast',
  'big',
  'sports',
  'meet',
  'team',
  'advertise',
  'newsletter',
  'news',
  'tip',
  'captioning',
  'work',
  'tv',
  'schedule',
  'community',
  'calendar',
  'regional',
  'news',
  'partners',
  'people',
  'umbrella',
  'beach',
  'honolulu',
  'monday',
  'dec.',
  'storm',
  'wind',
  'read',
  'people',
  'umbrella',
  'beach',
  'honolulu',
  'monday',
  'dec.',
  'storm',
  'wind',
  'rain',
  'road',
  'power',
  'line',
  'tree',
  'branch',
  'hawaii',
  'official',
  'monday',
  'condition',
  'ap',
  'photo',
  'caleb',
  'jones)read',
  'storm',
  'hawaiian',
  'islands',
  'wednesday',
  'associated',
  'press',
  'nexstar',
  'media',
  'wire',
  'dec',
  'est',
  'dec',
  'est',
  'people',
  'umbrella',
  'beach',
  'honolulu',
  'monday',
  'dec.',
  'storm',
  'wind',
  'people',
  'umbrella',
  'beach',
  'honolulu',
  'monday',
  'dec.',
  'storm',
  'wind',
  'rain',
  'road',
  'power',
  'line',
  'tree',
  'branch',
  'hawaii',
  'official',
  'monday',
  'condition',
  'ap',
  'photo',
  'caleb',
  'jones',
  'read',
  'associated',
  'press',
  'nexstar',
  'media',
  'wire',
  'dec',
  'est',
  'dec',
  'est',
  'article',
  'information',
  'article',
  'time',
  'stamp',
  'story',
  'honolulu',
  'ap',
  'shore',
  'oahu',
  'waikiki',
  'beach',
  'summit',
  'big',
  'island',
  'peak',
  'winter',
  'storm',
  'hawaiian',
  'islands',
  'threat',
  'flash',
  'flood',
  'landslide',
  'tree',
  'limb',
  'storm',
  'nation',
  'island',
  'state',
  'couple',
  'wedding',
  'tourist',
  'indoor',
  'state',
  'infrastructure',
  'deluge',
  'rain',
  'wind',
  'downed',
  'tree',
  'flooding',
  'power',
  'outage',
  'big',
  'island',
  'resident',
  'storm',
  'boy',
  'age',
  'creek',
  'honolulu',
  'fire',
  'department',
  'worker',
  'statement',
  'agency',
  'official',
  'thunderstorm',
  'wind',
  'rain',
  'wednesday',
  'gov.',
  'david',
  'ige',
  'state',
  'emergency',
  'state',
  'island',
  'monday',
  'night',
  'hawaii',
  'work',
  'pic.twitter.com/0wsiddytfc',
  'bueñas',
  'noche',
  'roach',
  'december',
  'veteran',
  'survivor',
  'attack',
  'pearl',
  'harbor',
  'year',
  'anniversary',
  'celebration',
  'tuesday',
  'morning',
  'pearl',
  'harbor',
  'navy',
  'spokesperson',
  'brenda',
  'way',
  'associated',
  'press',
  'email',
  'monday',
  'discussion',
  'event',
  'storm',
  'national',
  'weather',
  'service',
  'storm',
  'threat',
  'flooding',
  'day',
  'pressure',
  'system',
  'east',
  'west',
  'edge',
  'archipelago',
  'storm',
  'power',
  'community',
  'hawaii',
  'rain',
  'state',
  'island',
  'oahu',
  'monday',
  'evening',
  'time',
  'emergency',
  'plan',
  'place',
  'supply',
  'water',
  'ige',
  'statement',
  'oahu',
  'shelter',
  'beach',
  'waikiki',
  'monday',
  'people',
  'umbrella',
  'shower',
  'roadway',
  'area',
  'car',
  'downtown',
  'water',
  'manhole',
  'cover',
  'maui',
  'power',
  'outage',
  'flooding',
  'foot',
  'centimeter',
  'rain',
  'area',
  'island',
  'road',
  'thunderstorm',
  'rain',
  'rain',
  'couple',
  'u.s.',
  'mainland',
  'maui',
  'elopement',
  'nicole',
  'bonanno',
  'owner',
  'bella',
  'bloom',
  'floral',
  'wedding',
  'florist',
  'boutique',
  'wailea',
  'weather',
  'flower',
  'delivery',
  'company',
  'power',
  'employee',
  'road',
  'debris',
  'bonanno',
  'road',
  'mess',
  'lot',
  'tree',
  'maui',
  'resident',
  'jimmy',
  'gomes',
  'light',
  'home',
  'monday',
  'power',
  'p.m.',
  'sunday',
  'rain',
  'gauge',
  'inch',
  'centimeter',
  'kind',
  'rain',
  'time',
  'night',
  'wind',
  'morning',
  'big',
  'island',
  'mayor',
  'mitch',
  'roth',
  'state',
  'emergency',
  'sunday',
  'rainfall',
  'wind',
  'area',
  'hilo',
  'rain',
  'weekend',
  'weather',
  'official',
  'island',
  'threat',
  'flash',
  'flooding',
  'lightning',
  'strike',
  'landslide',
  'wind',
  'day',
  'national',
  'weather',
  'service',
  'oahu',
  'kauai',
  'brunt',
  'storm',
  'monday',
  'tuesday',
  'maui',
  'big',
  'island',
  'lot',
  'rain',
  'problem',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'meteorologist',
  'robert',
  'ballard',
  'winter',
  'weather',
  'system',
  'kona',
  'low',
  'emergency',
  'alert',
  'weekend',
  'wind',
  'rain',
  'blizzard',
  'condition',
  'hawaii',
  'elevation',
  'weekend',
  'blizzard',
  'warning',
  'state',
  'peak',
  'big',
  'island',
  'snow',
  'summit',
  'mauna',
  'kea',
  'foot',
  'meter',
  'time',
  'blizzard',
  'warning',
  'summit',
  'resident',
  'summit',
  'telescope',
  'observatory',
  'office',
  'official',
  'weather',
  'service',
  'report',
  'inch',
  'centimeter',
  'snow',
  'road',
  'mauna',
  'kea',
  'official',
  'summit',
  'measurement',
  'forecast',
  'foot',
  'snow',
  'mountain',
  'peak',
  'wind',
  'gust',
  'mph',
  '138',
  'kph',
  'mauna',
  'kea',
  'area',
  'elevation',
  'wind',
  'gust',
  'mph',
  'kph',
  'location',
  'state',
  'weather',
  'official',
  'kona',
  'type',
  'pressure',
  'system',
  'form',
  'hawaii',
  'winter',
  'season',
  'characteristic',
  'ballard',
  'national',
  'weather',
  'service',
  'science',
  'operation',
  'officer',
  'hawaii',
  'moisture',
  'region',
  'kona',
  'low',
  'rain',
  'thunder',
  'shower',
  'area',
  'time',
  'wind',
  'ballard',
  'hawaii',
  'dam',
  'state',
  'storm',
  'wall',
  'kauai',
  'kaloko',
  'reservoir',
  'rain',
  'wave',
  'water',
  'mud',
  'hillside',
  'people',
  'woman',
  'rainfall',
  'march',
  'fear',
  'dam',
  'maui',
  'floodwater',
  'home',
  'roadway',
  'storm',
  'system',
  'flood',
  'oahu',
  'landslide',
  'kauai',
  'ballard',
  'state',
  'agency',
  'dam',
  'condition',
  'people',
  'situation',
  'folk',
  'type',
  'situation',
  'flash',
  'flooding',
  'ballard',
  'typo',
  'error(required',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'amazon',
  'school',
  'deal',
  'schooler',
  'school',
  'corner',
  'amazon',
  'supply',
  'school',
  'deal',
  'supply',
  'schooler',
  'august',
  'vegetable',
  'flower',
  'flower',
  'plant',
  'hour',
  'soil',
  'air',
  'temperature',
  'sunshine',
  'august',
  'month',
  'planting',
  'chemical',
  'guys',
  'kit',
  'car',
  'car',
  'care',
  'hour',
  'chemical',
  'guys',
  'car',
  'wash',
  'kit',
  'time',
  'deal',
  'taiwan',
  'school',
  'office',
  'typhoon',
  'bomb',
  'threat',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'russia',
  'un',
  'meeting',
  'soldier',
  'niger',
  'sinéad',
  'o’connor',
  'singer',
  'songwriter',
  'bluffing',
  'putin',
  'deployment',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'taiwan',
  'school',
  'office',
  'typhoon',
  'bomb',
  'threat',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'russia',
  'un',
  'meeting',
  'soldier',
  'niger',
  'butler',
  'university',
  'woman',
  'soccer',
  'player',
  'fox59',
  'eric',
  'graves',
  'yard',
  'dash',
  'colt',
  'training',
  'camp',
  'westfield',
  'grand',
  'hamilton',
  'county',
  'market',
  'teaching',
  'position',
  'indiana',
  'mental',
  'health',
  'clinician',
  'indianapolis',
  'impd',
  'man',
  'traffic',
  'stop',
  'indiana',
  'department',
  'education',
  'teacher',
  'shortage',
  'wayne',
  'county',
  'woman',
  'lawsuit',
  'claim',
  'indy',
  'man',
  'weekend',
  'crime',
  'spree',
  'state',
  'land',
  'hamilton',
  'county',
  'farm',
  'market',
  'grant',
  'county',
  'ob',
  'gyn',
  'suspension',
  'biden',
  'relief',
  'heat',
  'transgender',
  'intersex',
  'people',
  'biden',
  'prime',
  'minister',
  'trump',
  'jan.',
  'rioter',
  'cambodia',
  'hun',
  'sen',
  'asia',
  'leader',
  'greece',
  'country',
  'california',
  'gov.',
  'gavin',
  'newsom',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'indiana',
  'state',
  'police',
  'trooper',
  'perjury',
  'indy',
  'man',
  'weekend',
  'crime',
  'spree',
  'hamilton',
  'county',
  'market',
  'witness',
  'indy',
  'teen',
  'rap',
  'indiana',
  'new',
  'law',
  'effect',
  'arizona',
  'girl',
  'montana',
  'reports',
  'detail',
  'timeline',
  'deputy',
  'durm',
  'attack',
  'gift',
  'summer',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'home',
  'depot',
  'foot',
  'skeleton',
  'halloween',
  'deal',
  'day',
  'prime',
  'day',
  'favorite',
  'indiana',
  'state',
  'police',
  'trooper',
  'perjury',
  'indiana',
  'news',
  'hour',
  'scammer',
  'greene',
  'county',
  'home',
  'scheme',
  'hamilton',
  'county',
  'market',
  'indiana',
  'news',
  'hour',
  'health',
  'clinician',
  'indy',
  'indiana',
  'news',
  'hour',
  'indiana',
  'fever',
  'iu',
  'hat',
  'night',
  'iu',
  'basketball',
  'crown',
  'point',
  'teacher',
  'year',
  'indiana',
  'news',
  'hour',
  'indianapolis',
  'news',
  'indiana',
  'weather',
  'indiana',
  'news',
  'indiana',
  'traffic',
  'indiana',
  'local',
  'news',
  'indiana',
  'sports',
  'community',
  'entertainment',
  'online',
  'public',
  'file',
  'eeo',
  'public',
  'file',
  'fcc',
  'applications',
  'android',
  'app',
  'google',
  'play',
  'android',
  'weather',
  'app',
  'google',
  'play',
  'personal',
  'information',
  'personal',
  'information',
  'nexstar',
  'media',
  'inc.',
  'rights'],
 ['lawyer',
  'lawyer',
  'research',
  'law',
  'law',
  'schools',
  'laws',
  'regs',
  'newsletters',
  'marketing',
  'solutions',
  'justia',
  'law',
  'codes',
  'statute',
  'wyoming',
  'statute',
  'title',
  'trade',
  'commerce',
  'chapter',
  'consumer',
  'protection',
  'article',
  'storm',
  'damage',
  'repair',
  'contracts',
  'section',
  'disclosure',
  'requirements',
  'exterior',
  'storm',
  'damage',
  'repair',
  'contracts',
  'version',
  'section',
  'universal',
  'citation',
  'wy',
  'stat',
  '§',
  'disclosure',
  'requirement',
  'storm',
  'damage',
  'repair',
  'contract',
  'contract',
  'storm',
  'damage',
  'repair',
  'copy',
  'repair',
  'proposal',
  'disclosure',
  'w.s.',
  '703(a',
  'disclaimer',
  'code',
  'version',
  'wyoming',
  'information',
  'warranty',
  'guarantee',
  'accuracy',
  'completeness',
  'adequacy',
  'information',
  'site',
  'information',
  'state',
  'site',
  'source',
  'site',
  'recaptcha',
  'google',
  'privacy',
  'policy',
  'terms',
  'service',
  'free',
  'daily',
  'summaries',
  'inbox',
  'justia',
  'opinion',
  'summary',
  'newsletters',
  'newsletter',
  'sign',
  'summary',
  'lawyer',
  'directory',
  'profile',
  'summary',
  'opinion',
  'inbox',
  'bankruptcy',
  'lawyers',
  'business',
  'lawyers',
  'criminal',
  'lawyers',
  'employment',
  'lawyers',
  'estate',
  'planning',
  'lawyers',
  'family',
  'lawyers',
  'personal',
  'injury',
  'lawyers',
  'business',
  'formation',
  'business',
  'operations',
  'employment',
  'intellectual',
  'property',
  'international',
  'trade',
  'real',
  'estate',
  'tax',
  'law',
  'constitution',
  'code',
  'regulations',
  'supreme',
  'court',
  'circuit',
  'courts',
  'district',
  'courts',
  'dockets',
  'filing',
  'state',
  'constitutions',
  'state',
  'codes',
  'state',
  'case',
  'law',
  'california',
  'florida',
  'new',
  'york',
  'texas',
  'justia',
  'membership',
  'justia',
  'lawyer',
  'directory',
  'justia',
  'premium',
  'placements',
  'justia',
  'elevate',
  'seo',
  'website',
  'justia',
  'ppc',
  'gbp',
  'justia',
  'onward',
  'blog',
  'testimonial',
  'justia',
  'legal',
  'portal',
  'company',
  'terms',
  'service',
  'privacy',
  'policy',
  'marketing',
  'solutions'],
 ['bbc',
  'world',
  'service',
  'news',
  'information',
  'world',
  'news',
  'source',
  'bbc',
  'world',
  'service',
  'minute',
  'news',
  'expert',
  'analysis',
  'commentary',
  'feature',
  'interview',
  'philly',
  'pa.',
  'politics',
  'elections',
  'planphilly',
  'urban',
  'planning',
  'gun',
  'violence',
  'prevention',
  'n.j.',
  'del.',
  'education',
  'arts',
  'culture',
  'health',
  'science',
  'live',
  'tv',
  'whyy',
  'tv',
  'schedule',
  'demand',
  'whyy',
  'passport',
  'sign',
  'pbs',
  'account',
  'activation',
  'assistance',
  'faq',
  'free',
  'pbs',
  'video',
  'app',
  'whyy',
  'passport',
  'member',
  'email',
  'alert',
  'update',
  'event',
  'contact',
  'pbs',
  'learningmedia',
  'pbs',
  'kids',
  'online',
  'whyy',
  'learning',
  'shorts',
  'learning',
  'school',
  'learning',
  'community',
  'youth',
  'media',
  'toolkit',
  'youth',
  'media',
  'awards',
  'field',
  'student',
  'pathway',
  'media',
  'careers',
  'student',
  'work',
  'whyy',
  'media',
  'labs',
  'whyy',
  'passport',
  'museums',
  'education',
  'discounts',
  'music',
  'theater',
  'discounts',
  'food',
  'dining',
  'discounts',
  'retail',
  'discounts',
  'national',
  'weather',
  'service',
  'tornado',
  'damage',
  'middletown',
  'delaware',
  'nws',
  'tornado',
  'bayberry',
  'north',
  'development',
  'route',
  'storm',
  'sunday',
  'series',
  'damage',
  'new',
  'castle',
  'county',
  'story',
  'national',
  'weather',
  'service',
  'tornado',
  'damage',
  'new',
  'castle',
  'county',
  'delaware',
  'sunday',
  'middletown',
  'delaware',
  'roof',
  'wind',
  'block',
  'chopin',
  'drive',
  'home',
  'tree',
  'whyy',
  'sponsor',
  'whyy',
  'sponsor',
  'official',
  'national',
  'weather',
  'service',
  'area',
  'monday',
  'tornado',
  'bayberry',
  'north',
  'development',
  'route',
  'national',
  'weather',
  'service',
  'track',
  'intensity',
  'tornado',
  'neighbor',
  'sunday',
  'storm',
  'whirling',
  'noise',
  'wind',
  'wife',
  'floor',
  'andy',
  'lagasse',
  'middletown',
  'wind',
  'tractor',
  'trailer',
  'route',
  'south',
  'hyetts',
  'corner',
  'road',
  'trailer',
  'ford',
  'explorer',
  'injury',
  'crash',
  'update',
  'whyy',
  'news',
  'whyy',
  'news',
  'daily',
  'newsletter',
  'story',
  'inbox',
  'whyy',
  'source',
  'fact',
  'depth',
  'journalism',
  'information',
  'organization',
  'support',
  'reader',
  'today',
  'tornado',
  'storm',
  'damage',
  'area',
  'pennsylvania',
  'new',
  'jersey',
  'delaware',
  'thunderstorms',
  'weather',
  'way',
  'area',
  'pennsylvania',
  'new',
  'jersey',
  'delaware',
  'tornado',
  'sussex',
  'county',
  'delaware',
  'house',
  'collapse',
  'delaware',
  'state',
  'police',
  'damage',
  'county',
  'weather',
  'forecast',
  'thunderstorm',
  'tornado',
  'tonight',
  'tornado',
  'watch',
  'effect',
  'philadelphia',
  'p.m.',
  'whyy',
  'sponsor',
  'whyy',
  'sponsor',
  'whyy',
  'sponsor',
  'whyy',
  'sponsor',
  'bucks',
  'county',
  'ground',
  'health',
  'treatment',
  'center',
  'proposition',
  'property',
  'zillow',
  'listing',
  'eyebrow',
  'west',
  'philly',
  'philly',
  'heat',
  'health',
  'emergency',
  'thursday',
  'saturday',
  'temp',
  'digest',
  'whyy',
  'program',
  'event',
  'story',
  'newsletter',
  '%',
  'whyy',
  'year',
  'goal',
  'whyy',
  'fact',
  'news',
  'information',
  'world',
  'class',
  'entertainment',
  'community',
  'whyy',
  'voice',
  'platform',
  'story',
  'foundation',
  'learner',
  'space',
  'news',
  'social',
  'responsibility',
  'whyy',
  'programs',
  'albie',
  'elevator',
  'billy',
  'penn',
  'check',
  'philly',
  'community',
  'conversations',
  'connection',
  'delishtory',
  'flicks',
  'fresh',
  'air',
  'good',
  'souls',
  'infinite',
  'art',
  'hunt',
  'movers',
  'makers',
  'stage',
  'curtis',
  'planphilly',
  'pulse',
  'real',
  'black',
  'history',
  'schooled',
  'stateimpact',
  'statue',
  'frisk',
  'revisit',
  'studio',
  'thing',
  'voice',
  'family',
  'oughta',
  'young',
  'creators',
  'democracy',
  'newsroom',
  'press',
  'room',
  'question',
  'whyy',
  'productions',
  'whyy',
  'whyy',
  'news',
  'style',
  'guide',
  'social',
  'responsibility',
  'whyy',
  'employment',
  'submissions',
  'history',
  'directions',
  'coverage',
  'area',
  'financial',
  'statements',
  'board',
  'executives',
  'internships',
  'community',
  'advisory',
  'board',
  'whyy',
  'community',
  'report',
  'supporters',
  'privacy',
  'meet',
  'newsroom',
  'employment',
  'lifelong',
  'learning',
  'award',
  'n.i.c.e.',
  'initiative',
  'contact',
  'sponsorship',
  'directions',
  'fcc',
  'public',
  'files',
  'fcc',
  'applications',
  'privacy',
  'policy',
  'terms',
  'use',
  'whyy.org'],
 ['livenewsweathersportsthings',
  'docontests',
  'watch',
  'expand',
  'collapse',
  'search',
  '☰',
  'search',
  'site',
  'news',
  'local',
  'newsnational',
  'newsworld',
  'newsinvestigatorspoliticsconsumervoice',
  'news',
  'sundayweather',
  'fox',
  'weather',
  'appforecastschool',
  'closingslive',
  'weather',
  'camerastrafficfox',
  'weathersports',
  'shayne',
  'wellsgarden',
  'guyrecipesmoney',
  'personal',
  'financebusinessstock',
  'marketsmall',
  'businesssavingsshow',
  'fox',
  'showsthe',
  'jason',
  'showfox',
  'good',
  'dayenough',
  'saidvikings',
  'gameday',
  'livethe',
  'pj',
  'fleck',
  'showfox',
  'sports',
  'nowthe',
  'jason',
  'swag',
  'shopthe',
  'fox',
  'storefox',
  'town',
  'ball',
  'storeregional',
  'news',
  'milwaukee',
  'news',
  'fox',
  'newschicago',
  'news',
  'fox',
  'chicagodetroit',
  'news',
  'fox',
  'detroitabout',
  'contact',
  'uscontestspersonalitiesjobs',
  'fox',
  '9what',
  'foxadvertisefcc',
  'applicationsstay',
  'ice',
  'cream',
  'socialnewsletterfacebookinstagramtwittertiktokyoutube',
  'thunderstorm',
  'wed',
  'pm',
  'cdt',
  'thu',
  'cdt',
  'beltrami',
  'county',
  'clearwater',
  'county',
  'pennington',
  'county',
  'red',
  'lake',
  'county',
  'thunderstorm',
  'warning',
  'thu',
  'cdt',
  'beltrami',
  'county',
  'lake',
  'woods',
  'county',
  'polk',
  'county',
  'red',
  'lake',
  'county',
  'excessive',
  'heat',
  'warning',
  'thu',
  'pm',
  'cdt',
  'thu',
  'pm',
  'cdt',
  'anoka',
  'county',
  'dakota',
  'county',
  'hennepin',
  'county',
  'ramsey',
  'county',
  'scott',
  'county',
  'washington',
  'county',
  'north',
  'dakota',
  'blizzard',
  'warning',
  'travel',
  'fox',
  'staff',
  'fox',
  'weather',
  'april',
  'weather',
  'fox',
  'share',
  'copy',
  'link',
  'email',
  'facebook',
  'twitter',
  'linkedin',
  'reddit',
  'fargo',
  'n.d.',
  'fox',
  'blizzard',
  'warning',
  'effect',
  'north',
  'dakota',
  'tuesday',
  'wednesday',
  'snow',
  'wind',
  'travel',
  'national',
  'weather',
  'service',
  'half',
  'north',
  'dakota',
  'foot',
  'snow',
  'wind',
  'tuesday',
  'wednesday',
  'snow',
  'whiteout',
  'condition',
  'road',
  'weather',
  'service',
  'road',
  'condition',
  'binford',
  'north',
  'dakota',
  'a.m.',
  'tuesday',
  'april',
  'north',
  'dakota',
  'department',
  'transportation',
  'north',
  'dakota',
  'department',
  'transportation',
  'travel',
  'advisory',
  'place',
  'sargent',
  'richland',
  'county',
  'travel',
  'alert',
  'effect',
  'area',
  'motorist',
  'condition',
  'speed',
  'condition',
  'nddot',
  'website',
  'storm',
  'snow',
  'u.s.',
  'plains',
  'upper',
  'midwest',
  'tuesday',
  'snow',
  'tuesday',
  'portion',
  'wyoming',
  'nebraska',
  'north',
  'south',
  'dakota',
  'minnesota',
  'tuesday',
  'evening',
  'snow',
  'dakotas',
  'minnesota',
  'temperature',
  'teen',
  'plains',
  '20',
  'upper',
  'midwest',
  'national',
  'weather',
  'service',
  'storm',
  'snowfall',
  'record',
  'travel',
  'disruption',
  'danger',
  'livestock',
  'element',
  'article',
  'minnesota',
  'weather',
  'rain',
  'thunder',
  'twin',
  'cities',
  'snow',
  'mn',
  'northwestern',
  'minnesota',
  'foot',
  'snow',
  'tuesday',
  'twin',
  'cities',
  'metro',
  'rain',
  'thunder',
  'snow',
  'portion',
  'dakotas',
  'upper',
  'midwest',
  'wednesday',
  'storm',
  'region',
  'snow',
  'west',
  'east',
  'temperature',
  '20',
  'place',
  'fargo',
  'bismarck',
  'north',
  'dakota',
  'city',
  'minneapolis',
  'temperature',
  'degree',
  'news',
  'view',
  'minnesota',
  'rollerblade',
  'founder',
  'inline',
  'skate',
  'wheel',
  'fortune',
  'violent',
  'crime',
  'summit',
  'datum',
  'homicide',
  'assault',
  'trend',
  'metro',
  'fugitive',
  'minnesota',
  'murder',
  'california',
  'minnesota',
  'town',
  'ball',
  'team',
  'postseason',
  'ban',
  'rule',
  'violation',
  'golfer',
  'm',
  'open',
  'contractor',
  'minnetonka',
  'home',
  'business',
  'lightning',
  'strike',
  'house',
  'fire',
  'plymouth',
  'child',
  'minneapolis',
  'wednesday',
  'mall',
  'america',
  'shooter',
  'nike',
  'store',
  'dispute',
  'wildfire',
  'friend',
  'foe',
  'e',
  '-',
  'bike',
  'use',
  'lake',
  'minnetonka',
  'community',
  'community',
  'radio',
  'station',
  'story',
  'voice',
  'minneapolis',
  'new',
  'festival',
  'art',
  'artist',
  'color',
  'mass',
  'shooting',
  'plot',
  'year',
  'sentence',
  'zimmerman',
  'man',
  'man',
  'week',
  'minneapolis',
  'rail',
  'platform',
  'teen',
  'jet',
  'bridge',
  'msp',
  'minnesota',
  'best',
  'adventure',
  'experience',
  'list',
  'mall',
  'america',
  'shooter',
  'nike',
  'store',
  'dispute',
  'minnesota',
  'town',
  'ball',
  'team',
  'postseason',
  'ban',
  'rule',
  'violation',
  'fugitive',
  'minnesota',
  'murder',
  'california',
  'daily',
  'newsletter',
  'news',
  'day',
  'sign',
  'privacy',
  'policy',
  'terms',
  'service',
  'stream',
  'smart',
  'tv',
  'fox',
  'fox',
  'streaming',
  'app',
  'fox',
  'fox',
  'streaming',
  'app',
  'roku',
  'apple',
  'tv',
  'amazon',
  'firetv',
  'google',
  'android',
  'tv',
  'cable',
  'subscription',
  'login',
  'news',
  'local',
  'newsnational',
  'newsworld',
  'newsinvestigatorspoliticsconsumervoice',
  'news',
  'sundayweather',
  'fox',
  'weather',
  'appforecastschool',
  'closingslive',
  'weather',
  'camerastrafficfox',
  'weathersports',
  'shayne',
  'wellsgarden',
  'guyrecipesmoney',
  'personal',
  'financebusinessstock',
  'marketsmall',
  'businesssavingsshow',
  'fox',
  'showsthe',
  'jason',
  'showfox',
  'good',
  'dayenough',
  'saidvikings',
  'gameday',
  'livethe',
  'pj',
  'fleck',
  'showfox',
  'sports',
  'nowthe',
  'jason',
  'swag',
  'shopthe',
  'fox',
  'storefox',
  'town',
  'ball',
  'storeregional',
  'news',
  'milwaukee',
  'news',
  'fox',
  'newschicago',
  'news',
  'fox',
  'chicagodetroit',
  'news',
  'fox',
  'detroitabout',
  'contact',
  'uscontestspersonalitiesjobs',
  'fox',
  '9what',
  'foxadvertisefcc',
  'applicationsstay',
  'ice',
  'cream',
  'socialnewsletterfacebookinstagramtwittertiktokyoutube',
  'facebooktwitteremail',
  'new',
  'privacy',
  'policyterms',
  'serviceyour',
  'privacy',
  'choicesfcc',
  'public',
  'filejobs',
  'fox',
  '9contact',
  'material',
  'fox',
  'television',
  'stations'],
 ['contentsectionssearchmorepodcast',
  'email',
  'sketch',
  'newsletterswatch',
  'globe',
  'todaycoronavirusmetroobituariesdeath',
  'noticespoliticsinvestigationseducationnew',
  'englandweathersportsred',
  'marathoncollegeshigh',
  'schoolstv',
  'radionew',
  'hampshirebusinesspoliticseducationcrimehealthcommentarybusinesstech',
  'power',
  'players',
  '50healthcarelife',
  'sciencestechnologyreal',
  'estateeconomybold',
  'typespoliticselectionsopinionideascolumn',
  'podcastspotlightrhode',
  'islandthings',
  'dorhode',
  'island',
  'podcastri',
  'food',
  'diningpoliticsbusinessartscrimeworldlifestylea',
  'beautiful',
  'resistancefood',
  'diningcomicscrosswordgamestravelnameslove',
  'lettersreal',
  'estateglobe',
  'magazinemarijuanaartsbooksmoviesmusictelevisionvisual',
  'artstheater',
  'dancecarsreal',
  'estateeventssearchepapermagazineobituariesweathercomicscrosswordeventsmanage',
  'accountsay',
  'morelove',
  'lettersmr',
  'percentgladiatorlast',
  'seenstat',
  'readout',
  'loudall',
  'podcaststoday',
  'headlinesbreaking',
  'news',
  'alertssports',
  'headlinestoday',
  'opinionglobe',
  'popularrhode',
  'island',
  'newsnew',
  'hampshire',
  'newsboston',
  'globe',
  'todayall',
  'newslettersemail',
  'friend',
  'share',
  'facebook',
  'share',
  'twitterprint',
  'article',
  'view',
  'commentswatch',
  'globe',
  'todaymetrosportsbusinesspoliticsopinionhealthnew',
  'hampshirerhode',
  'estateeventsvermont',
  'tourism',
  'hit',
  'flooding',
  'extreme',
  'tourist',
  'vermont',
  'summer',
  'month',
  'ellie',
  'wolfe',
  'globe',
  'correspondent',
  'july',
  'p.m.',
  'email',
  'friend',
  'share',
  'facebook',
  'share',
  'twitterprint',
  'article',
  'view',
  'commentstransportation',
  'secretary',
  'pete',
  'buttigieg',
  'freda',
  'hollyer',
  'owner',
  'inn',
  'river',
  'flood',
  'water',
  'family',
  'hotel',
  'bank',
  'lamoille',
  'river',
  'july',
  'hardwick',
  'vt',
  'week',
  'storm',
  'month',
  'worth',
  'rain',
  'couple',
  'day',
  'vermont',
  'new',
  'york',
  'charles',
  'krupa',
  'associated',
  'presscambridge',
  'vt',
  '.',
  'july',
  'vermont',
  'tourist',
  'green',
  'mountain',
  'vista',
  'lake',
  'river',
  'site',
  'village',
  'inn',
  'flooding',
  'week',
  'evacuation',
  'property',
  'damage',
  'visitor',
  'blow',
  'mainstay',
  'state',
  'economy',
  'term',
  'tourist',
  'vermont',
  'summer',
  'state',
  'datum',
  'spending',
  'visitor',
  'vermont',
  'year',
  'umiak',
  'outfitters',
  'location',
  'stowe',
  'richmond',
  'waterbury',
  'outpost',
  'lamoille',
  'river',
  'tourist',
  'canoe',
  'kayak',
  'adventure',
  'tour',
  'owner',
  'steve',
  'brownlee',
  'friday',
  'business',
  'flood',
  'advertisement“the',
  'weather',
  'pattern',
  'phone',
  'interview',
  'thing',
  'business',
  'day',
  'case',
  'weather',
  'forecast',
  'mad',
  'taco',
  'middlebury',
  'vt',
  '.',
  'people',
  'otter',
  'creek',
  'july',
  'restaurant',
  'jessica',
  'rinaldi',
  'globe',
  'staffderrick',
  'patenaude',
  'owner',
  'north',
  'canoe',
  'kayak',
  'rental',
  'morristown',
  'lack',
  'tourist',
  '“the',
  'rain',
  'flood',
  'lot',
  'cancellation',
  'patenaude',
  'flood',
  'trip',
  'question',
  '”up',
  'north',
  'river',
  'trip',
  'mid',
  '-',
  'june',
  'july',
  'patenaude',
  'trip',
  'revenue',
  'percent',
  'business',
  'tourism',
  'summer',
  'state',
  'visitor',
  'hotel',
  'state',
  'tour',
  'tourist',
  'spot',
  'capitol',
  'movie',
  'theater',
  'downtown',
  'montpelier',
  'message',
  'flooding',
  'vincent',
  'alban',
  'boston',
  'globeone',
  'vermont',
  'stop',
  'ben',
  'jerry',
  'factory',
  'waterbury',
  'day',
  'weather',
  'vermont',
  'tour',
  'guide',
  'jamieson',
  'advertisementcarey',
  'underwood',
  'director',
  'mission',
  'partnership',
  'program',
  'king',
  'arthur',
  'baking',
  'co.',
  'business',
  'headquarters',
  'flagship',
  'location',
  'norwich',
  'day',
  'bakery',
  'store',
  'café',
  'closure',
  'company',
  'history',
  'tour',
  'baking',
  'class',
  'underwood',
  'e',
  '-',
  'impact',
  'week',
  'hotel',
  'closure',
  'town',
  'woodstock',
  'impact',
  'august',
  'heather',
  'pelham',
  'commissioner',
  'vermont',
  'department',
  'tourism',
  'marketing',
  'summer',
  'state',
  'season',
  'family',
  'individual',
  'time',
  'pelham',
  'timing',
  'flood',
  'plenty',
  'summer',
  'area',
  'state',
  '”it',
  'state',
  'bob',
  'schwartz',
  'director',
  'marketing',
  'sale',
  'trapp',
  'family',
  'lodge',
  'stowe',
  'lot',
  'people',
  'state',
  'case',
  'lot',
  'folk',
  'new',
  'york',
  'boston',
  'lodge',
  'damage',
  'hit',
  'lodge',
  'family',
  'schwartz',
  'area',
  'stowe',
  'resort',
  'employee',
  'advertisementsome',
  'hotel',
  'loss',
  'visitor',
  'fat',
  'sheep',
  'farm',
  'cabins',
  'hartland',
  'unit',
  'cancellation',
  'week',
  'vermont',
  'endurance',
  'race',
  'co',
  '-',
  'owner',
  'suzy',
  'kaplan',
  'kaplan',
  'business',
  'owner',
  'impact',
  'medium',
  'business',
  'medium',
  'news',
  'stuff',
  'case',
  'area',
  '”like',
  'schwartz',
  'kaplan',
  'tourist',
  'hotel',
  'flooding',
  'hotel',
  'woodstock',
  'inn',
  'resort',
  'woodstock',
  'damage',
  'property',
  'lack',
  'water',
  'elaine',
  'olson',
  'hotel',
  'president',
  'municipality',
  'issue',
  'repair',
  'testing',
  'water',
  'safety',
  'olson',
  'e',
  '-',
  'mail',
  'process',
  '”olsen',
  'inn',
  'guest',
  'july',
  'baraw',
  'smith',
  'chair',
  'vermont',
  'lodging',
  'association',
  'group',
  'hotel',
  'inn',
  'damage',
  'flooding',
  'advertisement“vermont',
  'state',
  'care',
  'folk',
  'success',
  'state',
  'term',
  '”pelham',
  'state',
  'tourism',
  'marketing',
  'commissioner',
  'tourist',
  'state',
  'summer',
  'weather',
  '“the',
  'way',
  'vermont',
  'shop',
  'restaurant',
  'town',
  'visitor',
  'key',
  'recovery',
  'wolfe',
  'twitter',
  '@elliew0lfe',
  '.',
  'boston',
  'globe',
  'todayfollow',
  'nowdigital',
  'accesshome',
  'deliverygift',
  'subscriptionsmy',
  'accountlog',
  'inmanage',
  'accountcustomer',
  'servicedelivery',
  'issuesfeedbackcontacthelp',
  'faqsstaff',
  'listadvertisemorenewslettersview',
  'issuesnews',
  'educationsearch',
  'archivesprivacy',
  'policyterms',
  'serviceterms',
  'purchasework',
  'boston',
  'globe',
  'mediado',
  'information2023',
  'boston',
  'globe',
  'media',
  'partners',
  'llc'],
 ['day',
  'woman',
  'birth',
  'hospital',
  'heart',
  'attack',
  'seizure',
  'kidney',
  'failure',
  'blood',
  'transfusion',
  'problem',
  'death',
  'human',
  'trafficking',
  'sports',
  'entertainment',
  'life',
  'money',
  'tech',
  'travel',
  'opinion',
  'obituariesonly',
  'usa',
  'today',
  'newsletters',
  'subscribers',
  'archives',
  'crossword',
  'enewspaper',
  'magazines',
  'investigations',
  'weather',
  'forecast',
  'video',
  'humankind',
  'curiousbest',
  'booklist',
  'pets',
  'food',
  'reviewed',
  'coupons',
  'blueprint',
  'best',
  'auto',
  'insurance',
  'best',
  'pet',
  'insurance',
  'best',
  'travel',
  'insurance',
  'best',
  'credit',
  'cards',
  'best',
  'cd',
  'rate',
  'best',
  'personal',
  'loans',
  'map',
  'south',
  'weather',
  'tornado',
  'updatessusan',
  'miller',
  'john',
  'bacon',
  'jorge',
  'l.',
  'ortiz',
  'ross',
  'todayrolling',
  'fork',
  'miss.',
  'severe',
  'storm',
  'south',
  'sunday',
  'day',
  'tornado',
  'mississippi',
  'delta',
  'region',
  'country',
  'area',
  'town',
  'dozen',
  'people',
  'storm',
  'prediction',
  'center',
  'tornado',
  'hail',
  'louisiana',
  'mississippi',
  'alabama',
  'night',
  'national',
  'weather',
  'service',
  'office',
  'jackson',
  'mississippi',
  'photo',
  'hail',
  'state',
  'sunday',
  'size',
  'baseball',
  'search',
  'rescue',
  'team',
  'sunday',
  'rubble',
  'weekend',
  'tornado',
  'people',
  'twister',
  'ground',
  'mississippi',
  'hour',
  'friday',
  'night',
  'house',
  'foundation',
  'tree',
  'branch',
  'car',
  'toy',
  'block',
  'rolling',
  'fork',
  'sharkey',
  'county',
  'mile',
  'jackson',
  'tornado',
  'mayor',
  'eldridge',
  'walker',
  'sheriff',
  'department',
  'time',
  'community',
  'resident',
  'time',
  'siren',
  'storm',
  'siren',
  'walker',
  'royce',
  'steed',
  'emergency',
  'manager',
  'humphreys',
  'county',
  'destruction',
  'silver',
  'city',
  'impact',
  'tuscaloosa',
  'birmingham',
  'tornado',
  'hurricane',
  'katrina',
  '2005.“it',
  'devastation',
  'steed',
  'town',
  'population',
  'map',
  '”one',
  'man',
  'morgan',
  'county',
  'alabama',
  'sheriff',
  'department',
  'supercell',
  'mississippi',
  'twister',
  'mile',
  'tornado',
  'damage',
  'north',
  'central',
  'alabama',
  'brian',
  'squitieri',
  'storm',
  'storm',
  'prediction',
  'center',
  'dozen',
  'people',
  'mississippi',
  'emergency',
  'management',
  'agency',
  'deadly',
  'storms',
  'tornado',
  '►',
  'pope',
  'francis',
  'prayer',
  'sunday',
  'people',
  'mississippi',
  'tornado',
  'noon',
  'blessing',
  'vatican',
  'city.',
  'president',
  'joe',
  'biden',
  'sunday',
  'emergency',
  'declaration',
  'mississippi',
  'funding',
  'carroll',
  'humphreys',
  'monroe',
  'sharkey',
  'county',
  'area',
  'friday',
  'night',
  'biden',
  'damage',
  'mississippi',
  'gov.',
  'tate',
  'reeves',
  'state',
  'emergency',
  'federal',
  'emergency',
  'management',
  'agency',
  'home',
  'mississippi',
  'tornado',
  'storm',
  'georgia',
  'tiger',
  'enclosure',
  'tornado',
  'georgia',
  'sunday',
  'morning',
  'building',
  'closing',
  'road',
  'tree',
  'power',
  'line',
  'tiger',
  'animal',
  'park',
  'gov.',
  'brian',
  'kemp',
  'state',
  'emergency',
  'order',
  'hospital',
  'structure',
  'tornado',
  'milledgeville',
  'georgia',
  'police',
  'department',
  'photo',
  'house',
  'tree',
  'resident',
  'emergency',
  'thousand',
  'power',
  'baldwin',
  'county',
  'mile',
  'macon',
  'mile',
  'milledgeville',
  'tornado',
  'cannonville',
  'troup',
  'county',
  'alabama',
  'border',
  'damage',
  'lagrange',
  'daily',
  'news',
  'storm',
  'dollar',
  'size',
  'hail',
  'building',
  'people',
  'injury',
  'official',
  'tiger',
  'enclosure',
  'sunday',
  'wild',
  'animal',
  'safari',
  'pine',
  'mountain',
  'park',
  'tornado',
  'damage',
  'park',
  'facebook',
  'page',
  'post',
  'park',
  'tornado',
  'damage',
  'employee',
  'animal',
  'tigers',
  'safe',
  'post',
  'enclosure',
  'resource',
  'official',
  'resident',
  'help',
  "way'as",
  'recovery',
  'effort',
  'state',
  'leader',
  'delta',
  'region',
  'resident',
  'reeves',
  'word',
  'way',
  'security',
  'secretary',
  'alejandro',
  'mayorkas',
  'fema',
  'administrator',
  'deanne',
  'criswell',
  'agency',
  'support',
  'afternoon',
  'news',
  'conference',
  'rolling',
  'fork',
  'term',
  'recovery',
  'event',
  'criswell',
  'issue',
  'housing',
  '”mississippi',
  'emergency',
  'management',
  'agency',
  'number',
  'resource',
  'water',
  'tarps',
  'restroom',
  'battery',
  'charger',
  'fuel',
  'generator',
  '"it',
  'experience',
  'time',
  'thing',
  'politic',
  'reeves',
  'politic',
  'friend',
  'neighbor',
  'helpthe',
  'mississippi',
  'department',
  'public',
  'safety',
  'donation',
  'water',
  'good',
  'paper',
  'product',
  'victim',
  'storm',
  'way',
  'salvation',
  'army',
  'alabama',
  'louisiana',
  'mississippi',
  'office',
  'supply',
  'feeding',
  'unit',
  'agency',
  'donation',
  'red',
  'cross',
  'disaster',
  'worker',
  'ground',
  'mississippi',
  'help',
  'way',
  'redcross.org',
  'cross',
  'text',
  'redcross',
  'donation',
  'children',
  'emergency',
  'response',
  'team',
  'supply',
  'water',
  'food',
  'diaper',
  'hygiene',
  'kit',
  'family',
  'effort',
  'condition',
  'cluster',
  'friday',
  'storm',
  'tornado',
  'region',
  'siege',
  'weather',
  'sunday',
  'cluster',
  'thunderstorm',
  'alabama',
  'georgia',
  'mississippi',
  'national',
  'weather',
  'service',
  'tornado',
  'watch',
  'mississippi',
  'night',
  'weather',
  'service',
  'tornado',
  'alabama',
  'sunday',
  'night',
  'corridor',
  'supercell',
  'tornado',
  'portion',
  'alabama',
  'montgomery',
  'couple',
  'hour',
  'weather',
  'service',
  'sunday',
  'accuweather',
  'hail',
  'size',
  'golf',
  'ball',
  'alabama',
  'mississippi',
  'sunday',
  'thunderstorm',
  'addition',
  'hail',
  'weather',
  'service',
  'jackson',
  'mississippi',
  'wind',
  'gust',
  'mph',
  'mph',
  'tornado',
  'damage?the',
  'system',
  'path',
  'friday',
  'northeastward',
  'mississippi',
  'alabama',
  'accuweather',
  'national',
  'weather',
  'service',
  'tornado',
  'damage',
  'mile',
  'jackson',
  'town',
  'rolling',
  'fork',
  'sharkey',
  'county',
  'silver',
  'city',
  'humphreys',
  'county',
  'brunt',
  'damage',
  'tornado',
  'mph',
  'tornado',
  'rating',
  'national',
  'weather',
  'service',
  'office',
  'jackson',
  'saturday',
  'tornado',
  'wind',
  'gust',
  'mph',
  'mph',
  'weather',
  'service',
  'tornadoes',
  'explained',
  'tornado',
  'watch',
  'storm',
  'tornado',
  'tornado',
  'mississippi',
  'deep',
  'south',
  'state',
  'decade',
  'national',
  'weather',
  'service',
  'record',
  'april',
  'people',
  'mississippi',
  'tornado',
  'state',
  'u.s.',
  'weather',
  'service',
  'meteorologist',
  'chris',
  'outler',
  'alabama',
  'outbreak',
  'twister',
  'people',
  'damage',
  'sharkey',
  'county?sharkey',
  'county',
  'population',
  'mississippi',
  'delta',
  'region',
  '%',
  'county',
  'population',
  'black',
  '%',
  'census',
  'datum',
  '%',
  'county',
  'household',
  'poverty',
  'county',
  'household',
  'income',
  'household',
  'income',
  'county',
  'level',
  'poverty',
  'mayor',
  'walker',
  'sunday',
  'community',
  'family',
  "''walker",
  'storm',
  'sheriff',
  'department',
  'time',
  'community',
  'resident',
  'time',
  'siren',
  'storm',
  'siren',
  'area',
  'stranger',
  'challenge',
  'backbone',
  'economy',
  'agriculture',
  'lower',
  'delta',
  'flooding',
  'year',
  'crop',
  'farmer',
  'income',
  'farmhand',
  'job',
  'money',
  'economy',
  'brian',
  'broom',
  'diner',
  'worker',
  'refrigeratorthe',
  'owner',
  'employee',
  'rolling',
  'fork',
  'diner',
  'restaurant',
  'walk',
  'refrigerator',
  'rest',
  'restaurant',
  'photo',
  'group',
  'people',
  'cooler',
  'chuck',
  'dairy',
  'bar',
  'wind',
  'refrigerator',
  'ground',
  'owner',
  'tracy',
  'harden',
  'usa',
  'today.“all',
  'light',
  'cooler',
  'husband',
  'wind',
  'refrigerator',
  'door',
  'harden',
  'door',
  'sky',
  'claire',
  'thornton',
  'witnesses',
  'terror',
  'twister',
  'hitcornel',
  'knight',
  'relative',
  'home',
  'rolling',
  'fork',
  'wife',
  'daughter',
  'tornado',
  'direction',
  'transformer',
  'sky',
  'sheddrick',
  'bell',
  'partner',
  'daughter',
  'closet',
  'home',
  'rolling',
  'fork',
  'minute',
  'storm',
  'wind',
  'window',
  'daughter',
  'partner',
  'eye',
  'tornado',
  'deadlynighttime',
  'tornado',
  'tornado',
  'scientist',
  'study',
  'northern',
  'illinois',
  'university',
  'professor',
  'walker',
  'ashley',
  'andrew',
  'krmenec',
  'tornado',
  '%',
  'tornado',
  '%',
  'tornado',
  'death',
  'nighttime',
  'tornado',
  'death',
  'daytime',
  'reason',
  'weather.com',
  'meteorologist',
  'jon',
  'erdman',
  'lightning',
  'tornado',
  'night',
  'erdman',
  'challenge',
  'science',
  'community',
  'face',
  'public',
  'shelter',
  'threat',
  'tornado',
  'second',
  'shelter',
  'doyle',
  'ricecontributing',
  'christine',
  'fernando',
  'claire',
  'thornton',
  'usa',
  'today',
  'jackson',
  'miss.',
  'clarion',
  'ledger',
  'associated',
  'press',
  'weekly',
  'adabout',
  'newsroom',
  'staff',
  'ethical',
  'principles',
  'correction',
  'press',
  'accessibility',
  'sitemap',
  'subscription',
  'terms',
  'conditions',
  'terms',
  'service',
  'california',
  'privacy',
  'rights',
  'privacy',
  'policy',
  'privacy',
  'policydo',
  'sell',
  'share',
  'target',
  'infocookie',
  'settingscontact',
  'account',
  'feedback',
  'home',
  'delivery',
  'enewspaper',
  'usa',
  'today',
  'shop',
  'usa',
  'today',
  'print',
  'editions',
  'licensing',
  'reprints',
  'advertise',
  'careers',
  'internships',
  'businessnews',
  'tips',
  'letter',
  'editor',
  'newsletters',
  'mobile',
  'app',
  'facebook',
  'twitter',
  'instagram',
  'linkedin',
  'pinterest',
  'youtube',
  'reddit',
  'flipboard',
  'jobs',
  'sports',
  'betting',
  'sports',
  'weekly',
  'studio',
  'gannett',
  'classifieds',
  'coupons',
  'blueprint',
  'auto',
  'insurance',
  'pet',
  'insurance',
  'travel',
  'insurance',
  'credit',
  'cards',
  'banking',
  'personal',
  'loans',
  'usa',
  'today',
  'division',
  'gannett',
  'satellite',
  'information',
  'network',
  'llc'],
 ['site',
  'browser',
  'server',
  'script',
  'page',
  'javascript',
  'javascript',
  'content',
  'page',
  'javascript',
  'browser',
  'stormwater',
  'dam',
  'safety',
  'flood',
  'management',
  'homesoil',
  'erosion',
  'sediment',
  'controlstormwater',
  'managementdam',
  'safetyplan',
  'review',
  'state',
  'federal',
  'projectsms4',
  'programflood',
  'managementrecent',
  'main_content',
  'maryland',
  'stormwater',
  'management',
  'act',
  'stormwater',
  'management',
  'act',
  'act',
  'october',
  'act',
  'site',
  'design',
  'esd',
  'series',
  'credit',
  'maryland',
  'stormwater',
  'design',
  'manual',
  'act',
  'esd',
  'use',
  'management',
  'practice',
  'site',
  'design',
  'technique',
  'extent',
  'implementation',
  'maryland',
  'department',
  'environment',
  'mde',
  'process',
  'requirement',
  'act',
  'change',
  'regulation',
  'maryland',
  'stormwater',
  'design',
  'manual',
  'guidance',
  'material',
  'provisions',
  'stormwater',
  'management',
  'act',
  'environment',
  'article',
  '§',
  'general',
  'assembly',
  'maryland',
  'website',
  'general',
  'assembly',
  'maryland',
  'code',
  'maryland',
  'statute',
  'update',
  'march',
  'mde',
  'conjunction',
  'maryland',
  'department',
  'agriculture',
  'mda',
  'natural',
  'resource',
  'conservation',
  'service',
  'nrcs',
  'soil',
  'conservation',
  'districts',
  'scds',
  'model',
  'stormwater',
  'management',
  'standard',
  'plan',
  'poultry',
  'house',
  'site',
  'development',
  'maryland',
  'eastern',
  'shore',
  'standard',
  'plan',
  'design',
  'option',
  'scds',
  'county',
  'stormwater',
  'management',
  'authority',
  'designer',
  'development',
  'poultry',
  'operation',
  'eastern',
  'shore',
  'mde',
  'stormwater',
  'management',
  'calculator',
  'sizing',
  'stormwater',
  'management',
  'practice',
  'model',
  'standard',
  'plan',
  'poultry',
  'house',
  'site',
  'development',
  'eastern',
  'shore',
  'copy',
  'plan',
  'calculator',
  'model',
  'standard',
  'plan',
  'poultry',
  'house',
  'development',
  'calculator',
  'poultry',
  'house',
  'development',
  'october',
  'mde',
  'guidance',
  'procedure',
  'calculation',
  'redevelopment',
  'july',
  'mde',
  'guidance',
  'procedure',
  'calculation',
  'esd',
  'guidance',
  'environmental',
  'site',
  'design',
  'process',
  'computations',
  'april',
  'mde',
  'maryland',
  'stormwater',
  'guidelines',
  'state',
  'federal',
  'projects',
  'stormwater',
  'management',
  'act',
  'comar',
  '26.17.02',
  'regulation',
  'mde',
  'model',
  'stormwater',
  'management',
  'ordinance',
  'emergency',
  'regulation',
  'link',
  'version',
  'document',
  'mde',
  'webpage',
  'sediment',
  'stormwater',
  'home',
  'october',
  'mde',
  'model',
  'standard',
  'stormwater',
  'management',
  'plan',
  'development',
  'review',
  'approval',
  'process',
  'mde',
  'document',
  'template',
  'implementation',
  'plan',
  'question',
  'standard',
  'plan',
  'sediment',
  'stormwater',
  'dam',
  'safety',
  'program',
  'copy',
  'model',
  'standard',
  'plan',
  'pdf',
  'format',
  'mde',
  'webpage',
  'june',
  'mde',
  'model',
  'stormwater',
  'management',
  'ordinance',
  'guidance',
  'county',
  'code',
  'development',
  'swm',
  'act',
  'development',
  'review',
  'approval',
  'process',
  'mde',
  'document',
  'template',
  'implementation',
  'stormwater',
  'management',
  'ordinance',
  'copy',
  'model',
  'stormwater',
  'management',
  'ordinance',
  'question',
  'model',
  'ordinance',
  'sediment',
  'stormwater',
  'dam',
  'safety',
  'program',
  'change',
  'maryland',
  'stormwater',
  'management',
  'regulation',
  'comar',
  '26.17.02',
  'swm',
  'act',
  'copy',
  'regulation',
  'comar',
  'online',
  'office',
  'secretary',
  'state',
  'division',
  'state',
  'document',
  'website',
  'www.dsd.state.md.us',
  'copy',
  'regulation',
  'pdf',
  'format',
  'purpose',
  'question',
  'regulation',
  'sediment',
  'stormwater',
  'dam',
  'safety',
  'program',
  'april',
  'update',
  'mde',
  'notice',
  'final',
  'action',
  'change',
  'maryland',
  'stormwater',
  'management',
  'regulation',
  'comar',
  '26.17.02',
  'maryland',
  'register',
  'volume',
  'issue',
  'april',
  'change',
  'comar',
  '26.17.02',
  'stormwater',
  'management',
  'act',
  'april',
  'update',
  'mde',
  'process',
  'adoption',
  'stormwater',
  'management',
  'regulation',
  'regulation',
  'maryland',
  'register',
  'md.',
  'r.',
  'december',
  'change',
  'change',
  'revision',
  'maryland',
  'stormwater',
  'design',
  'manual',
  'change',
  'swm',
  'regulations',
  'comar',
  '26.17.02',
  'response',
  'comments',
  'proposed',
  'regulations',
  'design',
  'manual',
  'list',
  'tables',
  'figures',
  'design',
  'manual',
  'revision',
  'large',
  'file',
  'information',
  'april',
  'material',
  'acrobat',
  'reader',
  'pdf',
  'file',
  'icon',
  'right',
  'human',
  'trafficking',
  'national',
  'human',
  'trafficking',
  'hotline',
  '24/7',
  'confidential',
  'customer',
  'service',
  'state',
  'maryland',
  'constituent',
  'business',
  'customer',
  'stakeholder',
  'service',
  'survey',
  'fraud',
  'state',
  'government',
  'maryland',
  'general',
  'assembly',
  'office',
  'legislative',
  'audits',
  'toll',
  'fraud',
  'hotline',
  'allegation',
  'fraud',
  'abuse',
  'state',
  'government',
  'resource',
  'information',
  'hotline',
  'past',
  'activity',
  'state',
  'resource',
  'information',
  'copyright',
  'maryland.gov',
  'right',
  'contact',
  'privacy',
  'security',
  'accessibility',
  'online',
  'services',
  'washington',
  'blvd',
  '.',
  'baltimore',
  'md',
  'channel'],
 ['livenewsweathergood',
  'watch',
  'expand',
  'collapse',
  'search',
  '☰',
  'search',
  'site',
  'news',
  'local',
  'newsnational',
  'newsworld',
  'newscrime',
  'public',
  'safetygood',
  'dayviralfox',
  'news',
  'sundayweather',
  'weather',
  'alertsclosingstim',
  'weather',
  'takeawaysweather',
  'teamweather',
  'apphurricanesfox',
  'weathertraffic',
  "transportationtravelctametrao'hare",
  'airportmidway',
  'airportunion',
  'stationpolitics',
  'flannery',
  'fired',
  'upchicago',
  'city',
  'councilimmigrationjoe',
  'bidenjb',
  'pritzkerbrandon',
  'johnsonsports',
  'fifa',
  'women',
  'world',
  'cupbearsblackhawksbullscubswhite',
  'soxfireskycollege',
  'sportsentertainment',
  'chicagofox',
  'starsfood',
  'drinkmovies!watch',
  'fox',
  'showsmoney',
  'businessconsumerdealsjobspersonal',
  'financereal',
  'estatesmall',
  'businessstock',
  'markethealth',
  'coronaviruscannabisfitness',
  'beinghealth',
  'carerecallsmore',
  'news',
  'educationlifestylesciencetechnologyunusualpet',
  'personsregional',
  'news',
  'milwaukee',
  'news',
  'fox',
  'newsdetroit',
  'news',
  'fox',
  'detroitminneapolis',
  'news',
  'fox',
  'special',
  'reportsvoice',
  'changejake',
  'takesgood',
  'news',
  'guaranteethat',
  'itabout',
  'streammobile',
  'appsemail',
  'newsletterscontact',
  'uscontestspersonalitiesjobs',
  'fox',
  'public',
  'filefcc',
  'applications',
  'heat',
  'advisory',
  'thu',
  'pm',
  'cdt',
  'grundy',
  'county',
  'kankakee',
  'county',
  'la',
  'salle',
  'county',
  'southern',
  'county',
  'newton',
  'county',
  'jasper',
  'county',
  'heat',
  'advisory',
  'thu',
  'pm',
  'cdt',
  'thu',
  'pm',
  'cdt',
  'dekalb',
  'county',
  'eastern',
  'county',
  'kendall',
  'county',
  'northern',
  'county',
  'southern',
  'cook',
  'county',
  'lake',
  'county',
  'porter',
  'county',
  'air',
  'quality',
  'alert',
  'fri',
  'cdt',
  'lake',
  'county',
  'newton',
  'county',
  'porter',
  'county',
  'jasper',
  'county',
  'weather',
  'service',
  'governor',
  'illinois',
  'storm',
  'damage',
  'march',
  'news',
  'fox',
  'chicago',
  'share',
  'copy',
  'link',
  'email',
  'facebook',
  'twitter',
  'linkedin',
  'reddit',
  'article',
  'ottawa',
  'ill.',
  'ap',
  'national',
  'weather',
  'service',
  'survey',
  'team',
  'illinois',
  'damage',
  'number',
  'tornado',
  'state',
  'meteorologist',
  'amy',
  'seeley',
  'team',
  'wednesday',
  'tornado',
  'ground',
  'illinois',
  'emergency',
  'management',
  'agency',
  'spokeswoman',
  'patti',
  'thompson',
  'person',
  'tuesday',
  'illinois',
  'city',
  'ottawa',
  'tornado',
  'winter',
  'storm',
  'system',
  'tornado',
  'lasalle',
  'county',
  'nursing',
  'home',
  'ottawa',
  'injury',
  'resident',
  'gov.',
  'bruce',
  'rauner',
  'damage',
  'wednesday',
  'morning',
  'naplate',
  'fire',
  'chief',
  'john',
  'nevins',
  'home',
  'village',
  'ottawa',
  'nevins',
  'news',
  'tribune',
  'ottawa',
  'injury',
  'chicago',
  'pair',
  'narcotic',
  'walgreens',
  'pharmacy',
  'police',
  'speed',
  'chase',
  'prosecutor',
  'jay',
  'z',
  'stop',
  'bbq',
  'bronzeville',
  'soul',
  'beyoncé',
  'chicago',
  'concert',
  'illinois',
  'woman',
  'boat',
  'renter',
  'phone',
  'water',
  'argument',
  'dave',
  'chappelle',
  'comedy',
  'chicago',
  'man',
  'north',
  'lawndale',
  'home',
  'police',
  'news',
  'alicia',
  'navarro',
  'arizona',
  'girl',
  'montana',
  'pd',
  'lawmaker',
  'ufo',
  'transparency',
  'investigation',
  'south',
  'school',
  'graduate',
  'college',
  'supply',
  'florida',
  'girl',
  'text',
  'friend',
  'deputy',
  'crash',
  'tanker',
  'hazmat',
  'situation',
  'northwest',
  'indiana',
  'hour',
  'daily',
  'newsletter',
  'news',
  'day',
  'sign',
  'privacy',
  'policy',
  'terms',
  'service',
  'news',
  'local',
  'newsnational',
  'newsworld',
  'newscrime',
  'public',
  'safetygood',
  'dayviralfox',
  'news',
  'sundayweather',
  'weather',
  'alertsclosingstim',
  'weather',
  'takeawaysweather',
  'teamweather',
  'apphurricanesfox',
  'weathertraffic',
  "transportationtravelctametrao'hare",
  'airportmidway',
  'airportunion',
  'stationpolitics',
  'flannery',
  'fired',
  'upchicago',
  'city',
  'councilimmigrationjoe',
  'bidenjb',
  'pritzkerbrandon',
  'johnsonsports',
  'fifa',
  'women',
  'world',
  'cupbearsblackhawksbullscubswhite',
  'soxfireskycollege',
  'sportsentertainment',
  'chicagofox',
  'starsfood',
  'drinkmovies!watch',
  'fox',
  'showsmoney',
  'businessconsumerdealsjobspersonal',
  'financereal',
  'estatesmall',
  'businessstock',
  'markethealth',
  'coronaviruscannabisfitness',
  'beinghealth',
  'carerecallsmore',
  'news',
  'educationlifestylesciencetechnologyunusualpet',
  'personsregional',
  'news',
  'milwaukee',
  'news',
  'fox',
  'newsdetroit',
  'news',
  'fox',
  'detroitminneapolis',
  'news',
  'fox',
  'special',
  'reportsvoice',
  'changejake',
  'takesgood',
  'news',
  'guaranteethat',
  'itabout',
  'streammobile',
  'appsemail',
  'newsletterscontact',
  'uscontestspersonalitiesjobs',
  'fox',
  'public',
  'filefcc',
  'application',
  'new',
  'privacy',
  'policyterms',
  'serviceyour',
  'privacy',
  'choicesfcc',
  'public',
  'public',
  'fileclosed',
  'captioningabout',
  'usjobs',
  'fox',
  'material',
  'fox',
  'television',
  'stations'],
 ['website',
  'united',
  'states',
  'government',
  'government',
  'website',
  '.gov',
  '.mil',
  'information',
  'government',
  'site',
  'https://',
  'website',
  'information',
  'homenews',
  'day',
  'storm',
  'century',
  'day',
  'storm',
  'century',
  'courtesy',
  'noaa',
  'nws',
  'tim',
  'armstrong',
  'march',
  'storm',
  'system',
  'half',
  'u.s.',
  'population',
  'damage',
  'dollar',
  'america',
  'storm',
  'century',
  'deep',
  'south',
  'way',
  'east',
  'coast',
  'monster',
  'storm',
  'system',
  'east',
  'texas',
  'wind',
  'hail',
  'area',
  'lone',
  'star',
  'state',
  'evening',
  'march',
  'pressure',
  'category',
  'hurricane',
  'storm',
  'tornado',
  'flooding',
  'snow',
  'bone',
  'cold',
  'wake',
  'weather',
  'climate',
  'event',
  'damage',
  'storm',
  'country',
  'winter',
  'storm',
  'date',
  'stormsatellites',
  'noaa',
  'partner',
  'bird’s',
  'eye',
  'view',
  'storm',
  'trek',
  'u.s.',
  'east',
  'coast',
  'development',
  'disturbance',
  'texas',
  'coast',
  'gulf',
  'mexico',
  'march',
  'imagery',
  'noaa',
  'goes-7',
  '1700z',
  'march',
  'disturbance',
  'storm',
  'century',
  'texas',
  'coast',
  'gulf',
  'mexico',
  'march',
  'intensification',
  'gulf',
  'mexico',
  'storm',
  'impact',
  'portion',
  'florida',
  'meteosat',
  'satellite',
  'imagery',
  'march',
  'development',
  'storm',
  'system',
  'gulf',
  'mexico',
  'storm',
  'winter',
  'storm',
  'system',
  'east',
  'coast',
  'march',
  'easterner',
  'damage',
  'snowfall',
  'visualization',
  'evolution',
  'impact',
  'storm',
  'century',
  'feature',
  'nesdis',
  'storm',
  'anniversary',
  'noaa',
  'goes-7',
  'satellite',
  'imagery',
  'snowfall',
  'march',
  'storm',
  'century',
  'deep',
  'south',
  'new',
  'england',
  'lot',
  'lot',
  'height',
  'storm',
  'snowfall',
  'rate',
  'inch',
  'hour',
  'new',
  'york',
  'catskill',
  'mountains',
  'appalachians',
  'foot',
  'snow',
  'wind',
  'sleet',
  'east',
  'coast',
  'new',
  'jersey',
  'inch',
  'sleet',
  'inch',
  'snow',
  'ice',
  'cream',
  'sandwich',
  'effect',
  'inch',
  'snow',
  'portion',
  'florida',
  'panhandle',
  'snowfall',
  'total',
  'inch',
  'mount',
  'leconte',
  'tennessee50',
  'inch',
  'mount',
  'mitchell',
  'north',
  'carolina',
  'foot',
  'drifts44',
  'inch',
  'snowshoe',
  'west',
  'virginia43',
  'inch',
  'syracuse',
  'new',
  'york36',
  'inch',
  'latrobe',
  'pennsylvania',
  'foot',
  'driftsthe',
  'storm',
  'extreme',
  'category',
  'regional',
  'snowfall',
  'index',
  'northeast',
  'southeast',
  'ohio',
  'valley',
  'region',
  'mile',
  'people',
  'storm',
  'century',
  'snowstorm',
  'region',
  'storm',
  'magnitude',
  'national',
  'weather',
  'service',
  'office',
  'hydrology',
  'storm',
  'volume',
  'water',
  'acre',
  'foot',
  'day',
  'flow',
  'mississippi',
  'river',
  'new',
  'orleans',
  'water',
  'state',
  'missouri',
  'foot',
  'snowin',
  'addition',
  'snow',
  'tornado',
  'florida',
  'death',
  'tornado',
  'weather',
  'state',
  'foot',
  'storm',
  'surge',
  'taylor',
  'county',
  'florida',
  'death',
  'storm',
  'wind',
  'station',
  'east',
  'coast',
  'wind',
  'gust',
  'mile',
  'hour',
  'dry',
  'tortugas',
  'west',
  'key',
  'west',
  'florida',
  'wind',
  'gust',
  'mile',
  'hour',
  'mount',
  'washington',
  'new',
  'hampshire',
  'gust',
  'mile',
  'hour',
  'impact',
  'lives',
  'livelihoodsthe',
  'storm',
  'snowfall',
  'thousand',
  'people',
  'georgia',
  'north',
  'carolina',
  'virginia',
  'mountain',
  'worker',
  'hiker',
  'north',
  'carolina',
  'tennessee',
  'mountain',
  'national',
  'guard',
  'county',
  'city',
  'curfew',
  'state',
  'emergency',
  'people',
  'state',
  'storm',
  'storm',
  'highway',
  'atlanta',
  'northeastward',
  'airport',
  'east',
  'coast',
  'time',
  'time',
  'weather',
  'flight',
  'cancellation',
  'u.s.',
  'history',
  'point',
  'florida',
  'maine',
  'people',
  'business',
  'electricity',
  'florida',
  'storm',
  'coastline',
  'home',
  'sea',
  'long',
  'island',
  'surf',
  'storm',
  'home',
  'north',
  'carolina',
  'outer',
  'banks',
  'u.s.',
  'coast',
  'guard',
  'people',
  'sea',
  'atlantic',
  'gulf',
  'mexico',
  'freighter',
  'people',
  'sea',
  'noaa',
  'leader',
  'look',
  'backformer',
  'national',
  'weather',
  'service',
  'nws',
  'director',
  'louis',
  'uccellini',
  'forecaster',
  'hydrometeorological',
  'prediction',
  'center',
  'weather',
  'prediction',
  'center',
  'time',
  'storm',
  'week',
  'potential',
  'storm',
  'east',
  'coast',
  'weekend',
  'friday',
  'saturday',
  'day',
  'storm',
  'east',
  'coast',
  'map',
  'punch',
  'storm',
  'proportion',
  'response',
  'forecast',
  'official',
  'forecast',
  'people',
  'decision',
  'new',
  'york',
  'turnpike',
  'authority',
  'turnpike',
  'friday',
  'night',
  'snow',
  'forecasting',
  'foot',
  'snow',
  'new',
  'york',
  'mountain',
  'state',
  'chain',
  'appalachian',
  'mountains',
  'state',
  'emergency',
  'snow',
  'hindsight',
  'storm',
  'forecast',
  'computer',
  'model',
  'meteorologist',
  'point',
  'nws',
  'prediction',
  'storm',
  'ability',
  'forecaster',
  'attention',
  'uccellini',
  'point',
  'view',
  'moment',
  'ability',
  'type',
  'event',
  'time',
  'way',
  'people',
  'attention',
  '”lessons',
  'preparedvery',
  'storm',
  'storm',
  'century',
  'information',
  'future',
  'ncei',
  'weather',
  'datum',
  'analysis',
  'decision',
  'maker',
  'constituent',
  'stakeholder',
  'tool',
  'public',
  'storm',
  'information',
  'family',
  'friend',
  'weather',
  'ready.gov',
  'march',
  'updated',
  'date',
  'march',
  'date',
  'storm',
  'information',
  'texas',
  'damage',
  'cpi',
  'cost',
  'information',
  'cpi',
  'cost',
  'information',
  'dollar',
  'disaster',
  'dollar',
  'disaster',
  'ranking',
  'end',
  'cpi',
  'cost',
  'information',
  'cpi',
  'cost',
  'information',
  'visualization',
  'section',
  'section',
  'forecasting',
  'perspective',
  'linksbillion',
  'dollar',
  'weather',
  'climate',
  'snowfall',
  'weather',
  'datasatellite',
  'animation',
  'storm',
  'centurymore',
  'storm',
  'century',
  'noaa',
  'national',
  'weather',
  'servicearticle',
  'tagsextreme',
  'weathernatural',
  'hazardssnow',
  'icehistory',
  'folklorewindsnorth',
  'americarelated',
  'news',
  'july',
  'u.s.',
  'drought',
  'weekly',
  'report',
  'july',
  '2023read',
  'july',
  'u.s.',
  'drought',
  'weekly',
  'report',
  'july',
  '2023read',
  'july',
  'day',
  'earth',
  'hottest',
  'temperatureread'],
 ['permission',
  'video',
  'account',
  'dashboard',
  'profile',
  'item',
  'log',
  'account',
  'log',
  'account',
  'sign',
  'today',
  'account',
  'dashboard',
  'profile',
  'item',
  'dust',
  'storm',
  'phoenix',
  'metropolitan',
  'area',
  'arizona',
  'dust',
  'storm',
  'phoenix',
  'area',
  'monday',
  'july',
  'monsoon',
  'weather',
  'area',
  'restriction',
  'usage',
  'terms',
  '@hungary_in_the_desert',
  'spectee',
  'note',
  'video',
  'video',
  'location',
  'mesa',
  'arizona',
  'video',
  'recording',
  'date',
  'time',
  'july',
  'discussion',
  'discussion',
  'email',
  'notification',
  'discussion',
  'notification',
  'discussion',
  'language',
  'turn',
  'caps',
  'lock',
  'threat',
  'person',
  'racism',
  'sexism',
  'sort',
  '-ism',
  'person',
  'report',
  'link',
  'comment',
  'post',
  'eyewitness',
  'account',
  'history',
  'article',
  'discussion',
  'discussion',
  'humidity',
  '%',
  'cloud',
  'coverage',
  '%',
  'wind',
  'mph',
  'uv',
  'index',
  'sunrise',
  'sunset',
  'pm',
  'today',
  'clear',
  'sky',
  '78f.',
  'wind',
  'ssw',
  'mph',
  'tonight',
  'clear',
  'sky',
  '78f.',
  'wind',
  'ssw',
  'mph',
  'tomorrow',
  'sky',
  'shower',
  'thunderstorm',
  '87f.',
  'wind',
  'ssw',
  'mph',
  'articlesbronco',
  'beach',
  'bash',
  'ocean',
  'city',
  'octobersnow',
  'hill',
  'sale',
  'black',
  'eyed',
  'susan',
  'sinepuxent',
  'bay',
  'incidentsoctt',
  'boat',
  'payout',
  'tournament',
  'historyaltoona',
  'man',
  'year',
  'route',
  'motorcycle',
  'wreckocean',
  'city',
  'council',
  'employee',
  'housing',
  'ocean',
  'city',
  'church',
  'food',
  'pantry',
  'donationsjohn',
  'vanfossen',
  'ocvfd',
  'maryland',
  'fireflies?worcester',
  'school',
  'board',
  'battle',
  'registered',
  'user',
  'benefits-',
  'user',
  'profile',
  'comment',
  'article',
  'submit',
  'calendar',
  'event',
  'news',
  'tip',
  'article',
  'author',
  'ad',
  'register',
  'today',
  'advantage',
  'benefit',
  'ocean',
  'gateway',
  'suite',
  'ocean',
  'city',
  'md',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'blox',
  'content',
  'management',
  'system',
  'blox',
  'digital'],
 ['deseret',
  'digital',
  'media',
  'parksarchesbryce',
  'canyoncanyonlandscapitol',
  'reefziongrand',
  'canyongrand',
  'circle',
  'toursee',
  'allnational',
  'monumentsbears',
  'earscedar',
  'breaksdinosaur',
  'national',
  'monumentfour',
  'cornersgrand',
  'staircase',
  'escalantemonument',
  'valleytimpanogos',
  'cavesee',
  'allcities',
  'townskanabloganmoabogdenpark',
  'cityprovosalt',
  'lake',
  'citysee',
  'allstate',
  'parksantelope',
  'islandbear',
  'lake',
  'state',
  'parkcoral',
  'pink',
  'sand',
  'dunesgoblin',
  'valley',
  'state',
  'parkgreat',
  'salt',
  'lakesand',
  'hollowsnow',
  'canyonsee',
  'allski',
  'resortsalta',
  'ski',
  'area',
  'beaver',
  'mountain',
  'ski',
  'resortbrian',
  'head',
  'ski',
  'resortbrighton',
  'ski',
  'resortdeer',
  'valley',
  'resortpowder',
  'mountain',
  'ski',
  'resortsolitude',
  'mountain',
  'resortsee',
  'allnatural',
  'areasbonneville',
  'salt',
  'flatsflaming',
  'gorgelake',
  'powelllittle',
  'sahara',
  'sand',
  'dunespineview',
  'reservoirsan',
  'rafael',
  'swellthe',
  'wavesee',
  'allthings',
  'dooutdoor',
  'recreationatv',
  'road',
  'jeep',
  'toursaerial',
  'toursboatingcampingcanyoneeringfishinghiking',
  'backpackinghorseback',
  'ridingmountain',
  'bikingriver',
  'raftingrock',
  'climbingski',
  'snowboardsnowmobilingsupsee',
  'allattractionsamusement',
  'parksperforming',
  'artsfamily',
  'attractionsmuseumsshoppingspastemple',
  'squaresee',
  'allplan',
  'triptravel',
  'tips',
  'blogtrip',
  'ideas',
  'itinerariesgroup',
  'traveltransportationweatheremail',
  'signupprintable',
  'road',
  'trip',
  'activity',
  'book',
  'kidssee',
  'allscenic',
  'drivesfall',
  'colors',
  'drivesalpine',
  'loophighway',
  'scenic',
  'bywaymonument',
  'valley',
  '',
  '',
  'highway',
  'drivebig',
  'cottonwood',
  'canyonmirror',
  'lake',
  'highwayprovo',
  'canyonsee',
  'alllodgingway',
  'stayhotelsresortsvacation',
  'rentalsbed',
  'breakfastsrv',
  'parks',
  'campgroundsglampingsee',
  'allnear',
  'national',
  'parksarches',
  'national',
  'parkbryce',
  'canyon',
  'national',
  'parkcanyonlands',
  'national',
  'parkcapitol',
  'reef',
  'national',
  'parkzion',
  'national',
  'parksee',
  'allstate',
  'parks',
  'monumentsbear',
  'lakecoral',
  'pink',
  'sand',
  'dunesgrand',
  'staircase',
  'escalantemonument',
  'valleylake',
  'powellsan',
  'rafael',
  'swellsee',
  'allpopular',
  'destinationscedar',
  'cityheber',
  'valleymoabpark',
  'cityprovosalt',
  'lake',
  'cityst',
  'georgesee',
  'allski',
  'resortsaltabrian',
  'head',
  'brightondeer',
  'valley',
  'resortnordic',
  'valleypark',
  'citypowder',
  'mountainsee',
  'allpet',
  'friendlymoab',
  'pet',
  'friendly',
  'lodgingpark',
  'city',
  'pet',
  'friendly',
  'lodgingkanab',
  'pet',
  'friendly',
  'lodgingsalt',
  'lake',
  'pet',
  'friendly',
  'lodgingst',
  'george',
  'pet',
  'friendly',
  'lodgingzion',
  'pet',
  'lodgingsee',
  'allalready',
  'travel',
  'dates?book',
  '-->tours',
  'guidesby',
  'activity',
  'aerial',
  'toursatv-/offroad',
  'jeep',
  'toursbikingboat',
  'watercraft',
  'rentals',
  'canyoneeringfishinggroup',
  'tourshiking',
  'backpackinghorseback',
  'ridinghot',
  'air',
  'balloonjet',
  'boat',
  'tourskayak',
  'canoe',
  'rentalsmotorcycle',
  'tours',
  'rentalsmuseumsriver',
  'raftingrock',
  'climbingski',
  'snowboard',
  'rentalssnowmobilingsup',
  'rentalstransportationziplinesee',
  'allby',
  'destinationarches',
  'bear',
  'lakebryce',
  'canyoncanyonlandscapitol',
  'reefcedar',
  'citydavis',
  'countyflaming',
  'gorgegrand',
  'staircase',
  'escalanteheberkanablake',
  'powellmoabmonument',
  'valleyogdenpark',
  'cityprovosalt',
  'lake',
  'cityst',
  'george',
  'vernal',
  'zionsee',
  'alldealseventsshopmapswomen',
  'apparelmen',
  'apparelnewarticlesfreetravel',
  'forecast',
  'weather',
  'detail',
  'partner',
  'ksl.comutah',
  'weather',
  'sharevisit',
  'facebookvisit',
  'pinterestthere',
  'saying',
  'utah',
  'weather',
  'minute',
  'weather',
  'terrain',
  'mountain',
  'inch',
  'snow',
  'winter',
  'summer',
  'state',
  'temperature',
  '°',
  'f',
  'spring',
  'type',
  'weather',
  'advice',
  'anything!see',
  'salt',
  'lake',
  'city',
  'weather',
  'list',
  'utah',
  'park',
  'city',
  'destination',
  'utah',
  'destinations',
  'weatherbryce',
  'canyon',
  'weathercapitol',
  'reef',
  'weathercedar',
  'city',
  'weatherdinosaur',
  'national',
  'monument',
  'weatherdutch',
  'john',
  'weatherescalante',
  'weathergreen',
  'river',
  'weatherheber',
  'valley',
  'weatherhovenweep',
  'weatherlake',
  'powell',
  'weatherlogan',
  'weathermoab',
  'weathermonticello',
  'weathermonument',
  'valley',
  'weathernatural',
  'bridges',
  'weatherogden',
  'weatherpark',
  'city',
  'weatherprice',
  'weatherprovo',
  'weathersalt',
  'lake',
  'city',
  'weathersnowbird',
  'weatherspringdale',
  'george',
  'weathertorrey',
  'weathervernal',
  'weatherzion',
  'weatherfillmore',
  'weathersalt',
  'lake',
  'city',
  'weathercurrent',
  'weather',
  '°',
  'flow',
  '°',
  'fjanuaryfebruarymarchaprilmayjunejulyaugustseptemberoctobernovemberdecemberaverage',
  'temperaturesun92.6',
  '°',
  'flow62.9',
  'precipitationrainy',
  'weather',
  'snowfallsnowy',
  'weather',
  'icon0.0"article',
  'itinerariesview',
  'allarrow_forwardnavigate_nexthappy',
  'trails',
  'piute',
  'countywhat',
  'delano',
  'peak',
  'paiute',
  'atv',
  'trail',
  'butch',
  'cassidy',
  'utah',
  'piute',
  'secret',
  'travel',
  'park',
  'citywant',
  'adventure',
  'park',
  'city',
  'footprint',
  'utah.com',
  'county',
  'heckfireworks',
  'parade',
  'corn',
  'cob',
  'utah.com',
  'scoop',
  'festival',
  'fai',
  'arrow_forwardnatural',
  'bridges',
  'national',
  'monument',
  'gem',
  'second',
  'fiddlean',
  'radar',
  'destination',
  'radar',
  'natural',
  'bridges',
  'utah',
  'read',
  'guys',
  'getaway',
  'guy',
  'trip',
  'atv',
  'trail',
  'vernal',
  'utah',
  'crew',
  'kind',
  'w',
  'arrow_forwardtreat',
  'san',
  'rafael',
  'swell',
  'winterthe',
  'san',
  'rafael',
  'swell',
  'utah',
  'gem',
  'winter',
  'utah',
  'read',
  'triathlon',
  'fun',
  'greater',
  'zionlooking',
  'thing',
  'st.',
  'george',
  'fall',
  'addition',
  'ironman',
  'world',
  'championship',
  'arrow_forwardcolor',
  'insert',
  'emotion',
  'cedar',
  'city',
  'feel',
  'fall',
  'foliagerichly',
  'view',
  'utah',
  'autumn',
  'peep',
  'leave',
  'drive',
  'arrow_forwardplay',
  'play',
  'cedar',
  'citytake',
  'visit',
  'cedar',
  'city',
  'utah',
  'access',
  'world',
  'class',
  'theater',
  'ou',
  'utah',
  'cuisinegetting',
  'beehive',
  'state',
  'site',
  'flavor',
  'discover',
  'whe',
  'read',
  'peach',
  'thrills',
  'box',
  'elder',
  'countyutah',
  'box',
  'elder',
  'county',
  'paradise',
  'mountain',
  'range',
  'desert',
  'orchard',
  'al',
  'read',
  'arrow_forward9',
  'peaks',
  'utahtake',
  'peek',
  'peak',
  'utah',
  'kings',
  'peak',
  'deep',
  'creeks',
  'utah.com',
  't',
  'way',
  'access',
  'trails',
  'utahfrom',
  'wheelchair',
  'waterfall',
  'trail',
  'lakeside',
  'boardwalk',
  'wildflower',
  'u',
  'read',
  'legend',
  'utahever',
  'legend',
  'utah',
  'utah.com',
  'thing',
  'folklore',
  'gu',
  'arrow_forwardhappy',
  'trails',
  'piute',
  'countywhat',
  'delano',
  'peak',
  'paiute',
  'atv',
  'trail',
  'butch',
  'cassidy',
  'utah',
  'piute',
  'secret',
  'travel',
  'park',
  'citywant',
  'adventure',
  'park',
  'city',
  'footprint',
  'utah.com',
  'county',
  'heckfireworks',
  'parade',
  'corn',
  'cob',
  'utah.com',
  'scoop',
  'festival',
  'fai',
  'arrow_forwardnatural',
  'bridges',
  'national',
  'monument',
  'gem',
  'second',
  'fiddlean',
  'radar',
  'destination',
  'radar',
  'natural',
  'bridges',
  'utah',
  'read',
  'guys',
  'getaway',
  'guy',
  'trip',
  'atv',
  'trail',
  'vernal',
  'utah',
  'crew',
  'kind',
  'w',
  'arrow_forwardtreat',
  'san',
  'rafael',
  'swell',
  'winterthe',
  'san',
  'rafael',
  'swell',
  'utah',
  'gem',
  'winter',
  'utah',
  'read',
  'triathlon',
  'fun',
  'greater',
  'zionlooking',
  'thing',
  'st.',
  'george',
  'fall',
  'addition',
  'ironman',
  'world',
  'championship',
  'arrow_forwardcolor',
  'insert',
  'emotion',
  'cedar',
  'city',
  'feel',
  'fall',
  'foliagerichly',
  'view',
  'utah',
  'autumn',
  'peep',
  'leave',
  'drive',
  'arrow_forwardplay',
  'play',
  'cedar',
  'citytake',
  'visit',
  'cedar',
  'city',
  'utah',
  'access',
  'world',
  'class',
  'theater',
  'ou',
  'utah',
  'cuisinegetting',
  'beehive',
  'state',
  'site',
  'flavor',
  'discover',
  'whe',
  'read',
  'peach',
  'thrills',
  'box',
  'elder',
  'countyutah',
  'box',
  'elder',
  'county',
  'paradise',
  'mountain',
  'range',
  'desert',
  'orchard',
  'al',
  'read',
  'arrow_forward9',
  'peaks',
  'utahtake',
  'peek',
  'peak',
  'utah',
  'kings',
  'peak',
  'deep',
  'creeks',
  'utah.com',
  't',
  'way',
  'access',
  'trails',
  'utahfrom',
  'wheelchair',
  'waterfall',
  'trail',
  'lakeside',
  'boardwalk',
  'wildflower',
  'u',
  'read',
  'legend',
  'utahever',
  'legend',
  'utah',
  'utah.com',
  'thing',
  'folklore',
  'gu',
  'travel',
  'guides',
  'view',
  'travel',
  'guidesviews',
  'email',
  'listrecently',
  'visitedsubdirectory_arrow_rightdestinationsnational',
  'parksnational',
  'monumentscities',
  'townsstate',
  'parksski',
  'resortsnatural',
  'areasregionstemple',
  'square',
  'salt',
  'lake',
  'citythe',
  'great',
  'salt',
  'lake',
  'visitor',
  'informationmapsrecreation',
  'areasthings',
  'dooutdoor',
  'recreationattractionsplan',
  'tripscenic',
  'driveslodgingways',
  'staynear',
  'national',
  'parksstate',
  'parks',
  'monumentspopular',
  'resortspet',
  'friendlyby',
  'arearv',
  'rentalstours',
  'usvisit',
  'facebookvisit',
  'pinterestvisit',
  'youtubeaboutsubscribecontactadvertise',
  'usrecreate',
  'responsiblyprivacy',
  'policyterms',
  'useterms',
  'servicecopyright',
  'utah.com',
  'right',
  'utah',
  'travel',
  'industry',
  'websiteback'],
 ['thu',
  'jul',
  'gmt',
  'code',
  'red',
  'investigatesnashville',
  'camerasgame',
  'centerwatch',
  'tue',
  'd',
  'damage',
  'storm',
  'middle',
  'tennesseeby',
  'wztvsat',
  'july',
  '1st',
  'utc12view',
  'photosstorm',
  'damage',
  'greenbrier',
  'tn',
  'courtesy',
  'amanda',
  'baldwin',
  'boyer)0loading'],
 ['owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'today',
  'sky',
  'shower',
  'thunderstorm',
  '90f.',
  'wind',
  'ese',
  'mph',
  'tonight',
  'cloud',
  'time',
  'time',
  '78f.',
  'wind',
  'sse',
  'mph',
  'july',
  'charleston',
  'area',
  'brunt',
  'storm',
  'damage',
  'flood',
  'death',
  'south',
  'bo',
  'petersen',
  'gregory',
  'yee',
  'bopete@postandcourier.com',
  'feb',
  'jan',
  'storm',
  'system',
  'south',
  'carolina',
  'midlands',
  'upstate',
  'thursday',
  'afternoon',
  'lowcountry',
  'nightfall',
  'charleston',
  'area',
  'impact',
  'condition',
  'friday',
  'sky',
  'shower',
  'thunderstorm',
  'county',
  'area',
  'p.m.',
  'storm',
  'intensity',
  'douglas',
  'berry',
  'meteorologist',
  'national',
  'weather',
  'service',
  'charleston',
  'office',
  'wind',
  'gust',
  'mph',
  'rain',
  'midnight',
  'system',
  'charleston',
  'area',
  'berry',
  'tornado',
  'watch',
  'midnight',
  'tornado',
  'watch',
  'florida',
  'georgia',
  'south',
  'carolina',
  'est',
  'pic.twitter.com/jtogravytq',
  'nws',
  'charleston',
  'sc',
  '@nwscharlestonsc',
  'february',
  'charleston',
  'storm',
  'friday',
  'high',
  'weather',
  'service',
  'friday',
  'night',
  'low',
  'high',
  'weather',
  'service',
  'night',
  'sky',
  'low',
  'sunday',
  'high',
  'low',
  'south',
  'carolina',
  'storm',
  'system',
  'blow',
  'tornado',
  'thunderstorm',
  'warning',
  'midlands',
  'weather',
  'service',
  'columbia',
  'office',
  'driver',
  'midlands',
  'rain',
  'night',
  'official',
  'report',
  'floodwater',
  'road',
  'p.m.',
  'charleston',
  'county',
  'official',
  'condition',
  'yellow',
  'wind',
  'advisory',
  'wind',
  'mph',
  'profile',
  'vehicle',
  'box',
  'truck',
  'tractor',
  'trailer',
  'motor',
  'home',
  'vehicle',
  'travel',
  'trailer',
  'boat',
  'span',
  'bridge',
  'span',
  'bridge',
  'charleston',
  'county',
  'span',
  'foot',
  'arthur',
  'ravenel',
  'jr.',
  'ben',
  'sawyer',
  'james',
  'b.',
  'edwards',
  'james',
  'island',
  'connector',
  'isle',
  'palms',
  'connector',
  'bridge',
  'tornado',
  'season',
  'sc',
  'risk',
  'storm',
  'system',
  'tree',
  'suv',
  'fort',
  'mill',
  'driver',
  'person',
  'thursday',
  'wind',
  'tornado',
  'spartanburg',
  'thursday',
  'morning',
  'power',
  'area',
  'injury',
  'tornado',
  'siren',
  'charlotte',
  'douglas',
  'international',
  'airport',
  'north',
  'carolina',
  'tornado',
  'damage',
  'thing',
  'tornado',
  'spartanburg',
  'lobby',
  'pic.twitter.com/w73en3r2nf',
  'jetpilot1968',
  '@acecoondog',
  'february',
  'rep.',
  'mike',
  'forrester',
  'home',
  'downtown',
  'spartanburg',
  'tornado',
  'damage',
  'injury',
  'condition',
  'flight',
  'cancellation',
  'charleston',
  'international',
  'airport',
  'north',
  'charleston',
  'paul',
  'campbell',
  'airport',
  'ceo',
  'flight',
  'hub',
  'atlanta',
  'charlotte',
  'nashville',
  'charleston',
  'airport',
  'staff',
  'traveler',
  'nonessential',
  'employee',
  'anticipation',
  'bridge',
  'closure',
  'thursday',
  'night',
  'charleston',
  'area',
  'campbell',
  'horse',
  'stable',
  'springfield',
  'church',
  'road',
  'aiken',
  'county',
  'debris',
  'roadway',
  'storm',
  'system',
  'south',
  'carolina',
  'thursday',
  'feb.',
  'colin',
  'demarest',
  'government',
  'office',
  'school',
  'state',
  'city',
  'charleston',
  'public',
  'safety',
  'operations',
  'center',
  'p.m.',
  'recreation',
  'activity',
  'p.m.',
  'night',
  'storm',
  'state',
  'alabama',
  'tennessee',
  'north',
  'carolina',
  'fatality',
  'rescue',
  'crew',
  'people',
  'car',
  'water',
  'flooding',
  'rescuer',
  'search',
  'vehicle',
  'person',
  'north',
  'alabama',
  'buck',
  'pocket',
  'state',
  'park',
  'storm',
  'home',
  'mississippi',
  'alabama',
  'mudslide',
  'tennessee',
  'kentucky',
  'community',
  'shoulder',
  'waterway',
  'region',
  'tree',
  'limb',
  'fence',
  'tornado',
  'birmingham',
  'suburb',
  'helena',
  'official',
  'road',
  'parking',
  'lot',
  'floodwater',
  'taxi',
  'water',
  'thursday',
  'ramp',
  'birmingham',
  'storm',
  'spring',
  'blast',
  'winter',
  'storm',
  'inch',
  'snow',
  'texas',
  'spring',
  'storm',
  'chance',
  'sea',
  'breeze',
  'strength',
  'coast',
  'wind',
  'spartanburg',
  'thunderstorm',
  'deep',
  'south',
  'columbia',
  'area',
  'p.m.',
  'charleston',
  'area',
  'p.m.',
  'cathy',
  'burchfield',
  'associated',
  'press',
  'jenna',
  'schiferl',
  'adam',
  'benson',
  'report',
  'reach',
  'bo',
  'petersen',
  '@bopete',
  'twitter',
  'tornado',
  'horry',
  'county',
  'school',
  'sc',
  'charleston',
  'wrath',
  'storm',
  'south',
  'record',
  'winter',
  'day',
  'charleston',
  'sc',
  'degree',
  'pa',
  'authority',
  'search',
  'month',
  'charleston',
  'boy',
  'flash',
  'flood',
  'conrad',
  'sheils',
  'year',
  'sister',
  'mother',
  'grandmother',
  'flash',
  'flood',
  'pennsylvania',
  'month',
  'child',
  'mother',
  'katie',
  'seley',
  'people',
  'deluge',
  'grandmother',
  'father',
  'brother',
  'read',
  'morepa',
  'authority',
  'search',
  'month',
  'charleston',
  'boy',
  'flash',
  'flood',
  'judge',
  'bond',
  'defendant',
  'folly',
  'beach',
  'bride',
  'death',
  'jamie',
  'lee',
  'komoroski',
  'bond',
  'hearing',
  'aug.',
  'place',
  'flurry',
  'battle',
  'death',
  'd',
  'samantha',
  'miller',
  'read',
  'morejudge',
  'bond',
  'defendant',
  'folly',
  'beach',
  'bride',
  'death',
  'usc',
  'overhauls',
  'student',
  'consistency',
  'undergrad',
  'advisor',
  'year',
  'year',
  'university',
  'south',
  'carolina',
  'undergraduate',
  'student',
  'advisor',
  'orientation',
  'graduation',
  'read',
  'overhauls',
  'student',
  'consistency',
  'undergrad',
  'advisor',
  'year',
  'cellphone',
  'blurry',
  'footage',
  'timeline',
  'woman',
  'james',
  'island',
  'roadway',
  'jenn',
  'drummond',
  'family',
  'attorney',
  'cell',
  'phone',
  'datum',
  'roadway',
  'home',
  'james',
  'island',
  'morecellphone',
  'blurry',
  'footage',
  'timeline',
  'woman',
  'james',
  'island',
  'roadway',
  'judge',
  'bond',
  'defendant',
  'folly',
  'beach',
  'bride',
  'death',
  'storm',
  'bermuda',
  'focus',
  'shift',
  'wave',
  'africa',
  'north',
  'charleston',
  'status',
  'minority',
  'business',
  'program',
  "'",
  'place',
  'welcome',
  'sc',
  'aquarium',
  'm',
  'education',
  'center',
  'expansion',
  'berkeley',
  'independent',
  'moncks',
  'corner',
  'sc',
  'moultrie',
  'news',
  'mount',
  'pleasant',
  'sc',
  'gazette',
  'goose',
  'creek',
  'sc',
  'star',
  'north',
  'augusta',
  'sc',
  'evening',
  'post',
  'books',
  'charleston',
  'sc',
  'charleston',
  'sc',
  'phone',
  'news',
  'tip',
  'question',
  'delivery',
  'subscription',
  'question',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'post',
  'courier',
  'evening',
  'post',
  'publishing',
  'newspaper',
  'group',
  'right',
  'term',
  'use'],
 ['know',
  'climate',
  'impact',
  'solution',
  'newsletter',
  'weekly',
  'news',
  'yale',
  'climate',
  'connections',
  'know',
  'climate',
  'impact',
  'solution',
  'newsletter',
  'submit',
  'email',
  'address',
  'site',
  'owner',
  'mailchimp',
  'email',
  'site',
  'owner',
  'unsubscribe',
  'link',
  'email',
  'time',
  'whoops',
  'error',
  'subscription',
  'page',
  'article',
  'analysis',
  'sara',
  'climate',
  'eye',
  'storm',
  'cool',
  'road',
  'commentary',
  'interviews',
  'reviews',
  'educación',
  'climática',
  'clima',
  'extremo',
  'lo',
  'puedes',
  'hacer',
  'líderes',
  'podcasts',
  'ycc',
  'browse',
  'episodes',
  'radio',
  'program',
  'climate',
  'connections',
  'podcast',
  'story',
  'locations',
  'stations',
  'map',
  'browse',
  'topic',
  'arts',
  'culture',
  'climate',
  'science',
  'communicating',
  'climate',
  'education',
  'energy',
  'food',
  'agriculture',
  'health',
  'jobs',
  'economy',
  'national',
  'security',
  'oceans',
  'policy',
  'politics',
  'religion',
  'morality',
  'snow',
  'ice',
  'species',
  'ecosystems',
  'transportation',
  'weather',
  'extremes',
  'youth',
  'browse',
  'article',
  'analysis',
  'sara',
  'climate',
  'eye',
  'storm',
  'cool',
  'road',
  'commentary',
  'interviews',
  'reviews',
  'educación',
  'climática',
  'clima',
  'extremo',
  'lo',
  'puedes',
  'hacer',
  'líderes',
  'podcasts',
  'ycc',
  'browse',
  'episodes',
  'radio',
  'program',
  'climate',
  'connections',
  'podcast',
  'story',
  'locations',
  'stations',
  'map',
  'browse',
  'topic',
  'arts',
  'culture',
  'climate',
  'science',
  'communicating',
  'climate',
  'education',
  'energy',
  'food',
  'agriculture',
  'health',
  'jobs',
  'economy',
  'national',
  'security',
  'oceans',
  'policy',
  'politics',
  'religion',
  'morality',
  'snow',
  'ice',
  'species',
  'ecosystems',
  'transportation',
  'weather',
  'extremes',
  'youth',
  'ineye',
  'storm',
  'fierce',
  'wind',
  'tornado',
  'threat',
  'wisconsin',
  'corridor',
  'wind',
  'region',
  'wednesday',
  'bob',
  'henson',
  'july',
  'twitter',
  'opens',
  'window)click',
  'facebook',
  'opens',
  'window',
  'wind',
  'derecho',
  'tree',
  'national',
  'weather',
  'service',
  'quad',
  'cities',
  'office',
  'davenport',
  'iowa',
  'august',
  'dollar',
  'windstorm',
  'credit',
  'peter',
  'speck',
  'nws',
  'quad',
  'cities',
  'cluster',
  'thunderstorm',
  'minnesota',
  'michigan',
  'wednesday',
  'july',
  'tornado',
  'hail',
  'concern',
  'corridor',
  'line',
  'wind',
  'gust',
  'mph',
  'havoc',
  'climate',
  'journalist',
  'sense',
  'newsletter',
  'story',
  'weekly',
  'news',
  'yale',
  'climate',
  'connections',
  'condition',
  'wednesday',
  'event',
  'derecho',
  'type',
  'thunderstorm',
  'windstorm',
  'hour',
  'destruction',
  'nation',
  'derecho',
  'mile',
  'hour',
  'wind',
  'mph',
  'august',
  'half',
  'tree',
  'canopy',
  'cedar',
  'rapids',
  'iowa',
  'damage',
  'corridor',
  'risk',
  'wind',
  'heart',
  'wisconsin',
  'lake',
  'michigan',
  'evening',
  'appleton',
  'south',
  'west',
  'point',
  'timing',
  'evening',
  'luke',
  'sampe',
  'broadcast',
  'meteorologist',
  'wfrv',
  'green',
  'bay',
  'situation',
  'derecho',
  'outcome',
  'certainty',
  'hour',
  'advance',
  'setup',
  'wednesday',
  'event',
  'ingredient',
  'wind',
  'factor',
  'play',
  'air',
  'surface',
  'system',
  'jet',
  'stream',
  'setup',
  'level',
  'wind',
  'thunderstorm',
  'complex',
  'highway',
  'speed',
  'pm',
  'cdt',
  'wednesday',
  'july',
  'noaa',
  'nws',
  'storm',
  'prediction',
  'center',
  'wisconsin',
  'risk',
  'weather',
  'risk',
  'category',
  'risk',
  'minnesota',
  'michigan',
  'area',
  'credit',
  'noaa',
  'nws',
  'spc',
  'wednesday',
  'storm',
  'wind',
  'supercell',
  'thunderstorm',
  'threat',
  'blend',
  'instability',
  'j',
  'kg',
  'wind',
  'shear',
  'knot',
  'helicity',
  'thunderstorm',
  'surface',
  'humidity',
  'thunderstorm',
  'base',
  'tornado',
  'chance',
  'evening',
  'supercell',
  'east',
  'minnesota',
  'north',
  'minneapolis',
  'northwest',
  'wisconsin',
  'forecast',
  'wednesday',
  'mesoscale',
  'computer',
  'model',
  'risk',
  'derecho',
  'midday',
  'wednesday',
  'july',
  'run',
  'resolution',
  'kilometer',
  'nam',
  'model',
  'pocket',
  'hurricane',
  'force',
  'wind',
  'millibar',
  'mile',
  'surface',
  'association',
  'storm',
  'complex',
  'northwest',
  'southeast',
  'wisconsin',
  'p.m.',
  'midnight',
  'cdt',
  'weather',
  'storm',
  'illinois',
  'indiana',
  'michigan',
  'midnight',
  'today',
  'hrrr',
  'radar',
  'june',
  'derecho',
  'right',
  'ross',
  'lazear',
  '@rlazear',
  'july',
  'event',
  'wednesday',
  'evening',
  'weather',
  'experimental',
  'aircraft',
  'association',
  'airventure',
  'oshkosh',
  'aircraft',
  'hand',
  'attendee',
  'week',
  'event',
  'camping',
  'venue',
  'gilbert',
  'sebenste',
  'illinois',
  'consulting',
  'meteorologist',
  'allisonhouse',
  'concern',
  'potential',
  'weather',
  'air',
  'facebook',
  'post',
  'sebenste',
  'attention',
  'weather',
  'announcer',
  'text',
  'message',
  'weather',
  'radio',
  'corn',
  'field',
  'sunset',
  'wind',
  'august',
  'midwest',
  'derecho',
  'adel',
  'iowa',
  'credit',
  'lisa',
  'schmitz',
  'nws',
  'des',
  'moines',
  'midwest',
  'derecho',
  'midwest',
  'derecho',
  'iowa',
  'thunderstorm',
  'complex',
  'u.s.',
  'history',
  'tornado',
  'datum',
  'noaa',
  'dollar',
  'disaster',
  'database',
  'fact',
  'derecho',
  'nation',
  'record',
  'hurricane',
  'storm',
  'hurricane',
  'laura',
  'damage',
  'wind',
  'gust',
  'derecho',
  'mph',
  'atkins',
  'iowa',
  'analysis',
  'damage',
  'apartment',
  'complex',
  'cedar',
  'rapids',
  'gust',
  'mph',
  'peak',
  'category',
  'hurricane',
  'ef3',
  'tornado',
  'wind',
  'trace',
  'observing',
  'station',
  'north',
  'liberty',
  'iowa',
  'mile',
  'cedar',
  'rapids',
  'derecho',
  'august',
  'credit',
  'courtesy',
  'ray',
  'wolf',
  'nws',
  'quad',
  'cities',
  'wind',
  'iowa',
  'hour',
  'derecho',
  'damage',
  'youtube',
  'video',
  'burst',
  'wind',
  'toll',
  'block',
  'cedar',
  'rapids',
  'segment',
  'minute',
  'thousand',
  'tree',
  'derecho',
  'acre',
  'crop',
  '%',
  'acreage',
  'iowa',
  'path',
  'corn',
  'belt',
  'storm',
  'impact',
  'agriculture',
  'time',
  'year',
  'iowa',
  'state',
  'climatologist',
  'justin',
  'glisan',
  'research',
  'trend',
  'derechos',
  'climate',
  'change',
  'theory',
  'atmosphere',
  'jet',
  'stream',
  'location',
  'time',
  'year',
  'derechoe',
  'spc',
  'faq',
  'page',
  'derechoe',
  'website',
  'visitor',
  'eye',
  'storm',
  'post',
  'comments',
  'policy',
  'posting',
  'comment',
  'day',
  'date',
  'sign',
  'email',
  'announcement',
  'posting',
  'twitter',
  '@drjeffmaster',
  '@bhensonweather',
  'bob',
  'henson',
  'meteorologist',
  'journalist',
  'boulder',
  'colorado',
  'weather',
  'climate',
  'national',
  'center',
  'atmospheric',
  'research',
  'weather',
  'underground',
  'freelance',
  'bob',
  'henson',
  'newspack',
  'automattic'],
 ['link',
  'weather',
  'daily',
  'forecast',
  'hourly',
  'forecast',
  'interactive',
  'radar',
  'weather',
  'cameras',
  'weather',
  'rookie',
  'weather',
  'alerts',
  'montana',
  'spring',
  'storm',
  'heavy',
  'snow',
  'severe',
  'storm',
  'pm',
  'winter',
  'storm',
  'warning',
  'east',
  'glacier',
  'area',
  'rocky',
  'mountain',
  'winter',
  'weather',
  'advisory',
  'area',
  'montana',
  'helena',
  'valley',
  'time',
  'snow',
  'power',
  'outage',
  'rain',
  'making',
  'drought',
  'relief',
  'thunderstorm',
  'hail',
  'wind',
  'temperature',
  'plant',
  'livestock',
  'spring',
  'storm',
  'storm',
  'snow',
  'elevation',
  'rain',
  'snow',
  'terrain',
  'wednesday',
  'air',
  'system',
  'snow',
  'level',
  'wednesday',
  'night',
  'thursday',
  'morning',
  'thursday',
  'mix',
  'rain',
  'snow',
  'montana',
  'continental',
  'divide',
  'snow',
  'inch',
  'elevation',
  'day',
  'rocky',
  'mountain',
  'mountain',
  'travel',
  'snow',
  'road',
  'surface',
  'mountain',
  'elevation',
  'helena',
  'great',
  'falls',
  'townsend',
  'rain',
  'snow',
  'period',
  'mother',
  'nature',
  'mind',
  'northeast',
  'montana',
  'mix',
  'cloud',
  'sun',
  'thunderstorm',
  'day',
  'rain',
  'lightning',
  'storm',
  'hail',
  'wind',
  'temperature',
  'area',
  '30',
  '40',
  'mountain',
  '20',
  '30',
  'eastern',
  'montana',
  '40',
  '50',
  '80',
  'corner',
  'snow',
  'level',
  'valley',
  'plain',
  'thursday',
  'night',
  'friday',
  'morning',
  'snow',
  'friday',
  'morning',
  'day',
  'switch',
  'rain',
  'elevation',
  'precipitation',
  'end',
  'temperature',
  '30',
  '40',
  '50',
  'montana',
  'storm',
  'system',
  'saturday',
  'state',
  'break',
  'rain',
  'snow',
  'sky',
  'high',
  '40',
  '50',
  'shower',
  'mountain',
  'snow',
  'shower',
  'round',
  'rain',
  'thunderstorm',
  'sunday',
  'storm',
  'monday',
  'wind',
  'area',
  'rain',
  'state',
  'curtis',
  'grevenitzchief',
  'meteorologist',
  'copyright',
  'scripps',
  'media',
  'inc.',
  'right',
  'material',
  'sign',
  'breaking',
  'news',
  'newsletter',
  'date',
  'information',
  'breaking',
  'news',
  'newsletter',
  'newsletters',
  'golf',
  'hole',
  'scripps',
  'local',
  'media',
  'scripps',
  'media',
  'inc',
  'light',
  'people',
  'way'],
 ['owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'account',
  'dashboard',
  'profile',
  'item',
  'today',
  'wind',
  'se',
  'mph',
  'tonight',
  'wind',
  'se',
  'mph',
  'july',
  'pm',
  'account',
  'dashboard',
  'profile',
  'item',
  'tuesday',
  'weather',
  'day',
  'east',
  'idaho',
  'thunderstorm',
  'flash',
  'flooding',
  'idaho',
  'falls',
  'blackfoot',
  'rexburg',
  'rain',
  'hail',
  'roof',
  'idaho',
  'falls',
  'quarter',
  'golf',
  'ball',
  'size',
  'hail',
  'pocatello',
  'area',
  'wind',
  'gust',
  'mph',
  'risk',
  'thunderstorm',
  'afternoon',
  'evening',
  'hour',
  'wednesday',
  'orange',
  'black',
  'kick',
  'month',
  'event',
  'idaho',
  'state',
  'university',
  'bengals',
  'month',
  'read',
  "more'welcome",
  'orange',
  'black',
  'kick',
  'month',
  'portneuf',
  'valley',
  'farmers',
  'market',
  'family',
  'fun',
  'days',
  'farmer',
  'market',
  'event',
  'weekend',
  'read',
  'moreportneuf',
  'valley',
  'farmers',
  'market',
  'family',
  'fun',
  'days',
  'caribou',
  'county',
  'sheriff',
  'office',
  'identity',
  'individual',
  'sheriff',
  'office',
  'help',
  'read',
  'morecaribou',
  'county',
  'sheriff',
  'office',
  'identity',
  'individual',
  'fire',
  'danger',
  'storm',
  'tracker',
  'alert',
  'idaho',
  'fall',
  'amazon',
  'delivery',
  'station',
  'grand',
  'opening',
  'today',
  'opening',
  'region',
  'amazon',
  'delivery',
  'station',
  'idaho',
  'falls',
  'read',
  'moreidaho',
  'fall',
  'amazon',
  'delivery',
  'station',
  'grand',
  'opening',
  'orange',
  'black',
  'kick',
  'month',
  'pocatello',
  'orange',
  'black',
  'kick',
  'month',
  'portneuf',
  'valley',
  'farmers',
  'market',
  'family',
  'fun',
  'days',
  'pocatello',
  'portneuf',
  'valley',
  'farmers',
  'market',
  'family',
  'fun',
  'days',
  'caribou',
  'county',
  'sheriff',
  'office',
  'identity',
  'individual',
  'caribou',
  'county',
  'caribou',
  'county',
  'sheriff',
  'office',
  'identity',
  'kpvi',
  'storm',
  'tracker',
  'alert',
  'east',
  'idaho',
  'idaho',
  'fall',
  'amazon',
  'delivery',
  'station',
  'grand',
  'opening',
  'lewis',
  'conrad',
  'idaho',
  'fall',
  'amazon',
  'delivery',
  'station',
  'grand',
  'opening',
  'weather',
  'demand',
  'doug',
  'iverson',
  'weather',
  'forecast',
  'july',
  '26th',
  'boys',
  'girls',
  'club',
  'new',
  'director',
  'boy',
  'girl',
  'club',
  'addition',
  'read',
  'girls',
  'club',
  'new',
  'director',
  'fire',
  'crew',
  'house',
  'fire',
  'sage',
  'road',
  'fire',
  'crew',
  'house',
  'fire',
  'read',
  'crew',
  'house',
  'fire',
  'sage',
  'road',
  'matt',
  'davenport',
  'interviews',
  'band',
  'band',
  'week',
  'national',
  'bar',
  'pocatello',
  'tuesday',
  'night',
  'read',
  'morematt',
  'davenport',
  'interviews',
  'band',
  'accident',
  'state',
  'highway',
  'minidoka',
  'county',
  'person',
  'vehicle',
  'collision',
  'state',
  'highway',
  'saturday',
  'read',
  'morefatal',
  'accident',
  'state',
  'highway',
  'minidoka',
  'county',
  'boys',
  'girls',
  'club',
  'new',
  'director',
  'boy',
  'girl',
  'club',
  'addition',
  'read',
  'girls',
  'club',
  'new',
  'director',
  'fire',
  'crew',
  'house',
  'fire',
  'sage',
  'road',
  'fire',
  'crew',
  'house',
  'fire',
  'read',
  'crew',
  'house',
  'fire',
  'sage',
  'road',
  'matt',
  'davenport',
  'interviews',
  'band',
  'band',
  'week',
  'national',
  'bar',
  'pocatello',
  'tuesday',
  'night',
  'read',
  'morematt',
  'davenport',
  'interviews',
  'band',
  'accident',
  'state',
  'highway',
  'minidoka',
  'county',
  'person',
  'vehicle',
  'collision',
  'state',
  'highway',
  'saturday',
  'read',
  'morefatal',
  'accident',
  'state',
  'highway',
  'minidoka',
  'county',
  'discussion',
  'discussion',
  'email',
  'notification',
  'discussion',
  'notification',
  'discussion',
  'language',
  'turn',
  'caps',
  'lock',
  'threat',
  'person',
  'racism',
  'sexism',
  'sort',
  '-ism',
  'person',
  'report',
  'link',
  'comment',
  'post',
  'eyewitness',
  'account',
  'history',
  'article',
  'discussion',
  'discussion',
  'news',
  'community',
  'wiley',
  'petersen',
  'fort',
  'hall',
  'bull',
  'riding',
  'mayhem',
  'shoshone',
  'bannock',
  'casino',
  'hotel',
  'question',
  'station',
  'antenna',
  'view',
  'public',
  'files',
  'view',
  'eeo',
  'online',
  'fcc',
  'applications',
  'e.',
  'sherman',
  'st.',
  'pocatello',
  'id',
  '6666newstips',
  'kpvi',
  'question',
  'comment',
  'link',
  'page',
  'click',
  'kpvi',
  'newsroom',
  'blox',
  'content',
  'management',
  'system',
  'blox',
  'digital',
  'browser',
  'date',
  'security',
  'risk',
  'browser'],
 ['account',
  'sign',
  'sign',
  'facebook',
  'new',
  'mexico',
  'land',
  'climate',
  'zone',
  'desert',
  'environment',
  'condition',
  'half',
  'state',
  'north',
  'winter',
  'south',
  'high',
  '°',
  'f',
  'december',
  'february',
  'summer',
  'temperature',
  '90',
  '°',
  'f',
  'june',
  'august',
  'precipitation',
  'south',
  'summer',
  'albuquerque',
  'north',
  'state',
  'climate',
  'elevation',
  'foot',
  'foot',
  'santa',
  'fe',
  'summer',
  '80',
  '°',
  'f',
  'winter',
  '40',
  'f',
  'plenty',
  'snow',
  'mountain',
  'precipitation',
  'summer',
  'new',
  'mexico',
  'weather',
  'spring',
  'season',
  'march',
  'april',
  'fall',
  'best',
  'time',
  'new',
  'mexico',
  'season',
  'new',
  'mexico',
  'spring',
  'mid',
  '-',
  'october',
  'weather',
  'sky',
  'day',
  'temperature',
  'north',
  'winter',
  'region',
  'thank',
  'condition',
  'north',
  'santa',
  'fe',
  'taos',
  'summer',
  'fall',
  'winter',
  'plenty',
  'snow',
  'ski',
  'resort',
  'visit',
  'hiking',
  'biking',
  'rafting',
  'summer',
  'skier',
  'winter',
  'month',
  'february',
  'march',
  'powder',
  'glory',
  'scenery',
  'september',
  'october',
  'chili',
  'harvest',
  'aspen',
  'cottonwood',
  'hue',
  'hotel',
  'deal',
  'new',
  'mexico',
  'spring',
  'countries',
  'planet',
  'deserts',
  'bloom',
  'spot',
  'springtime',
  'wildflower',
  'luxury',
  'safari',
  'africa',
  'yoho',
  'national',
  'park',
  'incredible',
  'place',
  'source',
  'adventure',
  'tourism',
  'travel',
  'guide'],
 ['hunter',
  'biden',
  'plea',
  'deal',
  'ufo',
  'takeaway',
  'whistleblower',
  'congress',
  'uap',
  'sinéad',
  "o'connor",
  'grammy',
  'singer',
  'netherlands',
  'u.s.',
  'draw',
  'rematch',
  'world',
  'cup',
  'federal',
  'reserve',
  'interest',
  'rate',
  'level',
  'year',
  'niger',
  'president',
  'guard',
  'coup',
  'ohio',
  'officer',
  'k-9',
  'man',
  'hand',
  'story',
  'tic',
  'tac',
  'ufo',
  'florence',
  'flooding',
  'crisis',
  'north',
  'carolina',
  'update',
  'september',
  'cbs',
  'ap',
  'red',
  'cross',
  'hurricane',
  'florence',
  'recovery',
  'florence',
  'factsat',
  'people',
  'storm',
  'incident',
  'north',
  'carolina',
  'south',
  'carolina',
  'people',
  'power',
  'north',
  'carolina',
  'a.m.',
  'tuesday',
  'florence',
  'cyclone',
  'mile',
  'west',
  'northwest',
  'new',
  'york',
  'city',
  'wind',
  'mph',
  'national',
  'hurricane',
  'center',
  'cape',
  'fear',
  'river',
  'crest',
  'foot',
  'tuesday',
  'inch',
  'rain',
  'elizabethtown',
  'north',
  'carolina',
  'cbs',
  'raleigh',
  'affiliate',
  'wncn',
  'tv',
  'report',
  'town',
  'inch',
  'thursday',
  'authority',
  'health',
  'patient',
  'van',
  'flood',
  'water',
  'south',
  'carolina',
  'horry',
  'county',
  'sheriff',
  'department',
  'spokeswoman',
  'brooke',
  'holden',
  'sheriff',
  'office',
  'van',
  'patient',
  'deputy',
  'conway',
  'darlington',
  'tuesday',
  'night',
  'flood',
  'water',
  'victim',
  'prison',
  'detainee',
  'official',
  'patient',
  'hospital',
  'official',
  'van',
  'little',
  'pee',
  'dee',
  'river',
  'body',
  'water',
  'official',
  'south',
  'carolina',
  'water',
  'state',
  'upriver',
  'north',
  'carolina',
  'rain',
  'florence',
  'marion',
  'county',
  'coroner',
  'jerry',
  'richardson',
  'ap',
  'tuesday',
  'woman',
  'incident',
  'holden',
  'deputy',
  'health',
  'patient',
  'door',
  'water',
  'rescue',
  'team',
  'deputy',
  'van',
  'tonight',
  'incident',
  'tragedy',
  'question',
  'horry',
  'county',
  'sheriff',
  'phillip',
  'thompson',
  'statement',
  'state',
  'law',
  'enforcement',
  'division',
  'investigation',
  'event',
  '"death',
  'toll',
  'cbs',
  'news',
  'death',
  'storm',
  'monday',
  'evening',
  'north',
  'carolina',
  'south',
  'carolina',
  'virginia',
  'lesha',
  'murphy',
  'johnson',
  'month',
  'son',
  'tree',
  'house',
  'wilmington',
  'north',
  'carolina',
  'child',
  'kaiden',
  'lee',
  'welch',
  'official',
  'water',
  'richardson',
  'creek',
  'union',
  'county',
  'north',
  'carolina',
  'kade',
  'gills',
  'month',
  'official',
  'tree',
  'home',
  'dallas',
  'north',
  'carolina',
  'trump',
  'north',
  'carolina',
  'wednesday',
  'president',
  'trump',
  'look',
  'impact',
  'hurricane',
  'florence',
  'white',
  'house',
  'press',
  'secretary',
  'sarah',
  'sanders',
  'trump',
  'plan',
  'wednesday',
  'north',
  'carolina',
  'brunt',
  'storm',
  'day',
  'hurricane',
  'region',
  'flooding',
  'wilmington',
  'north',
  'carolina',
  'resident',
  'tuesday',
  'food',
  'water',
  'tarp',
  'official',
  'route',
  'city',
  'florence',
  'death',
  'state',
  'remnant',
  'category',
  'hurricane',
  'mass',
  'chicken',
  'north',
  'carolina',
  'chicken',
  'storm',
  'poultry',
  'producer',
  'sanderson',
  'farms',
  'statement',
  'company',
  'broiler',
  'house',
  'need',
  'repair',
  'sanderson',
  'farms',
  'farm',
  'lumberton',
  'north',
  'carolina',
  'floodwater',
  'feed',
  'truck',
  'joe',
  'sanderson',
  'jr.',
  'company',
  'chairman',
  'ceo',
  'employee',
  'contractor',
  'storm.\u200bwest',
  'virginia',
  'brunt',
  'storm',
  'resident',
  'west',
  'virginia',
  'reprieve',
  'prediction',
  'devastation',
  'fruition',
  'remnant',
  'hurricane',
  'florence',
  'storm',
  'landfall',
  'week',
  'forecaster',
  'life',
  'flooding',
  'rainfall',
  'mountain',
  'north',
  'carolina',
  'virginia',
  'west',
  'virginia',
  'storm',
  'inch',
  'rain',
  'west',
  'virginia',
  'tuesday',
  'state',
  'june',
  'flood',
  'people',
  'greenbrier',
  'county',
  'community',
  'rainelle',
  'florence',
  'fleet',
  'truck',
  'ground',
  'anticipation',
  'storm.\u200boperation',
  'bbq',
  'relief',
  'meal',
  'n.c.',
  'operation',
  'bbq',
  'relief',
  'missouri',
  'organization',
  'north',
  'carolina',
  'staple',
  'area',
  'hurricane',
  'florence',
  'company',
  'group',
  'barbecue',
  'enthusiast',
  'wilmington',
  'fayetteville',
  'recovery',
  'effort',
  'meal',
  'resident',
  'responder',
  'organization',
  'wilmington',
  'fayetteville',
  'deployment',
  'location',
  'meal',
  'day',
  'organization',
  'tornado',
  'joplin',
  'missouri',
  'organization',
  'disaster',
  'south',
  'carolina',
  'flooding',
  'hurricane',
  'harvey',
  'michael',
  'jordan',
  'hurricane',
  'relief',
  'nba',
  'legend',
  'michael',
  'jordan',
  'school',
  'basketball',
  'wilmington',
  'north',
  'carolina',
  'resident',
  'north',
  'south',
  'carolina',
  'year',
  'owner',
  'nba',
  'charlotte',
  'hornets',
  'american',
  'red',
  'cross',
  'foundation',
  'carolinas',
  'hurricane',
  'florence',
  'response',
  'fund',
  'news',
  'release',
  'tuesday',
  'addition',
  'member',
  'hornets',
  'organization',
  'disaster',
  'food',
  'box',
  'friday',
  'second',
  'harvest',
  'food',
  'bank',
  'metrolina',
  'charlotte',
  'north',
  'carolina',
  'disaster',
  'food',
  'box',
  'meal',
  'wilmington',
  'n.c.',
  'fayetteville',
  'n.c.',
  'myrtle',
  'beach',
  's.c.',
  'hurricane',
  'goal',
  'food',
  'box',
  'fanatics',
  'nba',
  'merchandising',
  'partner',
  'carolina',
  'strong',
  't',
  'shirt',
  '%',
  'proceed',
  'foundation',
  'fund',
  'target',
  'hurricane',
  'relief',
  'effort',
  'company',
  'money',
  'organization',
  'team',
  'rubicon',
  'disaster',
  'cleanup',
  'recovery',
  'cbs',
  'greenville',
  'affiliate',
  'wnct',
  'n.c.',
  'official',
  'north',
  'carolina',
  'official',
  'sun',
  'state',
  'flooding',
  'aftermath',
  'florence',
  'area',
  'gov.',
  'roy',
  'cooper',
  'river',
  'flood',
  'stage',
  'tuesday',
  'forecast',
  'wednesday',
  'thursday',
  'north',
  'carolinians',
  'nightmare',
  'resident',
  'floodwater',
  'apartment',
  'september',
  'spring',
  'lake',
  'north',
  'carolina',
  '\u200b10,000',
  'people',
  'n.c.',
  'shelter',
  'tobacco',
  'crop',
  'people',
  'shelter',
  'north',
  'carolina',
  'responder',
  'people',
  'gov.',
  'roy',
  'cooper',
  'news',
  'conference',
  'tuesday',
  'floodwater',
  'farmer',
  'crop',
  'harvest',
  'cotton',
  'peanut',
  'quarter',
  'half',
  'tobacco',
  'crop',
  'cooper',
  'people',
  'power',
  'wastewater',
  'n.c.',
  'river',
  'tributary',
  'heavy',
  'rainfall',
  'remnant',
  'hurricane',
  'florence',
  'thousand',
  'gallon',
  'wastewater',
  'tributary',
  'north',
  'carolina',
  'cape',
  'fear',
  'river',
  'basin',
  'weekend',
  'city',
  'greensboro',
  'statement',
  'tuesday',
  'gallon',
  'wastewater',
  'sewer',
  'main',
  'hour',
  'sunday',
  'official',
  'infiltration',
  'rainfall',
  'florence',
  'wastewater',
  'north',
  'buffalo',
  'tributary',
  'cape',
  'fear',
  'river',
  'basin',
  'official',
  'area',
  'supply',
  'handout',
  'wilmington',
  'north',
  'carolina',
  'city',
  'wilmington',
  'floodwater',
  'hurricane',
  'florence',
  'official',
  'food',
  'water',
  'tarps',
  'resident',
  'people',
  'neighborhood',
  'worker',
  'supply',
  'resident',
  'city',
  'people',
  'tuesday',
  'morning',
  'county',
  'official',
  'road',
  'wilmington',
  'official',
  'item',
  'city',
  'truck',
  'helicopter',
  'people',
  'home',
  'structure',
  'rain',
  'sun',
  'north',
  'carolina',
  'gov.',
  'roy',
  'cooper',
  'water',
  'day',
  'resident',
  'area',
  'road',
  'flooding',
  'community',
  'crew',
  'rescue',
  'new',
  'hanover',
  'county',
  'wilmington',
  'percent',
  'home',
  'business',
  'power',
  'authority',
  'sun',
  'flood',
  'water',
  'wilmington',
  'september',
  'fema',
  'assistance',
  'north',
  'carolina',
  'county',
  'disaster',
  'aid',
  'homeowner',
  'renter',
  'business',
  'hurricane',
  'florence',
  'damage',
  'federal',
  'emergency',
  'management',
  'agency',
  'monday',
  'county',
  'assistance',
  'resident',
  'business',
  'damage',
  'insurance',
  'claim',
  'government',
  'assistance',
  'aid',
  'grant',
  'interest',
  'loan',
  'county',
  'monday',
  'bladen',
  'columbus',
  'cumberland',
  'duplin',
  'harnett',
  'lenoir',
  'jones',
  'robeson',
  'sampson',
  'wayne',
  'county',
  'county',
  'government',
  'state',
  'government',
  'debris',
  'removal',
  'emergency',
  'action',
  '"cajun',
  'navy',
  'volunteer',
  'north',
  'carolina',
  'nursing',
  'home',
  'resident',
  'group',
  'volunteer',
  'flooding',
  'north',
  'carolina',
  'aftermath',
  'florence',
  'cajun',
  'navy',
  'relief',
  'rescue',
  'group',
  'volunteer',
  'country',
  'group',
  'louisiana',
  'cbs',
  'news',
  'team',
  'lumberton',
  'people',
  'highland',
  'acres',
  'nursing',
  'rehabilitation',
  'center',
  'resident',
  'life',
  'chris',
  'russell',
  'volunteer',
  'hour',
  'resident',
  'area',
  'hospital',
  'tonight',
  'people',
  'dignity',
  'hand',
  'allen',
  'lenard',
  'volunteer',
  'blessing',
  'people',
  'matter',
  'fact',
  'blessing',
  'tonight',
  'city',
  'history',
  'flooding',
  'year',
  'hurricane',
  'matthew',
  'inch',
  'rain',
  'lumberton',
  'rescue',
  'sight',
  'storm',
  'country',
  'year',
  'cbs',
  'news',
  'volunteer',
  'houston',
  'aftermath',
  'hurricane',
  'harvey',
  'cajun',
  'navy',
  'volunteer',
  'people',
  'floodwater',
  'wake',
  'hurricane',
  'katrina',
  'makeshift',
  'flotilla',
  'people',
  'home',
  'rooftop',
  'florence',
  'landfall',
  'hurricane',
  'death',
  'home',
  'business',
  'power',
  'north',
  'south',
  'carolina',
  'storm',
  'rain',
  'flash',
  'flooding',
  'concern',
  'carolinas',
  'manure',
  'pit',
  'hog',
  'farm',
  'pollution',
  'north',
  'carolina',
  'regulator',
  'air',
  'manure',
  'pit',
  'hog',
  'farm',
  'pollution',
  'department',
  'environmental',
  'quality',
  'secretary',
  'michael',
  'regan',
  'monday',
  'dam',
  'hog',
  'lagoon',
  'duplin',
  'county',
  'report',
  'lagoon',
  'level',
  'jones',
  'pender',
  'county',
  'regan',
  'state',
  'investigator',
  'site',
  'condition',
  'pit',
  'hog',
  'farm',
  'fece',
  'urine',
  'animal',
  'field',
  'associated',
  'press',
  'photo',
  'hog',
  'farm',
  'trenton',
  'sunday',
  'waste',
  'pit',
  'floodwater',
  'n.c.',
  'pork',
  'council',
  'industry',
  'trade',
  'group',
  'report',
  'spill',
  'price',
  'complaint',
  'north',
  'carolina',
  'heel',
  'florence',
  'north',
  'carolina',
  'law',
  'enforcement',
  'official',
  'complaint',
  'price',
  'gouging',
  'wake',
  'hurricane',
  'florence',
  'attorney',
  'general',
  'josh',
  'stein',
  'complaint',
  'price',
  'gouging',
  'essential',
  'gas',
  'water',
  'office',
  'monday',
  'state',
  'investigation',
  'gas',
  'station',
  'percent',
  'gas',
  'station',
  'state',
  'gasoline',
  'monday',
  'morning',
  'gasbuddy',
  'percent',
  'power',
  'south',
  'carolina',
  'percent',
  'station',
  'gas',
  'station',
  'line',
  'car',
  'report',
  'medium',
  'patrick',
  'dehaan',
  'head',
  'petroleum',
  'analysis',
  'gasbuddy',
  'app',
  'report',
  'gouging',
  'date',
  'photo',
  'receipt',
  'sign',
  'price',
  'preparation',
  'hurricane',
  'florence',
  'gas',
  'price',
  'cent',
  'gallon',
  'south',
  'carolina',
  'cent',
  'north',
  'carolina',
  'cent',
  'virginia',
  'aaa',
  'price',
  'south',
  'carolina',
  'virginia',
  'today',
  'state',
  'gas',
  'situation',
  'time',
  'news',
  'fuel',
  'supply',
  'gasbuddy',
  'analyst',
  'note',
  'north',
  'carolina',
  'governor',
  'flooding',
  'florence',
  'north',
  'carolina',
  'governor',
  'flooding',
  'florence',
  'fayetteville',
  'n.c.',
  'city',
  'cape',
  'fear',
  'river',
  'worry',
  'cbs',
  'news',
  'correspondent',
  ...],
 ['new',
  'hampshire',
  'history',
  'genealogy',
  'photography',
  'humor',
  'home',
  'contact',
  'info',
  'privacy',
  'policy',
  'blogs',
  'links',
  'research',
  'web',
  'links',
  'history',
  'genealogy',
  'blogs',
  'genealogy',
  'blog',
  'history',
  'blogs',
  'web',
  'sites',
  'new',
  'hampshire',
  'blogs',
  'favorites',
  'friends',
  'fun',
  'new',
  'hampshire',
  'almanac',
  'nh',
  'world',
  'war',
  'history',
  'wwi',
  'story',
  'town',
  'cities',
  'new',
  'hampshire',
  'world',
  'war',
  'woman',
  'new',
  'hampshire',
  'wwi',
  'era',
  'year',
  'new',
  'hampshire',
  'world',
  'war',
  'new',
  'hampshire',
  'heroes',
  'cow',
  'hampshire',
  'guide',
  'researching',
  'world',
  'war',
  'chief',
  'year',
  'member',
  'concord',
  'new',
  'hampshire',
  'fire',
  'department',
  'william',
  'clarence',
  'green',
  'black',
  'history',
  'month',
  'new',
  'hampshire',
  'new',
  'hampshire',
  'snow',
  'storm',
  'blizzard',
  'february',
  'janice',
  'brown',
  'snow',
  'hay',
  'rake',
  'merrimack',
  'nh',
  'copyright',
  'tina',
  'penrod',
  'bates',
  'permission',
  'ralph',
  'waldo',
  'emerson',
  'storm',
  'snow',
  'trumpet',
  'sky',
  'snow',
  'field',
  'air',
  'hides',
  'hill',
  'wood',
  'river',
  'heaven',
  'farm',
  'house',
  'garden',
  'end',
  'sled',
  'traveler',
  'courier',
  'foot',
  'friend',
  'housemate',
  'fireplace',
  'privacy',
  'storm',
  'poem',
  'snow',
  'storm',
  'berry',
  'photograph',
  'copyright',
  'tina',
  'penrod',
  'bates',
  'permission',
  'term',
  'snow',
  'snow',
  'new',
  'hampshire',
  'resident',
  'term',
  'winter',
  'occurrence',
  'snow',
  'storm',
  'word',
  'severity',
  'time',
  'year',
  'snow',
  'blast',
  'gale',
  'snow',
  'squall',
  'blow',
  'tempest',
  'ice',
  'storm',
  'nor’easter',
  'blizzard',
  'word',
  'blizzard',
  'blizzard',
  'new',
  'hampshire',
  'new',
  'england',
  'word',
  'storm',
  'east',
  'coast',
  'word',
  'blizzard',
  'new',
  'england',
  'event',
  'word',
  'dictionary',
  'year',
  'use',
  'use',
  'word',
  'blizzard',
  'opinion',
  'origin',
  'word',
  'blizzard',
  'west',
  'united',
  'states',
  'weather',
  'word',
  'newspaper',
  'print',
  'example',
  'use',
  'term',
  'jan',
  'selingsgrove',
  'times',
  'tribune',
  'selingsgrove',
  'pa',
  'christmas',
  'week',
  'week',
  'christmas',
  'day',
  'fight',
  'number',
  'blizzard',
  'term',
  'meaning',
  'bet',
  'clue',
  'comment',
  'reader',
  'context',
  'january',
  'athens',
  'post',
  'athens',
  'alabma',
  'page',
  'sunday',
  'monday',
  'weather',
  'summer',
  'wednesday',
  'wind',
  'north',
  'blizzard',
  'january',
  'nebraska',
  'advertiser',
  'brownville',
  'nebraska',
  'place',
  'son',
  'gun',
  'steer',
  'blizzard',
  'aunt',
  'betty',
  'sense',
  'year',
  'bird',
  'nest',
  'snowfall',
  'white',
  'lake',
  'windsor',
  'nh',
  'photograph',
  'copyright',
  'tina',
  'penrod',
  'bates',
  'permission',
  'word',
  'cincinnati',
  'daily',
  'gazette',
  'newspaper',
  'cincinnati',
  'ohio',
  'march',
  'p.',
  'story',
  'word',
  'origin',
  'term',
  'blizzard',
  'article',
  'lightning',
  'ellis',
  'weather',
  'prophet',
  'word',
  'blizzard',
  'storm',
  'minnesota',
  'northwestern',
  'iowa',
  '60',
  'word',
  'public',
  'o.c.',
  'bates',
  'esq',
  '.',
  'column',
  'northern',
  'vindicator',
  'saying',
  'vindicator',
  'office',
  'barrack',
  'word',
  'blizzard',
  'time',
  'lightning',
  'ellis',
  'article',
  'storm',
  'term',
  'lightning',
  'ellis',
  'editor',
  'note',
  'research',
  'lightning',
  'ellis',
  'robert',
  'ellis',
  'linn',
  'county',
  'time',
  'settler',
  'westmoreland',
  'co.',
  'pa',
  'january',
  'ohio',
  'michigan',
  'foot',
  'iowa',
  'territory',
  'winter',
  'week',
  'cedar',
  'county',
  'claim',
  'cedar',
  'rapids',
  'iowa',
  'ellis',
  'park',
  'whomever',
  'word',
  'blizzard',
  'snowstorm',
  'severity',
  'wind',
  'hour',
  'drop',
  'air',
  'temperature',
  'storm',
  'area',
  'land',
  'blizzard',
  'fun',
  'light',
  'bad',
  'situation',
  'kalamazoo',
  'gazette',
  'newspaper',
  'kalamazoo',
  'michigan',
  'jan',
  'p',
  'blizzard',
  'cheyenne',
  'leaders',
  'definition',
  'word',
  'blizzard',
  'dictionary',
  'invention',
  'blizzard',
  'dictionary',
  'blizzard',
  'thing',
  'blizzard',
  'subject',
  'cayote',
  'coyote',
  'hunter',
  'freighter',
  'cowboy',
  'miner',
  'blizzard',
  'citizen',
  'blizzard',
  'meteorology',
  'skunk',
  'zoology',
  'blizzard',
  'thing',
  'history',
  'science',
  'way',
  'course',
  'scotch',
  'plaid',
  'line',
  'lee',
  'way',
  'wind',
  'order',
  'breath',
  'blizzard',
  'point',
  'exhalation',
  'lung',
  'vacuum',
  'mouth',
  'course',
  'blizzard',
  'wind',
  'conscience',
  'balloon',
  'bass',
  'drum',
  'time',
  'relief',
  'blizzard',
  'finger',
  'comment',
  'criticism',
  'end',
  'entry',
  'event',
  'history',
  'oddity',
  'accident',
  'crazy',
  'weather',
  'blizzard',
  'emerson',
  'poem',
  'poetry',
  'snow',
  'storm',
  'weather',
  'winter',
  'word',
  'permalink',
  'chief',
  'year',
  'member',
  'concord',
  'new',
  'hampshire',
  'fire',
  'department',
  'william',
  'clarence',
  'green',
  'black',
  'history',
  'month',
  'new',
  'hampshire',
  'privacy',
  'cookies',
  'site',
  'cookie',
  'website',
  'use',
  'cookie',
  'copyright',
  'disclaimer',
  'right',
  'janice',
  'a.',
  'brown',
  'blog',
  'cow',
  'hampshire',
  'blogharbor.cowhampshire.com',
  'work',
  'page',
  'women',
  'history',
  'invisibility',
  'woman',
  'girl',
  'issue',
  'country',
  'world',
  'invisibility',
  'history',
  'hero',
  'story',
  'challenge',
  'success',
  'handicap',
  'future',
  'americans',
  'economy',
  'community',
  'smith',
  'u.s.',
  'chief',
  'technology',
  'officer',
  'history',
  'history',
  'date',
  'place',
  'war',
  'people',
  'space',
  'jodi',
  'picoult',
  'storyteller',
  'mar',
  'commentsrobert',
  'burgener',
  'new',
  'hampshire',
  'wwi',
  'military',
  'wagoner',
  'walter',
  't.',
  'drew',
  'concord',
  'nh',
  'burgener',
  'new',
  'hampshire',
  'wwi',
  'military',
  'wagoner',
  'walter',
  't.',
  'drew',
  'concord',
  'nh',
  'brown',
  'new',
  'hampshire',
  'wwi',
  'military',
  'wagoner',
  'walter',
  't.',
  'drew',
  'concord',
  'nh',
  '1919)22',
  'amazing',
  'new',
  'hampshire',
  'fact',
  'covered',
  'bridges',
  'outdoor',
  'adventures',
  'burban',
  'kids-',
  'guide',
  'child',
  'holistic',
  'development',
  'new',
  'hampshire',
  'nation',
  'potatoheathee',
  'new',
  'hampshire',
  'wwi',
  'military',
  'wagoner',
  'walter',
  't.',
  'drew',
  'concord',
  'nh',
  '1919)categorie',
  'cow',
  'hampshire',
  'blog',
  'email',
  'email',
  'address',
  'blog',
  'notification',
  'post',
  'email',
  'old',
  'new',
  'hampshire',
  'news',
  'national',
  'women',
  'history',
  'month',
  'august',
  'march',
  'february',
  'december',
  'october',
  'september',
  'august',
  'july',
  'june',
  'april',
  'march',
  'february',
  'january',
  'december',
  'november',
  'october',
  'september',
  'august',
  'july',
  'june',
  'april',
  'march',
  'february',
  'january',
  'december',
  'november',
  'october',
  'september',
  'august',
  'july',
  'june',
  'april',
  'march',
  'february',
  'january',
  'december',
  'november',
  'october',
  'september',
  'august',
  'july',
  'june',
  'april',
  'march',
  'february',
  'january',
  'december',
  'november',
  'october',
  'september',
  'august',
  'july',
  'june',
  'april',
  'march',
  'february',
  'january',
  'december',
  'november',
  'october',
  'september',
  'august',
  'july',
  'june',
  'april',
  'march',
  'february',
  'january',
  'december',
  'november',
  'october',
  'september',
  'august',
  'july',
  'june',
  'april',
  'march',
  'february',
  'january',
  'december',
  'november',
  'october',
  'september',
  'august',
  'july',
  'june',
  'april',
  'march',
  'february',
  'january',
  'december',
  'november',
  'october',
  'september',
  'august',
  'july',
  'june',
  'april',
  'march',
  'february',
  'august',
  'november',
  'september',
  'august',
  'july',
  'june',
  'april',
  'march',
  'february',
  'january',
  'december',
  'august',
  'july',
  'june',
  'april',
  'march',
  'february',
  'january',
  'december',
  'november',
  'october',
  'september',
  'august',
  'july',
  'june',
  'april',
  'march',
  'february',
  'january',
  'december',
  'november',
  'october',
  'september',
  'august',
  'july',
  'june',
  'april',
  'march',
  'translate',
  'page',
  'microsoft',
  'translator',
  'widget',
  'widget',
  'widget',
  'box',
  'widget',
  'appearance',
  'widget',
  'widget',
  'area',
  'widget',
  'title',
  'widget'],
 ['woman',
  'fury',
  'rendition',
  'star',
  'spangled',
  'banner',
  'world',
  'cup',
  'holland',
  'player',
  'anthem',
  'arm',
  'moment',
  'operator',
  'crane',
  'moment',
  'manhattan',
  'sidewalk',
  'co',
  '-',
  'worker',
  'chant',
  'water',
  'motherf****r',
  'russell',
  'crowe',
  'essay',
  'sinead',
  "o'connor",
  'meeting',
  'pub',
  'ireland',
  'height',
  'depression',
  'hero',
  'warning',
  'sign',
  'alzheimer',
  'symptom',
  'study',
  'ohio',
  'cop',
  'fired',
  'footage',
  'k-9',
  'trucker',
  'hand',
  'police',
  'chase',
  'mud',
  'flap',
  'man',
  'assault',
  'alabama',
  'teen',
  'girlfriend',
  'rock',
  'music',
  'festival',
  'physio',
  '50',
  'kg',
  'body',
  'ache',
  'pain',
  'person',
  'week',
  'revealed',
  'marines',
  'carbon',
  'monoxide',
  'poisoning',
  'car',
  'gas',
  'station',
  'camp',
  'lejeune',
  'nashville',
  'school',
  'shooter',
  'note',
  'pocket',
  'knife',
  'aiden',
  'anklet',
  'number',
  'outdoors',
  'nbc',
  'report',
  'people',
  'space',
  'trauma',
  'people',
  'trump',
  'flag',
  'acting',
  'meghan',
  'markle',
  'actor',
  'strike',
  'ariana',
  'grande',
  'boyfriend',
  'ethan',
  'slater',
  'divorce',
  'wife',
  'romance',
  'singer',
  'set',
  'movie',
  'month',
  'search',
  'la',
  'attorney',
  'downtown',
  'area',
  'day',
  'family',
  'somber',
  'michelle',
  'martha',
  'vineyard',
  'golf',
  'club',
  'game',
  'tennis',
  'outing',
  'chef',
  'paddle',
  'boarding',
  'obamas',
  'home',
  'joe',
  'rogan',
  'critic',
  'jason',
  'aldean',
  'song',
  'small',
  'town',
  'rap',
  'song',
  'revealed',
  'california',
  'gov.',
  'gavin',
  'newsom',
  'hollywood',
  'strike',
  'industry',
  'billion',
  'state',
  'economy',
  'chaos',
  'fiancé',
  'sperm',
  'friend',
  'moment',
  'naked',
  'woman',
  'fire',
  'driver',
  'police',
  'chase',
  'san',
  'francisco',
  'bay',
  'bridge',
  'vampire',
  'appliance',
  'cash',
  'device',
  'energy',
  'bill',
  'uswnt',
  'tie',
  'holland',
  'lindsey',
  'horan',
  'half',
  'equalizer',
  'point',
  'wellington',
  'ladies',
  'view',
  'hunter',
  'biden',
  'joe',
  'pain',
  'loss',
  'republicans',
  'witch',
  'hunt',
  'son',
  'judge',
  'hunter',
  'job',
  'president',
  'son',
  'drug',
  'alcohol',
  'employment',
  'condition',
  'release',
  'plea',
  'deal',
  'hunter',
  'biden',
  'extent',
  'drug',
  'alcohol',
  'use',
  'president',
  'addict',
  'son',
  'rehab',
  'stint',
  'year',
  'court',
  'appearance',
  'hunter',
  'plea',
  'deal',
  'joe',
  'president',
  'line',
  'son',
  'deal',
  'china',
  'ukraine',
  'republicans',
  'scene',
  'new',
  'orleans',
  'monster',
  'tornado',
  'town',
  'car',
  'home',
  'wake',
  'louisiana',
  'texas',
  'oklahoma',
  'destructiona',
  'tornado',
  'new',
  'orleans',
  'suburb',
  'tuesday',
  'night',
  'power',
  'line',
  'debris',
  'tornado',
  'storm',
  'system',
  'texas',
  'oklahoma',
  'person',
  'injury',
  'damagevideo',
  'funnel',
  'sky',
  'building',
  'new',
  'orleanstornado',
  'new',
  'orleans',
  'suburb',
  'mississippi',
  'river',
  'andrea',
  'blanco',
  'dailymail',
  'com',
  'associated',
  'press',
  'edt',
  'march',
  'edt',
  'march',
  'e',
  '-',
  'mail',
  'share',
  'view',
  'comment',
  'advertisement',
  'tornado',
  'new',
  'orleans',
  'suburb',
  'tuesday',
  'night',
  'power',
  'line',
  'debris',
  'city',
  'hurricane',
  'katrina',
  'year',
  'tornado',
  'storm',
  'system',
  'texas',
  'oklahoma',
  'person',
  'injury',
  'damage',
  'texas',
  'power',
  'monday',
  'home',
  'power',
  'parish',
  'new',
  'orleans',
  'tuesday',
  'night',
  'nbc',
  'video',
  'television',
  'station',
  'funnel',
  'sky',
  'building',
  'new',
  'orleans',
  'tornado',
  'new',
  'orleans',
  'suburb',
  'mississippi',
  'river',
  'lower',
  'ward',
  'new',
  'orleans',
  'st.',
  'bernard',
  'parish',
  'katrina',
  'reggie',
  'ford',
  'tornado',
  'area',
  'help',
  'street',
  'devastation',
  'twister',
  'video',
  'watch',
  'video',
  'moment',
  'shoplifter',
  'getaway',
  'burlington',
  'store',
  'watch',
  'video',
  'cctv',
  'connor',
  'gibson',
  'sister',
  'amber',
  'watch',
  'video',
  'grey',
  'smoke',
  'sea',
  'foot',
  'ship',
  'fire',
  'video',
  'ohio',
  'man',
  'meltdown',
  'gender',
  'bathroom',
  'video',
  'passenger',
  'record',
  'moment',
  'flight',
  'collision',
  'video',
  'ex',
  '-',
  'official',
  'technology',
  'ufo',
  'video',
  'footage',
  'cop',
  'kid',
  'dog',
  'cage',
  'watch',
  'video',
  'grusch',
  'biological',
  'pilot',
  'video',
  'footage',
  'year',
  'robot',
  'girl',
  'ai',
  'watch',
  'video',
  'whistleblower',
  'congress',
  'government',
  'knowledge',
  'uap',
  'watch',
  'video',
  'ex',
  '-',
  'official',
  'info',
  'video',
  'ex',
  '-',
  'official',
  'tech',
  'earth',
  'people',
  'building',
  'tornado',
  'arabi',
  'neighborhood',
  'st.',
  'bernard',
  'parish',
  'new',
  'orleans',
  'tornado',
  'car',
  'roof',
  'home',
  'person',
  'region',
  'hurricane',
  'katrina',
  'year',
  'person',
  'tornado',
  'new',
  'orleans',
  'texas',
  'power',
  'monday',
  'home',
  'power',
  'parish',
  'new',
  'orleans',
  'tuesday',
  'night',
  'nbc',
  'tornado',
  'new',
  'orleans',
  'suburb',
  'mississippi',
  'river',
  'lower',
  'ward',
  'new',
  'orleans',
  'st.',
  'bernard',
  'parish',
  'katrina',
  'tornado',
  'new',
  'orleans',
  'suburb',
  'tuesday',
  'night',
  'power',
  'line',
  'debris',
  'video',
  'television',
  'station',
  'funnel',
  'sky',
  'building',
  'new',
  'orleans',
  'tornado',
  'new',
  'orleans',
  'suburb',
  'mississippi',
  'river',
  'lower',
  'ward',
  'new',
  'orleans',
  'st.',
  'bernard',
  'parish',
  'katrina',
  'authority',
  'damage',
  'lower',
  '9th',
  'ward',
  'tuesday',
  'march',
  'new',
  'orleans',
  'storm',
  'area',
  'view',
  'building',
  'aftermath',
  'tornado',
  'arabi',
  'louisiana',
  'march',
  'video',
  'watch',
  'video',
  'moment',
  'shoplifter',
  'getaway',
  'burlington',
  'store',
  'watch',
  'video',
  'cctv',
  'connor',
  'gibson',
  'sister',
  'amber',
  'watch',
  'video',
  'grey',
  'smoke',
  'sea',
  'foot',
  'ship',
  'fire',
  'video',
  'ohio',
  'man',
  'meltdown',
  'gender',
  'bathroom',
  'video',
  'passenger',
  'record',
  'moment',
  'flight',
  'collision',
  'video',
  'ex',
  '-',
  'official',
  'technology',
  'ufo',
  'video',
  'footage',
  'cop',
  'kid',
  'dog',
  'cage',
  'watch',
  'video',
  'grusch',
  'biological',
  'pilot',
  'video',
  'footage',
  'year',
  'robot',
  'girl',
  'ai',
  'watch',
  'video',
  'whistleblower',
  'congress',
  'government',
  'knowledge',
  'uap',
  'watch',
  'video',
  'ex',
  '-',
  'official',
  'info',
  'video',
  'ex',
  '-',
  'official',
  'tech',
  'earth',
  'tornado',
  'new',
  'orleans',
  'suburb',
  'arabi',
  'smell',
  'gas',
  'car',
  'lie',
  'debris',
  'arabi',
  'neighborhood',
  'tornado',
  'new',
  'orleans',
  'louisiana',
  'march',
  'video',
  'watch',
  'video',
  'moment',
  'shoplifter',
  'getaway',
  'burlington',
  'store',
  'watch',
  'video',
  'cctv',
  'connor',
  'gibson',
  'sister',
  'amber',
  'watch',
  'video',
  'grey',
  'smoke',
  'sea',
  'foot',
  'ship',
  'fire',
  'video',
  'ohio',
  'man',
  'meltdown',
  'gender',
  'bathroom',
  'video',
  'passenger',
  'record',
  'moment',
  'flight',
  'collision',
  'video',
  'ex',
  '-',
  'official',
  'technology',
  'ufo',
  'video',
  'footage',
  'cop',
  'kid',
  'dog',
  'cage',
  'watch',
  'video',
  'grusch',
  'biological',
  'pilot',
  'video',
  'footage',
  'year',
  'robot',
  'girl',
  'ai',
  'watch',
  'video',
  'whistleblower',
  'congress',
  'government',
  'knowledge',
  'uap',
  'watch',
  'video',
  'ex',
  '-',
  'official',
  'info',
  'video',
  'ex',
  '-',
  'official',
  'tech',
  'earth',
  'powerline',
  'church',
  'business',
  'block',
  'house',
  'roof',
  'new',
  'orleans',
  'resident',
  'video',
  'instagram',
  'debris',
  'street',
  'building',
  'car',
  'roof',
  'debris',
  'area',
  'block',
  'new',
  'orleans',
  'new',
  'orleans',
  'suburb',
  'arabi',
  'smell',
  'gas',
  'air',
  'resident',
  'rescue',
  'personnel',
  'street',
  'damage',
  'house',
  'piece',
  'debris',
  'wire',
  'tree',
  'aluminum',
  'fishing',
  'boat',
  'house',
  'shape',
  'c',
  'motor',
  'street',
  'power',
  'pole',
  'emergency',
  'worker',
  'neighborhood',
  'damage',
  'michelle',
  'malasovich',
  'arabi',
  'family',
  'area',
  'louisiana',
  'weather',
  'family',
  'light',
  "'she",
  'freight',
  'train',
  'sound',
  'people',
  'tornado',
  'husband',
  'bedroom',
  'porch',
  'tornado',
  'malasovich',
  'damage',
  'neighbor',
  'house',
  'middle',
  'street',
  'video',
  'watch',
  'video',
  'moment',
  'shoplifter',
  'getaway',
  'burlington',
  'store',
  'watch',
  'video',
  'cctv',
  'connor',
  'gibson',
  'sister',
  'amber',
  'watch',
  'video',
  'grey',
  'smoke',
  'sea',
  'foot',
  'ship',
  'fire',
  'video',
  'ohio',
  'man',
  'meltdown',
  'gender',
  'bathroom',
  'video',
  'passenger',
  'record',
  'moment',
  'flight',
  'collision',
  'video',
  'ex',
  '-',
  'official',
  'technology',
  'ufo',
  'video',
  'footage',
  'cop',
  'kid',
  'dog',
  'cage',
  'watch',
  'video',
  'grusch',
  'biological',
  'pilot',
  'video',
  'footage',
  'year',
  'robot',
  'girl',
  'ai',
  'watch',
  'video',
  'whistleblower',
  'congress',
  'government',
  'knowledge',
  'uap',
  'watch',
  'video',
  'ex',
  '-',
  'official',
  'info',
  'video',
  'ex',
  '-',
  'official',
  'tech',
  'earth',
  'debris',
  'ground',
  'arabi',
  'neighborhood',
  'tornado',
  'new',
  'orleans',
  'march',
  'man',
  'damage',
  'building',
  'arabi',
  'new',
  'orleans',
  'car',
  'lie',
  'debris',
  'arabi',
  'neighborhood',
  'tornado',
  'new',
  'orleans',
  'people',
  'damage',
  'building',
  'arabi',
  'neighborhood',
  'tornado',
  'new',
  'orleans',
  'louisiana',
  'march',
  'twister',
  'arabi',
  'thousand',
  'power',
  'louisiana',
  'texas',
  'oklahoma',
  'person',
  'photo',
  'damage',
  'tuesday',
  'march',
  'arabi',
  'la.',
  'tornado',
  'new',
  'orleans',
  'suburb',
  'tuesday',
  'night',
  'power',
  'line',
  'debris',
  'video',
  'watch',
  'video',
  'moment',
  'shoplifter',
  'getaway',
  'burlington',
  'store',
  'watch',
  'video',
  'cctv',
  'connor',
  'gibson',
  'sister',
  'amber',
  'watch',
  'video',
  'grey',
  'smoke',
  'sea',
  'foot',
  'ship',
  'fire',
  'video',
  'ohio',
  'man',
  'meltdown',
  'gender',
  'bathroom',
  'video',
  'passenger',
  'record',
  'moment',
  'flight',
  'collision',
  'video',
  'ex',
  '-',
  'official',
  'technology',
  'ufo',
  'video',
  'footage',
  'cop',
  'kid',
  'dog',
  'cage',
  'watch',
  'video',
  'grusch',
  'biological',
  'pilot',
  'video',
  'footage',
  'year',
  'robot',
  'girl',
  'ai',
  'watch',
  'video',
  'whistleblower',
  'congress',
  'government',
  'knowledge',
  'uap',
  'watch',
  'video',
  'ex',
  '-',
  'official',
  'info',
  'video',
  'ex',
  '-',
  'official',
  'tech',
  'earth',
  'people',
  'damage',
  'tuesday',
  'march',
  'arabi',
  'louisiana',
  'tornado',
  'tree',
  'video',
  'watch',
  'video',
  'moment',
  'shoplifter',
  'getaway',
  'burlington',
  'store',
  'watch',
  'video',
  ...],
 ['ie',
  'experience',
  'site',
  'browser',
  'skip',
  'news',
  'newsworldbusinesshealthvideoculture',
  'trendsnbc',
  'news',
  'tiplineshare',
  'save',
  'newsmanage',
  'profileemail',
  'preferencessign',
  'outsearchsearchprofile',
  'newssign',
  'sign',
  'increate',
  'profilesectionsu.s.',
  'newspoliticsworldlocalbusinesshealthinvestigationsculture',
  'trendssciencesportstech',
  'mediavideo',
  'featuresphotosweathernbc',
  'selectdecision',
  'blknbc',
  'newsmsnbcmeet',
  'pressdatelinefeaturednbc',
  'news',
  'nowbetternightly',
  'filmsstay',
  'tunedspecial',
  'featuresnewsletterspodcastslisten',
  'nowmore',
  'nbccnbcnbc.comnbcu',
  'learnpeacocknext',
  'steps',
  'vetsparent',
  'news',
  'site',
  'maphelpfollow',
  'nbc',
  'newssearchsearchfacebooktwitteremailsmsprintwhatsappredditpocketflipboardpinterestlinkedinu.s.',
  'newsat',
  'tornado',
  'nashville',
  'tennesseeit',
  'tornado',
  'event',
  'tennessee',
  'history',
  'damage',
  'power',
  'outage',
  'loss',
  'life',
  'video',
  'nashville',
  'tornado',
  'death',
  'toll',
  'dozen',
  'news',
  'nowprintmarch',
  'utc',
  'march',
  'pm',
  'phil',
  'helsel',
  'ben',
  'kesslen',
  'david',
  'k.',
  'liat',
  'people',
  'thousand',
  'household',
  'business',
  'power',
  'tornado',
  'nashville',
  'tennessee',
  'tuesday',
  'official',
  'death',
  'county',
  'davidson',
  'nashville',
  'putnam',
  'benton',
  'wilson',
  'official',
  'death',
  'putnam',
  'county',
  'official',
  'tuesday',
  'death',
  'toll',
  'putnam',
  'death',
  'storm',
  'loss',
  'life',
  'state',
  'gov.',
  'bill',
  'lee',
  'state',
  'emergency',
  'people',
  'folk',
  'devastation',
  'resident',
  'aftermath',
  'circumstance',
  'people',
  'tennessee',
  'lee',
  'carnage',
  'tennessee',
  'tornado',
  'event',
  'united',
  'states',
  'people',
  'lee',
  'county',
  'alabama',
  'year',
  'march',
  'tornado',
  'event',
  'tennessee',
  'history',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'storm',
  'prediction',
  'center',
  'twister',
  'people',
  'tennessee',
  'march',
  'tornado',
  'feb.',
  'authority',
  'drone',
  'footage',
  'tornado',
  'trail',
  'devastation',
  'nashvillemarch',
  'people',
  'debris',
  'mcferrin',
  'avenue',
  'michael',
  'dolfini',
  'girlfriend',
  'albree',
  'sexton',
  'nashville',
  'police',
  'attaboy',
  'lounge',
  'dolfini',
  'police',
  'height',
  'power',
  'outage',
  'home',
  'business',
  'customer',
  'electricity',
  'tuesday',
  'afternoon',
  'nashville',
  'electric',
  'service',
  'president',
  'donald',
  'trump',
  'tennessee',
  'week',
  'wish',
  'people',
  'tennessee',
  'wake',
  'tornado',
  'people',
  'trump',
  'tuesday',
  'washington',
  'national',
  'association',
  'counties',
  'legislative',
  'conference',
  'leader',
  'tennessee',
  'gov.',
  'bill',
  'lee',
  'fema',
  'ground',
  'friday',
  'weather',
  'dozen',
  'home',
  'building',
  'tennesseans',
  'super',
  'tuesday',
  'primary',
  'state',
  'official',
  'resident',
  'poll',
  'nbc',
  'news',
  'app',
  'news',
  'politicsat',
  'building',
  'nashville',
  'police',
  'building',
  'damage',
  'downtown',
  'east',
  'precinct',
  '"emergency',
  'responder',
  'person',
  'area',
  'police',
  'tornado',
  'downtown',
  'nashville',
  'aim',
  'city',
  'national',
  'weather',
  'service',
  'meteorologist',
  'faith',
  'borden',
  'video',
  'twitter',
  'damage',
  'apartment',
  'complex',
  'sight',
  'fourth',
  'ave',
  'n',
  'germantown',
  'windows',
  'water',
  'building',
  'video',
  'ryan',
  'breslin',
  '@rybrez',
  'march',
  'blakeley',
  'galbraith',
  'resident',
  'vista',
  'apartments',
  'nashville',
  'germantown',
  'neighborhood',
  'fire',
  'department',
  'people',
  'building',
  'chaos',
  'apartment',
  'neighborhood',
  'galbraith',
  'car',
  'garage',
  'inch',
  'water',
  'floor',
  'apartment',
  'building',
  'people',
  'mirror',
  'building',
  'storm',
  'march',
  'nashville',
  'tenn.',
  'mark',
  'humphrey',
  'apmain',
  'street',
  'east',
  'nashville',
  'a.m.',
  'tree',
  'debris',
  'tennessean',
  'newspaper',
  'nashville',
  'building',
  'road',
  'newspaper',
  'photo',
  'damage',
  'building',
  'vehicle',
  'council',
  'member',
  'brett',
  'withers',
  'points',
  'neighborhood',
  'hit',
  'nashville',
  'school',
  'tuesday',
  'damage',
  'city',
  'official',
  'night',
  'nashville',
  'u.s.',
  'rep.',
  'jim',
  'cooper',
  'd',
  'tenn.',
  'mayor',
  'office',
  'request',
  'assistance',
  'mayor',
  'cooper',
  'tennessee',
  'tornado',
  'night',
  'reminder',
  'life',
  "is'march",
  'night',
  'reminder',
  'life',
  'nashville',
  'mayor',
  'john',
  'cooper',
  'congressman',
  'brother',
  'press',
  'conference',
  'tuesday',
  'morning',
  'rescue',
  'personnel',
  'city',
  'building',
  'resident',
  'tornado',
  'act',
  'nature',
  'mayor',
  'autozone',
  'store',
  'man',
  'storm',
  'debris',
  'tornado',
  'march',
  'nashville',
  'tenn.',
  'mark',
  'humphrey',
  'aplater',
  'tuesday',
  'cooper',
  'statement',
  'emergency',
  'order',
  'city',
  'hall',
  'effort',
  'supply',
  'service',
  'resident',
  'hands',
  'nashville',
  'website',
  'time',
  'people',
  'city',
  'nashville',
  'suburbs',
  'mount',
  'juliet',
  'lebanon',
  'weather',
  'service',
  'police',
  'mount',
  'juliet',
  'east',
  'nashville',
  'town',
  'damage',
  'injury',
  'aid',
  'agency',
  'power',
  'line',
  'police',
  'department',
  'sheriff',
  'office',
  'wilson',
  'county',
  'home',
  'mount',
  'juliet',
  'lebanon',
  'damage',
  'home',
  'road',
  'hazard',
  'helicopter',
  'tornado',
  'destruction',
  'pic.twitter.com/xmbpbombuf',
  'metro',
  'nashville',
  'pd',
  '@mnpdnashville',
  'march',
  'tennessee',
  'state',
  'super',
  'tuesday',
  'polling',
  'location',
  'storm',
  'nbc',
  'nashville',
  'affiliate',
  'nashville',
  'polling',
  'location',
  'hour',
  'site',
  'percent',
  'total',
  'mayor',
  'official',
  'polling',
  'location',
  'area',
  'hour',
  'tennessee',
  'secretary',
  'state',
  'tre',
  'hargett',
  'twitter',
  'weather',
  'service',
  'tornado',
  'warning',
  'middle',
  'tennessee',
  'storm',
  'area',
  'lightning',
  'rain',
  'mph',
  'wind',
  'storm',
  'weather',
  'service',
  'phil',
  'helselphil',
  'helsel',
  'reporter',
  'nbc',
  'news',
  'ben',
  'kesslenben',
  'kesslen',
  'reporter',
  'nbc',
  'news',
  'david',
  'k.',
  'lidavid',
  'k.',
  'li',
  'news',
  'reporter',
  'nbc',
  'news',
  'digital',
  'kurt',
  'chirbas',
  'kathryn',
  'prociv',
  'aboutcontacthelpcareersad',
  'choicesprivacy',
  'policydo',
  'informationca',
  'noticenew',
  'terms',
  'service',
  'july',
  'news',
  'sitemapadvertiseselect',
  'shoppingselect',
  'personal',
  'finance',
  'nbc',
  'universalnbc',
  'news',
  'logomsnbc',
  'logotoday',
  'logo'],
 ['fox',
  'kansas',
  'city',
  'wdaf',
  'tv',
  'news',
  'weather',
  'sports',
  'ralph',
  'yarl',
  'shooting',
  'missouri',
  'news',
  'kansas',
  'news',
  'business',
  'national',
  'news',
  'saving',
  'smart',
  'kansas',
  'city',
  'traffic',
  'live',
  'coverage',
  'kansas',
  'city',
  'area',
  'gas',
  'prices',
  'marijuana',
  'missouri',
  'health',
  'education',
  'entertainment',
  'hometown',
  'heroes',
  'community',
  'automotive',
  'news',
  'press',
  'weather',
  'forecast',
  'joe',
  'weather',
  'blog',
  'weather',
  'radar',
  'weather',
  'alerts',
  'weather',
  'maps',
  'allergy',
  'report',
  'kansas',
  'city',
  'metro',
  'farm',
  'lawn',
  'garden',
  'forecast',
  'weather',
  'aware',
  'guide',
  'tornado',
  'thunderstorm',
  'flood',
  'closing',
  'delay',
  'closing',
  'instruction',
  'sign',
  'closing',
  'kansas',
  'city',
  'chiefs',
  'kansas',
  'city',
  'royals',
  'sporting',
  'kc',
  'kansas',
  'city',
  'current',
  'college',
  'high',
  'school',
  'sports',
  'nascar',
  'fox4',
  'newscasts',
  'news',
  'livestream',
  'video',
  'fox4',
  'program',
  'schedule',
  'antenna',
  'tv',
  'program',
  'schedule',
  'day',
  'kc',
  'stories',
  'day',
  'kc',
  'team',
  'day',
  'kc',
  'gift',
  'guide',
  'contact',
  'day',
  'kc',
  'price',
  'chopper',
  'recipes',
  'nominate',
  'veteran',
  'salute',
  'service',
  'guest',
  'bestreviews',
  'daily',
  'deals',
  'bestreviews',
  'fox4',
  'newsletters',
  'fox4kc',
  'mobile',
  'apps',
  'fox4',
  'news',
  'team',
  'info',
  'speaking',
  'engagement',
  'request',
  'community',
  'calendar',
  'fox4',
  'love',
  'fund',
  'fox4',
  'band',
  'angels',
  'difference',
  'regional',
  'news',
  'partners',
  'bestreviews',
  'job',
  'post',
  'job',
  'fox4',
  'jobs',
  'alert',
  'fox4',
  'news',
  'careers',
  'maryville',
  'mo.',
  'storm',
  'tree',
  'damage',
  'northwest',
  'missouri',
  'state',
  'university',
  'campus',
  'june',
  'photo',
  'jeremy',
  'werner',
  'maryville',
  'mo.',
  'storm',
  'tree',
  'damage',
  'northwest',
  'missouri',
  'state',
  'university',
  'campus',
  'june',
  'photo',
  'jeremy',
  'missouri',
  'storm',
  'thousand',
  'power',
  'july',
  'weekend',
  'jun',
  'pm',
  'cdt',
  'jun',
  'pm',
  'cdt',
  'maryville',
  'mo.',
  'storm',
  'tree',
  'damage',
  'northwest',
  'missouri',
  'state',
  'university',
  'campus',
  'june',
  'photo',
  'jeremy',
  'werner',
  'maryville',
  'mo.',
  'storm',
  'tree',
  'damage',
  'northwest',
  'missouri',
  'state',
  'university',
  'campus',
  'june',
  'photo',
  'jeremy',
  'werner',
  'read',
  'jun',
  'pm',
  'cdt',
  'jun',
  'pm',
  'cdt',
  'maryville',
  'mo.',
  'people',
  'missouri',
  'thursday',
  'morning',
  'storm',
  'community',
  'time',
  'resident',
  'storm',
  'power',
  'thousand',
  'customer',
  'property',
  'fox4',
  'weather',
  'view',
  'kansas',
  'city',
  'forecast',
  'map',
  'radar',
  'picture',
  'jeremy',
  'werner',
  'tree',
  'northwest',
  'missouri',
  'state',
  'university',
  'campus',
  'thursday',
  'morning',
  'maryville',
  'mo.',
  'storm',
  'tree',
  'damage',
  'northwest',
  'missouri',
  'state',
  'university',
  'campus',
  'june',
  'photo',
  'jeremy',
  'werner)maryville',
  'mo.',
  'storm',
  'tree',
  'damage',
  'northwest',
  'missouri',
  'state',
  'university',
  'campus',
  'june',
  'photo',
  'jeremy',
  'werner)maryville',
  'mo.',
  'storm',
  'tree',
  'damage',
  'northwest',
  'missouri',
  'state',
  'university',
  'campus',
  'june',
  'photo',
  'jeremy',
  'werner',
  'hour',
  'east',
  'campus',
  'bethany',
  'storm',
  'wall',
  'home',
  'roof',
  'metal',
  'building',
  'information',
  'national',
  'weather',
  'service',
  'heat',
  'kansas',
  'city',
  'area',
  'center',
  'location',
  'thousand',
  'people',
  'area',
  'dark',
  'storm',
  'power',
  'spokesperson',
  'grundy',
  'electric',
  'cooperative',
  'customer',
  'county',
  'area',
  'power',
  'noon',
  'thursday',
  'crew',
  'contractor',
  'power',
  'pole',
  'mile',
  'power',
  'line',
  'power',
  'company',
  'wind',
  'gust',
  'mph',
  'storm',
  'view',
  'weather',
  'alert',
  'kansas',
  'city',
  'region',
  'fox4',
  'report',
  'tree',
  'damage',
  'power',
  'outage',
  'injury',
  'time',
  'typo',
  'error(required',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'amazon',
  'school',
  'deal',
  'schooler',
  'school',
  'corner',
  'amazon',
  'supply',
  'school',
  'deal',
  'supply',
  'schooler',
  'august',
  'vegetable',
  'flower',
  'flower',
  'plant',
  'hour',
  'soil',
  'air',
  'temperature',
  'sunshine',
  'august',
  'month',
  'planting',
  'chemical',
  'guys',
  'kit',
  'car',
  'car',
  'care',
  'hour',
  'chemical',
  'guys',
  'car',
  'wash',
  'kit',
  'time',
  'deal',
  'thank',
  'inbox',
  'pop',
  'star',
  'shijiro',
  'atae',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'soldier',
  'niger',
  'samsung',
  'smartphone',
  'bet',
  'pop',
  'star',
  'shijiro',
  'atae',
  'soldier',
  'niger',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'samsung',
  'smartphone',
  'bet',
  'journalist',
  'year',
  'prison',
  'ocean',
  'heat',
  'people',
  'high',
  'arizona',
  'thank',
  'inbox',
  'kc',
  'temperature',
  'osha',
  'tip',
  'kc',
  'heat',
  'extreme',
  'heat',
  'kc',
  'area',
  'event',
  'fox',
  'kansas',
  'city',
  'wdaf',
  'tv',
  'news',
  'weather',
  'sports',
  'video',
  'shawnee',
  'kansas',
  'resident',
  'mail',
  'kansas',
  'city',
  'area',
  'district',
  'school',
  'missouri',
  'veteran',
  'roof',
  'thank',
  'volunteer',
  'teen',
  'vehicle',
  'crash',
  'overland',
  'park',
  'warrant',
  'year',
  'missouri',
  'bank',
  'robbery',
  'innocent',
  'bystander',
  'officer',
  'merriam',
  'k',
  'state',
  'student',
  'atv',
  'crash',
  'year',
  'plan',
  'children',
  'memorial',
  'site',
  'crossroad',
  'community',
  'improvement',
  'district',
  'kid',
  'citizenship',
  'independence',
  'kc',
  'man',
  'brain',
  'injury',
  'mahomes',
  'developer',
  'kc',
  'hospital',
  'apartment',
  'fox',
  'kansas',
  'city',
  'wdaf',
  'tv',
  'news',
  'weather',
  'sports',
  'journalist',
  'year',
  'prison',
  'ocean',
  'heat',
  'people',
  'high',
  'arizona',
  'california',
  'gov.',
  'gavin',
  'newsom',
  'shawnee',
  'resident',
  'mail',
  'day',
  'arizona',
  'girl',
  'montana',
  'dance',
  'company',
  'ny',
  'fan',
  'treat',
  'attorney',
  'm',
  'settlement',
  'water',
  'fox',
  'kansas',
  'city',
  'wdaf',
  'tv',
  'news',
  'weather',
  'sports',
  'thank',
  'inbox',
  'teen',
  'vehicle',
  'crash',
  'overland',
  'park',
  'travis',
  'kelce',
  'taylor',
  'swift',
  'number',
  'tick',
  'specie',
  'mo',
  'livestock',
  'risk',
  'cass',
  'co.',
  'deputy',
  'search',
  'warrant',
  'gas',
  'station',
  'shawnee',
  'resident',
  'mail',
  'day',
  'warrant',
  'year',
  'bank',
  'robbery',
  'gift',
  'summer',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'home',
  'depot',
  'foot',
  'skeleton',
  'halloween',
  'deal',
  'day',
  'prime',
  'day',
  'favorite',
  'amazon',
  'essentials',
  'clothe',
  'news',
  'morning',
  'fox4',
  'newscasts',
  'contests',
  'day',
  'kc',
  'sponsored',
  'content',
  'experts',
  'sports',
  'community',
  'online',
  'public',
  'file',
  'public',
  'file',
  'eeo',
  'fcc',
  'applications',
  'android',
  'app',
  'google',
  'play',
  'android',
  'weather',
  'app',
  'google',
  'play',
  'personal',
  'information',
  'personal',
  'information',
  'nexstar',
  'media',
  'inc.',
  'rights'],
 ['contentnewsletterssubscribemenua',
  'woman',
  'child',
  'school',
  'moore',
  'oklahoma',
  'photograph',
  'sue',
  'ogrocki',
  'ap',
  'photoplease',
  'copyright',
  'use',
  'oklahoma',
  'tornado',
  'unpredictable?hurricanes',
  'tornado',
  'byker',
  'thanfor',
  'national',
  'geographicpublished',
  'min',
  'readsharetweetemaila',
  'tornado',
  'oklahoma',
  'city',
  'suburb',
  'moore',
  'monday',
  'score',
  'people',
  'size',
  'ferocity',
  'path',
  'expert',
  '"strong',
  'tornado',
  'year',
  'christopher',
  'karstens',
  'research',
  'scientist',
  'national',
  'severe',
  'storms',
  'laboratory',
  'nssl',
  'norman',
  'oklahoma',
  'area',
  'area',
  'people',
  'area',
  '"scientist',
  'twister',
  'mile',
  'kilometer',
  'wind',
  'mile',
  'hour',
  'kilometer',
  'minute',
  'tour',
  'destruction',
  'monday',
  'tornado',
  'mile',
  'path',
  'newcastle',
  'moore',
  'south',
  'oklahoma',
  'city',
  'neighborhood',
  'school',
  'death',
  'toll',
  'tuesday',
  'morning',
  '20',
  'national',
  'weather',
  'service',
  'monday',
  'tornado',
  'ef5',
  'fujita',
  'scale',
  'type',
  'twister',
  '"this',
  'devastation',
  'betsy',
  'randolph',
  'oklahoma',
  'state',
  'police',
  'fox',
  '25."this',
  'tornado',
  'randolph',
  'tornado',
  'community',
  'tornado',
  'alleyoklahoma',
  'city',
  'area',
  'great',
  'plains',
  'tornado',
  'alley',
  'region',
  'south',
  'dakota',
  'texas',
  'tornado',
  'tornado',
  'alley',
  'position',
  'air',
  'gulf',
  'mexico',
  'air',
  'continental',
  'polar',
  'mass',
  'canada',
  'nssl',
  'karstens',
  'springtime',
  'air',
  'masse',
  'environment',
  'monday',
  'united',
  'states',
  'record',
  'tornado',
  'twister',
  'italy',
  'india',
  'south',
  'america',
  'photo',
  'extreme',
  'tornado',
  'commonwhile',
  'tornado',
  'size',
  'strength',
  'location',
  'characteristic',
  'type',
  'storm',
  'thunderstorm',
  'instability',
  'phenomenon',
  'wind',
  'shear',
  'wind',
  'ground',
  'direction',
  'direction',
  'shear',
  'airflow',
  'karstens',
  'updraft',
  'flow',
  'updraft',
  'property',
  'air',
  'atmosphere',
  '"while',
  'scientist',
  'setup',
  'condition',
  'tornado',
  'formation',
  'question',
  'tornado',
  'tim',
  'samaras',
  'tornado',
  'chaser',
  'instrument',
  'tornado',
  'pressure',
  'wind',
  'speed',
  'lot',
  'tornado',
  'thunderstorm',
  'tornado',
  'observation',
  'tornado',
  'tornado',
  'chaser',
  'talks',
  'science',
  'craft',
  'understanding',
  'tornado',
  'intensity',
  'karstens',
  'tornado',
  'forecastingat',
  'moment',
  'tornado',
  'hurricane',
  'example',
  'national',
  'hurricane',
  'center',
  'path',
  'year',
  'hurricane',
  'sandy',
  'accuracy',
  'day',
  'landfall',
  'contrast',
  'resident',
  'moore',
  'minute',
  'warning',
  'tornado',
  'difficulty',
  'karstens',
  'tornado',
  'hurricane',
  '"it',
  'matter',
  'scale',
  'hurricane',
  'model',
  'lot',
  'point',
  'multiday',
  'forecast',
  '"karstens',
  'nssl',
  'project',
  'tornado',
  'path',
  'warn',
  'forecast',
  'tornado',
  'forecasting',
  'computer',
  'tornado',
  'modeling',
  'software',
  'datum',
  'temperature',
  'dew',
  'point',
  'measurement',
  'tornado',
  'spawning',
  'storm',
  'instrument',
  'tornado',
  'chaser',
  'way',
  'progress',
  'j.',
  'lee',
  'article',
  'sharetweetemailread',
  'nexttrapped',
  'ice',
  'ice',
  'worldin',
  'sir',
  'john',
  'franklin',
  'crew',
  'man',
  'northwest',
  'passage',
  'national',
  'geographic',
  'team',
  'evidence',
  'fate',
  'arctic',
  'secret',
  'omega-3s',
  'health',
  'thoughtscienceomega-3s',
  'health',
  'study',
  'kind',
  'nutrient',
  'walnut',
  'seed',
  'type',
  'seafood',
  'inflammation',
  'lung',
  'function',
  'museum',
  'charleston',
  'role',
  'slave',
  'tradetravelnew',
  'museum',
  'charleston',
  'role',
  'slave',
  'tradehistorian',
  'percent',
  'americans',
  'ancestor',
  'charleston',
  'international',
  'african',
  'american',
  'museum',
  'story',
  'barbie',
  'signature',
  'worldhistory',
  'culturehow',
  'barbie',
  'signature',
  'worldpink',
  'year',
  'color',
  'hunter',
  'woman',
  'boy',
  'furtheranimalswhat',
  'copperhead',
  'snake',
  'snake',
  'movement',
  'movement',
  'animal',
  'orca',
  'it?animalsmenopause',
  'animal',
  'orca',
  'it?cheetah',
  'india',
  'dying?animalscheetah',
  'india',
  'bird',
  'fortress',
  'spikesanimalswild',
  'citieswhy',
  'bird',
  'fortress',
  'shark',
  'meat',
  'watchhow',
  'shark',
  'meat',
  'drop',
  'count',
  'america',
  'waterway',
  'content',
  'advertiserevery',
  'drop',
  'count',
  'america',
  'waterway',
  'crisisiceland',
  'volcanic',
  'eraenvironmenticeland',
  'eraclimate',
  'change',
  'ocean',
  'colorsenvironmentclimate',
  'change',
  'ocean',
  'colorshere',
  'people',
  'grass',
  'lawn',
  'cloverenvironmenthere',
  'people',
  'grass',
  'lawn',
  'soup',
  'van',
  'gogh',
  'climate',
  'activist',
  'soup',
  'van',
  'gogh',
  'climate',
  'activist',
  'engineer',
  'u.s.',
  'engineer',
  'u.s.',
  'infrastructurehistory',
  'culturewhat',
  'feast',
  'seven',
  'fishes?history',
  'culturewhat',
  'feast',
  'seven',
  'death',
  'valley',
  'culturehow',
  'death',
  'valley',
  'heatwas',
  'napoleon',
  'leader',
  'tyrant?history',
  'culturewas',
  'napoleon',
  'leader',
  'strike',
  'hollywood',
  'culturethe',
  'strike',
  'hollywood',
  '1960how',
  'barbie',
  'signature',
  'worldhistory',
  'culturehow',
  'barbie',
  'signature',
  'worldhow',
  'genius',
  'superstar',
  'magazinehow',
  'genius',
  'superstar',
  'iconscienceif',
  'people',
  'crueler',
  'rightscienceif',
  'people',
  'crueler',
  'pacific',
  'garbage',
  'patch',
  'lifesciencegreat',
  'pacific',
  'garbage',
  'patch',
  'lifeomega-3s',
  'health',
  'thoughtscienceomega-3s',
  'health',
  'thoughttannin',
  'egg',
  'white',
  'fish',
  'bladder',
  'winesciencetannin',
  'white',
  'fish',
  'bladder',
  'winebotox',
  'depression',
  'expert',
  'link',
  'sciencebotox',
  'depression',
  'expert',
  'link',
  'fossil',
  'dinosaur',
  'mammal',
  "battlescience'jaw",
  'fossil',
  'dinosaur',
  'mammal',
  'battletravelthe',
  'story',
  'daiquiritravelthe',
  'story',
  'daiquiria',
  'guide',
  'jaipur',
  'india',
  'rajastani',
  'craft',
  'capitaltravela',
  'guide',
  'jaipur',
  'india',
  'rajastani',
  'craft',
  'food',
  'america',
  'midwesttravelfor',
  'food',
  'america',
  'midwest4',
  'food',
  'experience',
  'south',
  'africa',
  'capetravel4',
  'food',
  'experience',
  'south',
  'africa',
  'western',
  'capea',
  'hike',
  'history',
  'pembrokeshire',
  'preseli',
  'hillstravela',
  'history',
  'pembrokeshire',
  'preseli',
  'hillswinchester',
  'uk',
  'hampshire',
  'history',
  'south',
  'downs',
  'hikestravelwinchester',
  'uk',
  'hampshire',
  'history',
  'south',
  'downs',
  'contentpreviousmagazinewhy',
  'people',
  'mars?readmagazinehow',
  'virus',
  'worldreadanimalsthe',
  'era',
  'greyhound',
  'racing',
  'u.s.',
  'endreadmagazinesee',
  'people',
  'life',
  'mars',
  'historyreadmagazinesee',
  'nasa',
  'mars',
  'rover',
  'planetexploremagazinewhy',
  'people',
  'mars?readmagazinehow',
  'virus',
  'worldreadanimalsthe',
  'era',
  'greyhound',
  'racing',
  'u.s.',
  'endreadmagazinesee',
  'people',
  'life',
  'mars',
  'historyreadmagazinesee',
  'nasa',
  'mars',
  'rover',
  'planetexploremagazinewhy',
  'people',
  'mars?readmagazinehow',
  'virus',
  'worldreadanimalsthe',
  'era',
  'greyhound',
  'racing',
  'u.s.',
  'endreadmagazinesee',
  'people',
  'life',
  'mars',
  'historyreadmagazinesee',
  'nasa',
  'mars',
  'rover',
  'red',
  'morelegalterm',
  'useprivacy',
  'policyyour',
  'state',
  'privacy',
  'rightschildren',
  'online',
  'privacy',
  'policyinterest',
  'adsabout',
  'nielsen',
  'measurementdo',
  'informationour',
  'sitesnat',
  'geo',
  'homeattend',
  'live',
  'eventbook',
  'tripbuy',
  'mapsinspire',
  'kidsshop',
  'nat',
  'geovisit',
  'd.c.',
  'museumwatch',
  'tvlearn',
  'impactsupport',
  'missionnat',
  'geo',
  'partnersmastheadpress',
  'roomadvertise',
  'usjoin',
  'servicerenew',
  'subscriptionmanage',
  'subscriptionwork',
  'nat',
  'geosign',
  'newsletterscontribute',
  'planetfollow',
  'geographic',
  'facebooknational',
  'geographic',
  'twitternational',
  'geographic',
  'instagramunited',
  'states',
  'change)copyright',
  'national',
  'geographic',
  'societycopyright',
  'national',
  'geographic',
  'partners',
  'llc',
  'right'],
 ['main',
  'contentskip',
  'wall',
  'street',
  'journalenglish',
  'editionenglish中文',
  'chinese)日本語',
  'japanese)print',
  'headlinesmore',
  'products',
  'wsjbuy',
  'wsjwsj',
  'americamiddle',
  'eastsectionseconomymoreworld',
  'videou.s.sectionseconomylawpoliticsmoreu.s.',
  'videowhat',
  'news',
  'podcastpoliticsmorepolitics',
  'probankruptcycentral',
  'bankingprivate',
  'equityventure',
  'capitalmoreeconomic',
  'forecasting',
  'surveyeconomy',
  'videosectionscapital',
  'reportsthe',
  'future',
  'everythingobituariestech',
  'defenseautos',
  'transportationcommercial',
  'real',
  'estateconsumer',
  'productsenergyentrepreneurshipfinancial',
  'servicesfood',
  'serviceshealth',
  'carehospitalitylawmanufacturingmedia',
  'marketingnatural',
  'resourcesretailc',
  'suitecfo',
  'journalcio',
  'journalcmo',
  'todaylogistics',
  'reportrisk',
  'compliancethe',
  'workplace',
  'reportcolumnsheard',
  'streetwsj',
  'probankruptcycentral',
  'businessventure',
  'capitalmorebusiness',
  'videobusiness',
  'podcastspace',
  'sciencetechsectionscio',
  'journalthe',
  'future',
  'everythingpersonal',
  'techcolumnschristopher',
  'mimsjoanna',
  'sternjulie',
  'jargonnicole',
  'videotech',
  'podcastmarketssectionsbondscommercial',
  'real',
  'estatecommodities',
  'futuresstockspersonal',
  'financewsj',
  'moneystreetwiseintelligent',
  'investorcolumnsheard',
  'streetgreg',
  'ipjason',
  'zweiglaura',
  'saundersjames',
  'mackintoshmarket',
  'datamarket',
  'data',
  'homeu.s.',
  'ratesmutual',
  'funds',
  'journalmarkets',
  'videoyour',
  'money',
  'briefing',
  'podcastsecrets',
  'wealthy',
  'women',
  'podcastsearch',
  'quotes',
  'bakersadanand',
  'dhumeallysia',
  'finleyjames',
  'freemanwilliam',
  'a.',
  'galstondaniel',
  'henningerholman',
  'w.',
  'jenkinsandy',
  'kesslerwilliam',
  'mcgurnwalter',
  'russell',
  'meadpeggy',
  'noonanmary',
  'anastasia',
  "o'gradyjason",
  'rileyjoseph',
  'sternbergkimberley',
  'a.',
  'strasselmoreeditorialscommentaryfuture',
  'viewhouses',
  'worshipcross',
  'countryletters',
  'editorthe',
  'weekend',
  'interviewpotomac',
  'podcastforeign',
  'edition',
  'podcastfree',
  'expression',
  'podcastopinion',
  'videonotable',
  'quotablebooks',
  'artsreviewsfilmtelevisiontheatermasterpiece',
  'seriesmusicdanceoperaexhibitioncultural',
  'commentaryartarchitecturesectionsartsbooksmorewsj',
  'puzzleswhat',
  'watcharts',
  'calendarreal',
  'real',
  'estatemorereal',
  'estate',
  'videolife',
  'worksectionscarscareersfood',
  'drinkhome',
  'designideaspersonal',
  'financerecipestravelwellnesscolumnsyour',
  'healthwork',
  'lifecarry',
  'onbondsturning',
  'pointson',
  'clockmorewsj',
  'puzzlesspace',
  'sciencestylesectionslifestylefashionfilmtelevisionmusicart',
  'monday',
  'morningoff',
  'brandon',
  'trendsportssectionsbaseballbasketballfootballgolfhockeyolympicssoccertenniscolumnsjason',
  'gaysearchhomeworldregionsafricaasiacanadachinaeuropelatin',
  'americamiddle',
  'eastsectionseconomymoreworld',
  'videou.s.sectionseconomylawpoliticsmoreu.s.',
  'videowhat',
  'news',
  'podcastpoliticsmorepolitics',
  'probankruptcycentral',
  'bankingprivate',
  'equityventure',
  'capitalmoreeconomic',
  'forecasting',
  'surveyeconomy',
  'videosectionscapital',
  'reportsthe',
  'future',
  'everythingobituariestech',
  'defenseautos',
  'transportationcommercial',
  'real',
  'estateconsumer',
  'productsenergyentrepreneurshipfinancial',
  'servicesfood',
  'serviceshealth',
  'carehospitalitylawmanufacturingmedia',
  'marketingnatural',
  'resourcesretailc',
  'suitecfo',
  'journalcio',
  'journalcmo',
  'todaylogistics',
  'reportrisk',
  'compliancethe',
  'workplace',
  'reportcolumnsheard',
  'streetwsj',
  'probankruptcycentral',
  'businessventure',
  'capitalmorebusiness',
  'videobusiness',
  'podcastspace',
  'sciencetechsectionscio',
  'journalthe',
  'future',
  'everythingpersonal',
  'techcolumnschristopher',
  'mimsjoanna',
  'sternjulie',
  'jargonnicole',
  'videotech',
  'podcastmarketssectionsbondscommercial',
  'real',
  'estatecommodities',
  'futuresstockspersonal',
  'financewsj',
  'moneystreetwiseintelligent',
  'investorcolumnsheard',
  'streetgreg',
  'ipjason',
  'zweiglaura',
  'saundersjames',
  'mackintoshmarket',
  'datamarket',
  'data',
  'homeu.s.',
  'ratesmutual',
  'funds',
  'journalmarkets',
  'videoyour',
  'money',
  'briefing',
  'podcastsecrets',
  'wealthy',
  'women',
  'podcastsearch',
  'quotes',
  'bakersadanand',
  'dhumeallysia',
  'finleyjames',
  'freemanwilliam',
  'a.',
  'galstondaniel',
  'henningerholman',
  'w.',
  'jenkinsandy',
  'kesslerwilliam',
  'mcgurnwalter',
  'russell',
  'meadpeggy',
  'noonanmary',
  'anastasia',
  "o'gradyjason",
  'rileyjoseph',
  'sternbergkimberley',
  'a.',
  'strasselmoreeditorialscommentaryfuture',
  'viewhouses',
  'worshipcross',
  'countryletters',
  'editorthe',
  'weekend',
  'interviewpotomac',
  'podcastforeign',
  'edition',
  'podcastfree',
  'expression',
  'podcastopinion',
  'videonotable',
  'quotablebooks',
  'artsreviewsfilmtelevisiontheatermasterpiece',
  'seriesmusicdanceoperaexhibitioncultural',
  'commentaryartarchitecturesectionsartsbooksmorewsj',
  'puzzleswhat',
  'watcharts',
  'calendarreal',
  'real',
  'estatemorereal',
  'estate',
  'videolife',
  'worksectionscarscareersfood',
  'drinkhome',
  'designideaspersonal',
  'financerecipestravelwellnesscolumnsyour',
  'healthwork',
  'lifecarry',
  'onbondsturning',
  'pointson',
  'clockmorewsj',
  'puzzlesspace',
  'sciencestylesectionslifestylefashionfilmtelevisionmusicart',
  'monday',
  'morningoff',
  'brandon',
  'trendsportssectionsbaseballbasketballfootballgolfhockeyolympicssoccertenniscolumnsjason',
  'gaysearchsearch',
  'foundwe',
  'page',
  'url',
  'browser',
  'page',
  'site',
  'search',
  'articles',
  'u.s.hunter',
  'biden',
  'tax',
  'charges',
  'u.s.',
  'economyfed',
  'set',
  'rate',
  'year',
  'u.s.',
  'economyfederal',
  'reserve',
  'interest',
  'rate',
  'year',
  'highpopular',
  'videosvideo',
  'center',
  'na',
  'natpkgcongress',
  'ufo',
  'expert',
  'uaps',
  'pose',
  'potential',
  'national',
  'security',
  'threat',
  'na',
  'sothunter',
  'biden',
  'tax',
  'charge',
  'delaware',
  'federal',
  'courtlatest',
  'podcastspodcast',
  'centeropinion',
  'potomac',
  'watchamerica',
  'broken',
  'immigration',
  'law',
  'court',
  'againthe',
  'wall',
  'street',
  'journal',
  'google',
  'news',
  'updatefed',
  'rate',
  'year',
  'highwhat',
  'newsfed',
  'rate',
  'year',
  'highthe',
  'wall',
  'street',
  'journalenglish',
  'editionenglish中文',
  'chinese)日本語',
  'wsj',
  'membershipbuy',
  'exclusivessubscription',
  'optionswhy',
  'subscribe?corporate',
  'subscriptionswsj',
  'higher',
  'education',
  'programwsj',
  'high',
  'school',
  'programpublic',
  'library',
  'programwsj',
  'livecommercial',
  'partnershipscustomer',
  'servicecustomer',
  'centercontact',
  'uscancel',
  'subscriptiontools',
  'featuresnewsletters',
  'alertsguidestopicsmy',
  'newsrss',
  'feedsvideo',
  'real',
  'estate',
  'adsplace',
  'classified',
  'adsell',
  'businesssell',
  'homerecruitment',
  'career',
  'adscouponsdigital',
  'self',
  'servicemoreabout',
  'uscontent',
  'partnershipscorrectionsjobs',
  'archiveregister',
  'freereprints',
  'licensingbuy',
  'issueswsj',
  'shopfacebooktwitterinstagramyoutubepodcastssnapchatgoogle',
  'playapp',
  'storedow',
  'jones',
  "productsbarron'sbigchartsdow",
  'jones',
  'newswiresfactivafinancial',
  'newsmansion',
  'globalmarketwatchrisk',
  'compliancebuy',
  'wsjwsj',
  'prowsj',
  'wineupdated',
  'privacy',
  'noticeupdated',
  'cookie',
  'noticecopyright',
  'policydata',
  'policysubscriber',
  'agreement',
  'terms',
  'useyour',
  'ad',
  'choicesaccessibilitycopyright',
  'dow',
  'jones',
  'company',
  'inc.',
  'rights'],
 ['contentskip',
  'site',
  "footerdon't",
  'miss',
  'hall',
  'pass',
  'cash',
  'demandcareersbert',
  'analysisdownload',
  'applisten',
  'alexasign',
  'newsletterhomesioux',
  'falls',
  'teambert',
  'remienlistenshow',
  'schedulelisten',
  'livelisten',
  'mobile',
  'appespn',
  'sioux',
  'falls',
  'demandlisten',
  'alexalisten',
  'google',
  'homehow',
  'espn',
  'sioux',
  'falls',
  'homethe',
  'espn',
  'sioux',
  'falls',
  'mobile',
  'appdownload',
  'androidwin',
  'stuffhall',
  'pass',
  'cash',
  'prepaid',
  'visa',
  'gift',
  'wincontest',
  'rulessportscontact',
  'ushelp',
  'contact',
  'inforesults',
  'townsquare',
  'media',
  'jobssend',
  'feedbackadvertise',
  'usmorehomesioux',
  'falls',
  'teambert',
  'remienlistenshow',
  'schedulelisten',
  'livelisten',
  'mobile',
  'appespn',
  'sioux',
  'falls',
  'demandlisten',
  'alexalisten',
  'google',
  'homehow',
  'espn',
  'sioux',
  'falls',
  'homethe',
  'espn',
  'sioux',
  'falls',
  'mobile',
  'appdownload',
  'androidwin',
  'stuffhall',
  'pass',
  'cash',
  'prepaid',
  'visa',
  'gift',
  'wincontest',
  'rulessportscontact',
  'ushelp',
  'contact',
  'inforesults',
  'townsquare',
  'media',
  'jobssend',
  'feedbackadvertise',
  'usvisit',
  'youtubevisit',
  'facebookvisit',
  'twittervisit',
  'instagraminstagram8',
  'disaster',
  'south',
  'dakotadave',
  'robertsdave',
  'robertsupdated',
  'february',
  'canvashare',
  'facebookshare',
  'twitterin',
  'south',
  'dakota',
  'season',
  'glory',
  'limit',
  'prehistory',
  'today',
  'south',
  'dakota',
  'tornado',
  'flood',
  'blizzard',
  'fire',
  'mobile',
  'apphow',
  'weather',
  'friend',
  'state',
  'weather',
  'disaster',
  'south',
  'dakota:1998',
  'spencer',
  'tornadowith',
  'destruction',
  'mile',
  'f4',
  'tornado',
  'community',
  'people',
  'tornado',
  'south',
  'dakota',
  'history',
  'missouri',
  'river',
  'flooding',
  'record',
  'snowfall',
  'rocky',
  'mountains',
  'south',
  'dakota',
  'receiving',
  'end',
  'runoff',
  'flooding',
  'loss',
  'home',
  'property',
  'appliance',
  'vehicle',
  'missouri',
  'river',
  'downstream',
  'state',
  'grizzly',
  'gulch',
  'firethe',
  'black',
  'hills',
  'share',
  'fire',
  'scar',
  'fire',
  'reminder',
  'beauty',
  'grizzly',
  'gulch',
  'fire',
  'city',
  'lead',
  'deadwood',
  'day',
  'acre',
  'cost',
  'schoolhouse',
  'blizzard',
  'children',
  'blizzard',
  'child',
  'school',
  'winter',
  'storm',
  'midwest',
  'archive',
  'national',
  'weather',
  'service',
  'dakota',
  'territory',
  'minnesota',
  'nebraska',
  'iowa',
  'snow',
  'foot',
  'degree',
  'temp',
  'mph',
  'wind',
  'storm',
  'life',
  'ice',
  'storm',
  '2013here',
  'sioux',
  'falls',
  'icepocalypse',
  'spring',
  'ice',
  'storm',
  'area',
  'standstill',
  'path',
  'inch',
  'ice',
  'powerline',
  'city',
  'area',
  'neighborhood',
  'war',
  'zone',
  'black',
  'hills',
  'flood',
  'inch',
  'rain',
  'hour',
  'city',
  'rapid',
  'city',
  'day',
  'summer',
  'dam',
  'box',
  'elder',
  'creek',
  'rapid',
  'city',
  'mayor',
  'don',
  'barnett',
  'evacuation',
  'area',
  'canyon',
  'lake',
  'dam',
  'flood',
  'water',
  'rapid',
  'city.15',
  'inch',
  'rain',
  'nemo',
  'sheridan',
  'lakewater',
  'foot',
  'minutes238',
  'people',
  'death',
  'keystone3,000',
  'people',
  'injured.1,335',
  'home',
  'automobile',
  'destroyedblizzard',
  'blizzard',
  'south',
  'dakota',
  'interstate',
  'travel',
  'mph',
  'wind',
  'foot',
  'drift',
  'farmer',
  'rancher',
  'livestock',
  'loss',
  'delmont',
  'tornadothe',
  'national',
  'weather',
  'service',
  'storm',
  'survey',
  'delmont',
  'tornado',
  'ef-2',
  'mother',
  'day',
  'southeast',
  'south',
  'dakota',
  'community',
  'year',
  'church',
  'fire',
  'station',
  'people',
  'injury',
  'trending',
  'result',
  'townsquare',
  'media',
  'fallsanswer',
  'south',
  'dakota',
  'questionssmart',
  'south',
  'dakota',
  'student',
  'popular',
  'tv',
  'showthe',
  'iconic',
  'south',
  'dakota',
  'iowa',
  'minnesota',
  'food',
  'challengesthe',
  'time',
  'town',
  'south',
  'sioux',
  'falls',
  'disappearedlook',
  'phenomenon',
  'americafrom',
  'fire',
  'rainbow',
  'bay',
  'america',
  'home',
  'phenomenon',
  'stacker',
  'list',
  'phenomenon',
  'u.s.filed',
  'black',
  'hills',
  'grizzly',
  'gulch',
  'fire',
  'delmont',
  'south',
  'dakota',
  'tornado',
  'disaster',
  'south',
  'dakota',
  'rapid',
  'city',
  'south',
  'dakota',
  'flood',
  'south',
  'dakota',
  'south',
  'dakota',
  'blizzard',
  'south',
  'dakota',
  'ice',
  'storm',
  'south',
  'dakota',
  'missouri',
  'river',
  'flooding',
  'spencer',
  'south',
  'dakota',
  'tornado',
  'weather',
  'disasterscategorie',
  'articles',
  'newsletter',
  'espn',
  'south',
  'dakotacommentsleave',
  'commentmore',
  'ksoo',
  'espn',
  'sioux',
  'fallsexcessive',
  'heat',
  'blanket',
  'south',
  'dakota',
  'minnesota',
  'iowa',
  'nebraskaexcessive',
  'heat',
  'blanket',
  'south',
  'dakota',
  'minnesota',
  'iowa',
  'nebraskadoes',
  'sweet',
  'corn',
  'iowa',
  'number',
  'rows',
  'ear?doe',
  'sweet',
  'corn',
  'iowa',
  'number',
  'rows',
  'delicious',
  'walmart',
  'dessert',
  'competes',
  'costcoyum',
  'delicious',
  'walmart',
  'dessert',
  'competes',
  'costcounbelievable',
  '!',
  'triple',
  'play',
  'years[vide0]unbelievable',
  'triple',
  'play',
  'years[vide0]cool',
  'aquatic',
  'parks',
  'sioux',
  'falls',
  'minnesota',
  'iowacool',
  'aquatic',
  'parks',
  'sioux',
  'falls',
  'minnesota',
  'iowaminnesota',
  'twins',
  'seattle',
  'mash',
  'dingers',
  'comeback',
  'winminnesota',
  'twins',
  'seattle',
  'mash',
  'dingers',
  'comeback',
  'winsan',
  'diego',
  'chargers',
  'sign',
  'justin',
  'herbert',
  'year',
  'dealsan',
  'diego',
  'chargers',
  'sign',
  'justin',
  'herbert',
  'year',
  'dealhawkeye',
  'star',
  'favorite',
  'defensive',
  'player',
  'yearhawkeye',
  'star',
  'favorite',
  'defensive',
  'player',
  'year‘overtime',
  'bert',
  'remien',
  'sioux',
  'falls',
  'sports',
  'bert',
  'remien',
  'sioux',
  'falls',
  'sports',
  'equal',
  'employment',
  'opportunity',
  'public',
  'file',
  'reportmarketing',
  'advertising',
  'solutionspublic',
  'fileneed',
  'assistancefcc',
  'applicationsreport',
  'rulesprivacy',
  'policyaccessibility',
  'statementexercise',
  'data',
  'rightscontactsioux',
  'falls',
  'business',
  'listingsfollow',
  'usvisit',
  'youtubevisit',
  'facebookvisit',
  'twittervisit',
  'instagram2023',
  'espn',
  'sioux',
  'falls',
  'townsquare',
  'media',
  'inc.',
  'right'],
 ['court',
  'lori',
  'vallow',
  'motion',
  'tammy',
  'daybell',
  'aunt',
  'statement',
  'sentencing',
  'document',
  'bonner',
  'county',
  'fairgrounds',
  'director',
  'life',
  'embezzlement',
  'investigation',
  'cool',
  'tonight',
  'temperature',
  'weekend',
  'gov.',
  'inslee',
  'emergency',
  'proclamation',
  'douglas',
  'grant',
  'county',
  'weather',
  'wind',
  'storm',
  'washington',
  'tuesday',
  'night',
  'high',
  'wind',
  'warning',
  'palouse',
  'seattle',
  'area',
  'tuesday',
  'pacific',
  'northwest',
  'wind',
  'storm',
  'example',
  'video',
  'title',
  'video',
  'pm',
  'pst',
  'december',
  'pm',
  'pst',
  'december',
  'spokane',
  'wash.',
  'pressure',
  'region',
  'coast',
  'washington',
  'wind',
  'state',
  'impact',
  'spokane',
  'pullman',
  'area',
  'wind',
  'palouse',
  'se',
  'washington',
  'pm',
  'tues',
  'd.',
  'wind',
  'mph',
  'forecast',
  'tree',
  'damage',
  'power',
  'outage',
  'wawx',
  'kremweather',
  'pic.twitter.com/u7vgijla9y',
  'thomas',
  'patrick',
  'december',
  'wind',
  'warning',
  'pullman',
  'washington',
  'p.m.',
  'tuesday',
  'a.m.',
  'wednesday',
  'height',
  'storm',
  'wind',
  'gust',
  'mph',
  'tree',
  'damage',
  'power',
  'outage',
  'spokane',
  'coeur',
  "d'alene",
  'washington',
  'wind',
  'advisory',
  'wind',
  'mph',
  'tree',
  'branch',
  'chance',
  'power',
  'outage',
  'wind',
  'gust',
  'mph',
  'noon',
  'tuesday',
  'day',
  'peak',
  'storm',
  'p.m.',
  'tuesday',
  'night',
  'wind',
  'mph',
  'afternoon',
  'wednesday',
  'storm',
  'center',
  'washington',
  'north',
  'portland',
  'pm',
  'tuesday',
  'acceleration',
  'wind',
  'pressure',
  'center',
  'quadrant',
  'point',
  'attack',
  'wind',
  'gust',
  'tuesday',
  'corridor',
  'portland',
  'pullman',
  'wind',
  'gust',
  'wind',
  'warning',
  'effect',
  'seattle',
  'a.m.',
  'wednesday',
  'portland',
  'p.m.',
  'tuesday',
  'winter',
  'storm',
  'death',
  'power',
  'outage',
  'snow',
  'crew',
  'roadway',
  'spokane',
  'county',
  'resident',
  'storm',
  'eeo',
  'public',
  'file',
  'report',
  'fcc',
  'online',
  'public',
  'inspection',
  'file',
  'closed',
  'caption',
  'procedure',
  'information',
  'krem',
  'tv',
  'rights',
  'notification',
  'news',
  'weather',
  'notification',
  'browser',
  'setting'],
 ['huntsville',
  'madison',
  'decatur',
  'athens',
  'shoals',
  'northwest',
  'alabama',
  'northeast',
  'alabama',
  'alabama',
  'news',
  'tennessee',
  'news',
  'bbb',
  'consumer',
  'alerts',
  'national',
  'stem',
  'artemis',
  'covid-19',
  'washington',
  'dc',
  'bureau',
  'politics',
  'hill',
  'border',
  'report',
  'automotive',
  'news',
  'forecast',
  'discussion',
  'interactive',
  'radar',
  'generac',
  'superstore',
  'day',
  'forecast',
  'maps',
  'radar',
  'mr.',
  'electric',
  'camera',
  'network',
  'weather',
  'wednesday',
  'bus',
  'stop',
  'forecast',
  'gulf',
  'coast',
  'forecast',
  'weather',
  'closings',
  'delays',
  'warnings',
  'photo',
  'galleries',
  'live',
  'alert',
  'app',
  'traffic',
  'sec',
  'media',
  'days',
  'key',
  'athlete',
  'week',
  'trash',
  'pandas',
  'havoc',
  'nfl',
  'draft',
  'alabama',
  'auburn',
  'watch',
  'whnt',
  'whdf',
  'newscasts',
  'whnt',
  'video',
  'center',
  'breaking',
  'news',
  'coverage',
  'talk',
  'valley',
  'noon',
  'interviews',
  'whnt',
  'north',
  'alabama',
  'cw',
  'program',
  'schedule',
  'traffic',
  'cbs',
  'news',
  'live',
  'feed',
  'captioning',
  'info',
  'story',
  'leadership',
  'perspectives',
  'school',
  'share',
  'community',
  'calendar',
  'mr.',
  'food',
  'test',
  'kitchen',
  'heroes',
  'living',
  'life',
  'adopt',
  'pet',
  'bestreviews',
  'bestreviews',
  'daily',
  'deals',
  'contests',
  'news',
  'team',
  'whnt',
  'news',
  'sales',
  'team',
  'broadcast',
  'digital',
  'news',
  'app',
  'advertise',
  'regional',
  'news',
  'partners',
  'bestreviews',
  'personal',
  'information',
  'work',
  'job',
  'post',
  'job',
  'photo',
  'storm',
  'damage',
  'flooding',
  'tennessee',
  'valley',
  'mar',
  'cst',
  'mar',
  'pm',
  'cst',
  'mar',
  'cst',
  'mar',
  'pm',
  'cst',
  'whnt',
  'report',
  'damage',
  'tennessee',
  'valley',
  'storm',
  'area',
  'home',
  'short',
  'track',
  'drive',
  'new',
  'market',
  'wednesday',
  'night',
  'storm',
  'home',
  'majority',
  'roof',
  'crew',
  'national',
  'weather',
  'service',
  'nws',
  'home',
  'damage',
  'tornado',
  'photo',
  'short',
  'track',
  'drive',
  'new',
  'market',
  'photo',
  'short',
  'track',
  'drive',
  'new',
  'market',
  'photo',
  'short',
  'track',
  'drive',
  'new',
  'market',
  'photo',
  'short',
  'track',
  'drive',
  'new',
  'market',
  'photo',
  'short',
  'track',
  'drive',
  'new',
  'market',
  'news',
  'kayla',
  'smith',
  'homeowner',
  'news',
  'morning',
  'experience',
  'storm',
  'home',
  'interview',
  'mill',
  'creek',
  'madison',
  'flash',
  'flooding',
  'rain',
  'mill',
  'creek',
  'madison',
  'photo',
  'vann',
  'jones',
  'mill',
  'creek',
  'madison',
  'video',
  'vann',
  'jones',
  'north',
  'alabama',
  'old',
  'highway',
  'colbert',
  'county',
  'flooding',
  'area',
  'sky19',
  'photo',
  'old',
  'highway',
  'colbert',
  'county',
  'sky19',
  'photo',
  'old',
  'highway',
  'colbert',
  'county',
  'sky19',
  'photo',
  'old',
  'highway',
  'colbert',
  'county',
  'damage',
  'damage',
  'form',
  'information',
  'damage',
  'interactive@whnt.com',
  'date',
  'news',
  'weather',
  'authority',
  'information',
  'weather',
  'date',
  'livealert',
  'app',
  'typo',
  'error(required',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'amazon',
  'school',
  'deal',
  'schooler',
  'school',
  'corner',
  'amazon',
  'supply',
  'school',
  'deal',
  'supply',
  'schooler',
  'august',
  'vegetable',
  'flower',
  'flower',
  'plant',
  'hour',
  'soil',
  'air',
  'temperature',
  'sunshine',
  'august',
  'month',
  'planting',
  'chemical',
  'guys',
  'kit',
  'car',
  'car',
  'care',
  'hour',
  'chemical',
  'guys',
  'car',
  'wash',
  'kit',
  'time',
  'deal',
  'thank',
  'inbox',
  'thank',
  'inbox',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'russia',
  'un',
  'meeting',
  'soldier',
  'niger',
  'biden',
  'relief',
  'heat',
  'transgender',
  'intersex',
  'people',
  'biden',
  'prime',
  'minister',
  'trump',
  'jan.',
  'rioter',
  'pastor',
  'life',
  'bystander',
  'police',
  'north',
  'alabama',
  'fire',
  'departments',
  'set',
  'pastor',
  'life',
  'innocent',
  'bystander',
  'track',
  'club',
  'funds',
  'junior',
  'olympics',
  'origami',
  'garden',
  'huntsville',
  'botanical',
  'garden',
  'cardiac',
  'arrest',
  'prevention',
  'act',
  'effect',
  'huntsville',
  'botanical',
  'garden',
  'weather',
  'wednesday',
  'resident',
  'apartment',
  'access',
  'evacuation',
  'dr.',
  'jan',
  'davis',
  'space',
  'rocket',
  'center',
  'northwest',
  'shoals',
  'community',
  'college',
  'resource',
  'center',
  'una',
  'ra',
  'assault',
  'july',
  'traffic',
  'research',
  'park',
  'crash',
  '',
  '',
  'tennessee',
  'truth',
  'sentencing',
  'law',
  'july',
  'fort',
  'payne',
  'police',
  'boy',
  'northeast',
  'alabama',
  'hour',
  'lawsuit',
  'church',
  'highlands',
  'pastor',
  'leader',
  'alabama',
  'news',
  'hour',
  'pound',
  'weed',
  'pound',
  'coke',
  'connection',
  'rock',
  'south',
  'assault',
  'alabama',
  'news',
  'hour',
  'decatur',
  'man',
  'child',
  'porn',
  'material',
  'click',
  'photo',
  'gift',
  'summer',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'home',
  'depot',
  'foot',
  'skeleton',
  'halloween',
  'deal',
  'day',
  'prime',
  'day',
  'favorite',
  'amazon',
  'essentials',
  'clothe',
  'thank',
  'inbox',
  'fort',
  'payne',
  'police',
  'boy',
  'lawsuit',
  'church',
  'highlands',
  'pastor',
  'leader',
  'pound',
  'weed',
  'pound',
  'coke',
  'connection',
  'rock',
  'south',
  'assault',
  'decatur',
  'man',
  'child',
  'porn',
  'material',
  'carlee',
  'russell',
  'attorney',
  'charge',
  'taco',
  'bell',
  'murder',
  'suspect',
  'pastor',
  'life',
  'bystander',
  'police',
  'fort',
  'payne',
  'police',
  'boy',
  'northeast',
  'alabama',
  'hour',
  'meteorologist',
  'danielle',
  'dozier',
  'botanical',
  'weather',
  'wednesday',
  'hour',
  'whnt',
  'online',
  'public',
  'file',
  'whdf',
  'online',
  'public',
  'file',
  'whnt',
  'eeo',
  'whdf',
  'eeo',
  'public',
  'file',
  'fcc',
  'applications',
  'android',
  'app',
  'google',
  'play',
  'android',
  'weather',
  'app',
  'google',
  'play',
  'personal',
  'information',
  'personal',
  'information',
  'nexstar',
  'media',
  'inc.',
  'rights'],
 ['contentsearchshopgamespuzzlesactionfunny',
  'fill',
  'invideosamazing',
  'animalsweird',
  'true!party',
  'animalstry',
  'this!animalsmammalsbirdsprehistoricreptilesamphibiansinvertebratesfishexplore',
  'statesweird',
  'true!subscribemenutornadoe',
  'oklahoma',
  'form',
  'air',
  'air',
  'photograph',
  'john',
  'finney',
  'photography',
  'getty',
  'imagesplease',
  'copyright',
  'use',
  'tornadoesfind',
  'twister',
  'bylaura',
  'goertzela',
  'greenish',
  'tinge',
  'sky',
  'storm',
  'cloud',
  'wind',
  'cat',
  'couch',
  'dog',
  'tornado',
  'twister',
  'tornado',
  'funnel',
  'column',
  'air',
  'thundercloud',
  'way',
  'ground',
  'wind',
  'tornado',
  'mile',
  'hour',
  'race',
  'car',
  'gust',
  'building',
  'bridge',
  'train',
  'car',
  'bark',
  'tree',
  'water',
  'riverbed',
  'tornado',
  'saint',
  'louis',
  'missouri',
  'home',
  'thousand',
  'power',
  'injury',
  'storm',
  'advance',
  'warning',
  'people',
  'time',
  'safety.photograph',
  'gino',
  'santa',
  'maria',
  'shutterstockplease',
  'copyright',
  'use',
  'tornado',
  'planet',
  'united',
  'states',
  'world',
  'strength',
  'number',
  'storm',
  'twister',
  'year',
  'argentina',
  'bangladesh',
  'u.s.',
  'storm',
  'system',
  'death',
  'year',
  'damage',
  'tornado',
  'air',
  'air',
  'air',
  'air',
  'updraft',
  'change',
  'wind',
  'direction',
  'photographer',
  'image',
  'twister',
  'strength',
  'wray',
  'colorado',
  'photograph',
  'cammie',
  'czuchnicki',
  'shutterstockplease',
  'copyright',
  'use',
  'wind',
  'thunderstorm',
  'speed',
  'direction',
  'updraft',
  'updraft',
  'air',
  'thunderstorm',
  'rotation',
  'speed',
  'increase',
  'funnel',
  'cloud',
  'twister',
  'strength',
  'funnel',
  'funnel',
  'dirt',
  'debris',
  'rotation',
  'ground',
  'tornado',
  'supercell',
  'scientist',
  'thunderstorm',
  'wind',
  'rotation',
  'thunderstorm',
  'supercell',
  'supercell',
  'tornado',
  'lightning',
  'form',
  'severy',
  'kansas',
  'tornado',
  'area',
  'photograph',
  'gavin',
  'adobe',
  'stockplease',
  'copyright',
  'use',
  'power',
  'tornado',
  'minute',
  'hour',
  'twister',
  'ground',
  'cloud',
  'tri',
  'state',
  'tornado',
  'record',
  'time',
  'distance',
  'tornado',
  'state',
  'missouri',
  'illinois',
  'indiana',
  'tornado',
  'half',
  'hour',
  'mile',
  'tri',
  'state',
  'tornado',
  'length',
  'path',
  'destruction',
  'minute',
  'twister',
  'town',
  'illinois.photograph',
  'science',
  'history',
  'images',
  'alamyplease',
  'copyright',
  'use',
  'tornado',
  'formalthough',
  'tornado',
  'u.s.',
  'state',
  'form',
  'region',
  'tornado',
  'alley',
  'zone',
  'midwest',
  'texas',
  'ohio',
  'iowa',
  'kansas',
  'south',
  'dakota',
  'oklahoma',
  'nebraska',
  'state',
  'path',
  'air',
  'gulf',
  'mexico',
  'air',
  'rocky',
  'mountains',
  'airstreams',
  'meet',
  'tornado',
  'storm',
  'time',
  'year',
  'tornado',
  'season',
  'texas',
  'oklahoma',
  'kansas',
  'june',
  'north',
  'south',
  'dakota',
  'nebraska',
  'iowa',
  'minnesota',
  'tornado',
  'june',
  'july',
  'tracking',
  'tornadoesduring',
  'thunderstorm',
  'meteorologist',
  'weather',
  'satellite',
  'weather',
  'balloon',
  'buoy',
  'datum',
  'wind',
  'speed',
  'temperature',
  'datum',
  'supercomputer',
  'scientist',
  'twister',
  'researcher',
  'weather',
  'balloon',
  'norman',
  'oklahoma',
  'storm',
  'instrument',
  'balloon',
  'time',
  'datum',
  'wind',
  'temperature',
  'humidity',
  'photograph',
  'christiaan',
  'patterson',
  'ou',
  'cimms',
  'noaanssl',
  'noaaplease',
  'copyright',
  'use',
  'weather',
  'condition',
  'tornado',
  'expert',
  'tornado',
  'watch',
  'region',
  'county',
  'state',
  'tornado',
  'way',
  'meteorologist',
  'watch',
  'people',
  'tornado',
  'weather',
  'radar',
  'scientist',
  'tornado',
  'area',
  'town',
  'city',
  'people',
  'cover',
  'expert',
  'area',
  'storm',
  'vehicle',
  'science',
  'equipment',
  'measure',
  'thing',
  'temperature',
  'humidity',
  'air',
  'pressure',
  'meteorologist',
  'weather',
  'service',
  'headquarters',
  'information',
  'tornado',
  'chaser',
  'scientist',
  'science',
  'tornado',
  'storm',
  'scientist',
  'truck',
  'datum',
  'strength',
  'location',
  'roof',
  'rack',
  'windshield',
  'cage',
  'vehicle',
  'modification',
  'equipment',
  'people',
  'photograph',
  'nssl',
  'noaaplease',
  'copyright',
  'use',
  'thank',
  'tool',
  'meteorologist',
  'tornado',
  'people',
  'twister',
  'path',
  'time',
  'shelter',
  'instance',
  '1980',
  'people',
  'minute',
  'warning',
  'tornado',
  'hit',
  '2000',
  'warning',
  'time',
  'minute',
  'tornadobefore',
  'weather',
  'report',
  'tornado',
  'warnings.•',
  'windows.•',
  'room',
  'basement',
  'room',
  'center',
  'house',
  'apartment',
  'building',
  'wall',
  'window',
  'window',
  'closet',
  'bathroom',
  'room',
  'blanket',
  'pillow',
  'sleeping',
  'bag',
  'family',
  'emergency',
  'kit',
  'water',
  'food',
  'flashlight',
  'radio).•',
  'emergency',
  'safety',
  'plan',
  'trailer',
  'home',
  'tornado•',
  'stay',
  'attempt',
  'window',
  'tornado',
  'injury',
  'debris',
  'window',
  'pillow',
  'blanket',
  'sleeping',
  'bag',
  'piece',
  'furniture',
  'table',
  'head',
  'neck',
  'arms.•',
  'shelter',
  'ditch',
  'gulley',
  'piece',
  'ground',
  'tree',
  'car',
  'head',
  'neck',
  'arm',
  'bridge',
  'tornado•',
  'shelter',
  'authority',
  'ok',
  'instructions.•',
  'debris',
  'tornado',
  'report',
  'place',
  'tornado',
  'national',
  'geographic',
  'tornado',
  'safety',
  'tip',
  'nat',
  'geo',
  'kids',
  'book',
  'extreme',
  'weather',
  'thomas',
  'kostigen',
  'rachel',
  'buchholzlegalterm',
  'useprivacy',
  'policyyour',
  'california',
  'privacy',
  'rightschildren',
  'online',
  'privacy',
  'policyinterest',
  'adsabout',
  'nielsen',
  'measurementdo',
  'infoour',
  'sitesnational',
  'geographicnational',
  'geographic',
  'educationshop',
  'nat',
  'geocustomer',
  'servicejoin',
  'subscription',
  'copyright',
  'national',
  'geographic',
  'societycopyright',
  'national',
  'geographic',
  'partners',
  'llc',
  'right'],
 ['livenewsweathergood',
  'expand',
  'collapse',
  'search',
  '☰',
  'search',
  'site',
  'news',
  'philadelphiapennsylvanianew',
  'jerseydelawaremore',
  'newsnational',
  'newsworld',
  'newsfox',
  'news',
  'sundayweather',
  'day',
  'forecastclosingsfox',
  'weatherradartemperatureswatche',
  'warningsweather',
  'appgood',
  'day',
  'digest',
  'newsletterkelly',
  'classroomtrafficwatch',
  'liveya',
  'thisseen',
  'tvsports',
  'fifa',
  'women',
  'world',
  'cupeaglesflyersphillies76ersunionfox',
  'sports',
  'appentertainment',
  'showsthe',
  'classh',
  'roomthings',
  'fox',
  'showswatch',
  'streamnewscasts',
  'replayslivenow',
  'foxnew',
  'specialswebcamsfox',
  'mattersfox',
  'originals',
  'black',
  'history',
  'monthhank',
  'takein',
  'focuskelly',
  'drivesour',
  'race',
  'realitysave',
  'streetsthe',
  'pulsehealth',
  'coronaviruscoronavirus',
  'mapcoronavirus',
  'vaccinedr',
  'mikehealth',
  'careopioid',
  'epidemicpolitics',
  'electioninauguration',
  'dayjoe',
  'bidenkamala',
  'harrisdonald',
  'j.',
  'trumpphilly',
  'city',
  'councilmoney',
  'businesscashing',
  'news',
  'fox',
  'appnew',
  'jersey',
  'news',
  'my9njnew',
  'york',
  'news',
  'fox',
  'nywashington',
  'dc',
  'news',
  'fox',
  'dcabout',
  'appscontact',
  'usfcc',
  'applicationshow',
  'listingswork',
  'heat',
  'watch',
  'fri',
  'edt',
  'fri',
  'pm',
  'edt',
  'delaware',
  'county',
  'eastern',
  'chester',
  'county',
  'eastern',
  'montgomery',
  'county',
  'lower',
  'bucks',
  'county',
  'philadelphia',
  'county',
  'camden',
  'county',
  'gloucester',
  'county',
  'mercer',
  'county',
  'northwestern',
  'burlington',
  'county',
  'somerset',
  'county',
  'new',
  'castle',
  'county',
  'heat',
  'advisory',
  'thu',
  'pm',
  'edt',
  'fri',
  'pm',
  'edt',
  'lancaster',
  'county',
  'lebanon',
  'county',
  'heat',
  'advisory',
  'thu',
  'edt',
  'fri',
  'edt',
  'delaware',
  'county',
  'eastern',
  'chester',
  'county',
  'eastern',
  'montgomery',
  'county',
  'lower',
  'bucks',
  'county',
  'philadelphia',
  'county',
  'camden',
  'county',
  'gloucester',
  'county',
  'mercer',
  'county',
  'northwestern',
  'burlington',
  'county',
  'somerset',
  'county',
  'new',
  'castle',
  'county',
  'heat',
  'advisory',
  'thu',
  'edt',
  'fri',
  'pm',
  'edt',
  'berks',
  'county',
  'lehigh',
  'county',
  'northampton',
  'county',
  'upper',
  'bucks',
  'county',
  'western',
  'chester',
  'county',
  'western',
  'montgomery',
  'county',
  'atlantic',
  'county',
  'cape',
  'county',
  'cumberland',
  'county',
  'salem',
  'county',
  'southeastern',
  'burlington',
  'county',
  'warren',
  'county',
  'hunterdon',
  'county',
  'ocean',
  'county',
  'warren',
  'county',
  'kent',
  'county',
  'inland',
  'sussex',
  'county',
  'tornado',
  'sussex',
  'county',
  'storm',
  'mile',
  'path',
  'destruction',
  'kelly',
  'rule',
  'fox',
  'staff',
  'april',
  'april',
  'delaware',
  'fox',
  'philadelphia',
  'share',
  'copy',
  'link',
  'email',
  'facebook',
  'twitter',
  'linkedin',
  'reddit',
  'sussex',
  'county',
  'delaware',
  'family',
  'death',
  'man',
  'saturday',
  'tornado',
  'outbreak',
  'tornado',
  'sussex',
  'county',
  'family',
  'death',
  'man',
  'storm',
  'sussex',
  'county',
  'del.',
  'man',
  'saturday',
  'evening',
  'storm',
  'aim',
  'delaware',
  'national',
  'weather',
  'service',
  'tornado',
  'sussex',
  'county',
  'delaware',
  'storm',
  'damage',
  'route',
  'greenwood',
  'bridgeville',
  'coverage',
  'nws',
  'tornado',
  'n.j.',
  'storm',
  'destruction',
  'delaware',
  'valley',
  'official',
  'man',
  'house',
  'sussex',
  'county',
  'storm',
  'tornado',
  'sunday',
  'family',
  'member',
  'home',
  'home',
  'generation',
  'home',
  'area',
  'damage',
  'family',
  'joe',
  'hubert',
  'dinner',
  'wife',
  'family',
  'minute',
  'greenwood',
  'phone',
  'tornado',
  'god',
  'tree',
  'toothpick',
  'tree',
  'brand',
  'year',
  'home',
  'owens',
  'road',
  'corner',
  'home',
  'roof',
  'home',
  'door',
  'direction',
  'damage',
  'tuckers',
  'road',
  'neighbor',
  'roof',
  'window',
  'image',
  '▼',
  'coverage',
  'car',
  'fire',
  'north',
  'philadelphia',
  'saturday',
  'storm',
  'wire',
  'power',
  'official',
  'tornado',
  'mile',
  'path',
  'destruction',
  'bridgeville',
  'ellendale',
  'dozen',
  'home',
  'county',
  'home',
  'fawn',
  'road',
  'toilet',
  'home',
  'refrigerator',
  'reaction',
  'life',
  'delaware',
  'governor',
  'john',
  'carney',
  'tornado',
  'camera',
  'sussex',
  'county',
  'emergency',
  'operations',
  'center',
  'funnel',
  'sky',
  'saturday',
  'evening',
  'video',
  'tornado',
  'man',
  'sussex',
  'county',
  'tornado',
  'video',
  'cloud',
  'official',
  'tornado',
  'man',
  'house',
  'sussex',
  'county',
  'church',
  'hand',
  'rest',
  'resident',
  'jonathan',
  'tharp',
  'hour',
  'shift',
  'tree',
  'company',
  'tharp',
  'time',
  'people',
  'tharp',
  'wife',
  'picture',
  'rainbow',
  'storm',
  'roof',
  'roofing',
  'company',
  'charge',
  'hubert',
  'sussex',
  'county',
  'reaction',
  'life',
  'delaware',
  'governor',
  'john',
  'carney',
  'american',
  'red',
  'cross',
  'dhss',
  'office',
  'preparedness',
  'official',
  'time',
  'tornado',
  'delaware',
  'news',
  'alicia',
  'navarro',
  'arizona',
  'girl',
  'montana',
  'pd',
  'video',
  'gunshot',
  'south',
  'philly',
  'ambush',
  'shooting',
  'home',
  'security',
  'camera',
  'police',
  'man',
  'argument',
  'septa',
  'market',
  'frankford',
  'line',
  'train',
  'change',
  'wildwood',
  'city',
  'commission',
  'rule',
  'teen',
  'family',
  'vigil',
  'logan',
  'boy',
  'fishing',
  'trip',
  'father',
  'brother',
  'trending',
  'philadelphia',
  'eviction',
  'landlord',
  'tenant',
  'officer',
  'incident',
  'philly',
  'rapper',
  'yng',
  'cheese',
  'rest',
  'shooting',
  'mom',
  'ambush',
  'street',
  'philly',
  'park',
  'video',
  'crowd',
  'police',
  'philadelphia',
  'gas',
  'station',
  'parking',
  'lot',
  'car',
  'meetup',
  'philly',
  'park',
  'litter',
  'visitor',
  'daily',
  'newsletter',
  'news',
  'day',
  'sign',
  'privacy',
  'policy',
  'terms',
  'service',
  'fox',
  'youtube',
  'app',
  'fox',
  'philadelphia',
  'fox',
  'local',
  'click',
  'news',
  'philadelphiapennsylvanianew',
  'jerseydelawaremore',
  'newsnational',
  'newsworld',
  'newsfox',
  'news',
  'sundayweather',
  'day',
  'forecastclosingsfox',
  'weatherradartemperatureswatche',
  'warningsweather',
  'appgood',
  'day',
  'digest',
  'newsletterkelly',
  'classroomtrafficwatch',
  'liveya',
  'thisseen',
  'tvsports',
  'fifa',
  'women',
  'world',
  'cupeaglesflyersphillies76ersunionfox',
  'sports',
  'appentertainment',
  'showsthe',
  'classh',
  'roomthings',
  'fox',
  'showswatch',
  'streamnewscasts',
  'replayslivenow',
  'foxnew',
  'specialswebcamsfox',
  'mattersfox',
  'originals',
  'black',
  'history',
  'monthhank',
  'takein',
  'focuskelly',
  'drivesour',
  'race',
  'realitysave',
  'streetsthe',
  'pulsehealth',
  'coronaviruscoronavirus',
  'mapcoronavirus',
  'vaccinedr',
  'mikehealth',
  'careopioid',
  'epidemicpolitics',
  'electioninauguration',
  'dayjoe',
  'bidenkamala',
  'harrisdonald',
  'j.',
  'trumpphilly',
  'city',
  'councilmoney',
  'businesscashing',
  'news',
  'fox',
  'appnew',
  'jersey',
  'news',
  'my9njnew',
  'york',
  'news',
  'fox',
  'nywashington',
  'dc',
  'news',
  'fox',
  'dcabout',
  'appscontact',
  'usfcc',
  'applicationshow',
  'listingswork',
  'facebooktwitterinstagramyoutubeemail',
  'usnew',
  'privacy',
  'policyterms',
  'serviceyour',
  'privacy',
  'choicesfcc',
  'public',
  'public',
  'fileclosed',
  'captioningwork',
  'uscontact',
  'material',
  'fox',
  'television',
  'stations'],
 ['permission',
  'article',
  'community',
  'cares',
  'regional',
  'events',
  'clockwise',
  'tornado',
  'south',
  'dakota',
  'jun',
  'jan',
  'south',
  'dakota',
  'lot',
  'tornado',
  'twister',
  'weekend',
  'national',
  'weather',
  'service',
  'tornado',
  'second',
  'june',
  'tree',
  'farmstead',
  'estelline',
  'mile',
  'sioux',
  'falls',
  '%',
  'tornado',
  'northern',
  'hemisphere',
  'direction',
  'national',
  'weather',
  'service',
  'weather',
  'service',
  'radar',
  'datum',
  'video',
  'determination',
  'south',
  'dakota',
  'storm',
  'becky',
  'bates',
  'video',
  'storm',
  'family',
  'bates',
  'cnn',
  'catch',
  'fun',
  'couple',
  'time',
  '”the',
  'tornado',
  'peak',
  'wind',
  'mph',
  'path',
  'tenth',
  'mile',
  'damage',
  'tree',
  'metal',
  'overhang',
  'shed',
  'cnn',
  'brandon',
  'miller',
  'report',
  'news',
  'headlines',
  'news',
  'winona',
  'state',
  'farewell',
  'university',
  'president',
  'la',
  'crosse',
  'soup',
  'event',
  'la',
  'crosse',
  'man',
  'vehicle',
  'consent',
  'court',
  'community',
  'member',
  'child',
  'playground',
  'surface',
  'temperature',
  'hot',
  'humid',
  'thursday',
  'storm',
  'thursday',
  'night',
  'july',
  'pm',
  'beneficial',
  'rainfall',
  'storm',
  'region',
  'night',
  'wednesday',
  'morning',
  'inch',
  'rain',
  'area',
  '60',
  'mild',
  'muggy',
  'valley',
  'fog',
  '70f.',
  'wind',
  'e',
  'mph',
  'times',
  'sun',
  'cloud',
  'high',
  '90',
  'low',
  '70',
  'winona',
  'state',
  'farewell',
  'university',
  'president',
  'la',
  'crosse',
  'soup',
  'event',
  'la',
  'crosse',
  'man',
  'vehicle',
  'consent',
  'court',
  'community',
  'member',
  'child',
  'playground',
  'surface',
  'temperature',
  'women',
  'fund',
  'greater',
  'la',
  'crosse',
  'award',
  'area',
  'organization',
  'community',
  'cares',
  'regional',
  'event',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  '',
  '',
  'info',
  'california',
  'privacy',
  'rights',
  'advertise',
  'fcc',
  'public',
  'files',
  'fcc',
  'applications',
  'switch',
  'account',
  'photo',
  'comment',
  'blog',
  'post',
  'email',
  'address',
  'account',
  'password',
  'email',
  'address',
  'account',
  'email',
  'detail',
  'password',
  'account',
  'log',
  'link',
  'form',
  'message',
  'email',
  'link',
  'password',
  'email',
  'message',
  'instruction',
  'password',
  'email',
  'address',
  'account',
  'log',
  'link',
  'switch',
  'account',
  'alabamaalaskaarizonaarkansascaliforniacoloradoconnecticutdelawarefloridageorgiahawaiiidahoillinoisindianaiowakansaskentuckylouisianamainemarylandmassachusettsmichiganminnesotamississippimissourimontananebraskanevadanew',
  'hampshirenew',
  'jerseynew',
  'mexiconew',
  'yorknorth',
  'carolinanorth',
  'dakotaohiooklahomaoregonpennsylvaniarhode',
  'islandsouth',
  'carolinasouth',
  'virginiawisconsinwyomingpuerto',
  'ricous',
  'virgin',
  'islandsarmed',
  'forces',
  'americasarmed',
  'forces',
  'pacificarmed',
  'forces',
  'europenorthern',
  'mariana',
  'islandsmarshall',
  'islandsamerican',
  'samoafederated',
  'states',
  'micronesiaguampalaualberta',
  'canadabritish',
  'columbia',
  'canadamanitoba',
  'canadanew',
  'brunswick',
  'canadanewfoundland',
  'canadanova',
  'scotia',
  'canadanorthwest',
  'territories',
  'canadanunavut',
  'canadaontario',
  'canadaprince',
  'edward',
  'island',
  'canadaquebec',
  'canadasaskatchewan',
  'canadayukon',
  'territory',
  'canada',
  'united',
  'states',
  'virgin',
  'islandsunited',
  'states',
  'minor',
  'outlying',
  'islandscanadamexico',
  'united',
  'mexican',
  'statesbahamas',
  'commonwealth',
  'thecuba',
  'republic',
  'ofdominican',
  'republichaiti',
  'republic',
  'ofjamaicaafghanistanalbania',
  'people',
  'socialist',
  'republic',
  'ofalgeria',
  'people',
  'democratic',
  'republic',
  'samoaandorra',
  'principality',
  'ofangola',
  'republic',
  'ofanguillaantarctica',
  'territory',
  'south',
  'deg',
  's)antigua',
  'barbudaargentina',
  'argentine',
  'republicarmeniaarubaaustralia',
  'commonwealth',
  'ofaustria',
  'republic',
  'ofazerbaijan',
  'republic',
  'ofbahrain',
  'kingdom',
  'ofbangladesh',
  'people',
  'republic',
  'ofbarbadosbelarusbelgium',
  'kingdom',
  'ofbelizebenin',
  'people',
  'republic',
  'ofbermudabhutan',
  'kingdom',
  'ofbolivia',
  'republic',
  'ofbosnia',
  'herzegovinabotswana',
  'republic',
  'ofbouvet',
  'island',
  'bouvetoya)brazil',
  'federative',
  'republic',
  'ofbritish',
  'indian',
  'ocean',
  'territory',
  'chagos',
  'virgin',
  'islandsbrunei',
  'darussalambulgaria',
  'people',
  'republic',
  'ofburkina',
  'fasoburundi',
  'republic',
  'ofcambodia',
  'kingdom',
  'ofcameroon',
  'united',
  'republic',
  'ofcape',
  'verde',
  'republic',
  'islandscentral',
  'african',
  'republicchad',
  'republic',
  'ofchile',
  'republic',
  'ofchina',
  'people',
  'republic',
  'ofchristmas',
  'islandcocos',
  'keeling',
  'islandscolombia',
  'republic',
  'ofcomoros',
  'union',
  'thecongo',
  'democratic',
  'republic',
  'ofcongo',
  'people',
  'republic',
  'ofcook',
  'islandscosta',
  'rica',
  'republic',
  'ofcote',
  "d'ivoire",
  'ivory',
  'coast',
  'republic',
  'thecyprus',
  'republic',
  'ofczech',
  'republicdenmark',
  'kingdom',
  'ofdjibouti',
  'republic',
  'ofdominica',
  'commonwealth',
  'ofecuador',
  'republic',
  'ofegypt',
  'arab',
  'republic',
  'ofel',
  'salvador',
  'republic',
  'ofequatorial',
  'guinea',
  'republic',
  'oferitreaestoniaethiopiafaeroe',
  'islandsfalkland',
  'islands',
  'malvinas)fiji',
  'republic',
  'fiji',
  'islandsfinland',
  'republic',
  'offrance',
  'republicfrench',
  'guianafrench',
  'polynesiafrench',
  'southern',
  'territoriesgabon',
  'gabonese',
  'republicgambia',
  'republic',
  'republic',
  'ofgibraltargreece',
  'hellenic',
  'republicgreenlandgrenadaguadaloupeguamguatemala',
  'republic',
  'ofguinea',
  'revolutionary',
  'people',
  "rep'c",
  'ofguinea',
  'bissau',
  'republic',
  'ofguyana',
  'republic',
  'ofheard',
  'mcdonald',
  'islandsholy',
  'vatican',
  'city',
  'state)honduras',
  'republic',
  'ofhong',
  'kong',
  'special',
  'administrative',
  'region',
  'chinahrvatska',
  'croatia)hungary',
  'people',
  'republiciceland',
  'republic',
  'ofindia',
  'republic',
  'ofindonesia',
  'republic',
  'ofiran',
  'islamic',
  'republic',
  'republic',
  'state',
  'italian',
  'republicjapanjordan',
  'hashemite',
  'kingdom',
  'ofkazakhstan',
  'republic',
  'ofkenya',
  'republic',
  'ofkiribati',
  'republic',
  'ofkorea',
  'democratic',
  'people',
  'republic',
  'ofkorea',
  'republic',
  'ofkuwait',
  'state',
  'ofkyrgyz',
  'republiclao',
  'people',
  'democratic',
  'republiclatvialebanon',
  'lebanese',
  'republiclesotho',
  'kingdom',
  'ofliberia',
  'republic',
  'arab',
  'jamahiriyaliechtenstein',
  'oflithuanialuxembourg',
  'grand',
  'duchy',
  'ofmacao',
  'special',
  'administrative',
  'region',
  'chinamacedonia',
  'yugoslav',
  'republic',
  'ofmadagascar',
  'republic',
  'ofmalawi',
  'republic',
  'ofmalaysiamaldives',
  'republic',
  'ofmali',
  'republic',
  'ofmalta',
  'republic',
  'ofmarshall',
  'islandsmartiniquemauritania',
  'islamic',
  'republic',
  'ofmauritiusmayottemicronesia',
  'federated',
  'states',
  'ofmoldova',
  'republic',
  'ofmonaco',
  'ofmongolia',
  'mongolian',
  'people',
  'republicmontserratmorocco',
  'kingdom',
  'ofmozambique',
  'people',
  'republic',
  'ofmyanmarnamibianauru',
  'republic',
  'ofnepal',
  'kingdom',
  'ofnetherlands',
  'antillesnetherlands',
  'kingdom',
  'thenew',
  'caledonianew',
  'zealandnicaragua',
  'republic',
  'ofniger',
  'republic',
  'thenigeria',
  'federal',
  'republic',
  'ofniue',
  'republic',
  'ofnorfolk',
  'islandnorthern',
  'mariana',
  'islandsnorway',
  'kingdom',
  'ofoman',
  'sultanate',
  'islamic',
  'republic',
  'ofpalaupalestinian',
  'territory',
  'occupiedpanama',
  'republic',
  'ofpapua',
  'new',
  'guineaparaguay',
  'republic',
  'ofperu',
  'republic',
  'ofphilippines',
  'republic',
  'thepitcairn',
  'islandpoland',
  'polish',
  'people',
  'republicportugal',
  'portuguese',
  'republicpuerto',
  'ricoqatar',
  'state',
  'socialist',
  'republic',
  'ofrussian',
  'federationrwanda',
  'rwandese',
  'republicsamoa',
  'independent',
  'state',
  'ofsan',
  'marino',
  'republic',
  'tome',
  'principe',
  'democratic',
  'republic',
  'ofsaudi',
  'arabia',
  'kingdom',
  'ofsenegal',
  'republic',
  'ofserbia',
  'montenegroseychelles',
  'republic',
  'ofsierra',
  'leone',
  'republic',
  'ofsingapore',
  'republic',
  'ofslovakia',
  'slovak',
  'republic)sloveniasolomon',
  'islandssomalia',
  'somali',
  'republicsouth',
  'africa',
  'republic',
  'ofsouth',
  'georgia',
  'south',
  'sandwich',
  'islandsspain',
  'spanish',
  'statesri',
  'lanka',
  'democratic',
  'socialist',
  'republic',
  'ofst',
  'helenast',
  'kitts',
  'nevisst',
  'luciast',
  'pierre',
  'miquelonst',
  'vincent',
  'grenadinessudan',
  'democratic',
  'republic',
  'thesuriname',
  'republic',
  'ofsvalbard',
  'jan',
  'mayen',
  'islandsswaziland',
  'kingdom',
  'ofsweden',
  'kingdom',
  'ofswitzerland',
  'swiss',
  'confederationsyrian',
  'arab',
  'republictaiwan',
  'province',
  'chinatajikistantanzania',
  'united',
  'republic',
  'ofthailand',
  'kingdom',
  'oftimor',
  'leste',
  'democratic',
  'republic',
  'oftogo',
  'togolese',
  'republictokelau',
  'tokelau',
  'islands)tonga',
  'kingdom',
  'oftrinidad',
  'tobago',
  'republic',
  'oftunisia',
  'republic',
  'ofturkey',
  'republic',
  'ofturkmenistanturks',
  'caicos',
  'islandstuvaluuganda',
  'republic',
  'arab',
  'emiratesunited',
  'kingdom',
  'great',
  'britain',
  'n.',
  'irelanduruguay',
  'eastern',
  'republic',
  'ofuzbekistanvanuatuvenezuela',
  'bolivarian',
  'republic',
  'ofviet',
  'nam',
  'socialist',
  'republic',
  'ofwallis',
  'futuna',
  'islandswestern',
  'saharayemenzambia',
  'republic',
  'state',
  'alabamaalaskaarizonaarkansascaliforniacoloradoconnecticutdelawarefloridageorgiahawaiiidahoillinoisindianaiowakansaskentuckylouisianamainemarylandmassachusettsmichiganminnesotamississippimissourimontananebraskanevadanew',
  'hampshirenew',
  'jerseynew',
  'mexiconew',
  'yorknorth',
  'carolinanorth',
  'dakotaohiooklahomaoregonpennsylvaniarhode',
  'islandsouth',
  'carolinasouth',
  'virginiawisconsinwyomingpuerto',
  'ricous',
  'virgin',
  'islandsarmed',
  'forces',
  'americasarmed',
  'forces',
  'pacificarmed',
  'forces',
  'europenorthern',
  'mariana',
  'islandsmarshall',
  'islandsamerican',
  'samoafederated',
  'states',
  'micronesiaguampalaualberta',
  'canadabritish',
  'columbia',
  'canadamanitoba',
  'canadanew',
  'brunswick',
  'canadanewfoundland',
  'canadanova',
  'scotia',
  'canadanorthwest',
  'territories',
  'canadanunavut',
  'canadaontario',
  'canadaprince',
  'edward',
  'island',
  'canadaquebec',
  'canadasaskatchewan',
  'canadayukon',
  'territory',
  'canada',
  'united',
  'states',
  'virgin',
  'islandsunited',
  'states',
  'minor',
  'outlying',
  'islandscanadamexico',
  'united',
  'mexican',
  'statesbahamas',
  'commonwealth',
  'thecuba',
  'republic',
  'ofdominican',
  'republichaiti',
  'republic',
  'ofjamaicaafghanistanalbania',
  'people',
  'socialist',
  'republic',
  'ofalgeria',
  'people',
  'democratic',
  'republic',
  'samoaandorra',
  'principality',
  'ofangola',
  'republic',
  'ofanguillaantarctica',
  'territory',
  'south',
  'deg',
  's)antigua',
  'barbudaargentina',
  'argentine',
  'republicarmeniaarubaaustralia',
  'commonwealth',
  'ofaustria',
  'republic',
  'ofazerbaijan',
  'republic',
  'ofbahrain',
  'kingdom',
  'ofbangladesh',
  'people',
  'republic',
  'ofbarbadosbelarusbelgium',
  'kingdom',
  'ofbelizebenin',
  'people',
  'republic',
  'ofbermudabhutan',
  'kingdom',
  'ofbolivia',
  'republic',
  'ofbosnia',
  'herzegovinabotswana',
  'republic',
  'ofbouvet',
  'island',
  'bouvetoya)brazil',
  'federative',
  'republic',
  'ofbritish',
  'indian',
  'ocean',
  'territory',
  'chagos',
  'virgin',
  'islandsbrunei',
  'darussalambulgaria',
  'people',
  'republic',
  'ofburkina',
  'fasoburundi',
  'republic',
  'ofcambodia',
  'kingdom',
  'ofcameroon',
  'united',
  'republic',
  'ofcape',
  'verde',
  'republic',
  'islandscentral',
  'african',
  'republicchad',
  'republic',
  'ofchile',
  'republic',
  'ofchina',
  'people',
  'republic',
  'ofchristmas',
  'islandcocos',
  'keeling',
  'islandscolombia',
  'republic',
  'ofcomoros',
  'union',
  'thecongo',
  'democratic',
  'republic',
  'ofcongo',
  'people',
  'republic',
  'ofcook',
  'islandscosta',
  'rica',
  'republic',
  'ofcote',
  "d'ivoire",
  'ivory',
  'coast',
  'republic',
  'thecyprus',
  'republic',
  'ofczech',
  'republicdenmark',
  'kingdom',
  'ofdjibouti',
  'republic',
  'ofdominica',
  'commonwealth',
  'ofecuador',
  'republic',
  'ofegypt',
  'arab',
  'republic',
  'ofel',
  'salvador',
  'republic',
  'ofequatorial',
  'guinea',
  'republic',
  'oferitreaestoniaethiopiafaeroe',
  'islandsfalkland',
  'islands',
  'malvinas)fiji',
  'republic',
  'fiji',
  'islandsfinland',
  'republic',
  'offrance',
  'republicfrench',
  'guianafrench',
  'polynesiafrench',
  'southern',
  'territoriesgabon',
  'gabonese',
  'republicgambia',
  'republic',
  'republic',
  'ofgibraltargreece',
  'hellenic',
  'republicgreenlandgrenadaguadaloupeguamguatemala',
  'republic',
  'ofguinea',
  'revolutionary',
  'people',
  "rep'c",
  'ofguinea',
  'bissau',
  'republic',
  'ofguyana',
  'republic',
  'ofheard',
  'mcdonald',
  'islandsholy',
  'vatican',
  'city',
  'state)honduras',
  'republic',
  'ofhong',
  'kong',
  'special',
  'administrative',
  'region',
  'chinahrvatska',
  'croatia)hungary',
  'people',
  'republiciceland',
  'republic',
  'ofindia',
  'republic',
  'ofindonesia',
  'republic',
  'ofiran',
  'islamic',
  'republic',
  'republic',
  'state',
  'italian',
  'republicjapanjordan',
  'hashemite',
  'kingdom',
  'ofkazakhstan',
  'republic',
  'ofkenya',
  'republic',
  'ofkiribati',
  'republic',
  'ofkorea',
  'democratic',
  'people',
  'republic',
  'ofkorea',
  'republic',
  'ofkuwait',
  'state',
  'ofkyrgyz',
  'republiclao',
  'people',
  'democratic',
  'republiclatvialebanon',
  'lebanese',
  'republiclesotho',
  'kingdom',
  'ofliberia',
  'republic',
  'arab',
  'jamahiriyaliechtenstein',
  'oflithuanialuxembourg',
  'grand',
  'duchy',
  'ofmacao',
  'special',
  'administrative',
  'region',
  'chinamacedonia',
  'yugoslav',
  'republic',
  'ofmadagascar',
  'republic',
  'ofmalawi',
  'republic',
  'ofmalaysiamaldives',
  'republic',
  'ofmali',
  'republic',
  'ofmalta',
  'republic',
  'ofmarshall',
  'islandsmartiniquemauritania',
  'islamic',
  'republic',
  'ofmauritiusmayottemicronesia',
  'federated',
  'states',
  'ofmoldova',
  'republic',
  'ofmonaco',
  'ofmongolia',
  'mongolian',
  'people',
  'republicmontserratmorocco',
  'kingdom',
  'ofmozambique',
  'people',
  'republic',
  'ofmyanmarnamibianauru',
  ...],
 ['accessibility',
  'contentdemocracy',
  'darknesssign',
  'inthe',
  'washington',
  'postdemocracy',
  'darknessweatherclimate',
  'extreme',
  'weather',
  'capital',
  'weather',
  'gang',
  'environment',
  'climate',
  'lab',
  'weatherclimate',
  'extreme',
  'weather',
  'capital',
  'weather',
  'gang',
  'environment',
  'climate',
  'lab',
  'tornado',
  'missourithe',
  'risk',
  'potential',
  'storm',
  'memphis',
  'detroitby',
  'matthew',
  'cappucci',
  'scott',
  'dance',
  'jason',
  'samenowupdated',
  'april',
  'p.m.',
  'april',
  'edtvideo',
  'aftermath',
  'tornado',
  'bollinger',
  'county',
  'missouri',
  'april',
  'tree',
  'home',
  'video',
  'reuters)listen5',
  'mincomment',
  'storycommentgift',
  'people',
  'tornado',
  'bollinger',
  'county',
  'missouri',
  'middle',
  'night',
  'damage',
  'strike',
  'village',
  'glenallen',
  'mile',
  'st.',
  'louis',
  'official',
  'wednesday',
  'agency',
  'search',
  'rescue',
  'operation',
  'wpget',
  'experience',
  'clark',
  'parrott',
  'spokesman',
  'missouri',
  'state',
  'highway',
  'patrol',
  'people',
  'home',
  'tornado',
  'hour',
  'fact',
  'area',
  'tornado',
  'storm',
  'prediction',
  'center',
  'twister',
  'tornado',
  'missouri',
  'iowa',
  'illinois',
  'thunderstorm',
  'area',
  'arkansas',
  'michigan',
  'tuesday',
  'night',
  'wednesday',
  'morning',
  'missouri',
  'highway',
  'patrol',
  'image',
  'tree',
  'debris',
  'east',
  'glenallen',
  'city',
  'marble',
  'hill',
  'missouri',
  'gov.',
  'mike',
  'parson',
  'r',
  'statement',
  'area',
  'resource',
  'recovery',
  'parson',
  'state',
  'national',
  'guard',
  'storm',
  'response',
  'friday',
  'wednesday',
  'order',
  'effect',
  'advertisementas',
  'authority',
  'storm',
  'atmosphere',
  'round',
  'thunderstorm',
  'tennessee',
  'ohio',
  'valley',
  'great',
  'lakes',
  'level',
  'risk',
  'thunderstorm',
  'memphis',
  'cleveland',
  'national',
  'weather',
  'service',
  'storm',
  'prediction',
  'center',
  'thunderstorm',
  'wind',
  'hail',
  'tornado',
  'today',
  'great',
  'lakes',
  'east',
  'texas',
  'louisiana',
  'storm',
  'prediction',
  'center',
  'wednesday',
  'p.m.',
  'time',
  'thunderstorm',
  'ohio',
  'houston',
  'activity',
  'indiana',
  'kentucky',
  'tornado',
  'warning',
  'hour',
  'advertisementtornado',
  'box',
  'potential',
  'storm',
  'tornado',
  'ohio',
  'mississippi',
  'thunderstorm',
  'east',
  'ohio',
  'louisiana',
  'evening',
  'air',
  'storm',
  'gulf',
  'mexico',
  'national',
  'weather',
  'service',
  'record',
  'high',
  '80',
  'north',
  'ohio',
  'pennsylvania',
  'storm',
  'chicago',
  'wednesday',
  'air',
  'travel',
  'delay',
  'cancellation',
  'midday',
  'o’hare',
  'international',
  'airport',
  'storm',
  'outbreak',
  'day',
  'tornado',
  'outbreak',
  'area',
  'mid',
  '-',
  'south',
  'mid',
  '-',
  'atlantic',
  'friday',
  'saturday',
  'life',
  'tornado',
  'advertisementapril',
  'june',
  'peak',
  'month',
  'weather',
  'season',
  'lower',
  'average',
  'total',
  'tornado',
  'interim',
  'year',
  'date',
  'january',
  'tornado',
  'record',
  'month',
  'february',
  'tornado',
  'march',
  'book',
  'tornado',
  'fatality',
  'total',
  'recap',
  'storm',
  'tuesday',
  'wednesdayamong',
  'report',
  'weather',
  'arkansas',
  'southwest',
  'michigan',
  'tuesday',
  'wednesday',
  'storm',
  'tornado',
  'bollinger',
  'county',
  'storm',
  'prediction',
  'center',
  'tornado',
  'ef2',
  'ef3',
  'to-5',
  'scale',
  'intensity',
  'tornado',
  'marble',
  'hill',
  'mo',
  '@nwspaducah',
  '',
  '',
  'wxtwitter',
  'pic.twitter.com/dfffi1a6dn',
  'ryan',
  'kelly',
  '@ryankellywx',
  'april',
  'tornado',
  'damage',
  'missouri',
  'mowx',
  'drone',
  'pic.twitter.com/0dngl277yq',
  'wxchasing-',
  'brandon',
  'clement',
  '@bclemms',
  'april',
  'thunderstorm',
  'tornado',
  'peoria',
  'ill.',
  'size',
  'lime',
  'tornado',
  'lewistown',
  'mile',
  'peoria',
  'storm',
  'chaser',
  'footage',
  'home',
  'roof',
  'advertisementin',
  'iowa',
  'supercell',
  'storm',
  'tornado',
  'rope',
  'funnel',
  'knoxville',
  'southeast',
  'des',
  'moines',
  'rope',
  'tornado',
  'oftentime',
  'drillbit',
  'funnel',
  'field',
  'supercell',
  'storm',
  'rope',
  'tornado',
  'pleasantville',
  'iowa',
  'april',
  'video',
  'john',
  'farrell',
  'washington',
  'post)the',
  'storm',
  'threat',
  'wednesday',
  'thursdaymore',
  'storm',
  'wednesday',
  'afternoon',
  'cleveland',
  'cincinnati',
  'indianapolis',
  'louisville',
  'storm',
  'prediction',
  'center',
  'level',
  'risk',
  'area',
  'level',
  'risk',
  'border',
  'texas',
  'forecast',
  'tuesday',
  'national',
  'weather',
  'service',
  'tornado',
  'potential',
  'wednesday',
  'outlook',
  'risk',
  'tornado',
  'reason',
  'downgrade',
  'tuesday',
  'threat',
  'forecaster',
  'wednesday',
  'prognosis',
  'issue',
  '-',
  'wind',
  'thunderstorm',
  'boundary',
  'advertisementthat',
  'thunderstorm',
  'boundary',
  'supercell',
  'storm',
  'boundary',
  'cell',
  'boundary',
  'line',
  'cluster',
  'line',
  'wind',
  'risk',
  'tornado',
  'rogue',
  'renegade',
  'storm',
  'mainline',
  'thunderstorm',
  'thursday',
  'mid',
  '-',
  'atlantic',
  'tornado',
  'risk',
  'commentsgift',
  'articlegift',
  'articletornado',
  'curatedtornado',
  'season',
  'march',
  'season',
  'march',
  '2023a',
  'bathroom',
  'tornado',
  'shelter',
  'family',
  'proof',
  'april',
  '2023a',
  'bathroom',
  'tornado',
  'shelter',
  'family',
  'proof',
  'april',
  'climate',
  'change',
  'tornadoesapril',
  'climate',
  'change',
  'tornadoesapril',
  'storiesloading',
  'view',
  'more2023',
  'heat',
  'tracker1590',
  'degree',
  'day',
  'faraverage',
  'year',
  'date23yearly',
  'average40record',
  'most67',
  'fewest7',
  'year38top',
  'news',
  'weather',
  'sport',
  'event',
  'restaurant',
  'obamas',
  'chef',
  'tafari',
  'campbell',
  'food',
  'delay',
  'heroic',
  'nats',
  'player',
  'start',
  'josh',
  'harris',
  'commanders',
  'tenurerefreshtry',
  'account',
  'preferencestweet',
  'post',
  'newsroom',
  'policies',
  'standards',
  'diversity',
  'inclusion',
  'careers',
  'media',
  'community',
  'relations',
  'wp',
  'creative',
  'group',
  'accessibility',
  'statement',
  'postgift',
  'subscriptions',
  'mobile',
  'apps',
  'newsletters',
  'alerts',
  'washington',
  'post',
  'live',
  'reprints',
  'permissions',
  'post',
  'store',
  'books',
  'e',
  '-',
  'book',
  'newspaper',
  'education',
  'print',
  'archives',
  'subscribers',
  'today',
  'paper',
  'public',
  'notices',
  'contact',
  'uscontact',
  'newsroom',
  'contact',
  'customer',
  'care',
  'contact',
  'opinions',
  'team',
  'advertise',
  'licensing',
  'syndication',
  'request',
  'correction',
  'news',
  'tip',
  'report',
  'vulnerability',
  'terms',
  'usedigital',
  'products',
  'terms',
  'sale',
  'print',
  'products',
  'term',
  'sale',
  'terms',
  'service',
  'privacy',
  'policy',
  'cookie',
  'settings',
  'submissions',
  'discussion',
  'policy',
  'rss',
  'terms',
  'service',
  'ad',
  'choices',
  'washington',
  'postwashingtonpost.com',
  'washington',
  'postabout',
  'post',
  'contact',
  'newsroom',
  'contact',
  'customer',
  'care',
  'request',
  'correction',
  'news',
  'tip',
  'report',
  'vulnerability',
  'download',
  'washington',
  'post',
  'app',
  'policies',
  'standards',
  'terms',
  'service',
  'privacy',
  'policy',
  'cookie',
  'settings',
  'print',
  'products',
  'terms',
  'sale',
  'digital',
  'products',
  'terms',
  'sale',
  'submissions',
  'discussion',
  'policy',
  'rss',
  'terms',
  'service',
  'ad',
  'choice'],
 ['ad',
  'issue',
  'video',
  'player',
  'content',
  'ad',
  'video',
  'content',
  'ad',
  'audio',
  'ad',
  'ad',
  'page',
  'content',
  'ad',
  'ad',
  'ad',
  'effort',
  'contribution',
  'feedback',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'dozen',
  'tornado',
  'christina',
  'maxouris',
  'gene',
  'norman',
  'cnn',
  'pm',
  'edt',
  'fri',
  'march',
  'video',
  'building',
  'weather',
  'video',
  'building',
  'weather',
  'concertgoers',
  'hail',
  'colorado',
  'body',
  'temperature',
  'flooding',
  'china',
  'couple',
  'car',
  'house',
  'cliff',
  'river',
  'foundation',
  'video',
  'tornado',
  'home',
  'debris',
  'video',
  'moment',
  'soldier',
  'heat',
  'video',
  'tornado',
  'texas',
  'barren',
  'land',
  'impact',
  'spain',
  'record',
  'heat',
  'windshield',
  'helicopter',
  'hail',
  'shelf',
  'cloud',
  'sky',
  'downtown',
  'chicago',
  'man',
  'street',
  'flooding',
  'man',
  'tornado',
  'van',
  'footage',
  'california',
  'weather',
  'crisis',
  'lake',
  'life',
  'unbelievable',
  'cnn',
  'reporter',
  'snowfall',
  'california',
  'graphic',
  'change',
  'temperature',
  'people',
  'dozen',
  'series',
  'tornado',
  'state',
  'south',
  'midwest',
  'friday',
  'home',
  'shred',
  'neighborhood',
  'debris',
  'meteorologist',
  'danger',
  'night',
  'death',
  'north',
  'little',
  'rock',
  'arkansas',
  'tornado',
  'area',
  'friday',
  'afternoon',
  'madeline',
  'roberts',
  'spokesperson',
  'pulaski',
  'county',
  'cnn',
  'hospitalization',
  'area',
  'roberts',
  'east',
  'people',
  'storm',
  'city',
  'wynne',
  'st.',
  'francis',
  'county',
  'coroner',
  'miles',
  'kimble',
  'cross',
  'county',
  'cnn',
  'coroner',
  'office',
  'cross',
  'county',
  'wynne',
  'storm',
  'city',
  'resident',
  'home',
  'area',
  'rebekah',
  'magnus',
  'state',
  'emergency',
  'management',
  'division',
  'footage',
  'area',
  'storm',
  'block',
  'city',
  'school',
  'building',
  'home',
  'hour',
  'damage',
  'city',
  'wynne',
  'arkansas',
  'town',
  'half',
  'damage',
  'east',
  'west',
  'wynne',
  'mayor',
  'jennifer',
  'hobbs',
  'cnn',
  'friday',
  'evening',
  'triage',
  'mode',
  'mayor',
  'crew',
  'severity',
  'damage',
  'injury',
  'arkansas',
  'gov.',
  'sarah',
  'huckabee',
  'sanders',
  'state',
  'emergency',
  'state',
  'resource',
  'storm',
  'state',
  'national',
  'guard',
  'customer',
  'power',
  'state',
  'friday',
  'night',
  'storm',
  'wynne',
  'tornado',
  'emergency',
  'tennessee',
  'city',
  'covington',
  'tree',
  'power',
  'line',
  'police',
  'covington',
  'mile',
  'memphis',
  'people',
  'baptist',
  'memorial',
  'hospital',
  'tipton',
  'twister',
  'spokesperson',
  'kimberly',
  'alexander',
  'power',
  'tennessee',
  'storm',
  'system',
  'hail',
  'illinois',
  'car',
  'windshield',
  'facebook',
  'post',
  'fulton',
  'county',
  'emergency',
  'services',
  'disaster',
  'agency',
  'sangamon',
  'county',
  'mile',
  'business',
  'sheriff',
  'jack',
  'campbell',
  'cnn',
  'home',
  'sherman',
  'mile',
  'springfield',
  'customer',
  'dark',
  'illinois',
  'friday',
  'night',
  'round',
  'weather',
  'week',
  'storm',
  'southeast',
  'people',
  'tornado',
  'community',
  'rolling',
  'fork',
  'mississippi',
  'wind',
  'mph',
  'damage',
  'city',
  'wynne',
  'storm',
  'storm',
  'prediction',
  'center',
  'friday',
  'level',
  'risk',
  'weather',
  'risk',
  'level',
  'storm',
  'region',
  'region',
  'arkansas',
  'tennessee',
  'mississippi',
  'iowa',
  'illinois',
  'missouri',
  'iowa',
  'city',
  'iowa',
  'tornado',
  'southeast',
  'time',
  'level',
  'risk',
  'march',
  'storm',
  'tornado',
  'people',
  'community',
  'southeast',
  'series',
  'twister',
  'friday',
  'storm',
  'system',
  'rain',
  'south',
  'midwest',
  'friday',
  'night',
  'flash',
  'flooding',
  'hail',
  'national',
  'weather',
  'service',
  'danger',
  'middle',
  'tennessee',
  'alabama',
  'mississippi',
  'illinois',
  'cnn',
  'meteorologist',
  'gene',
  'norman',
  'nashville',
  'chicago',
  'storm',
  'night',
  'storm',
  'people',
  'time',
  'safety',
  'warning',
  'threat',
  'zone',
  'cell',
  'phone',
  'attention',
  'weather',
  'alert',
  'norman',
  'emergency',
  'personnel',
  'people',
  'parking',
  'lot',
  'storm',
  'little',
  'rock',
  'arkansas',
  'tornado',
  'people',
  'tornado',
  'watch',
  'friday',
  'evening',
  'tornado',
  'watch',
  'effect',
  'alabama',
  'mississippi',
  'tennessee',
  'city',
  'nashville',
  'a.m.',
  'cdt',
  'storm',
  'prediction',
  'center',
  'tornado',
  'intensity',
  'wind',
  'mph',
  'center',
  'storm',
  'baseball',
  'hail',
  'tornado',
  'watch',
  'effect',
  'illinois',
  'indiana',
  'kentucky',
  'city',
  'indianapolis',
  'louisville',
  'a.m.',
  'cdt',
  'prediction',
  'center',
  'storm',
  'tornado',
  'wind',
  'golf',
  'ball',
  'hail',
  'car',
  'kroger',
  'parking',
  'lot',
  'storm',
  'little',
  'rock',
  'arkansas',
  'march',
  'tornado',
  'ottumwa',
  'iowa',
  'friday',
  'afternoon',
  'damage',
  'injury',
  'emergency',
  'management',
  'official',
  'tornado',
  'friday',
  'evening',
  'tv',
  'station',
  'camera',
  'solon',
  'iowa',
  'debris',
  'air',
  'roof',
  'kcrg',
  'chief',
  'meteorologist',
  'joe',
  'winters',
  'viewer',
  'building',
  'camera',
  'second',
  'roof',
  'building',
  'air',
  'winter',
  'warning',
  'place',
  'tornado',
  'watch',
  'effect',
  'northern',
  'illinois',
  'northwest',
  'indiana',
  'southern',
  'wisconsin',
  'lake',
  'michigan',
  'p.m.',
  'cdt',
  'storm',
  'prediction',
  'center',
  'difference',
  'tornado',
  'watch',
  'tornado',
  'home',
  'tree',
  'little',
  'rock',
  'tornado',
  'march',
  'forecast',
  'governor',
  'state',
  'emergency',
  'plan',
  'weather',
  'missouri',
  'gov.',
  'mike',
  'parson',
  'friday',
  'missouri',
  'state',
  'emergency',
  'operations',
  'plan',
  'state',
  'storm',
  'state',
  'resource',
  'disruption',
  'damage',
  'community',
  'kentucky',
  'gov.',
  'andy',
  'beshear',
  'state',
  'emergency',
  'friday',
  'resident',
  'shelter',
  'friday',
  'evening',
  'forecast',
  'governor',
  'statement',
  'state',
  'emergency',
  'cnn',
  'andy',
  'rose',
  'rob',
  'shackelford',
  'aya',
  'elamroussi',
  'paradise',
  'afshar',
  'sara',
  'smart',
  'jennifer',
  'gray',
  'alaa',
  'elassar',
  'report',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cable',
  'news',
  'network',
  'warner',
  'bros.',
  'discovery',
  'company',
  'rights',
  'cnn',
  'sans',
  'cable',
  'news',
  'network'],
 ['javascript',
  'site',
  'content',
  'cpr',
  'liveneed',
  'inputcpr',
  'logo',
  'cprcolorado',
  'weather',
  'winter',
  'storm',
  'snow',
  'temp',
  'stateby',
  'matt',
  'bloom',
  'feb.',
  'facebooktwitterhart',
  'van',
  'denburg',
  'cpr',
  'newsclearing',
  'snow',
  'snon',
  'thursday',
  'dec.',
  'winter',
  'storm',
  'system',
  'colorado',
  'inch',
  'snow',
  'rain',
  'wind',
  'community',
  'colorado',
  'blizzard',
  'condition',
  'wednesday',
  'county',
  'winter',
  'weather',
  'travel',
  'alert',
  'wednesday',
  'evening',
  'temperature',
  'low',
  'digit',
  'range',
  'area',
  'fort',
  'collins',
  'national',
  'weather',
  'service',
  'storm',
  'day',
  'temperature',
  'thursday',
  'range',
  'boulder',
  'larimer',
  'county',
  'snow',
  'county',
  'inch',
  'wednesday',
  'morning',
  'elevation',
  'area',
  'inch',
  'nws',
  'wind',
  'snow',
  'loveland',
  'colorado',
  'wind',
  'lb',
  'semi',
  'cowx',
  'pic.twitter.com/exdhgiggta',
  'daryl',
  'orr',
  '@wxwydaryl',
  'february',
  'metro',
  'denver',
  'half',
  'inch',
  'storm',
  'total',
  'inch',
  'thursday',
  'morning',
  'colorado',
  'san',
  'juan',
  'mountains',
  'blizzard',
  'warning',
  'thursday',
  'storm',
  'snow',
  'squall',
  'driving',
  'condition',
  'roadway',
  'nws',
  'san',
  'juan',
  'mountains',
  'blizzard',
  'warning',
  'thursday',
  'travel',
  'condition',
  'cdot',
  'update',
  'road',
  'conditions.',
  'cowx',
  'colorado',
  'pic.twitter.com/ta1zkdt2bt',
  'nws',
  'pueblo',
  '@nwspueblo',
  'february',
  'driving',
  'condition',
  'state',
  'wednesday',
  'rush',
  'hour',
  'road',
  'closure',
  'crash',
  'colorado',
  'department',
  'transportation',
  'road',
  'snow',
  'thursday',
  'temperature',
  'breckenridge',
  'vail',
  'wednesday',
  'denver',
  'boulder',
  'high',
  'teen',
  'forecaster',
  'cold',
  'state',
  'day',
  'wind',
  'chill',
  'degree',
  'metro',
  'denver',
  'eastern',
  'plains',
  'wednesday',
  'thursday',
  'morning',
  'denver',
  'state',
  'wind',
  'chill',
  'advisory',
  'p.m.',
  'wednesday',
  'a.m.',
  'thursday',
  'friday',
  'weather',
  'state',
  'range',
  'nws',
  'meteorologist',
  'zach',
  'harris',
  'friday',
  'denver',
  'freezing',
  'weekend',
  'high',
  'low',
  'mountain',
  'snow',
  'week',
  'week',
  'storm',
  'season',
  'denver',
  'inch',
  'snow',
  'winter',
  'harris',
  'lot',
  'snow',
  'boulder',
  'portion',
  'foothill',
  'inch',
  'week',
  'winter',
  'drought',
  'condition',
  'state',
  'snowpack',
  'average',
  'mountain',
  'range',
  'cold',
  'gas',
  'demand',
  'energy',
  'price',
  'utility',
  'consumer',
  'bill',
  'customer',
  'time',
  'year',
  'colorado',
  'lawmaker',
  'price',
  'gouging',
  'utility',
  'day',
  'colorado',
  'lookout',
  'email',
  'newsletter',
  'news',
  'happening',
  'colorado',
  'sign',
  'morning',
  'cpr',
  'thank',
  'sponsor',
  'judge',
  'order',
  'kansas',
  'step',
  'police',
  'tactic',
  'lawsuit',
  'colorado',
  'weather',
  'nws',
  'tornado',
  'pikes',
  'peak',
  'thursdaylife',
  'cultureboulder',
  'traffic',
  'jam',
  'creek',
  'tube',
  'work',
  'daycolorado',
  'wonderswhat',
  'reintroduction',
  'wolf',
  'colorado',
  'deer',
  'elk',
  'herds?latest',
  'storiesgovernment',
  'politicsdemocrats',
  'ballot',
  'system',
  'legislation',
  'colorado',
  'senate',
  'conservative',
  'sueby',
  'andrew',
  'kenney',
  'bente',
  'birkelandgovernment',
  'politicsgrand',
  'junction',
  'mayor',
  'race',
  'lauren',
  'boebertby',
  'stina',
  'sieg',
  'caitlyn',
  'company',
  'loan',
  'car',
  'colorado',
  'attorney',
  'general',
  'saysby',
  'matt',
  'bloomnewsresidents',
  'wildfire',
  'force',
  'evacuationsby',
  'abigail',
  'beckman',
  'joe',
  'wertzsign',
  'newsletters',
  'day',
  'drive',
  'colorado',
  'minute',
  'newsletter',
  'look',
  'story',
  'music',
  'newsletter',
  'climate',
  'team',
  'sign',
  'lookout',
  'sign',
  'quotie',
  'monthly',
  'inside',
  'track',
  'denver',
  'music',
  'classical',
  'music',
  'playlist',
  'eventsjoin',
  'indie',
  'underground',
  'music',
  'avejul28join',
  'denverite',
  '¡',
  'street',
  'denver10:00amdowntown',
  'denver',
  'street',
  'broadway',
  'maple',
  'street',
  'welton',
  'street',
  'street',
  'streetaug06blair',
  'caldwell',
  'grand',
  '-',
  'opening',
  'blair',
  'caldwell',
  'library10:00am\u200bblair',
  'caldwell',
  'african',
  'american',
  'research',
  'libraryaug10',
  'colorado',
  'postcard',
  'colorado',
  'postcards',
  'snapshot',
  'state',
  'sound',
  'insight',
  'people',
  'place',
  'flora',
  'fauna',
  'past',
  'corner',
  'colorado',
  'colorado',
  'public',
  'radionews',
  'matters',
  'inboxabout',
  'usour',
  'missionstaff',
  'hostscareers',
  'cprgeneral',
  'contest',
  'rulesfcc',
  'applications',
  'filescontactcontact',
  'usmember',
  'supportconnect',
  'cpr',
  'newslistenways',
  'listenlistening',
  'helpon',
  'air',
  'schedulesupportmake',
  'donationdonate',
  'carbecome',
  'sponsorcorporate',
  'supporterscpr',
  'shop',
  'colorado',
  'public',
  'radio',
  'rights',
  'privacy',
  'policy',
  'instagramfacebooktwitter'],
 ['discover',
  'thomson',
  'reutersdirectory',
  '-',
  'phone',
  'onlyfor',
  'tablet',
  'portrait',
  'upfor',
  'tablet',
  'landscape',
  'upfor',
  'desktop',
  'desktop',
  'flood',
  'nebraska',
  'bomb',
  'cyclone',
  'stormby',
  'gabriella',
  'borter3',
  'min',
  'read(reuters',
  'nebraska',
  'u.s.',
  'central',
  'plains',
  'saturday',
  'winter',
  'bomb',
  'cyclone',
  'storm',
  'flooding',
  'missouri',
  'platte',
  'river',
  'death',
  'home',
  'roadway',
  'national',
  'weather',
  'service',
  'flooding',
  'weekend',
  'nebraska',
  'west',
  'iowa',
  'missouri',
  'river',
  'flooding',
  'situation',
  'nebraska',
  'mike',
  'wight',
  'spokesman',
  'nebraska',
  'emergency',
  'management',
  'agency',
  'phone',
  'interview',
  'nebraska',
  'flood',
  'fatality',
  'week',
  'wight',
  'person',
  'home',
  'cause',
  'death',
  'authority',
  'car',
  'tractor',
  'missouri',
  'river',
  'saturday',
  'evening',
  'tv',
  'station',
  'kmtv',
  'crest',
  'foot',
  'tuesday',
  'brownville',
  'nebraska',
  'mile',
  'omaha',
  'corner',
  'state',
  'foot',
  'wight',
  'flooding',
  'wake',
  'meteorologist',
  'bomb',
  'cyclone',
  'winter',
  'hurricane',
  'pressure',
  'millibar',
  'hour',
  'storm',
  'rockies',
  'central',
  'plains',
  'week',
  'slideshow',
  'image',
  'water',
  'store',
  'home',
  'chunk',
  'highway',
  'bridge',
  'photo',
  'twitter',
  'nebraska',
  'governor',
  'pete',
  'ricketts',
  'rancher',
  'image',
  'medium',
  'cattle',
  'snowdrift',
  'field',
  'flooding',
  'access',
  'community',
  'river',
  'drinking',
  'water',
  'flood',
  'wight',
  'ricketts',
  'community',
  'saturday',
  'twitter',
  'devastation',
  'state',
  'nebraskaflood',
  'nebraskastrong',
  'governor',
  'reporting',
  'gabriella',
  'borter',
  'richard',
  'changour',
  'standards',
  'thomson',
  'reuters',
  'trust',
  'principles',
  'appsnewslettersadvertise',
  'usadvertising',
  'guidelinescookiesterms',
  'useprivacydo',
  'informationall',
  'quote',
  'minimum',
  'minute',
  'list',
  'exchange',
  'delay',
  'reuters',
  'rights',
  'reserved.for',
  'phone',
  'onlyfor',
  'tablet',
  'portrait',
  'upfor',
  'tablet',
  'landscape',
  'upfor',
  'desktop',
  'desktop'],
 ['hunter',
  'biden',
  'plea',
  'deal',
  'ufo',
  'takeaway',
  'whistleblower',
  'congress',
  'uap',
  'sinéad',
  "o'connor",
  'grammy',
  'singer',
  'netherlands',
  'u.s.',
  'draw',
  'rematch',
  'world',
  'cup',
  'federal',
  'reserve',
  'interest',
  'rate',
  'level',
  'year',
  'niger',
  'president',
  'guard',
  'coup',
  'ohio',
  'officer',
  'k-9',
  'man',
  'hand',
  'story',
  'tic',
  'tac',
  'ufo',
  'vermont',
  'flooding',
  'railroad',
  'track',
  'mid',
  '-',
  'air',
  'gorge',
  'july',
  'cbs',
  'news',
  'vermont',
  'town',
  'floodwater',
  'vermont',
  'town',
  'water',
  'record',
  'flood',
  'flooding',
  'vermont',
  'day',
  'storm',
  'sunday',
  'town',
  'knee',
  'water',
  'case',
  'railroad',
  'track',
  'mid',
  '-',
  'air',
  'footage',
  'railroad',
  'track',
  'sky',
  'connection',
  'ground',
  'gorge',
  'tree',
  'middle',
  'railroad',
  'track',
  'ludlow',
  'vt',
  '@weatherchannel',
  '@accuweather',
  '@wcvb',
  '@nwsburlington',
  '@abc',
  '@foxweather',
  'pic.twitter.com/ss0ceduw5u',
  'henry',
  'swenson',
  '@henryswenson',
  'july',
  'railroad',
  'ludlow',
  'vermont',
  'half',
  'inch',
  'rain',
  'july',
  'total',
  'national',
  'weather',
  'service',
  'town',
  'damage',
  'storm',
  'week',
  'municipal',
  'manager',
  'brendan',
  'mcnamara',
  'people',
  'burden',
  'piece',
  'brunt',
  'storm',
  'spokesperson',
  'vermont',
  'rail',
  'system',
  'cbs',
  'news',
  'video',
  'washout',
  'green',
  'mountain',
  'railroad',
  'railroad',
  'freight',
  'line',
  'rutland',
  'bellows',
  'falls',
  'operation',
  'line',
  'vermont',
  'track',
  'inspection',
  'repair',
  'rail',
  'freight',
  'service',
  'customer',
  'community',
  'vermont',
  'spokesperson',
  'rail',
  'system',
  'damage',
  'ludlow',
  'boil',
  'water',
  'notice',
  'official',
  'resident',
  'water',
  'people',
  'today',
  'house',
  'loss',
  'life',
  'mcnamara',
  'ludlow',
  'people',
  'care',
  'storm',
  'floodwater',
  'area',
  'vehicle',
  'home',
  'rain',
  'national',
  'weather',
  'service',
  'burlington',
  'floodwater',
  'round',
  'shower',
  'thunderstorm',
  'thursday',
  'friday',
  'storm',
  'inch',
  'rain',
  'service',
  'threat',
  'flooding',
  'floodwater',
  'today',
  'condition',
  'round',
  'shower',
  'thunderstorm',
  'thursday',
  'friday',
  'rainfall',
  'excess',
  'threat',
  'flooding',
  'pic.twitter.com/qnbmzn706',
  'nws',
  'burlington',
  '@nwsburlington',
  'july',
  'flooding',
  'water',
  'rescue',
  'chester',
  'county',
  'storm',
  'fema',
  'crew',
  'flooding',
  'damage',
  'austin',
  'week',
  'storm',
  'vermont',
  'phish',
  'flood',
  'recovery',
  'effort',
  'official',
  'damage',
  'flooding',
  'month',
  'west',
  'resident',
  'help',
  'alert',
  'weather',
  'temperature',
  'air',
  'quality',
  'alert',
  'li',
  'cohen',
  'media',
  'producer',
  'content',
  'writer',
  'cbs',
  'news',
  'july',
  'cbs',
  'interactive',
  'inc.',
  'rights',
  'thank',
  'cbs',
  'news',
  'account',
  'feature',
  'email',
  'address',
  'email',
  'address',
  'flooding',
  'water',
  'rescue',
  'chester',
  'county',
  'storm',
  'fema',
  'crew',
  'flooding',
  'damage',
  'austin',
  'week',
  'storm',
  'vermont',
  'phish',
  'flood',
  'recovery',
  'effort',
  'official',
  'damage',
  'flooding',
  'month',
  'west',
  'resident',
  'help',
  'copyright',
  'cbs',
  'interactive',
  'inc.',
  'right',
  'privacy',
  'policy',
  'california',
  'notice',
  'personal',
  'information',
  'terms',
  'use',
  'advertise',
  'captioning',
  'cbs',
  'news',
  'paramount+',
  'cbs',
  'news',
  'store',
  'site',
  'map',
  'contact',
  'browser',
  'notification',
  'news',
  'event',
  'reporting'],
 ['contentskip',
  'navigationskip',
  'navigationprint',
  'subscription',
  'sign',
  'insearch',
  'jobssearchus',
  'editionus',
  'editionuk',
  'editionaustralia',
  'guardian',
  'guardiannewsopinionsportculturelifestyleshowmoreshow',
  'morenewsview',
  'newsus',
  'newsworld',
  'politicsbusinesstechsciencenewslettersfight',
  'democracyopinionview',
  'opinionthe',
  'guardian',
  'viewcolumnistslettersopinion',
  'videoscartoonssportview',
  'sportsoccernfltennismlbmlsnbanhlf1golfcultureview',
  'culturefilmbooksmusicart',
  'designtv',
  'radiostageclassicalgameslifestyleview',
  'lifestylefashionfoodrecipeslove',
  'sexhome',
  'gardenhealth',
  'fitnessfamilytravelmoneysearch',
  'input',
  'google',
  'search',
  'searchsupport',
  'usprint',
  'subscriptionsus',
  'editionuk',
  'editionaustralia',
  'editionsearch',
  'jobsdigital',
  'archiveguardian',
  'puzzles',
  'licensingthe',
  'guardian',
  'guardianguardian',
  'weeklycrosswordswordiplycorrectionsfacebooktwittersearch',
  'jobsdigital',
  'archiveguardian',
  'puzzles',
  'licensingusworldenvironmentsoccerus',
  'politicsbusinesstechsciencenewslettersfight',
  'democracy',
  'traffic',
  'minneapolis',
  'minnesota',
  'snowstorm',
  'wednesday',
  'photograph',
  'craig',
  'lassig',
  'afp',
  'getty',
  'imagestraffic',
  'minneapolis',
  'minnesota',
  'snowstorm',
  'wednesday',
  'photograph',
  'craig',
  'lassig',
  'afp',
  'getty',
  'imagesus',
  'weather',
  'article',
  'month',
  'power',
  'winter',
  'storm',
  'article',
  'month',
  'oldfirefighter',
  'michigan',
  'power',
  'line',
  'people',
  'winter',
  'weather',
  'advisory',
  'countrygabrielle',
  'canon',
  'agenciesthu',
  'feb',
  'estfirst',
  'thu',
  'feb',
  'estnearly',
  'people',
  'power',
  'thursday',
  'afternoon',
  'winter',
  'storm',
  'wind',
  'state',
  'blizzard',
  'condition',
  'coast',
  'coast',
  'michigan',
  'brunt',
  'power',
  'outage',
  'thursday',
  'home',
  'business',
  'evening',
  'state',
  'ice',
  'storm',
  'decade',
  'dte',
  'power',
  'provider',
  'state',
  'damage',
  'power',
  'infrastructure',
  'ice',
  'quarter',
  'inch',
  'area',
  '“that',
  'level',
  'year',
  'matt',
  'paul',
  'vice',
  '-',
  'president',
  'distribution',
  'operation',
  'dte',
  'press',
  'briefing',
  'thursday',
  'morning',
  'weather',
  'power',
  'line',
  'utility',
  'pole',
  'situation',
  'peril',
  'exposure',
  'energy',
  'resource',
  'storm',
  'line',
  'hazard',
  'lt',
  'ethan',
  'quillen',
  'year',
  'firefighter',
  'paw',
  'paw',
  'volunteer',
  'fire',
  'department',
  'wire',
  'wednesday',
  'evening',
  'michigan',
  'state',
  'police',
  'official',
  'press',
  'briefing',
  'storm',
  'system',
  'national',
  'weather',
  'service',
  'winter',
  'weather',
  'advisory',
  'swath',
  'country',
  'area',
  'people',
  'temperature',
  'region',
  'area',
  'plain',
  'condition',
  'travel',
  'hazard',
  'power',
  'outage',
  'winter',
  'storm',
  'snow',
  'blizzard',
  'condition',
  'portion',
  'west',
  'plains',
  'great',
  'lakes',
  'nws',
  'forecast',
  'thursday',
  'morning',
  'storm',
  'snow',
  'hour',
  'wind',
  'mph',
  'impact',
  'disruption',
  'infrastructure',
  'livestock',
  'recreation”',
  'period',
  'snow',
  'wind',
  'wintry',
  'mix',
  'travel',
  'condition',
  'upper',
  'midwest',
  'northeast',
  'today',
  'wind',
  'chill',
  'wake',
  'storm',
  'key',
  'messages',
  'information',
  'pic.twitter.com/siz33vp2lj',
  'nws',
  'weather',
  'prediction',
  'center',
  '@nwswpc',
  'february',
  'place',
  'weather',
  'north',
  'cold',
  'south',
  'heat',
  'temperature',
  '80f.',
  'record',
  'temperature',
  'midwest',
  'south',
  'east',
  'temperature',
  'difference',
  'thursday',
  'texas',
  '101f',
  'wyoming',
  'nws',
  'west',
  'storm',
  'snow',
  'california',
  'blizzard',
  'warning',
  'decade',
  'area',
  'los',
  'angeles',
  'ventura',
  'santa',
  'barbara',
  'county',
  'saturday',
  'afternoon',
  'thursday',
  'morning',
  'snowfall',
  'sea',
  'level',
  'state',
  'hill',
  'san',
  'francisco',
  'bay',
  'area',
  'snow',
  'santa',
  'cruz',
  'mountains',
  'coast',
  'snowflake',
  'hollywood',
  'sign',
  'hill',
  'los',
  'angeles',
  'forecaster',
  'wintery',
  'weather',
  'weekend',
  'lot',
  'folk',
  'snow',
  'event',
  'time',
  'climate',
  'scientist',
  'daniel',
  'swain',
  'youtube',
  'discussion',
  'thursday',
  'morning',
  'californian',
  'phenomenon',
  'hillside',
  'mountain',
  'nbc',
  'bay',
  'area',
  'skyranger',
  'birds',
  'eye',
  'view',
  'snow',
  'bay',
  'area',
  'eagle',
  'ohlone',
  'regional',
  'wilderness',
  'east',
  'bay',
  'hill',
  'nbc',
  'bay',
  'area',
  '@nbcbayarea',
  'february',
  'north',
  'portland',
  'oregon',
  'car',
  'highway',
  'snow',
  'pacific',
  'north',
  'west',
  'street',
  'closure',
  'traffic',
  'delay',
  'transportation',
  'official',
  'resident',
  'home',
  'snowplow',
  'emergency',
  'route',
  'city',
  'condition',
  'highway',
  'arizona',
  'wyoming',
  'wednesday',
  'driver',
  'car',
  'closing',
  'school',
  'office',
  'minnesota',
  'legislature',
  'weather',
  'flight',
  'cancellation',
  'tracking',
  'service',
  'flightaware',
  'stroll',
  'provo',
  'utah',
  'tuesday',
  'photograph',
  'george',
  'frey',
  'afp',
  'getty',
  'imagesin',
  'wyoming',
  'rescuer',
  'vehicle',
  'wind',
  'snow',
  'situation',
  'sgt',
  'jeremy',
  'beck',
  'wyoming',
  'highway',
  'patrol',
  'state',
  'transportation',
  'department',
  'road',
  'south',
  'state',
  'storm',
  'end',
  'week',
  'great',
  'lakes',
  'north',
  'east',
  'foot',
  'snow',
  'area',
  'nws',
  'danger',
  'power',
  'outage',
  'location',
  'combination',
  'wind',
  'ice',
  'agency',
  'storm',
  'system',
  'west',
  'coast',
  'california',
  'end',
  'week',
  'snowfall',
  'threat',
  'west',
  'california',
  'nws',
  'risk',
  'flash',
  'flood',
  'california',
  'weekend',
  'round',
  'snowfall',
  'ft',
  'sierra',
  'nevada',
  'total',
  'peak',
  'weatherarizonawyomingcalifornianewsreuse',
  'viewedmost',
  'viewedusworldenvironmentsoccerus',
  'politicsbusinesstechsciencenewslettersfight',
  'reporting',
  'analysis',
  'guardian',
  'ushelpcomplaint',
  'correctionssecuredropwork',
  'usprivacy',
  'policycookie',
  'policyterms',
  'conditionscontact',
  'usall',
  'topicsall',
  'newspaper',
  'archivefacebookyoutubeinstagramlinkedintwitternewslettersadvertise',
  'labssearch',
  'guardian',
  'news',
  'media',
  'limited',
  'company',
  'right'],
 ['news',
  'alert',
  'news',
  'notification',
  'messagepress',
  'search',
  'aloha',
  'profile',
  'logout',
  'aloha',
  'guest!login',
  'register',
  'page',
  'news',
  'video',
  'menu',
  'kauai',
  'app',
  'advertise',
  'ads',
  'newsletter',
  'contact',
  'island',
  'kauaimauibig',
  'islandcopyright',
  'pacific',
  'media',
  'groupall',
  'rights',
  'reservedprivacy',
  'policy',
  'ads',
  'search',
  'aloha',
  'profile',
  'logout',
  'aloha',
  'guest!login',
  'register',
  'sections',
  'page',
  'kauai',
  'news',
  'weather',
  'forecast',
  'surf',
  'report',
  'tourism',
  'hawaii',
  'news',
  'ʻōlelo',
  'hawaiʻi',
  'videos',
  'kauai',
  'news',
  'update',
  'calvin',
  'storm',
  'storm',
  'hawaiʻi',
  'july',
  'hst',
  'july',
  'playlisten',
  'article3',
  'audio',
  'article',
  'ad',
  'aaa',
  'satellite',
  'image',
  'tropical',
  'storm',
  'calvin',
  'a.m.',
  'july',
  'courtesy',
  'national',
  'hurricane',
  'center',
  'update',
  'a.m.',
  'july',
  'central',
  'pacific',
  'hurricane',
  'center',
  'tropical',
  'storm',
  'calvin',
  'storm',
  'effect',
  'big',
  'island',
  'storm',
  'cyclone',
  'center',
  'mile',
  'west',
  'southwest',
  'hilo',
  'mile',
  'honolulu',
  'system',
  'mph',
  'maximum',
  'wind',
  'mph',
  'gust',
  'weakening',
  'system',
  'thursday',
  'gale',
  'force',
  'wind',
  'mile',
  'center',
  'storm',
  'condition',
  'hawaiʻi',
  'wind',
  'today',
  'tonight',
  'article',
  'adas',
  'calvin',
  'state',
  'rainfall',
  'total',
  'inch',
  'big',
  'island',
  'inch',
  'island',
  'story',
  'tropical',
  'storm',
  'calvin',
  'big',
  'island',
  'hawaiʻi',
  'county',
  'rainfall',
  'wind',
  'kona',
  'area',
  'a.m.',
  'wednesday',
  'storm',
  'mile',
  'hilo',
  'mph',
  'wind',
  'mph',
  'gust',
  'calvin',
  'kauaʻi',
  'rest',
  'hawaiian',
  'island',
  'hour',
  'remnant',
  'low',
  'national',
  'weather',
  'service',
  'flood',
  'advisory',
  'effect',
  'a.m.',
  'big',
  'island',
  'article',
  'adband',
  'rainfall',
  'impact',
  'portion',
  'big',
  'island',
  'morning',
  'hour',
  'slope',
  'kaʻū',
  'district',
  'rainfall',
  'total',
  '4-',
  'inch',
  'range',
  'big',
  'island',
  'inch',
  'calvin',
  'condition',
  'island',
  'today',
  'calvin',
  'south',
  'a.m.',
  'wednesday',
  'radar',
  'rain',
  'east',
  'slope',
  'big',
  'island',
  'rain',
  'rate',
  'inch',
  'hour',
  'insome',
  'area',
  'tropical',
  'storm',
  'calvin',
  'big',
  'island',
  'flood',
  'watch',
  'big',
  'island',
  'effect',
  'flood',
  'advisory',
  'map',
  'big',
  'island',
  'wednesday',
  'morning',
  'national',
  'weather',
  'service',
  'article',
  'adsome',
  'location',
  'flooding',
  'hilo',
  'hawaiian',
  'paradise',
  'park',
  'waikōloa',
  'village',
  'kapaʻau',
  'honokaʻa',
  'pohakuloa',
  'camp',
  'pohakuloa',
  'training',
  'area',
  'volcano',
  'glenwood',
  'mountain',
  'view',
  'hawaii',
  'volcanoes',
  'national',
  'park',
  'papaikou',
  'honomu',
  'pepeʻekeo',
  'keaʻau',
  'hawaiian',
  'acres',
  'wood',
  'valley',
  'laupahoehoe',
  'hakalau',
  'national',
  'weather',
  'service',
  'precaution',
  'road',
  'flooddeath',
  'vehicle',
  'river',
  'bank',
  'culvert',
  'swell',
  'calvin',
  'hawaiian',
  'islands',
  'wednesday',
  'life',
  'surf',
  'sea',
  'condition',
  'shoreline',
  'wind',
  'big',
  'island',
  'shelter',
  'information',
  'closure',
  'wednesday',
  'big',
  'island',
  'sponsored',
  'content',
  'subscribe',
  'newsletter',
  'know',
  'dailyheadlines',
  'inbox',
  'cancel×',
  'related',
  'articlesupdate',
  'tropical',
  'storm',
  'calvin',
  'july',
  'update',
  'tropical',
  'storm',
  'calvin',
  'mile',
  'big',
  'july',
  'update',
  'official',
  'july',
  'update',
  'surf',
  'warning',
  'tropical',
  'storm',
  'july',
  'high',
  'surf',
  'warning',
  'extended',
  'public',
  'july',
  'update',
  '.',
  'calvin',
  'west',
  'july',
  'commentsthis',
  'comment',
  'section',
  'community',
  'forum',
  'purpose',
  'expression',
  'kauai',
  'communication',
  'content',
  'discretion',
  'view',
  'comments',
  'water',
  'advisory',
  'wailua',
  'bay',
  '2school',
  'bus',
  'driver',
  'shortage',
  'impact',
  'schools',
  'student',
  'kauaʻi',
  '3hawaii',
  'land',
  'trust',
  'names',
  'kapule',
  'torio',
  'kauai',
  'steward',
  'educator',
  '4new',
  'program',
  'time',
  'homebuyers',
  'hawaiʻi',
  'american',
  'savings',
  'bank',
  'youtuber',
  'emmy',
  'awards',
  'liliʻuokalanis',
  'royal',
  'standard',
  'hawaiʻi',
  'home',
  'page',
  'kauai',
  'news',
  'kauai',
  'weather',
  'surf',
  'report',
  'kauai',
  'tourism',
  'news',
  'hawaii',
  'news',
  'community',
  'guest',
  'columns',
  'ʻōlelo',
  'hawaiʻi',
  'hawaiian',
  'language',
  'kauai',
  'videos',
  'kauai',
  'app',
  'newsletter',
  'ads',
  'contact',
  'copyright',
  'pacific',
  'media',
  'group',
  'rights',
  'privacy',
  'policy',
  'ad'],
 ['yousign',
  'insign',
  'inabout',
  'usgot',
  'tip?buzzfeed.comscienceclimatethe',
  'texas',
  'winter',
  'storm',
  'power',
  'outage',
  'people',
  'state',
  'saysa',
  'buzzfeed',
  'news',
  'analysis',
  'failure',
  'texas',
  'power',
  'grid',
  'february',
  'people',
  'peter',
  'news',
  'reporter',
  'stephanie',
  'm.',
  'leebuzzfeed',
  'news',
  'reporter',
  'zahra',
  'news',
  'reporterposted',
  'number',
  'people',
  'winter',
  'storm',
  'power',
  'outage',
  'texas',
  'february',
  'time',
  'state',
  'buzzfeed',
  'news',
  'data',
  'analysis',
  'scale',
  'catastrophe',
  'million',
  'people',
  'darkness',
  'access',
  'water',
  'emergency',
  'service',
  'day',
  'state',
  'tally',
  'death',
  'people',
  'storm',
  'method',
  'toll',
  'disaster',
  'people',
  'storm',
  'week',
  'power',
  'outage',
  'toll',
  'consequence',
  'official',
  'neglect',
  'power',
  'grid',
  'collapse',
  'warning',
  'vulnerability',
  'weather',
  'state',
  'failure',
  'magnitude',
  'crisis',
  'victim',
  'storm',
  'power',
  'outage',
  'condition',
  'disease',
  'diabetes',
  'kidney',
  'problem',
  'cold',
  'stress',
  'crisis',
  'people',
  'today',
  'case',
  'year',
  'julius',
  'gonzales',
  'family',
  'dawn',
  'february',
  'way',
  'dialysis',
  'appointment',
  'clinic',
  'power',
  'maintenance',
  'worker',
  'dodge',
  'ram',
  'home',
  'wife',
  'mary',
  'town',
  'arcola',
  'texas',
  'year',
  'hour',
  'life',
  'michael',
  'starghill',
  'jr.',
  'buzzfeed',
  'news',
  'shelf',
  'mary',
  'gonzales',
  'home',
  'picture',
  'husband',
  'julius',
  'gonzales',
  'picture',
  'grandson',
  'right',
  'arcola',
  'texas',
  'gonzales',
  'home',
  'light',
  'couple',
  'blizzard',
  'hurricane',
  'power',
  'bone',
  'cold',
  'temperature',
  '20',
  'sweater',
  'blanket',
  'generator',
  'heater',
  'gonzales',
  'wife',
  'sleep',
  'a.m.',
  'february',
  'sweater',
  'jean',
  'sock',
  'gonzales',
  'noise',
  'bed',
  'wife',
  'plea',
  'paramedic',
  'paper',
  'gonzales',
  'death',
  'storm',
  'wife',
  'death',
  'certificate',
  'month',
  'julius',
  'disease',
  'blood',
  'pressure',
  'artery',
  'diabetes',
  'thyroid',
  'gland',
  'death',
  'michael',
  'starghill',
  'jr.',
  'buzzfeed',
  'news',
  'mary',
  'gonzales',
  'home',
  'arcola',
  'texas',
  'mary',
  'husband',
  'problem',
  'vest',
  'pulse',
  'pound',
  'bout',
  'covid-19.but',
  'mary',
  'storm',
  'fact',
  'dialysis',
  'examiner',
  'explanation',
  'husband',
  'year',
  'day',
  'cold',
  'heart',
  'buzzfeed',
  'news',
  'analysis',
  'death',
  'storm',
  'mortality',
  'datum',
  'cdc',
  'method',
  'death',
  'analysis',
  'toll',
  'covid-19',
  'pandemic',
  'analysis',
  'expert',
  'people',
  'texas',
  'week',
  'february',
  'estimate',
  'people',
  'storm',
  'week',
  'end',
  'range',
  'time',
  'number',
  'official',
  'state',
  'winter',
  'storm',
  'power',
  'outage',
  'texas',
  'spike',
  'death',
  'buzzfeed',
  'news',
  'analysis',
  'texas',
  'storm',
  'death',
  'buzzfeed',
  'news',
  'relative',
  'people',
  'power',
  'outage',
  'dozen',
  'death',
  'lawsuit',
  'death',
  'report',
  'record',
  'request',
  'examiner',
  'county',
  'texas',
  'interview',
  'story',
  'anguish',
  'confusion',
  'family',
  'relative',
  'confusion',
  'challenge',
  'survivor',
  'mary',
  'gonzales',
  'delay',
  'cause',
  'death',
  'husband',
  'income',
  'pension',
  'month',
  'acknowledgment',
  'death',
  'storm',
  'family',
  'assistance',
  'funeral',
  'cost',
  'death',
  'toll',
  'pressure',
  'state',
  'legislator',
  'energy',
  'regulator',
  'texas',
  'gov.',
  'greg',
  'abbott',
  'state',
  'infrastructure',
  'disaster',
  'abbott',
  'press',
  'secretary',
  'renae',
  'eze',
  'question',
  'death',
  'toll',
  'state',
  'abbott',
  'house',
  'senate',
  'solution',
  'event',
  'governor',
  'texans',
  'life',
  'winter',
  'storm',
  'family',
  'loss',
  'state',
  'session',
  'lawmaker',
  'week',
  'proposal',
  'vulnerability',
  'february',
  'storm',
  'michael',
  'webber',
  'professor',
  'engineering',
  'energy',
  'infrastructure',
  'university',
  'texas',
  'austin',
  'people',
  'propane',
  'tank',
  'houston',
  'feb.',
  'storm',
  'valentine',
  'day',
  'weekend',
  'forecast',
  'national',
  'weather',
  'service',
  'texas',
  'state',
  'snow',
  'ice',
  'day',
  'temperature',
  'severity',
  'weather',
  'day',
  'texas',
  'history',
  'abbott',
  'february',
  'press',
  'conference',
  'hospital',
  'place',
  'contingency',
  'plan',
  'ambulance',
  'provider',
  'driving',
  'condition',
  'governor',
  'texans',
  'power',
  'heat',
  'home',
  'supply',
  'couple',
  'day',
  'state',
  'situation',
  'state',
  'ability',
  'power',
  'abbott',
  'peter',
  'aldhous',
  'buzzfeed',
  'news',
  'wpc.ncep.noaa.gov',
  'day',
  'forecast',
  'winter',
  'storm',
  'severity',
  'a.m.',
  'central',
  'time',
  'feb.',
  'power',
  'state',
  'texas',
  'grid',
  'rest',
  'country',
  'power',
  'state',
  'line',
  'generator',
  'border',
  'lot',
  'power',
  'plant',
  'coal',
  'plant',
  'wind',
  'turbine',
  'panel',
  'problem',
  'failure',
  'state',
  'gas',
  'infrastructure',
  'texas',
  'electricity',
  'official',
  'gas',
  'operator',
  'equipment',
  'winter',
  'storm',
  'blackout',
  'power',
  'grid',
  'vulnerability',
  'temperature',
  'texans',
  'power',
  'week',
  'storm',
  'average',
  'hour',
  'university',
  'houston',
  'study',
  'people',
  'power',
  'day',
  'temperature',
  'digit',
  'swath',
  'state',
  'people',
  'home',
  'gas',
  'oven',
  'furniture',
  'belonging',
  'generator',
  'barbecue',
  'grill',
  'car',
  'heat',
  'state',
  'carbon',
  'monoxide',
  'disaster',
  'year',
  'power',
  'outage',
  'pipe',
  'million',
  'people',
  'access',
  'water',
  'snow',
  'gerald',
  'herring',
  'son',
  'jonathan',
  'morning',
  'february',
  'gerald',
  'herring',
  'army',
  'veteran',
  'power',
  'outage',
  'pipe',
  'home',
  'sugar',
  'land',
  'southwest',
  'houston',
  'phone',
  'herring',
  'son',
  'jonathan',
  'water',
  'neighbor',
  'house',
  'mention',
  'lifting',
  'son',
  'health',
  'thing',
  'jonathan',
  'herring',
  'buzzfeed',
  'news',
  'father',
  'surgery',
  'year',
  'valve',
  'heart',
  'episode',
  'thing',
  'son',
  'chris',
  'herring',
  'dad',
  'phone',
  'day',
  'spirit',
  'monitoring',
  'stepmom',
  'tap',
  'gif',
  'tap',
  'gif',
  'peter',
  'aldhous',
  'buzzfeed',
  'news',
  'percentage',
  'customer',
  'power',
  'region',
  'county',
  'storm',
  'day',
  'gerald',
  'herring',
  'paramedic',
  'hospital',
  'drive',
  'road',
  'chris',
  'gerald',
  'death',
  'disease',
  'blood',
  'pressure',
  'artery',
  'heart',
  'problem',
  'son',
  'cold',
  'catalyst',
  'death',
  'stress',
  'heart',
  'condition',
  'power',
  'water',
  'set',
  'circumstance',
  'chris',
  'storm',
  'power',
  'jonathan',
  'year',
  'idiot',
  'day',
  'death',
  'julius',
  'gonzales',
  'gerald',
  'herring',
  'cause',
  'stephen',
  'pustilnik',
  'fort',
  'bend',
  'county',
  'examiner',
  'buzzfeed',
  'news',
  'history',
  'investigator',
  'storm',
  'pustilnik',
  'family',
  'family',
  'member',
  'justin',
  'sullivan',
  'getty',
  'images',
  'family',
  'result',
  'power',
  'failure',
  'confirmation',
  'answer',
  'hope',
  'circumstance',
  'hour',
  'storm',
  'death',
  'examiner',
  'cause',
  'death',
  'examination',
  'body',
  'autopsy',
  'tv',
  'crime',
  'drama',
  'examiner',
  'diagnosis',
  'autopsy',
  'fact',
  'cause',
  'death',
  'storm',
  'confusion',
  'death',
  'condition',
  'autopsy',
  '%',
  'death',
  'disease',
  'instance',
  'autopsy',
  'study',
  'year',
  'cause',
  'death',
  'texas',
  'dozen',
  'texas',
  'county',
  'examiner',
  'office',
  'rest',
  'cause',
  'death',
  'responsibility',
  'official',
  'expertise',
  'county',
  'death',
  'examiner',
  'county',
  'investigation',
  'examination',
  'autopsy',
  'county',
  'job',
  'job',
  'kathryn',
  'pinneri',
  'director',
  'montgomery',
  'county',
  'texas',
  'vice',
  'president',
  'national',
  'association',
  'medical',
  'examiners',
  'buzzfeed',
  'news',
  'death',
  'galveston',
  'county',
  'death',
  'cause',
  'consideration',
  'storm',
  'power',
  'outage',
  'buzzfeed',
  'news',
  'list',
  'death',
  'storm',
  'county',
  'examiner',
  'office',
  'update',
  'cause',
  'death',
  'year',
  'eula',
  'piangenti',
  'heart',
  'failure',
  'exposure',
  'feb',
  'winter',
  'storm',
  '”erin',
  'barnhart',
  'examiner',
  'galveston',
  'county',
  'pathologist',
  'university',
  'texas',
  'medical',
  'branch',
  'buzzfeed',
  'news',
  'case',
  'reporter',
  'texas',
  'monthly',
  'death',
  'galveston',
  'storm',
  'power',
  'outage',
  'piangenti',
  'alzheimer',
  'disease',
  'problem',
  'daughter',
  'sharon',
  'stacy',
  'oxygen',
  'breathe',
  'hour',
  'electricity',
  'supply',
  'stacy',
  'house',
  'morning',
  'february',
  'power',
  'piangenti',
  'hospice',
  'care',
  'daughter',
  'breath',
  'stacy',
  'texas',
  'monthly',
  'time',
  'barnhart',
  'circumstance',
  'piangenti',
  'death',
  'funeral',
  'place',
  'body',
  'information',
  'piangenti',
  'case',
  'galveston',
  'fact',
  'victim',
  'power',
  'outage',
  'storm',
  'case',
  'year',
  'shirley',
  'napier',
  'home',
  'february',
  'power',
  'heart',
  'rhythm',
  'emt',
  'team',
  'hospital',
  'body',
  'temperature',
  'threshold',
  'hypothermia',
  'napier',
  'sunday',
  'death',
  'certificate',
  'cause',
  'death',
  'brain',
  'injury',
  'lack',
  'oxygen',
  'heart',
  'attack',
  'cause',
  'death',
  'steven',
  'napier',
  'shirley',
  'husband',
  'buzzfeed',
  'news',
  'electric',
  'reliability',
  'council',
  'texas',
  'ercot',
  'state',
  'power',
  'grid',
  'centerpoint',
  'energy',
  'utility',
  'home',
  'electricity',
  'death',
  'wife',
  'state',
  'decision',
  'power',
  'grid',
  'storm',
  'wife',
  'death',
  'money',
  'system',
  'napier',
  'homicide',
  'court',
  'filing',
  'ercot',
  'napier',
  'claim',
  'grid',
  'operator',
  'request',
  'comment',
  'buzzfeed',
  'news',
  'barnhart',
  'examiner',
  'galveston',
  'county',
  'death',
  'storm',
  'state',
  'count',
  'shelia',
  'james',
  'dale',
  'guss',
  'right',
  'friend',
  'year',
  'apartment',
  'houston',
  'power',
  'monday',
  'february',
  'thursday',
  'night',
  'james',
  'time',
  'year',
  'roommate',
  'week',
  'cover',
  'friday',
  'guss',
  'people',
  'point',
  'thing',
  'james',
  'james',
  'guss',
  'kind',
  'condition',
  'lot',
  'weight',
  'roommate',
  'james',
  'heart',
  'medication',
  'james',
  'cause',
  'death',
  'guss',
  'heart',
  'valve',
  'ethanolism',
  'term',
  'people',
  'death',
  'storm',
  'process',
  'james',
  'harris',
  'county',
  'examiner',
  'office',
  'comment',
  'guss',
  'case',
  'courtesy',
  'shelia',
  'james',
  'dwight',
  'walker',
  'brunt',
  'storm',
  'power',
  'house',
  'dallas',
  'county',
  'sister',
  'alfredia',
  'walker',
  'strhan',
  'house',
  'day',
  'february',
  'brother',
  'person',
  'walker',
  'strhan',
  'buzzfeed',
  'news',
  'service',
  'people',
  'walker',
  'strhan',
  'power',
  'outage',
  'walker',
  'death',
  'body',
  'brother',
  'cause',
  'death',
  'county',
  'record',
  'buzzfeed',
  'news',
  'disease',
  'diabetes',
  'mellitus',
  'jeffrey',
  'barnard',
  'county',
  'examiner',
  'record',
  'walker',
  'power',
  'death',
  'information',
  'office',
  'courtesy',
  'alfredia',
  'walker',
  'strhan',
  'courtesy',
  'shelia',
  'james',
  'courtesy',
  'alfredia',
  'walker',
  'strhan',
  'death',
  'toll',
  'storm',
  'power',
  'outage',
  'buzzfeed',
  'news',
  'model',
  'death',
  'week',
  'term',
  'trend',
  'estimate',
  'death',
  'storm',
  ...],
 ['national',
  'parks',
  'northern',
  'utah',
  'cities',
  'towns',
  'parks',
  'outdoors',
  'southern',
  'utah',
  'salt',
  'lake',
  'city',
  'wasatch',
  'dark',
  'sky',
  'parks',
  'winter',
  'southern',
  'utah',
  'ski',
  'resorts',
  'arts',
  'museums',
  'backpacking',
  'camping',
  'cycling',
  'dinosaurs',
  'festivals',
  'events',
  'utah',
  'fishing',
  'food',
  'nightlife',
  'hiking',
  'history',
  'mountain',
  'biking',
  'ohv',
  'road',
  'rafting',
  'road',
  'rock',
  'climbing',
  'skiing',
  'slot',
  'canyons',
  'snowboarding',
  'snowmobiling',
  'snowshoeing',
  'stargazing',
  'tribal',
  'cultures',
  'urban',
  'experiences',
  'travel',
  'guides',
  'maps',
  'international',
  'travel',
  'responsible',
  'travel',
  'travel',
  'guides',
  'outfitters',
  'itineraries',
  'ski',
  'travel',
  'weather',
  'prevent',
  'wildfire',
  'fire',
  'safety',
  'review',
  'location',
  'wildfire',
  'utah',
  'robber',
  'roost',
  'southeastern',
  'utah',
  'andrew',
  'burr',
  'learn',
  'year',
  'utah',
  'weather',
  'average',
  'forecast',
  'utah',
  'adventure',
  'season',
  'utah',
  'seasons',
  'utah',
  'state',
  'n',
  'degree',
  'n',
  'degree',
  'parallel',
  'condition',
  'northern',
  'utah',
  'southern',
  'utah',
  'utah',
  'record',
  'temperature',
  'f',
  '-56',
  'c',
  'peter',
  'sinks',
  'february',
  'f',
  'c',
  'month',
  'july',
  'st.',
  'george',
  'utah',
  'season',
  'weather',
  'pattern',
  'weather',
  'april',
  'mid',
  '-',
  'june',
  'august',
  'mid',
  '-',
  'october',
  'december',
  'february',
  'valley',
  'inversion',
  'level',
  'particulate',
  'pollution',
  'air',
  'quality',
  'group',
  'utah',
  'desert',
  'climate',
  'state',
  'country',
  'humidity',
  'percentage',
  'december',
  'humidity',
  '%',
  'july',
  'humidity',
  '%',
  'people',
  'heat',
  'fahrenheit',
  'utah',
  'c',
  'place',
  'humidity',
  'florida',
  'muggy',
  'utah',
  'air',
  'week',
  'winter',
  'place',
  'new',
  'england',
  'humidity',
  'lack',
  'humidity',
  'moisture',
  'atmosphere',
  'sky',
  'utah',
  'shade',
  'blue',
  'utah',
  'season',
  'weather',
  'pattern',
  'weather',
  'april',
  'mid',
  '-',
  'june',
  'august',
  'mid',
  '-',
  'october',
  'delicate',
  'arch',
  'arches',
  'national',
  'park',
  'photo',
  'rosie',
  'serago',
  'beginning',
  'september',
  'day',
  'temperature',
  'day',
  'rainfall',
  'daylight',
  'hour',
  'color',
  'september',
  'stride',
  'october',
  'october',
  'temperature',
  'leave',
  'color',
  'snow',
  'november',
  'temperature',
  'rain',
  'day',
  'average',
  'month',
  'snow',
  'mountain',
  'ski',
  'resort',
  'end',
  'month',
  'march',
  'weather',
  'start',
  'spring',
  'season',
  'utah',
  'spring',
  'land',
  'temperature',
  'difference',
  'rain',
  'march',
  'rest',
  'form',
  'snow',
  'april',
  'temperature',
  'advance',
  'spring',
  'season',
  'utah',
  'snowfall',
  'ski',
  'resort',
  'operation',
  'mid',
  '-',
  'april',
  'spring',
  'bloom',
  'rain',
  'shower',
  'sunshine',
  'week',
  'april',
  'month',
  'state',
  'temperature',
  'length',
  'day',
  'sunshine',
  'rainstorm',
  'june',
  'summer',
  'temperature',
  'sunshine',
  'rainfall',
  'june',
  'day',
  'year',
  'hour',
  'daylight',
  'summer',
  'solstice',
  'july',
  'august',
  'month',
  'year',
  'range',
  'temperature',
  'month',
  'rainfall',
  'winter',
  'december',
  'february',
  'period',
  'snowfall',
  'temperature',
  'daylight',
  'hour',
  'december',
  'january',
  'month',
  'year',
  'day',
  'december',
  'winter',
  'solstice',
  'hour',
  'daylight',
  'february',
  'mix',
  'winter',
  'spring',
  'weather',
  'peek',
  'temperature',
  'sunshine',
  'utah',
  'regional',
  'averages',
  'winter',
  'spring',
  'temperatures',
  'utah',
  'logan',
  'bear',
  'lake',
  'f-1/-12',
  'c',
  'c',
  'f21/5',
  'c',
  'wasatch',
  'range',
  'ogden',
  'salt',
  'lake',
  'city',
  'provo',
  'park',
  'city',
  'degree',
  'f',
  'cooler',
  'c',
  'f11/-1',
  'c',
  'f22/8',
  'c',
  'eastern',
  'utah',
  'flaming',
  'gorge',
  'dinosaur',
  'national',
  'monument',
  'f3/-11',
  'c',
  'f9/-5',
  'c',
  '68/37',
  'c',
  'central',
  'utah',
  'fishlake',
  'national',
  'forest',
  'bryce',
  'canyon',
  'capitol',
  'reef',
  'national',
  'park',
  '39/9',
  'c',
  'c',
  'f20/2',
  'c',
  'f6/-8',
  'c',
  'f17/1',
  'c',
  'f28/9',
  'c',
  'f12/-4',
  'c',
  'c',
  'f30/11',
  'c',
  'f8/-4',
  'c',
  'f17/2',
  'c',
  'f28/11',
  'c',
  'utahlogan',
  'bear',
  'lake',
  'f32/12',
  'c',
  'f25/6',
  'c',
  'f8/-4',
  'c',
  'wasatch',
  'rangeogden',
  'salt',
  'lake',
  'city',
  'provo',
  'park',
  'city',
  'degree',
  'f',
  'cooler',
  'c',
  'f26/11',
  'c',
  'f10/-2',
  'c',
  'eastern',
  'utahflaming',
  'gorge',
  'dinosaur',
  'national',
  'monument',
  'f31/11',
  'c',
  'f24/5',
  'c',
  'f8/-6',
  'c',
  'central',
  'utahfishlake',
  'national',
  'forest',
  'bryce',
  'canyon',
  'capitol',
  'reef',
  'national',
  'park',
  'f28/9',
  'c',
  'f23/4',
  'c',
  'c',
  'f36/16',
  'c',
  'f30/11',
  'c',
  'c',
  'c',
  'f34/13',
  'c',
  'c',
  'c',
  'f31/14',
  'c',
  'f14/1',
  'c',
  'utahlogan',
  'bear',
  'lake',
  'wasatch',
  'rangeogden',
  'salt',
  'lake',
  'city',
  'provo',
  'park',
  'city',
  'degree',
  'f',
  'cooler',
  'park',
  'city(mountain',
  'resort',
  'snowfall',
  'eastern',
  'utahflaming',
  'gorge',
  'dinosaur',
  'national',
  'monument',
  'central',
  'utahfishlake',
  'national',
  'forest',
  'bryce',
  'canyon',
  'capitol',
  'reef',
  'national',
  'park',
  'arches',
  'national',
  'park',
  'temperatures',
  'arches',
  'national',
  'park',
  'f',
  'c',
  'january',
  '100/67',
  'f',
  'c',
  'july',
  'colorado',
  'plateau',
  'desert',
  'region',
  'temperature',
  'fluctuation',
  'degree',
  'day',
  'information',
  'arches',
  'national',
  'park',
  'page',
  'national',
  'park',
  'service',
  'website',
  'bryce',
  'canyon',
  'national',
  'park',
  'bryce',
  'canyon',
  'national',
  'park',
  'temperature',
  'f',
  'c',
  'january',
  'f',
  'c',
  'july',
  'elevation',
  'feet/2,335',
  'meter',
  'park',
  'weather',
  'park',
  'utah',
  'bryce',
  'canyon',
  'national',
  'park',
  'page',
  'national',
  'park',
  'service',
  'website',
  'detail',
  'canyonlands',
  'national',
  'park',
  'canyonlands',
  'national',
  'park',
  'temperature',
  'f',
  'c',
  'january',
  '100/67',
  'f',
  'c',
  'july',
  'canyonlands',
  'national',
  'park',
  'desert',
  'region',
  'colorado',
  'plateau',
  'temperature',
  'variation',
  'day',
  'canyonlands',
  'national',
  'park',
  'page',
  'national',
  'park',
  'service',
  'website',
  'information',
  'capitol',
  'reef',
  'national',
  'park',
  'capitol',
  'reef',
  'national',
  'park',
  'temperature',
  'f',
  'c',
  'january',
  'f',
  'c',
  'july',
  'environment',
  'capitol',
  'reef',
  'weather',
  'safety',
  'concern',
  'flash',
  'flooding',
  'heat',
  'risk',
  'capitol',
  'reef',
  'national',
  'park',
  'weather',
  'national',
  'park',
  'service',
  'website',
  'zion',
  'national',
  'park',
  'temperatures',
  'zion',
  'national',
  'park',
  'range',
  'f',
  '11/-1.6',
  'c',
  'january',
  'f',
  'c',
  'july',
  'daytime',
  'temperature',
  'degree',
  'area',
  'flash',
  'flooding',
  'zion',
  'national',
  'park',
  'page',
  'national',
  'park',
  'service',
  'website',
  'date',
  'information',
  'park',
  'weather',
  'utah',
  'ski',
  'snowboard',
  'weather',
  'utah',
  'ski',
  'resort',
  'state',
  'resort',
  'end',
  'november',
  'season',
  'snowfall',
  'mid',
  '-',
  'april',
  'cottonwood',
  'canyons',
  'snowfall',
  'inch',
  'cm',
  'snow',
  'density',
  'percent',
  'utah',
  'snow',
  'powdery',
  'dozen',
  'powder',
  'day',
  'season',
  'powder',
  'day',
  'inch',
  'cm',
  'hour',
  'science',
  'greatest',
  'snow',
  'earth',
  'daily',
  'snow',
  'condition',
  'resort',
  'update',
  'condition',
  'link',
  'webcam',
  'look',
  'mountain',
  'condition',
  'weather',
  'alert',
  'weather',
  'report',
  'forecast',
  'utah',
  'television',
  'broadcast',
  'channel',
  'kutv',
  'cbs',
  'channel',
  'ksl',
  'nbc',
  'channel',
  'abc4',
  'abc',
  'channel',
  'kued7',
  'pbs',
  'fox13',
  'fox',
  'channel',
  'news',
  'program',
  'p.m.',
  'p.m.',
  'p.m.',
  'weather',
  'information',
  'noaa',
  'weather',
  'radio',
  'unified',
  'police',
  'department',
  'canyon',
  'alert',
  'system',
  'people',
  'canyon',
  'traffic',
  'information',
  'restriction',
  'tire',
  'chain',
  'requirement',
  'cottonwood',
  'canyons',
  'alert',
  'twitter',
  '@udotcottonwood',
  'facebook',
  'page',
  'transportation',
  'utah',
  'mountain',
  'snowfall',
  'winter',
  'recreation',
  'opportunity',
  'winter',
  'safety',
  'challenge',
  'ski',
  'bus',
  'cottonwood',
  'canyon',
  'resort',
  'alta',
  'snowbird',
  'brighton',
  'solitude',
  'review',
  'practice',
  'cottonwood',
  'canyons',
  'congestion',
  'alta',
  'ski',
  'area',
  'new',
  'snow',
  'base',
  'depth',
  'run',
  'opening',
  'closing',
  'beaver',
  'mountain',
  'new',
  'snow',
  'base',
  'depth',
  'run',
  'opening',
  'closing',
  'brian',
  'head',
  'ski',
  'resort',
  'new',
  'snow',
  'base',
  'depth',
  'run',
  'opening',
  'closing',
  'brighton',
  'new',
  'snow',
  'base',
  'depth',
  'run',
  'opening',
  'closing',
  'cherry',
  'peak',
  'new',
  'snow',
  'base',
  'depth',
  'run',
  'opening',
  'closing',
  'deer',
  'valley',
  'resort',
  'new',
  'snow',
  'base',
  'depth',
  'run',
  'opening',
  'closing',
  'eagle',
  'point',
  'new',
  'snow',
  'base',
  'depth',
  'run',
  'opening',
  'closing',
  'nordic',
  'valley',
  'new',
  'snow',
  'base',
  'depth',
  'run',
  'opening',
  'closing',
  'park',
  'city',
  'mountain',
  'new',
  'snow',
  'base',
  'depth',
  'run',
  'opening',
  'powder',
  'mountain',
  'new',
  'snow',
  'base',
  'depth',
  'run',
  'opening',
  'closing',
  'snowbasin',
  'resort',
  'new',
  'snow',
  'base',
  'depth',
  'run',
  'opening',
  'closing',
  'snowbird',
  'new',
  'snow',
  'base',
  'depth',
  'run',
  'opening',
  'closing',
  'solitude',
  'mountain',
  'resort',
  'new',
  'snow',
  'base',
  'depth',
  'run',
  'opening',
  'sundance',
  'mountain',
  'resort',
  'new',
  'snow',
  'base',
  'depth',
  'run',
  'opening',
  'closing',
  'woodward',
  'park',
  'city',
  'new',
  'snow',
  'base',
  'depth',
  'run',
  'opening',
  'closing',
  'travel',
  'travel',
  'travel',
  'guide',
  'highway',
  'map',
  'sign',
  'newsletter',
  'copyright',
  'utah',
  'office',
  'tourism',
  'rights'],
 ['permission',
  'article',
  'letter',
  'editor',
  'letter',
  'editor',
  'breaking',
  'news',
  'photo',
  'storm',
  'state',
  'emergency',
  'motorist',
  'thousand',
  'power',
  'today',
  'cloud',
  '70f.',
  'wind',
  'ssw',
  'mph',
  'tonight',
  'cloud',
  '70f.',
  'wind',
  'ssw',
  'mph',
  'july',
  'pm',
  'breaking',
  'news',
  'photo',
  'storm',
  'state',
  'emergency',
  'motorist',
  'thousand',
  'power',
  'dec',
  'jul',
  'winter',
  'storm',
  'west',
  'virginia',
  'year',
  'region',
  'friday',
  'night',
  'saturday',
  'highway',
  'motorist',
  'vehicle',
  'hour',
  'traffic',
  'west',
  'virginia',
  'turnpike',
  'charleston',
  'beckley',
  'standstill',
  'number',
  'accident',
  'tractor',
  'trailer',
  'woman',
  'south',
  'carolina',
  'register',
  'herald',
  'saturday',
  'morning',
  'parent',
  'michigan',
  'p.m.',
  'friday',
  'mile',
  'beckley',
  'father',
  'parent',
  'orange',
  'powerbar',
  'charleston',
  'barrier',
  'northbound',
  'lane',
  'information',
  'authority',
  'woman',
  'son',
  'student',
  'xavier',
  'university',
  'cincinnati',
  'roanoke',
  'va.',
  'mile',
  'beckley',
  'hour',
  'food',
  'water',
  'caller',
  'sister',
  'night',
  'interstate',
  'coal',
  'miner',
  'john',
  'crump',
  'mossy',
  'life',
  'coal',
  'city',
  'turnpike',
  'traffic',
  'p.m.',
  'friday',
  'home',
  'a.m.',
  'today',
  'traffic',
  'standstill',
  'hour',
  'turnpike',
  'mess',
  'wheel',
  'drive',
  'truck',
  'turnpike',
  'hour',
  'ordeal',
  'gov.',
  'joe',
  'manchin',
  'state',
  'emergency',
  'national',
  'guard',
  'personnel',
  'equipment',
  'turnpike',
  'beckley',
  'vehicle',
  'state',
  'homeland',
  'security',
  'emergency',
  'management',
  'director',
  'jimmy',
  'gianato',
  'national',
  'guard',
  'vehicle',
  'charleston',
  'traffic',
  'u.s.',
  'problem',
  'glen',
  'jean',
  'oak',
  'hill',
  'area',
  'turnpike',
  'situation',
  'beckley',
  'road',
  'process',
  'national',
  'guard',
  'personnel',
  'turnpike',
  'motorist',
  'food',
  'water',
  'fuel',
  'interstate',
  'greenbrier',
  'county',
  'emergency',
  'official',
  'public',
  'road',
  'region',
  'crew',
  'opportunity',
  'snowfall',
  'inch',
  'oak',
  'hill',
  'beckley',
  'marlinton',
  'pocahontas',
  'county',
  'inch',
  'alderson',
  'resident',
  'community',
  'bit',
  'foot',
  'snow',
  'emergency',
  'shelter',
  'region',
  'beckley',
  'dream',
  'center',
  'pinewood',
  'drive',
  'lewis',
  'community',
  'center',
  'oak',
  'hill',
  'high',
  'school',
  'pax',
  'volunteer',
  'fire',
  'department',
  'fayette',
  'county',
  'sandstone',
  'green',
  'sulphur',
  'springs',
  'volunteer',
  'fire',
  'department',
  'elton',
  'church',
  'lick',
  'creek',
  'baptist',
  'church',
  'summers',
  'county',
  'rhema',
  'christian',
  'church',
  'greenbrier',
  'county',
  'tree',
  'power',
  'line',
  'appalachian',
  'power',
  'customer',
  'beckley',
  'area',
  'electricity',
  'saturday',
  'morning',
  'pineville',
  'area',
  'rainelle',
  'area',
  'noon',
  'saturday',
  'allegheny',
  'energy',
  'customer',
  'nicholas',
  'county',
  'power',
  'webster',
  'county',
  'summers',
  'county',
  'greenbrier',
  'county',
  'pocahontas',
  'county',
  'storm',
  'snow',
  'event',
  'west',
  'virginia',
  'january',
  'snow',
  'roof',
  'collapse',
  'beckley',
  'area',
  'photo',
  'photos.register-herald.com',
  'articlesbeckley',
  'babe',
  'ruth',
  '14s',
  'win',
  'region',
  'advance',
  'world',
  'seriesfamily',
  'healthcare',
  'generation',
  'doctorsanother',
  'jones',
  'qb',
  'woodrow',
  'defensei',
  'mistake',
  'medicare',
  'advantage',
  'plantrail',
  'mcgraw',
  'definition',
  'school',
  'playerpitcher',
  'beckley',
  'babe',
  'ruth',
  'star',
  'historysheriff',
  'vehicle',
  'tax',
  'lawtara',
  'pack',
  'vibevance',
  'return',
  'qb',
  'renegades"chief',
  'hedinger',
  'life',
  'commentedsorry',
  'result',
  'article',
  'sign',
  'news',
  'coverage',
  'inbox',
  'amendment',
  'congress',
  'law',
  'establishment',
  'religion',
  'exercise',
  'freedom',
  'speech',
  'press',
  'right',
  'people',
  'government',
  'redress',
  'grievance',
  'n.',
  'kanawha',
  'st.',
  'beckley',
  'wv',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'blox',
  'content',
  'management',
  'system',
  'blox',
  'digital'],
 ['sign',
  'offers',
  'sun',
  'journalpress',
  'heraldcentral',
  'maineadvertiser',
  'democratbethel',
  'citizenfranklin',
  'journallivermore',
  'falls',
  'advertiserrangeley',
  'highlanderrumford',
  'falls',
  'times',
  'news',
  'advertiser',
  'democrat',
  'lewiston',
  'auburn',
  'bethel',
  'citizen',
  'maine',
  'franklin',
  'journal',
  'crime',
  'court',
  'livermore',
  'falls',
  'advertiser',
  'politics',
  'rangeley',
  'highlander',
  'franklin',
  'rumford',
  'falls',
  'times',
  'oxford',
  'hills',
  'schools',
  'education',
  'river',
  'valley',
  'community',
  'news',
  'anniversary',
  'nation',
  'world',
  'sports',
  'high',
  'school',
  'sports',
  'community',
  'sports',
  'athlete',
  'week',
  'national',
  'sports',
  'purchase',
  'photos',
  'a&e',
  'thing',
  'encore',
  'guides',
  'bplus',
  'puzzles',
  'games',
  'mystery',
  'photo',
  'event',
  'calendar',
  'event',
  'sun',
  'journal',
  'events',
  'public',
  'notices',
  'subscriber',
  'benefits',
  'manage',
  'account',
  'bill',
  'access',
  'epaper',
  'newsletters',
  'alerts',
  'mobile',
  'apps',
  'sun',
  'journal',
  'event',
  'subscribe',
  'year',
  'news',
  'advertiser',
  'democrat',
  'lewiston',
  'auburn',
  'bethel',
  'citizen',
  'maine',
  'franklin',
  'journal',
  'crime',
  'court',
  'livermore',
  'falls',
  'advertiser',
  'politics',
  'rangeley',
  'highlander',
  'franklin',
  'rumford',
  'falls',
  'times',
  'oxford',
  'hills',
  'schools',
  'education',
  'river',
  'valley',
  'community',
  'news',
  'anniversary',
  'nation',
  'world',
  'sports',
  'high',
  'school',
  'sports',
  'community',
  'sports',
  'athlete',
  'week',
  'national',
  'sports',
  'purchase',
  'photos',
  'a&e',
  'thing',
  'encore',
  'guides',
  'bplus',
  'puzzles',
  'games',
  'mystery',
  'photo',
  'event',
  'calendar',
  'event',
  'sun',
  'journal',
  'event',
  'winter',
  'storm',
  'maine',
  'snow',
  'road',
  'rain',
  'power',
  'outage',
  'tractor',
  'trailer',
  'crash',
  'house',
  'woodstock',
  'damage',
  'share',
  'article',
  'article',
  'gift',
  'article',
  'month',
  'link',
  'account',
  'article',
  'link',
  'error',
  'gift',
  'article',
  'press',
  'herald',
  'subscription',
  'article',
  'month',
  'subscribe',
  'today',
  'subscription',
  'subscription',
  'page',
  'gift',
  'article',
  'press',
  'herald',
  'subscription',
  'article',
  'month',
  'subscribe',
  'today',
  'subscriber',
  'sign',
  'jim',
  'stevens',
  'monday',
  'snow',
  'driveway',
  'myrtle',
  'street',
  'auburn',
  'snow',
  'florida',
  'wife',
  'grandchild',
  'break',
  'russ',
  'dillingham',
  'lewiston',
  'winter',
  'storm',
  'maine',
  'martin',
  'luther',
  'king',
  'jr.',
  'day',
  'state',
  'snow',
  'ice',
  'rain',
  'wind',
  'holiday',
  'blue',
  'monday',
  'monday',
  'january',
  'day',
  'year',
  'maine',
  'flooding',
  'accident',
  'power',
  'outage',
  'state',
  'woodstock',
  'tractor',
  'trailer',
  'south',
  'main',
  'street',
  'apartment',
  'building',
  'susan',
  'hatstat',
  'apartment',
  'bed',
  'weather',
  'jorge',
  'gonzalez',
  'hatstat',
  'refuge',
  'restaurant',
  'authority',
  'building',
  'damage',
  'hatstat',
  'snow',
  'monday',
  'morning',
  'area',
  'mixture',
  'tuesday',
  'way',
  'sky',
  'high',
  'degree',
  'advertisement',
  'central',
  'maine',
  'power',
  'website',
  'outage',
  'monday',
  'evening',
  'customer',
  'service',
  'p.m.',
  'cumberland',
  'county',
  'customer',
  'outage',
  'brunt',
  'precipitation',
  'wind',
  'storm',
  'air',
  'area',
  'derek',
  'schroeter',
  'forecaster',
  'national',
  'weather',
  'service',
  'snow',
  'shower',
  'mountain',
  'accumulation',
  'snow',
  'mountain',
  'pocket',
  'rain',
  'shower',
  'precipitation',
  'new',
  'brunswick',
  'canada',
  'gray',
  'office',
  'lewiston',
  'auburn',
  'area',
  'inch',
  'snow',
  'androscoggin',
  'county',
  'poland',
  'livermore',
  'falls',
  'inch',
  'state',
  'inch',
  'acton',
  'york',
  'county',
  'winter',
  'storm',
  'advisory',
  'stretching',
  'north',
  'carolina',
  'maine',
  'monday',
  'national',
  'weather',
  'service',
  'storm',
  'havoc',
  'united',
  'states',
  'life',
  'people',
  'headache',
  'traveler',
  'flight',
  'state',
  'virginia',
  'north',
  'carolina',
  'georgia',
  'state',
  'emergency',
  'storm',
  'maine',
  'intensity',
  'state',
  'brunt',
  'condition',
  'snowfall',
  'total',
  'spine',
  'appalachians',
  'great',
  'lakes',
  'icing',
  'carolinas',
  'impact',
  'region',
  'national',
  'weather',
  'service',
  'website',
  'weather',
  'condition',
  'forecast',
  'share',
  'article',
  'article',
  'gift',
  'article',
  'month',
  'link',
  'account',
  'article',
  'link',
  'error',
  'gift',
  'article',
  'press',
  'herald',
  'subscription',
  'article',
  'month',
  'subscribe',
  'today',
  'subscription',
  'subscription',
  'page',
  'gift',
  'article',
  'press',
  'herald',
  'subscription',
  'article',
  'month',
  'subscribe',
  'today',
  'subscriber',
  'sign',
  'success',
  'page',
  'page',
  'second',
  'page',
  'email',
  'password',
  'comment',
  'password',
  'commenting',
  'profile',
  'story',
  'commenting',
  'profile',
  'profile',
  'addition',
  'subscription',
  'website',
  'login',
  'commenting',
  'profile',
  'login',
  'email',
  'registration',
  'commenting',
  'profile',
  'email',
  'address',
  'password',
  'display',
  'email',
  'registration',
  'display',
  'screen',
  'email',
  'address',
  'discussion',
  'subscriber',
  'comment',
  'access',
  'form',
  'password',
  'account',
  'email',
  'email',
  'reset',
  'code',
  'question',
  'comment',
  'editor',
  'fisherman',
  'maine',
  'smelt',
  'camp',
  'maine',
  'norway',
  'spruce',
  'farm',
  'lewiston',
  'androscoggin',
  'county',
  'auburn',
  'maine',
  'lewiston',
  'maine',
  'listen',
  'livermore',
  'maine',
  'weather',
  'service',
  'poland',
  'maine',
  'weather',
  'woodstock',
  'maine',
  'red',
  'sox',
  'league',
  'braves',
  'game',
  'sweep',
  'oxford',
  'county',
  'arrest',
  'log',
  'july',
  'franklin',
  'county',
  'design',
  'bridge',
  'quick',
  'stream',
  'salem',
  'township',
  'photos',
  'video',
  'family',
  'tuesday',
  'storm',
  'avon',
  'woman',
  'plea',
  'drug',
  'charge',
  'u.s.',
  'district',
  'court',
  'bangor',
  'inch',
  'rain',
  'flash',
  'flooding',
  'androscoggin',
  'county',
  'area',
  'president',
  'biden',
  'auburn',
  'friday',
  'people',
  'car',
  'centerline',
  'state',
  'route',
  'farmington',
  'photo',
  'van',
  'utility',
  'pole',
  'russell',
  'street',
  'lewiston',
  'paris',
  'man',
  'cocaine',
  'dozen',
  'gun',
  'cash',
  'contact',
  'staff',
  'directory',
  'sun',
  'journal',
  'masthead',
  'maine',
  'news',
  'tip',
  'letter',
  'editor',
  'press',
  'release',
  'announcement',
  'event',
  'sun',
  'spots',
  'subscribers',
  'account',
  'log',
  'delivery',
  'issue',
  'subscriber',
  'resource',
  'subscriber',
  'benefits',
  'access',
  'epaper',
  'search',
  'archives',
  'mobile',
  'apps',
  'faq',
  'email',
  'newsletters',
  'facebook',
  'instagram',
  'twitter',
  'youtube',
  'advertise',
  'advertise',
  'contact',
  'advertising',
  'obituary',
  'network',
  'work',
  'centralmaine.com',
  'pressherald.com',
  'timesrecord.com',
  'varsitymaine.com',
  'advertiser',
  'democrat',
  'bethel',
  'citizen',
  'franklin',
  'journal',
  'livermore',
  'falls',
  'advertiser',
  'rangeley',
  'highlander',
  'rumford',
  'falls',
  'times',
  'privacy',
  'policy',
  'cookie',
  'policy',
  'terms',
  'service',
  'commenting',
  'terms',
  'public',
  'notices',
  'photo',
  'store',
  'merch',
  'store',
  'archives',
  'rights',
  'reserved',
  'lewiston',
  'sun',
  'journal'],
 ['abc',
  'newsvideoliveshowselectionsinterest',
  'successfully',
  "addedwe'll",
  'news',
  'desktop',
  'notification',
  'story',
  'interest',
  'offonlog',
  'instream',
  'onfatality',
  'vermont',
  'weather',
  'weather',
  'country',
  'bymax',
  'golembo',
  'melissa',
  'griffin',
  'morgan',
  'winsor',
  'ivan',
  'pereirajuly',
  'pm1:48storm',
  'cloud',
  'chicago',
  'illinois',
  'july',
  'national',
  'weather',
  'service',
  'tornado',
  'warning',
  'area',
  'charles',
  'rex',
  'arbogast',
  'apat',
  'person',
  'floodwater',
  'vermont',
  'week',
  'state',
  'authority',
  'thursday',
  'stephen',
  'davoll',
  'barre',
  'city',
  'vermont',
  'wednesday',
  'result',
  'accident',
  'home',
  'vermont',
  'department',
  'health',
  'fatality',
  'week',
  'storm',
  'flooding',
  'green',
  'mountain',
  'state',
  'friday',
  'president',
  'joe',
  'biden',
  'disaster',
  'declaration',
  'state',
  'action',
  'funding',
  'county',
  'chittenden',
  'lamoille',
  'rutland',
  'washington',
  'windham',
  'windsor',
  'white',
  'house',
  'disaster',
  'declaration',
  'funding',
  'government',
  'addison',
  'bennington',
  'caledonia',
  'chittenden',
  'essex',
  'franklin',
  'grand',
  'isle',
  'lamoille',
  'orange',
  'orleans',
  'rutland',
  'washington',
  'windham',
  'windsor',
  'county',
  'white',
  'house',
  'announcement',
  'weather',
  'united',
  'states',
  'storm',
  'heat',
  'wave',
  'country',
  'tips',
  'tornadostorm',
  'twister',
  'illinois',
  'wednesday',
  'evening',
  'tree',
  'roof',
  'flight',
  'chicago',
  'area',
  'tornado',
  'chicago',
  'area',
  'city',
  'airport',
  'national',
  'weather',
  'service',
  'flight',
  "o'hare",
  'international',
  'airport',
  'wednesday',
  'flight',
  'tracking',
  'service',
  'flightaware',
  'tornado',
  'iowa',
  'michigan',
  'night',
  'report',
  'damage',
  'line',
  'wind',
  'mile',
  'hour',
  'texas',
  'michigan',
  'report',
  'golf',
  'ball',
  'hail',
  'missouri',
  'nebraska',
  'kansas',
  'damage',
  'sinnott',
  'tree',
  'service',
  'building',
  'mccook',
  'illinois',
  'july',
  'national',
  'weather',
  'service',
  'tornado',
  'warning',
  'chicago',
  'area',
  'nam',
  'y.',
  'huh',
  'weather',
  'wednesday',
  'evening',
  'storm',
  'system',
  'midwest',
  'threat',
  'northeast',
  'thursday',
  'kentucky',
  'vermont',
  'wind',
  'hail',
  'tornado',
  'storm',
  'system',
  'path',
  'city',
  'cincinnati',
  'ohio',
  'charleston',
  'west',
  'virginia',
  'pittsburgh',
  'pennsylvania',
  'binghamton',
  'new',
  'york',
  'albany',
  'new',
  'york',
  'burlington',
  'vermont',
  'floodwater',
  'safety',
  'tipsa',
  'flood',
  'watch',
  'new',
  'york',
  'vermont',
  'new',
  'hampshire',
  'vermont',
  'capital',
  'montpelier',
  'rainfall',
  'flooding',
  'week',
  'thursday',
  'threat',
  'rainfall',
  'flooding',
  'weekend',
  'northeast',
  'interstate',
  'travel',
  'corridor',
  'forecast',
  'inch',
  'rain',
  'new',
  'england',
  'vermont',
  'new',
  'hampshire',
  'maine',
  'storm',
  'cloud',
  'chicago',
  'illinois',
  'july',
  'national',
  'weather',
  'service',
  'tornado',
  'warning',
  'area',
  'charles',
  'rex',
  'arbogast',
  'apmeanwhile',
  'million',
  'americans',
  'u.s.',
  'state',
  'heat',
  'alert',
  'thursday',
  'washington',
  'florida',
  'heat',
  'index',
  'degree',
  'fahrenheit',
  'mid',
  '-',
  'south',
  'gulf',
  'coast',
  'florida',
  'temperature',
  'houston',
  'miami',
  'wednesday',
  'temperature',
  'phoenix',
  'degree',
  'fahrenheit',
  'day',
  'arizona',
  'capital',
  'track',
  'day',
  'streak',
  '1974.more',
  'heat',
  'safety',
  'forecast',
  'heat',
  'week',
  'temperature',
  'southwest',
  'weekend',
  'heat',
  'watch',
  'effect',
  'burbank',
  'california',
  'friday',
  'monday',
  'temperature',
  'degree',
  'fahrenheit',
  'hospital',
  'emergency',
  'department',
  'visit',
  'heat',
  'illness',
  'month',
  'centers',
  'disease',
  'control',
  'prevention',
  'abc',
  'news',
  'youri',
  'benadjaoud',
  'report',
  'topicsweathertop',
  'storieshouse',
  'ufo',
  'hearing',
  'ex',
  'knowledge',
  'craftjul',
  'amruin',
  'vatican',
  'emperor',
  'nero',
  'theaterjul',
  'pmmcconnell',
  'press',
  'conference',
  'return',
  'pmsinead',
  "o'connor",
  'u',
  'singer',
  '56jul',
  'pmwhistleblower',
  'congress',
  'decade',
  'program',
  'ufosjul',
  'pmabc',
  'news',
  'live24/7',
  'coverage',
  'news',
  'eventsabc',
  'news',
  'networkprivacy',
  'policyyour',
  'state',
  'privacy',
  'rightschildren',
  'online',
  'privacy',
  'policyinterest',
  'adsabout',
  'nielsen',
  'measurementterms',
  'usedo',
  'sell',
  'informationcontact',
  'uscopyright',
  'abc',
  'news',
  'internet',
  'ventures',
  'right'],
 ['nowcast',
  'wesh',
  'news',
  'pm',
  'search',
  'homepage',
  'local',
  'news',
  'national',
  'news',
  'community',
  'champion',
  'school',
  'saving',
  'streets',
  'wesh',
  'noticias',
  'estrella',
  'politics',
  'fact',
  'fact',
  'local',
  'investigate',
  'weather',
  'radar',
  'alerts',
  'hurricanes',
  'map',
  'room',
  'healthhelp',
  'future',
  'science',
  'traffic',
  'entertainment',
  'sports',
  'buccaneers',
  'friday',
  'night',
  'hits',
  'chronicle',
  'project',
  'community',
  'news',
  'love',
  'black',
  'history',
  'month',
  'share',
  'christmas',
  'news',
  'team',
  'contact',
  'advertise',
  'wesh',
  'advertise',
  'cw18',
  'advertise',
  'estrella',
  'privacy',
  'notice',
  'terms',
  'use',
  'press',
  'type',
  'search',
  'updated',
  'pm',
  'edt',
  'jul',
  'pm',
  'edt',
  'jul',
  'sunday',
  'probably',
  'wave',
  'friday',
  'west',
  'tonight',
  'kind',
  'broad',
  'organized',
  'wind',
  'shear',
  'pick',
  'caribbean',
  't',
  'alerts',
  'breaking',
  'update',
  'email',
  'inbox',
  'pm',
  'edt',
  'jul',
  'don',
  'hurricane',
  'storm',
  'weekend',
  'monday',
  'cyclone',
  'monday',
  'don',
  'mile',
  'cape',
  'race',
  'newfoundland',
  'wind',
  'mph',
  'east',
  'northeast',
  'mph',
  '"don',
  'tomorrow',
  'nhc',
  'don',
  'hurricane',
  'season',
  'invest',
  'l',
  'depression',
  'nhc',
  'wesh',
  'hurricane',
  'survival',
  'guide',
  'wesh',
  'hurricane',
  'season',
  'forecastbelow',
  'florida',
  'insurance',
  'complaint',
  'wake',
  'hurricane',
  'ian',
  'orlando',
  'fla.',
  'don',
  'hurricane',
  'storm',
  'weekend',
  'monday',
  'cyclone',
  'monday',
  'don',
  'mile',
  'cape',
  'race',
  'newfoundland',
  'wind',
  'mph',
  'east',
  'northeast',
  'mph',
  'don',
  'tomorrow',
  'nhc',
  'don',
  'hurricane',
  'season',
  'invest',
  'l',
  'depression',
  'nhc',
  'wesh',
  'hurricane',
  'survival',
  'guide',
  'wesh',
  'hurricane',
  'season',
  'forecast',
  'florida',
  'insurance',
  'complaint',
  'wake',
  'hurricane',
  'ian',
  'mattel',
  'barbie',
  'movie',
  'dolls',
  'margot',
  'robbie',
  'ryan',
  'gosling',
  'barbie',
  'movie',
  'amazon',
  'shop',
  'pink',
  'fantastic',
  'merch',
  'contact',
  'news',
  'team',
  'apps',
  'social',
  'email',
  'alerts',
  'careers',
  'internships',
  'advertise',
  'wesh',
  'advertise',
  'cw18',
  'advertise',
  'estrella',
  'digital',
  'advertising',
  'terms',
  'conditions',
  'broadcast',
  'terms',
  'conditions',
  'rss',
  'eeo',
  'captioning',
  'contact',
  'wesh',
  'public',
  'inspection',
  'file',
  'wkcf',
  'public',
  'inspection',
  'file',
  'public',
  'file',
  'assistance',
  'fcc',
  'applications',
  'news',
  'policy',
  'statements',
  'hearst',
  'television',
  'affiliate',
  'marketing',
  'program',
  'commission',
  'product',
  'link',
  'retailer',
  'site',
  'hearst',
  'television',
  'inc.',
  'behalf',
  'wesh',
  'tv',
  'privacy',
  'notice',
  'california',
  'privacy',
  'rights',
  'interest',
  'ads',
  'terms',
  'use',
  'site',
  'map'],
 ['permission',
  'article',
  'letter',
  'editor',
  'letter',
  'editor',
  'letter',
  'editor',
  'rain',
  'wind',
  'southern',
  'indiana',
  'today',
  'sunshine',
  'interval',
  '96f.',
  'winds',
  'sw',
  'mph',
  'tonight',
  'sky',
  'shower',
  'thunderstorm',
  'winds',
  'ssw',
  'mph',
  'july',
  'floyd',
  'council',
  'local',
  'income',
  'tax',
  'school',
  'year',
  'greater',
  'clark',
  'sacred',
  'rose',
  'medicinals',
  'new',
  'albany',
  'alt',
  'indiana',
  'lawmaker',
  'state',
  'westbound',
  'lane',
  'deck',
  'sherman',
  'minton',
  'air',
  'quality',
  'alert',
  'effect',
  'thursday',
  'midnight',
  'edt',
  'thursday',
  'night',
  'louisville',
  'metro',
  'air',
  'pollution',
  'control',
  'district',
  'indiana',
  'department',
  'environmental',
  'management',
  'air',
  'quality',
  'alert',
  'effect',
  'thursday',
  'midnight',
  'edt',
  'thursday',
  'night',
  'code',
  'orange',
  'air',
  'quality',
  'alert',
  'ozone',
  'louisville',
  'metro',
  'area',
  'member',
  'group',
  'health',
  'effect',
  'public',
  'group',
  'child',
  'person',
  'asthma',
  'breathing',
  'problem',
  'person',
  'lung',
  'heart',
  'disease',
  'people',
  'group',
  'activity',
  'exposure',
  'ozone',
  'pollution',
  'information',
  'louisville',
  'metro',
  'air',
  'pollution',
  'control',
  'district',
  'http://www.louisvilleky.gov/apcd',
  'indiana',
  'department',
  'environmental',
  'management',
  'http://www.in.gov/idem',
  'heat',
  'advisory',
  'effect',
  'edt',
  'cdt/',
  'thursday',
  'pm',
  'edt',
  'pm',
  'cdt/',
  'friday',
  'afternoon',
  'heat',
  'index',
  'value',
  'thursday',
  'friday',
  'indiana',
  'portion',
  'kentucky',
  'louisville',
  'metro',
  'edt',
  'cdt/',
  'thursday',
  'pm',
  'edt',
  'pm',
  'cdt/',
  'friday',
  'impact',
  'temperature',
  'humidity',
  'heat',
  'illness',
  'plenty',
  'fluid',
  'air',
  'room',
  'sun',
  'relative',
  'neighbor',
  'child',
  'pet',
  'vehicle',
  'circumstance',
  'precaution',
  'time',
  'activity',
  'morning',
  'evening',
  'sign',
  'symptom',
  'heat',
  'exhaustion',
  'heat',
  'stroke',
  'clothing',
  'risk',
  'work',
  'occupational',
  'safety',
  'health',
  'administration',
  'rest',
  'break',
  'air',
  'environment',
  'heat',
  'location',
  'heat',
  'stroke',
  'emergency',
  'rain',
  'wind',
  'southern',
  'indiana',
  'southern',
  'southern',
  'indiana',
  'road',
  'wind',
  'damage',
  'friday',
  'weather',
  'area',
  'friday',
  'afternoon',
  'wind',
  'area',
  'friday',
  'rain',
  'roadway',
  'clark',
  'floyd',
  'county',
  'wind',
  'area',
  'afternoon',
  'power',
  'line',
  'tree',
  'gavan',
  'hebner',
  'director',
  'clark',
  'county',
  'emergency',
  'management',
  'agency',
  'friday',
  'afternoon',
  'responder',
  'issue',
  'tree',
  'power',
  'line',
  'county',
  'report',
  'tree',
  'home',
  'clarksville',
  'area',
  'p.m.',
  'injury',
  'kent',
  'barrow',
  'director',
  'floyd',
  'county',
  'emergency',
  'management',
  'agency',
  'tree',
  'house',
  'georgetown',
  'friday',
  'afternoon',
  'wind',
  'injury',
  'duke',
  'energy',
  'outage',
  'map',
  'power',
  'outage',
  'clark',
  'county',
  'floyd',
  'p.m.',
  'time',
  'duke',
  'energy',
  'customer',
  'power',
  'clark',
  'power',
  'floyd',
  'rain',
  'road',
  'closure',
  'roadway',
  'clark',
  'floyd',
  'county',
  'barrow',
  'rain',
  'friday',
  'afternoon',
  'flooding',
  'condition',
  'floyd',
  'county',
  'p.m.',
  'hebner',
  'clark',
  'county',
  'roadway',
  'afternoon',
  'area',
  'u.s.',
  'sellersburg',
  'memphis',
  'henryville',
  'coordination',
  'communication',
  'ema',
  'clark',
  'county',
  'center',
  'responder',
  'agency',
  'national',
  'weather',
  'service',
  'weather',
  'friday',
  'morning',
  'official',
  'people',
  'precaution',
  'area',
  'weather',
  'wind',
  'national',
  'weather',
  'service',
  'tornado',
  'watch',
  'p.m.',
  'southern',
  'indiana',
  'louisville',
  'area',
  'clark',
  'floyd',
  'county',
  'area',
  'rain',
  'flooding',
  'morning',
  'wind',
  'afternoon',
  'school',
  'district',
  'clark',
  'floyd',
  'county',
  'elearning',
  'friday',
  'weather',
  'office',
  'business',
  'couple',
  'power',
  'outage',
  'clark',
  'floyd',
  'county',
  'duke',
  'energy',
  'outage',
  'map',
  'area',
  'tornado',
  'watch',
  'official',
  'people',
  'plan',
  'spot',
  'hebner',
  'tornado',
  'warning',
  'room',
  'home',
  'storm',
  'clark',
  'county',
  'ema',
  'staffing',
  'day',
  'issue',
  'weather',
  'hebner',
  'flooding',
  'issue',
  'area',
  'u.s.',
  'sellersburg',
  'memphis',
  'henryville',
  'police',
  'officer',
  'barricade',
  'water',
  'roadway',
  'people',
  'roadway',
  'clark',
  'county',
  'dispatch',
  'line',
  'hebner',
  'resident',
  'county',
  'weather',
  'emergency',
  'notification',
  'system',
  'clarkwxalert',
  'floyd',
  'county',
  'issue',
  'roadway',
  'friday',
  'morning',
  'friday',
  'afternoon',
  'lafayette',
  'township',
  'fire',
  'protection',
  'district',
  'facebook',
  'roadway',
  'georgetown',
  'greenville',
  'area',
  'flood',
  'gate',
  'buttontown',
  'hamby',
  'road',
  'block',
  'old',
  'vincennes',
  'road',
  'georgetown',
  'greenville',
  'road',
  'cooks',
  'mill',
  'road',
  'bradford',
  'road',
  'richland',
  'creek',
  'water',
  'people',
  'phrase',
  'roadway',
  'barrow',
  'resident',
  'weather',
  'radio',
  'code',
  'red',
  'emergency',
  'alert',
  'floyd',
  'county',
  'sheriff',
  'steve',
  'bush',
  'people',
  'road',
  'weather',
  'condition',
  'risk',
  'traffic',
  'accident',
  'tree',
  'workload',
  'agency',
  'sheriff',
  'department',
  'highway',
  'department',
  'caution',
  'road',
  'mattingly',
  'vanessa',
  'jul',
  'jul',
  'bryant',
  'dorothy',
  'aug',
  'jul',
  'weber',
  'jeffery',
  'lee',
  'feb',
  'jul',
  'reed',
  'arthur',
  'jan',
  'jul',
  'articlesnew',
  'repair',
  'shop',
  'new',
  'albanymajor',
  'league',
  'baseball',
  'letson',
  'brewerssilver',
  'creek',
  'high',
  'school',
  'pain',
  'constructionphoenix',
  'theatre',
  'operation',
  'new',
  'albany',
  'movie',
  'theateropening',
  'statement',
  'testimony',
  'new',
  'albany',
  'murder',
  'baseball',
  'hyr',
  'state',
  'farmer',
  'market',
  'georgetownnafcs',
  'delay',
  'floyd',
  'principalhunter',
  'station',
  'pizza',
  'america',
  'softball',
  'fkcc',
  'game',
  'commentedsorry',
  'result',
  'article',
  'success',
  'email',
  'link',
  'list',
  'signup',
  'error',
  'error',
  'request',
  'news',
  'news',
  'signup',
  'today',
  'morning',
  'news',
  'headline',
  'news',
  'signup',
  'today',
  'amendment',
  'congress',
  'law',
  'establishment',
  'religion',
  'exercise',
  'freedom',
  'speech',
  'press',
  'right',
  'people',
  'government',
  'redress',
  'grievance',
  'spring',
  'street',
  'jeffersonville',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'blox',
  'content',
  'management',
  'system',
  'blox',
  'digital'],
 ['storm',
  'texas',
  'record',
  'temperature',
  'february',
  'snow',
  'ice',
  'road',
  'state',
  'grid',
  'operator',
  'control',
  'power',
  'supply',
  'million',
  'access',
  'electricity',
  'blackout',
  'hour',
  'day',
  'state',
  'lawmaker',
  'investigation',
  'electric',
  'reliability',
  'council',
  'texas',
  'texans',
  'accountability',
  'disaster',
  'texas',
  'tribune',
  'impact',
  'storm',
  'time',
  'accountability',
  'coverage',
  'official',
  'issue',
  'storm',
  'carbon',
  'monoxide',
  'texas',
  'mother',
  'daughter',
  'firefighter',
  'response',
  'perla',
  'trevizo',
  'lexi',
  'churchill',
  'texas',
  'tribune',
  'propublica',
  'mike',
  'hixenbaugh',
  'nbc',
  'news',
  'half',
  'houston',
  'family',
  'carbon',
  'monoxide',
  'poisoning',
  'propublica',
  'texas',
  'tribune',
  'nbc',
  'news',
  'fire',
  'crew',
  'house',
  'firefighter',
  'story',
  'end',
  'world',
  'story',
  'texans',
  'winter',
  'storm',
  'jacob',
  'ohara',
  'ashley',
  'miznazi',
  'todd',
  'wiseman',
  'year',
  'dozen',
  'texans',
  'state',
  'memory',
  'storm',
  'story',
  'credit',
  'miguel',
  'gutierrez',
  'jr./the',
  'texas',
  'tribune',
  'texas',
  'power',
  'grid',
  'repeat',
  'mandi',
  'cai',
  'erin',
  'douglas',
  'mitchell',
  'ferman',
  'state',
  'power',
  'grid',
  'electricity',
  'gas',
  'winter',
  'storm',
  'year',
  'system',
  'story',
  'ercot',
  'power',
  'grid',
  'failure',
  'winter',
  'storm',
  'texas',
  'supreme',
  'court',
  'court',
  'corporation',
  'state',
  'grid',
  'qualifie',
  'immunity',
  'government',
  'entity',
  'lawsuit',
  'story',
  'credit',
  'ben',
  'torres',
  'texas',
  'tribune',
  'appeals',
  'court',
  'state',
  'agency',
  'electricity',
  'price',
  'winter',
  'storm',
  'erin',
  'douglas',
  'emily',
  'foxhall',
  'action',
  'public',
  'utility',
  'commission',
  'billion',
  'dollar',
  'overcharge',
  'austin',
  'court',
  'ruling',
  'consumer',
  'story',
  'credit',
  'jordan',
  'vonderhaar',
  'texas',
  'tribune',
  'lawsuits',
  'year',
  'texas',
  'winter',
  'storm',
  'thousand',
  'power',
  'company',
  'distribution',
  'company',
  'grid',
  'operator',
  'february',
  'storm',
  'catastrophe',
  'story',
  'credit',
  'callaghan',
  "o'hare",
  'texas',
  'tribune',
  'texas',
  'supreme',
  'court',
  'ercot',
  'lawsuit',
  'winter',
  'storm',
  'people',
  'insurer',
  'electric',
  'reliability',
  'council',
  'texas',
  'freeze',
  'nonprofit',
  'state',
  'supreme',
  'court',
  'chance',
  'story',
  'texas',
  'energy',
  'official',
  'proposal',
  'power',
  'grid',
  'skepticism',
  'wake',
  'winter',
  'storm',
  'texas',
  'legislature',
  'overhaul',
  'state',
  'power',
  'market',
  'blackout',
  'senator',
  'fan',
  'option',
  'table',
  'story',
  'u.s.',
  'safety',
  'rule',
  'carbon',
  'monoxide',
  'poisoning',
  'generator',
  'mike',
  'hixenbaugh',
  'nbc',
  'news',
  'perla',
  'trevizo',
  'lexi',
  'churchill',
  'texas',
  'tribune',
  'propublica',
  'announcement',
  'month',
  'investigation',
  'propublica',
  'texas',
  'tribune',
  'nbc',
  'news',
  'cost',
  'government',
  'failure',
  'generator',
  'story',
  'texas',
  'power',
  'grid',
  'autonomy',
  'grid',
  'regulator',
  'texas',
  'grid',
  'power',
  'network',
  'hunt',
  'energy',
  'network',
  'ceo',
  'pat',
  'wood',
  'state',
  'oversight',
  'state',
  'legislature',
  'approval',
  'story',
  'credit',
  'shelby',
  'tauber',
  'texas',
  'tribune',
  'texas',
  'tribune',
  'sponsor',
  'lawmaker',
  'community',
  'member',
  'expert',
  'impact',
  'february',
  'storm',
  'dozen',
  'guest',
  'texas',
  'power',
  'grid',
  'climate',
  'change',
  'state',
  'weather',
  'winter',
  'blackout',
  'texans',
  'texas',
  'tribune',
  'symposium',
  'storm',
  'anniversary',
  'story',
  'texans',
  'winter',
  'storm',
  'lubbock',
  'ex',
  '-',
  'hippie',
  'mind',
  'year',
  'week',
  'winter',
  'storm',
  'texas',
  'family',
  'member',
  'storm',
  'victim',
  'life',
  'death',
  'living',
  'facility',
  'story',
  'credit',
  'sergio',
  'flores',
  'texas',
  'tribune',
  'texans',
  'brunt',
  'winter',
  'storm',
  'lauren',
  'santucci',
  'jordan',
  'vonderhaar',
  'february',
  'winter',
  'storm',
  'million',
  'texans',
  'power',
  'day',
  'temperature',
  'family',
  'home',
  'damage',
  'round',
  'weather',
  'story',
  'credit',
  'jordan',
  'vonderhaar',
  'texas',
  'tribune',
  'winter',
  'storm',
  'texans',
  'surprise',
  'year',
  'height',
  'winter',
  'season',
  'tip',
  'emergency',
  'kit',
  'home',
  'story',
  'texas',
  'tribune',
  'sponsor',
  'texas',
  'gas',
  'production',
  'concern',
  'electric',
  'grid',
  'energy',
  'expert',
  'production',
  'drop',
  'sign',
  'grid',
  'state',
  'winter',
  'weather',
  'story',
  'texas',
  'estimate',
  'winter',
  'storm',
  'death',
  'toll',
  'official',
  'estimate',
  'life',
  'disaster',
  'power',
  'state',
  'expert',
  'toll',
  'story',
  'credit',
  'miguel',
  'gutierrez',
  'jr./the',
  'texas',
  'tribune',
  'gov.',
  'greg',
  'abbott',
  'spin',
  'texas',
  'power',
  'grid',
  'messaging',
  'grid',
  'winter',
  'readiness',
  'datum',
  'expert',
  'grid',
  'winter',
  'storm',
  'story',
  'texas',
  'electricity',
  'regulator',
  'power',
  'generation',
  'facility',
  'winter',
  'blackout',
  'status',
  'report',
  'electricity',
  'company',
  'winter',
  'regulator',
  'confidence',
  'improvement',
  'february',
  'storm',
  'change',
  'power',
  'grid',
  'supply',
  'chain',
  'story',
  'texas',
  'tribune',
  'sponsor',
  'analysis',
  'texas',
  'grid',
  'winter',
  'freeze',
  'chance',
  'winter',
  'weather',
  'february',
  'chance',
  'texas',
  'blackout',
  'misery',
  'chance',
  'influence',
  'election',
  'story',
  'credit',
  'shelby',
  'tauber',
  'texas',
  'tribune',
  'texas',
  'energy',
  'regulator',
  'gas',
  'industry',
  'public',
  'state',
  'power',
  'grid',
  'winter',
  'mitchell',
  'ferman',
  'erin',
  'douglas',
  'state',
  'regulator',
  'company',
  'grid',
  'step',
  'catastrophe',
  'february',
  'winter',
  'storm',
  'climate',
  'expert',
  'winter',
  'story',
  'texas',
  'city',
  'winter',
  'storm',
  'city',
  'preparation',
  'case',
  'winter',
  'storm',
  'light',
  'water',
  'story',
  'credit',
  'jordan',
  'vonderhaar',
  'texas',
  'tribune',
  'tribcast',
  'texas',
  'brace',
  'winter',
  'storm',
  'covid-19',
  'variant',
  'matthew',
  'watkins',
  'michael',
  'rey',
  'leon',
  'week',
  'episode',
  'matthew',
  'mitchell',
  'james',
  'karen',
  'status',
  'power',
  'grid',
  'pandemic',
  'winter',
  'story',
  'credit',
  'jordan',
  'vonderhaar',
  'texas',
  'tribune',
  'texas',
  'tribune',
  'sponsor',
  'texas',
  'democrats',
  'power',
  'grid',
  'failure',
  'campaign',
  'strategy',
  'leader',
  'record',
  'power',
  'grid',
  'dozen',
  'law',
  'year',
  'session',
  'grid',
  'reliability',
  'gov.',
  'greg',
  'abbott',
  'reputation',
  'promise',
  'light',
  'winter',
  'story',
  'credit',
  'jordan',
  'vonderhaar',
  'texas',
  'tribune',
  'facebook',
  'group',
  'texas'],
 ['contentadvertisebusiness',
  'attorneysketch',
  'skyclass',
  'actcounty',
  'road',
  'weather',
  'guidereelin',
  'rosiewatch',
  'livelatest',
  'videonewsweathersportstvabout',
  'ushomewatch',
  'livedownload',
  'appssign',
  'newsletterssubmit',
  'photos',
  'news',
  'defendersalabama',
  'politicselectionselection',
  'resultsstatenationalconsumerbusinessweatherweather',
  'blogcamerasclosingsfirst',
  'alert',
  'stormtrackerwhat',
  'alert',
  'weather',
  'day?download',
  'severe',
  'weather',
  'magnetalabama',
  'weather',
  'guideradarfirst',
  'alert',
  'weather',
  'radio',
  'weather',
  'radiosketch',
  'skyweather',
  'school',
  'visit',
  'requestsweather',
  '101wsfa',
  'alert',
  'weather',
  'camp!sportsreelin',
  'rosiecollege',
  'sportsbiscuitsfriday',
  'night',
  'football',
  'feverfever',
  'athletescoreboardsports',
  'videosstats',
  'predictionshow',
  'watchcommunityask',
  'attorneyask',
  'financial',
  'expertclass',
  'actcounty',
  'road',
  'calendarfriday',
  'kitchenalabama',
  'livethe',
  'rundownovercoming',
  'povertyheart',
  'gallery',
  'great',
  'health',
  'dividetvschedulelatest',
  'newscastspodcastsbeing',
  'real',
  'bethanycase',
  'filesabout',
  'uscontact',
  'useditorialsjobsmeet',
  'teamadvertise',
  'uscontestsgas',
  'pricescircle',
  'country',
  'music',
  'lifestylepowernationgray',
  'dc',
  'bureauinvestigatetvtelemundo',
  'montgomerypress',
  'releasesmultiple',
  'damage',
  'alabama',
  'tornado',
  'outbreakby',
  'wsfa',
  'news',
  'staffpublished',
  'jan.',
  'pm',
  'jan.',
  'cstshare',
  'facebookemail',
  'linkshare',
  'twittershare',
  'pinterestshare',
  'linkedinmontgomery',
  'ala.',
  'wsfa',
  'people',
  'damage',
  'thursday',
  'storm',
  'tornado',
  'outbreak',
  'alabama',
  'damage',
  'reportsautauga',
  'countyat',
  'people',
  'autauga',
  'county',
  'autauga',
  'county',
  'sheriff',
  'david',
  'hill',
  'fatality',
  'autauga',
  'county',
  'ema',
  'report',
  'home',
  'tree',
  'injury',
  'old',
  'kingston',
  'area',
  'storm',
  'area',
  'autauga',
  'ema',
  'damage',
  'c.r.',
  'hwy',
  'way',
  'county',
  'line',
  'tree',
  'power',
  'line',
  'autauga',
  'county',
  'ema',
  'wsfa',
  'area',
  'concern',
  'coffee',
  'countyin',
  'south',
  'alabama',
  'coffee',
  'county',
  'report',
  'tree',
  'power',
  'line',
  'dallas',
  'countya',
  'tornado',
  'way',
  'city',
  'selma',
  'thursday',
  'destruction',
  'selma',
  'official',
  'disaster',
  'area',
  'road',
  'storm',
  'debris',
  'selma',
  'county',
  'elmore',
  'countyelmore',
  'county',
  'ema',
  'director',
  'keith',
  'barnett',
  'damage',
  'lightwood',
  'holtville',
  'slapout',
  'lake',
  'jordan',
  'titus',
  'community',
  'coosa',
  'county',
  'report',
  'home',
  'structure',
  'tree',
  'injury',
  'moment',
  'area',
  'people',
  'area',
  'tallapoosa',
  'countyalexander',
  'city',
  'mayor',
  'woody',
  'baird',
  'storm',
  'damage',
  'survey',
  'home',
  'cedar',
  'creek',
  'road',
  'tornado',
  'river',
  'number',
  'home',
  'area',
  'lake',
  'ridge',
  'drive',
  'mayor',
  'power',
  'resident',
  'responder',
  'power',
  'crew',
  'city',
  'alexander',
  'city',
  'alabama',
  'city',
  'government',
  'thursday',
  'january',
  'report',
  'injury',
  'time',
  'outagesa',
  'noon',
  'friday',
  'alabama',
  'power',
  'progress',
  'electricity',
  'customer',
  'storm',
  'area',
  'power',
  'home',
  'business',
  'time',
  'apc',
  'customer',
  'service',
  'alabama',
  'outage',
  'area',
  'dallas',
  'county',
  'customer',
  'selma',
  'orrville)tallapoosa',
  'county',
  'customer',
  'lake',
  'martin',
  'alexander',
  'city',
  'dadeville',
  'areas)elmore',
  'county',
  'customer',
  'community',
  'holtville',
  'elmore',
  'northeast',
  'lake',
  'martin',
  'eclectic',
  'central',
  'equality',
  'outage',
  'elmore',
  'county',
  'tallassee.)wilcox',
  'county',
  'outage',
  '50)safety',
  'reminderspower',
  'safety',
  'remindersstay',
  'line',
  'line',
  'line',
  'power',
  'line',
  'child',
  'pet',
  'line',
  'area',
  'tree',
  'limb',
  'line',
  'exercise',
  'caution',
  'chain',
  'link',
  'fence',
  'line',
  'metal',
  'puddle',
  'water',
  'storm',
  'power',
  'line',
  'tree',
  'limb',
  'power',
  'line',
  'law',
  'enforcement',
  'agency',
  'line',
  'customer',
  'spire',
  'alabama',
  'gas',
  'customer',
  'alabama',
  'emergency',
  'line',
  '24/7',
  'customer',
  'gas',
  'egg',
  'smell',
  'area',
  'spacecall',
  'emergency',
  'line',
  'story',
  'wsfa',
  'news',
  'app',
  'news',
  'alert',
  'faster',
  'apple',
  'app',
  'store',
  'google',
  'play',
  'store!copyright',
  'wsfa',
  'right',
  'vaughn',
  'road',
  'shooting',
  'tuesday',
  'night',
  'sinéad',
  'o’connor',
  'singer',
  'rock',
  'south',
  'assault',
  'case',
  'montgomery',
  'gold',
  'level',
  'site',
  'world',
  'project',
  'year',
  'face',
  'sentencing',
  'hearing',
  'people',
  'news',
  'sen.',
  'tommy',
  'tuberville',
  'legislation',
  'nil',
  'college',
  'sport',
  'mother',
  'woman',
  'carlee',
  'russell',
  'hoax',
  'search',
  'montgomery',
  'humane',
  'society',
  'database',
  'stray',
  'animal',
  'abuse',
  'poverty',
  'poverty',
  'school',
  'need',
  'community',
  'partner',
  'educationmontgomery',
  'humane',
  'society',
  'database',
  'stray',
  'animal',
  'abuse',
  'reportsnewsweathersportscontact',
  'uswsfa445',
  'dexter',
  'avenuesuite',
  'al',
  'serviceprivacy',
  'policypublic',
  'inspection',
  'filepublicfile@wsfa.com',
  'reportclosed',
  'captioning',
  'audio',
  'descriptionwsfa',
  'careersadvertisingdigital',
  'advertisingat',
  'gray',
  'journalist',
  'news',
  'content',
  'community',
  'approach',
  'intelligence',
  'gray',
  'media',
  'group',
  'inc.',
  'station',
  'gray',
  'television',
  'inc.'],
 ['sky',
  'news',
  'home',
  'winter',
  'storm',
  'town',
  'christmas',
  'sky',
  'news',
  'reporter',
  'claire',
  'bates',
  'refuge',
  'roadside',
  'motel',
  'new',
  'york',
  'state',
  'winter',
  'blizzard',
  'life',
  'people',
  'saturday',
  'december',
  'uk',
  'image',
  'christmas',
  'day',
  'sky',
  'news',
  'careering',
  'arm',
  'windmilling',
  'girl',
  'minnie',
  'mouse',
  'pyjama',
  'lobby',
  'elevator',
  'roller',
  'skate',
  'glittery',
  'wheel',
  '"merry',
  'christmas',
  'mum',
  'tooth',
  'watertown',
  'new',
  'york',
  'town',
  'christmas',
  'hour',
  'drive',
  'washington',
  'dc',
  'friend',
  'canada',
  'hurdle',
  'minute',
  'border',
  'storm',
  'elliott',
  'chrome',
  'browser',
  'video',
  'player',
  'i81',
  'interstate',
  'motorway',
  'car',
  'yard',
  'police',
  'truck',
  'nose',
  'snow',
  'radar',
  'route',
  'know',
  'brit',
  'year',
  'weather',
  'truck',
  'power',
  'line',
  'police',
  'car',
  'visibility',
  'town',
  'chain',
  'hotel',
  'room',
  'inn',
  'room',
  'joe',
  'lewis',
  'billionaire',
  'gynaecologist',
  'new',
  'york',
  'patient',
  'gilgo',
  'beach',
  'murder',
  'man',
  'death',
  'woman',
  'killing',
  'netflix',
  'documentary',
  'child',
  'dog',
  'lobby',
  'dozen',
  'power',
  'line',
  'worker',
  'texas',
  'hour',
  'trip',
  'electricity',
  'thousand',
  'pole',
  'temperature',
  'weight',
  'drift',
  'fall',
  'remainder',
  'day',
  'image',
  'bates',
  'family',
  'car',
  'night',
  'bomb',
  'cyclone',
  'hotel',
  'food',
  'server',
  'grace',
  'santa',
  'hat',
  'holiday',
  'cocktail',
  'bar',
  'cherry',
  'cocktail',
  'stick',
  'plenty',
  'ice"',
  'blizzard',
  'window',
  'dog',
  'second',
  'foot',
  'ice',
  'image',
  'snow',
  'luggage',
  'cart',
  'hotel',
  'fire',
  'reception',
  'desk',
  'people',
  'story',
  'man',
  'girlfriend',
  'home',
  'box',
  'backpack',
  'new',
  'year',
  'eve',
  'proposal',
  'hotel',
  'chef',
  'duty',
  'day',
  'night',
  'case',
  'upside',
  'lot',
  'food',
  'gentleman',
  'mother',
  'care',
  'home',
  'buffalo',
  'power',
  'generator',
  'emergency',
  'lighting',
  'lift',
  'heating',
  'system',
  'head',
  'hand',
  'year',
  'turn',
  'law',
  'mom',
  'year',
  'family',
  'course',
  'snow',
  'new',
  'york',
  'time',
  'image',
  'plough',
  'entrance',
  'hotel',
  'watertown',
  'new',
  'york',
  'refuge',
  'generation',
  'storm',
  'letter',
  'door',
  'breakfast',
  'egg',
  'power',
  'line',
  'worker',
  'christmas',
  'morning',
  'teen',
  'age',
  'roller',
  'skate',
  'santa',
  'skate',
  'girl',
  'auntie',
  'pat\'s"',
  'mum',
  'look',
  'mum',
  'child',
  'christmas'],
 ['tulsa',
  'race',
  'massacre',
  'year',
  'oklahoma',
  'kids',
  'help',
  'recap',
  'severe',
  'storm',
  'tornado',
  'warning',
  'oklahoma',
  'saturday',
  'june',
  '17th',
  'pm',
  'saturday',
  'evening',
  'forecast',
  'david',
  'payne',
  'oklahoma',
  'city',
  'weather',
  'possibility',
  'oklahoma',
  'saturday',
  'mode',
  'weather',
  'wind',
  'hail',
  'tornado',
  'flooding',
  'storm',
  'state',
  'saturday',
  'afternoon',
  'evening',
  'tornado',
  'watch',
  'alfalfa',
  'beaver',
  'beckham',
  'blaine',
  'caddo',
  'cimarron',
  'comanche',
  'custer',
  'dewey',
  'ellis',
  'greer',
  'harper',
  'major',
  'roger',
  'mills',
  'texas',
  'washita',
  'woods',
  'woodward',
  'county',
  'p.m.',
  'timing',
  'storm',
  'oklahoma',
  'city',
  'metro',
  'area',
  'midnight',
  'news',
  'chief',
  'meteorologist',
  'david',
  'payne',
  'news',
  'weather',
  'team',
  'weather',
  'update',
  'day',
  'weather',
  'section',
  'news',
  'weather',
  'news',
  'update',
  'news',
  'inbox',
  'recap',
  'severe',
  'storm',
  'tornado',
  'warning',
  'oklahoma',
  'threat',
  'injury',
  'death',
  'amber',
  'alerts',
  'report',
  'claim',
  'colorado',
  'a.i.',
  'benefit',
  'risk',
  'artificial',
  'intelligence',
  'tulsa',
  'public',
  'schools',
  'superintendent',
  'responds',
  'concern',
  'accreditation',
  'rogers',
  'county',
  'school',
  'resource',
  'officers',
  'train',
  'handle',
  'campus',
  'threat',
  'date',
  'world',
  'time',
  'griffin',
  'news',
  'news9.com',
  'oklahomans',
  'news',
  'information',
  'story',
  'picture',
  'love',
  'oklahomans',
  'state',
  'privacy',
  'policy',
  'term',
  'service',
  'legal',
  'notices',
  'eeo',
  'report',
  'ad',
  'choices',
  'public',
  'inspection',
  'file',
  'contact',
  'kwtv',
  'public',
  'inspection',
  'file',
  'ksbi',
  'public',
  'inspection',
  'file',
  'captioning',
  'assistance',
  'fcc',
  'applications'],
 ['link',
  'weather',
  'daily',
  'forecast',
  'hourly',
  'forecast',
  'interactive',
  'radar',
  'weather',
  'cameras',
  'weather',
  'rookie',
  'weather',
  'alerts',
  'montana',
  'spring',
  'storm',
  'heavy',
  'snow',
  'severe',
  'storm',
  'pm',
  'winter',
  'storm',
  'warning',
  'east',
  'glacier',
  'area',
  'rocky',
  'mountain',
  'winter',
  'weather',
  'advisory',
  'area',
  'montana',
  'helena',
  'valley',
  'time',
  'snow',
  'power',
  'outage',
  'rain',
  'making',
  'drought',
  'relief',
  'thunderstorm',
  'hail',
  'wind',
  'temperature',
  'plant',
  'livestock',
  'spring',
  'storm',
  'storm',
  'snow',
  'elevation',
  'rain',
  'snow',
  'terrain',
  'wednesday',
  'air',
  'system',
  'snow',
  'level',
  'wednesday',
  'night',
  'thursday',
  'morning',
  'thursday',
  'mix',
  'rain',
  'snow',
  'montana',
  'continental',
  'divide',
  'snow',
  'inch',
  'elevation',
  'day',
  'rocky',
  'mountain',
  'mountain',
  'travel',
  'snow',
  'road',
  'surface',
  'mountain',
  'elevation',
  'helena',
  'great',
  'falls',
  'townsend',
  'rain',
  'snow',
  'period',
  'mother',
  'nature',
  'mind',
  'northeast',
  'montana',
  'mix',
  'cloud',
  'sun',
  'thunderstorm',
  'day',
  'rain',
  'lightning',
  'storm',
  'hail',
  'wind',
  'temperature',
  'area',
  '30',
  '40',
  'mountain',
  '20',
  '30',
  'eastern',
  'montana',
  '40',
  '50',
  '80',
  'corner',
  'snow',
  'level',
  'valley',
  'plain',
  'thursday',
  'night',
  'friday',
  'morning',
  'snow',
  'friday',
  'morning',
  'day',
  'switch',
  'rain',
  'elevation',
  'precipitation',
  'end',
  'temperature',
  '30',
  '40',
  '50',
  'montana',
  'storm',
  'system',
  'saturday',
  'state',
  'break',
  'rain',
  'snow',
  'sky',
  'high',
  '40',
  '50',
  'shower',
  'mountain',
  'snow',
  'shower',
  'round',
  'rain',
  'thunderstorm',
  'sunday',
  'storm',
  'monday',
  'wind',
  'area',
  'rain',
  'state',
  'curtis',
  'grevenitzchief',
  'meteorologist',
  'copyright',
  'scripps',
  'media',
  'inc.',
  'right',
  'material',
  'sign',
  'breaking',
  'news',
  'newsletter',
  'date',
  'information',
  'breaking',
  'news',
  'newsletter',
  'newsletters',
  'golf',
  'hole',
  'scripps',
  'local',
  'media',
  'scripps',
  'media',
  'inc',
  'light',
  'people',
  'way'],
 ['a.v.',
  'rootthe',
  'takeoutthe',
  'onionthe',
  'inventorysend',
  'future',
  'herewe',
  'commission',
  'link',
  'pagesearchhomelatestnewsgadgetsscienceeartherio9aispaceen',
  'españolvideoextreme',
  'weatherdeadly',
  'floods',
  'tennessee',
  'summer',
  'extreme',
  'rainclimate',
  'change',
  'flood',
  'storm',
  'tennessee',
  'weekend',
  '2021comment',
  '7)we',
  'commission',
  'link',
  'page',
  'brian',
  'mitchell',
  'home',
  'mother',
  'law',
  'family',
  'friend',
  'chris',
  'hoover',
  'sunday',
  'aug.',
  'waverly',
  'tenn.',
  'photo',
  'mark',
  'humphrey',
  'ap)at',
  'people',
  'tennessee',
  'record',
  'rain',
  'state',
  'weekend',
  'flood',
  'town',
  'wake',
  'destruction',
  'rainfall',
  'state',
  'history',
  'flood',
  'planet',
  'storm',
  'watchwinter',
  'storms',
  'drought',
  'california',
  'extreme',
  'earth',
  'ccshare',
  'videowinter',
  'storms',
  'drought',
  'california',
  '',
  '',
  'extreme',
  'earthextreme',
  'weather',
  'event',
  'extreme',
  'earthdecember',
  'snowpack',
  'boost',
  '',
  '',
  'extreme',
  'earthjanuary',
  'inch',
  'centimeter',
  'rain',
  'humphreys',
  'county',
  'center',
  'state',
  'nashville',
  'hour',
  'saturday',
  'national',
  'weather',
  'service',
  'measurement',
  'record',
  'day',
  'rainfall',
  'state',
  'inch',
  'centimeter',
  'datum',
  'panel',
  'expert',
  'official.)advertisement“we',
  'water',
  'atmosphere',
  'krissy',
  'hurley',
  'meteorologist',
  'national',
  'weather',
  'service',
  'office',
  'ap',
  'thunderstorm',
  'area',
  'damage',
  'tennesseebuddy',
  'frazier',
  'mayor',
  'city',
  'waverly',
  'county',
  'seat',
  'humphreys',
  'county',
  'tv',
  'interview',
  'people',
  'area',
  'level',
  'rain',
  'intensity',
  'flood',
  'quickness',
  'tornado',
  'wave',
  '”advertisementadvertisementthe',
  'death',
  'toll',
  'month',
  'twin',
  'floodwater',
  'father',
  'sibling',
  'eyewitness',
  'report',
  'photo',
  'brick',
  'wall',
  'water',
  'pile',
  'debris',
  'home',
  'building',
  'region',
  'guard',
  'severity',
  'storm',
  'strength',
  'flood',
  'brandi',
  'burns',
  'property',
  'manager',
  'housing',
  'complex',
  'flood',
  'new',
  'york',
  'times',
  'floodwater',
  'yellin',
  'help',
  'water',
  'ap',
  'weekend',
  'storm',
  'record',
  'humphreys',
  'county',
  'inch',
  'centimeter',
  'rain',
  'flash',
  'flood',
  'warning',
  'weekend',
  'rain',
  'inch',
  'centimeter',
  'rain',
  'tennessee',
  'run',
  'rainthis',
  'weekend',
  'rain',
  'string',
  'storm',
  'flood',
  'year',
  'march',
  'downpour',
  'people',
  'dozen',
  'rescue',
  'weekend',
  'storm',
  'inch',
  'centimeter',
  'rain',
  'nashville',
  'area',
  'course',
  'weekend',
  'city',
  'day',
  'rainfall',
  'record',
  'rain',
  'march',
  'nashville',
  'march',
  'record',
  'advertisementin',
  'september',
  'storm',
  'middle',
  'tennessee',
  'inch',
  'centimeter',
  'rain',
  'hour',
  'state',
  'mill',
  'creek',
  'basin',
  'authority',
  'water',
  'rescue',
  'hurley',
  'march',
  'september',
  'storm',
  'year',
  'event',
  'flood',
  'state',
  'year',
  'rain',
  'event',
  'inch',
  'centimeter',
  'rain',
  'day',
  'nashville',
  'flood',
  'people',
  'thousand',
  'property',
  'property',
  'damage',
  'advertisementheavy',
  'rainfall',
  'tennessee',
  'globallytennessee',
  '%',
  'increase',
  'downpour',
  'state',
  'analysis',
  'climate',
  'central',
  'datum',
  'southeast',
  '%',
  'increase',
  'region',
  'u.s.',
  'rainfall',
  'tick',
  'u.s.',
  'flooding',
  'week',
  'intergovernmental',
  'panel',
  'climate',
  'change',
  'report',
  'stock',
  'human',
  'climate',
  'change',
  'weather',
  'pattern',
  'rain',
  'exception',
  'report',
  'downpour',
  '%',
  'world',
  'relationship',
  'atmosphere',
  'water',
  'term',
  'clausius',
  'clapeyron',
  'equation',
  'degree',
  'fahrenheit',
  'degree',
  'celsius',
  'heating',
  'atmosphere',
  '%',
  'moisture',
  'planet',
  'time',
  'rain',
  'relationship',
  'world',
  'summer',
  'flood',
  'europe',
  'china',
  'india',
  'u.s.show',
  'comment'],
 ['search',
  'homepage',
  'local',
  'news',
  'national',
  'news',
  'weather',
  'closings',
  'radar',
  'future',
  'politics',
  'closeup',
  'conversation',
  'candidate',
  'fact',
  'fact',
  'local',
  'news',
  'investigates',
  'sports',
  'sports',
  'betting',
  'high',
  'school',
  'sports',
  'coronavirus',
  'project',
  'community',
  'nh',
  'chronicle',
  'summer',
  'songfest',
  'home',
  'health',
  'state',
  'addiction',
  'entertainment',
  'viewers',
  'choice',
  'community',
  'calendar',
  'pet',
  'traffic',
  'news',
  'love',
  'contests',
  'editorials',
  'news',
  'team',
  'contact',
  'advertise',
  'wmur',
  'metv',
  'privacy',
  'notice',
  'terms',
  'use',
  'press',
  'type',
  'search',
  'shower',
  'storm',
  'new',
  'hampshire',
  'friday',
  'night',
  'flood',
  'watch',
  'effect',
  'spot',
  'edt',
  'jul',
  'shower',
  'storm',
  'new',
  'hampshire',
  'friday',
  'night',
  'flood',
  'watch',
  'effect',
  'spot',
  'edt',
  'jul',
  'transcript',
  'video',
  'spoken',
  'words',
  'alerts',
  'breaking',
  'update',
  'email',
  'inbox',
  'shower',
  'storm',
  'new',
  'hampshire',
  'friday',
  'night',
  'flood',
  'watch',
  'effect',
  'spot',
  'edt',
  'jul',
  'shower',
  'thunderstorm',
  'new',
  'hampshire',
  'friday',
  'night',
  'downpour',
  'wind',
  'potential',
  'flooding',
  'flash',
  'flood',
  'threat',
  'level',
  'new',
  'hampshire',
  'level',
  'flood',
  'watch',
  'effect',
  'corner',
  'state',
  'pm',
  'watch',
  'downpour',
  'road',
  'weather',
  'alert',
  'skies',
  'tonight',
  'shower',
  'thunderstorm',
  'spot',
  'new',
  'hampshire',
  'town',
  'flood',
  'rain',
  'rainfall',
  'downpour',
  'flooding',
  'interactive',
  'radarsome',
  'storm',
  'wind',
  'spot',
  'shower',
  'storm',
  'sun',
  'saturday',
  'percent',
  'day',
  'spot',
  'shower',
  'thunderstorm',
  'downpour',
  'sunday',
  'afternoon',
  'evening',
  'flood',
  'watch',
  'flood',
  'safety',
  'tip',
  'weather',
  'wmur',
  'app',
  'apple',
  'android',
  'device',
  'push',
  'notification',
  'weather',
  'alert',
  'geolocation',
  'zip',
  'code',
  'addition',
  'word',
  'precipitation',
  'area',
  'storm',
  'team',
  'medium',
  'mike',
  'haddad',
  'facebook',
  'twitterkevin',
  'skarupa',
  'facebook',
  'twitterhayley',
  'lapoint',
  'facebook',
  'twitterjacqueline',
  'thomas',
  'facebook',
  'twittermatt',
  'hoenig',
  'facebook',
  '',
  '',
  'twitter',
  'manchester',
  'n.h.',
  'shower',
  'thunderstorm',
  'new',
  'hampshire',
  'friday',
  'night',
  'downpour',
  'wind',
  'potential',
  'flooding',
  'flash',
  'flood',
  'threat',
  'level',
  'new',
  'hampshire',
  'level',
  'flood',
  'watch',
  'effect',
  'corner',
  'state',
  'pm',
  'watch',
  'downpour',
  'road',
  'weather',
  'alert',
  'skies',
  'tonight',
  'shower',
  'thunderstorm',
  'spot',
  'new',
  'hampshire',
  'town',
  'flood',
  'rain',
  'rainfall',
  'downpour',
  'flooding',
  'interactive',
  'radarsome',
  'storm',
  'wind',
  'spot',
  'shower',
  'storm',
  'sun',
  'saturday',
  'percent',
  'day',
  'spot',
  'shower',
  'thunderstorm',
  'downpour',
  'sunday',
  'afternoon',
  'evening',
  'flood',
  'watch',
  'flood',
  'safety',
  'tip',
  'weather',
  'wmur',
  'app',
  'apple',
  'android',
  'device',
  'push',
  'notification',
  'weather',
  'alert',
  'geolocation',
  'zip',
  'code',
  'addition',
  'word',
  'precipitation',
  'area',
  'storm',
  'team',
  'medium',
  'mike',
  'haddad',
  'facebook',
  'twitterkevin',
  'skarupa',
  'facebook',
  'twitterhayley',
  'lapoint',
  'facebook',
  'twitterjacqueline',
  'thomas',
  'facebook',
  'twittermatt',
  'hoenig',
  'facebook',
  '',
  '',
  'twitter',
  'mattel',
  'barbie',
  'movie',
  'dolls',
  'margot',
  'robbie',
  'ryan',
  'gosling',
  'barbie',
  'movie',
  'amazon',
  'shop',
  'pink',
  'fantastic',
  'merch',
  'contact',
  'news',
  'team',
  'apps',
  'social',
  'email',
  'alerts',
  'careers',
  'internships',
  'digital',
  'advertising',
  'terms',
  'conditions',
  'broadcast',
  'terms',
  'conditions',
  'rss',
  'eeo',
  'captioning',
  'contacts',
  'public',
  'inspection',
  'file',
  'public',
  'file',
  'assistance',
  'fcc',
  'applications',
  'news',
  'policy',
  'statements',
  'hearst',
  'television',
  'affiliate',
  'marketing',
  'program',
  'commission',
  'product',
  'link',
  'retailer',
  'site',
  'hearst',
  'television',
  'inc.',
  'behalf',
  'wmur',
  'tv',
  'privacy',
  'notice',
  'california',
  'privacy',
  'rights',
  'interest',
  'ads',
  'terms',
  'use',
  'site',
  'map'],
 ['owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'account',
  'dashboard',
  'profile',
  'item',
  'today',
  'wind',
  'se',
  'mph',
  'tonight',
  'wind',
  'se',
  'mph',
  'july',
  'pm',
  'account',
  'dashboard',
  'profile',
  'item',
  'tuesday',
  'weather',
  'day',
  'east',
  'idaho',
  'thunderstorm',
  'flash',
  'flooding',
  'idaho',
  'falls',
  'blackfoot',
  'rexburg',
  'rain',
  'hail',
  'roof',
  'idaho',
  'falls',
  'quarter',
  'golf',
  'ball',
  'size',
  'hail',
  'pocatello',
  'area',
  'wind',
  'gust',
  'mph',
  'risk',
  'thunderstorm',
  'afternoon',
  'evening',
  'hour',
  'wednesday',
  'orange',
  'black',
  'kick',
  'month',
  'event',
  'idaho',
  'state',
  'university',
  'bengals',
  'month',
  'read',
  "more'welcome",
  'orange',
  'black',
  'kick',
  'month',
  'portneuf',
  'valley',
  'farmers',
  'market',
  'family',
  'fun',
  'days',
  'farmer',
  'market',
  'event',
  'weekend',
  'read',
  'moreportneuf',
  'valley',
  'farmers',
  'market',
  'family',
  'fun',
  'days',
  'caribou',
  'county',
  'sheriff',
  'office',
  'identity',
  'individual',
  'sheriff',
  'office',
  'help',
  'read',
  'morecaribou',
  'county',
  'sheriff',
  'office',
  'identity',
  'individual',
  'fire',
  'danger',
  'storm',
  'tracker',
  'alert',
  'idaho',
  'fall',
  'amazon',
  'delivery',
  'station',
  'grand',
  'opening',
  'today',
  'opening',
  'region',
  'amazon',
  'delivery',
  'station',
  'idaho',
  'falls',
  'read',
  'moreidaho',
  'fall',
  'amazon',
  'delivery',
  'station',
  'grand',
  'opening',
  'orange',
  'black',
  'kick',
  'month',
  'pocatello',
  'orange',
  'black',
  'kick',
  'month',
  'portneuf',
  'valley',
  'farmers',
  'market',
  'family',
  'fun',
  'days',
  'pocatello',
  'portneuf',
  'valley',
  'farmers',
  'market',
  'family',
  'fun',
  'days',
  'caribou',
  'county',
  'sheriff',
  'office',
  'identity',
  'individual',
  'caribou',
  'county',
  'caribou',
  'county',
  'sheriff',
  'office',
  'identity',
  'kpvi',
  'storm',
  'tracker',
  'alert',
  'east',
  'idaho',
  'idaho',
  'fall',
  'amazon',
  'delivery',
  'station',
  'grand',
  'opening',
  'lewis',
  'conrad',
  'idaho',
  'fall',
  'amazon',
  'delivery',
  'station',
  'grand',
  'opening',
  'weather',
  'demand',
  'doug',
  'iverson',
  'weather',
  'forecast',
  'july',
  '26th',
  'boys',
  'girls',
  'club',
  'new',
  'director',
  'boy',
  'girl',
  'club',
  'addition',
  'read',
  'girls',
  'club',
  'new',
  'director',
  'fire',
  'crew',
  'house',
  'fire',
  'sage',
  'road',
  'fire',
  'crew',
  'house',
  'fire',
  'read',
  'crew',
  'house',
  'fire',
  'sage',
  'road',
  'matt',
  'davenport',
  'interviews',
  'band',
  'band',
  'week',
  'national',
  'bar',
  'pocatello',
  'tuesday',
  'night',
  'read',
  'morematt',
  'davenport',
  'interviews',
  'band',
  'accident',
  'state',
  'highway',
  'minidoka',
  'county',
  'person',
  'vehicle',
  'collision',
  'state',
  'highway',
  'saturday',
  'read',
  'morefatal',
  'accident',
  'state',
  'highway',
  'minidoka',
  'county',
  'boys',
  'girls',
  'club',
  'new',
  'director',
  'boy',
  'girl',
  'club',
  'addition',
  'read',
  'girls',
  'club',
  'new',
  'director',
  'fire',
  'crew',
  'house',
  'fire',
  'sage',
  'road',
  'fire',
  'crew',
  'house',
  'fire',
  'read',
  'crew',
  'house',
  'fire',
  'sage',
  'road',
  'matt',
  'davenport',
  'interviews',
  'band',
  'band',
  'week',
  'national',
  'bar',
  'pocatello',
  'tuesday',
  'night',
  'read',
  'morematt',
  'davenport',
  'interviews',
  'band',
  'accident',
  'state',
  'highway',
  'minidoka',
  'county',
  'person',
  'vehicle',
  'collision',
  'state',
  'highway',
  'saturday',
  'read',
  'morefatal',
  'accident',
  'state',
  'highway',
  'minidoka',
  'county',
  'discussion',
  'discussion',
  'email',
  'notification',
  'discussion',
  'notification',
  'discussion',
  'language',
  'turn',
  'caps',
  'lock',
  'threat',
  'person',
  'racism',
  'sexism',
  'sort',
  '-ism',
  'person',
  'report',
  'link',
  'comment',
  'post',
  'eyewitness',
  'account',
  'history',
  'article',
  'discussion',
  'discussion',
  'news',
  'community',
  'wiley',
  'petersen',
  'fort',
  'hall',
  'bull',
  'riding',
  'mayhem',
  'shoshone',
  'bannock',
  'casino',
  'hotel',
  'question',
  'station',
  'antenna',
  'view',
  'public',
  'files',
  'view',
  'eeo',
  'online',
  'fcc',
  'applications',
  'e.',
  'sherman',
  'st.',
  'pocatello',
  'id',
  '6666newstips',
  'kpvi',
  'question',
  'comment',
  'link',
  'page',
  'click',
  'kpvi',
  'newsroom',
  'blox',
  'content',
  'management',
  'system',
  'blox',
  'digital',
  'browser',
  'date',
  'security',
  'risk',
  'browser'],
 ['contentskip',
  'content',
  'register',
  'article',
  'newsletter',
  'weather',
  'forecast',
  'weather',
  'alert',
  'inbox',
  'subscriber',
  'sign',
  'time',
  'permission',
  'article',
  'lee',
  'enterprises',
  'terms',
  'service',
  '',
  '',
  'privacy',
  'policy',
  'help',
  'center',
  'account',
  'dashboard',
  'profile',
  'item',
  'weather',
  'nebraska',
  'wednesday',
  'storm',
  'spot',
  'weather',
  'nebraska',
  'wednesday',
  'storm',
  'spot',
  'rain',
  'nebraska',
  'afternoon',
  'evening',
  'hour',
  'today',
  'hail',
  'wind',
  'spot',
  'flooding',
  'tornado',
  'detail',
  'forecast',
  'video',
  'apple',
  'podcast',
  'google',
  'podcast',
  'rss',
  'feed',
  'omny',
  'studio',
  'apple',
  'podcast',
  'google',
  'podcast',
  'rss',
  'feed',
  'omny',
  'studio',
  'record',
  'rainfall',
  'state',
  'flooding',
  'disaster',
  'united',
  'states',
  'damage',
  'flooding',
  'rainfall',
  'period',
  'time',
  'stacker',
  'hour',
  'precipitation',
  'state',
  'datum',
  'state',
  'climate',
  'extremes',
  'committee',
  'national',
  'oceanographic',
  'atmospheric',
  'administration',
  'state',
  'rainfall',
  'hour',
  'period',
  'list',
  'puerto',
  'rico',
  'kansas',
  'datum',
  'data',
  'july',
  'number',
  'inch',
  'hour',
  'noaa',
  'datum',
  'damage',
  'life',
  'day',
  'rain',
  'day',
  'hurricane',
  'storm',
  'rain',
  'climate',
  'change',
  'rainfall',
  'concern',
  'expert',
  'water',
  'cycle',
  'sea',
  'level',
  'weather',
  'pattern',
  'precipitation',
  'measurement',
  'mission',
  'climate',
  'change',
  'nasa',
  'u.s.',
  'precipitation',
  'time',
  'drought',
  'flood',
  'problem',
  'incidence',
  'country',
  'meteorologist',
  'past',
  'weather',
  'pattern',
  'date',
  'day',
  'rain',
  'day',
  'state',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'deer',
  'creek',
  'dam-',
  'date',
  'feb.',
  'state',
  'ocean',
  'weather',
  'event',
  'hurricane',
  'storm',
  'climate',
  'case',
  'utah',
  'record',
  'rainfall',
  'inch',
  'account',
  'storm',
  'deer',
  'creek',
  'dam',
  'thunder',
  'streak',
  'lightning',
  'sheet',
  'rain',
  'morning',
  'hour',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'cheyenne-',
  'date',
  'aug.',
  'water',
  'flash',
  'flood',
  'wyoming',
  'inch',
  'rain',
  'hour',
  'inch',
  'hailstone',
  'weather',
  'event',
  'damage',
  'safety',
  'measure',
  'overflow',
  'flood',
  'channel',
  'city',
  'flood',
  'plain',
  'retention',
  'pond',
  'neighborhood',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'rattlesnake',
  'creek-',
  'date',
  'nov.',
  'region',
  'idaho',
  'state',
  'rain',
  'hour',
  'end',
  'precipitation',
  'gem',
  'state',
  'inch',
  'idaho',
  'region',
  'roland',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'mount',
  'charleston-',
  'date',
  'oct.',
  'october',
  'rain',
  'mount',
  'charleston',
  'foot',
  'area',
  'nevada',
  'spring',
  'mountains',
  'section',
  'humboldt',
  'toiyabe',
  'national',
  'forest',
  'mt.',
  'charleston',
  'average',
  'inch',
  'rain',
  'date',
  'inch',
  'mount',
  'charleston',
  'crash',
  'cia',
  'c-54',
  'plane',
  'area',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'litchville-',
  'date',
  'june',
  'north',
  'dakota',
  'inch',
  'precipitation',
  'month',
  'inch',
  'hour',
  'century',
  'june',
  'month',
  'inch',
  'rain',
  'north',
  'dakota',
  'game',
  'fish',
  'department',
  'center',
  'u.s.',
  'north',
  'dakota',
  'climate',
  'winter',
  'summer',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'groton-',
  'date',
  'basement',
  'cellar',
  'wall',
  'collapse',
  'result',
  'south',
  'dakota',
  'day',
  'history',
  'president',
  'george',
  'w.',
  'bush',
  'brown',
  'buffalo',
  'clark',
  'day',
  'marshall',
  'spink',
  'county',
  'disaster',
  'area',
  'power',
  'outage',
  'vehicle',
  'drainage',
  'system',
  'state',
  'emergency',
  'south',
  'dakota',
  'home',
  'crop',
  'hour',
  'rain',
  'event',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'mt.',
  'mansfield-',
  'date',
  'sept.',
  'end',
  'century',
  'vermont',
  'summit',
  'mount',
  'mansfield',
  'location',
  'state',
  'rainfall',
  'hour',
  'inch',
  'rain',
  'afternoon',
  'year',
  'discussion',
  'abortion',
  'place',
  'missouri',
  'musician',
  'oscar',
  'peterson',
  'carnegie',
  'hall',
  'friday',
  'npr',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'louisville-',
  'date',
  'march',
  'rain',
  'middle',
  'ohio',
  'river',
  'flood',
  'stage',
  'march',
  'day',
  'month',
  'rainiest',
  'storm',
  'people',
  'street',
  'day',
  'rain',
  'march',
  'ohio',
  'river',
  'peak',
  'damage',
  'louisville',
  'home',
  'business',
  'surrounding',
  'destruction',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'princeton-',
  'date',
  'aug.',
  'drought',
  'flooding',
  'century',
  'state',
  'love',
  'hate',
  'relationship',
  'mother',
  'nature',
  'record',
  'set',
  'princeton',
  'indiana',
  'inch',
  'rain',
  'hour',
  'period',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'lockington',
  'dam',
  'nr',
  '.',
  'sidney',
  'shelby',
  'co.',
  'oh)-',
  'date',
  'aug.',
  '1995ohio',
  'humid',
  'climate',
  'summer',
  'inch',
  'hour',
  'rainfall',
  'inch',
  'downpour',
  'quantity',
  'rain',
  'time',
  'land',
  'stream',
  'ground',
  'rate',
  'rainfall',
  'land',
  'topography',
  'soil',
  'condition',
  'density',
  'vegetation',
  'urbanization',
  'runoff',
  'condition',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'mount',
  'washington-',
  'date',
  'oct.',
  'website',
  'weatherspark',
  'rain',
  'october',
  'chance',
  'day',
  'course',
  'october',
  '%',
  'website',
  'year',
  'day',
  'gust',
  'wind',
  'mph',
  'mount',
  'washington',
  'observatory',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'lake',
  'maloya-',
  'date',
  'maloya',
  'colorado',
  'new',
  'mexico',
  'border',
  'colorado',
  'rain',
  'slope',
  'mountain',
  'hour',
  'morning',
  'noaa',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'workman',
  'creek-',
  'date',
  'sept.',
  'inch',
  'rain',
  'hour',
  'desertscape',
  'arizona',
  'storm',
  'condition',
  'death',
  'people',
  'landscape',
  'river',
  'creek',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'circle',
  'springbrook)-',
  'date',
  'june',
  'inch',
  'rain',
  'springbrook',
  'year',
  'people',
  'infant',
  'town',
  'house',
  'barn',
  'bridge',
  'granary',
  'big',
  'sky',
  'country',
  'state',
  'home',
  'great',
  'plains',
  'rocky',
  'mountains',
  'average',
  'inch',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'mellen-',
  'date',
  'june',
  'storm',
  'record',
  'inch',
  'rainfall',
  'storm',
  'inch',
  'rain',
  'volume',
  'rain',
  'customer',
  'costco',
  'evacuation',
  'mazomanie',
  'county',
  'resident',
  'sheriff',
  'officer',
  'people',
  'airboat',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'nehalem',
  '9ne-',
  'date',
  'nov.',
  '2006a',
  'november',
  'day',
  'nehalem',
  'record',
  'afternoon',
  'inch',
  'rain',
  'hour',
  'inch',
  'state',
  'neighbor',
  'pacific',
  'northwest',
  'region',
  'u.s.',
  'oregon',
  'precipitation',
  'area',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'usgs',
  'rod',
  'gun',
  'ft',
  '.',
  'carson)-',
  'date',
  'sept.',
  '2013this',
  'date',
  'rain',
  'north',
  'fort',
  'carson',
  'army',
  'post',
  'colorado',
  'day',
  'record',
  'inch',
  'hour',
  'record',
  'inch',
  'hour',
  'flooding',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'run-',
  'date',
  'june',
  'virginia',
  'flood',
  'state',
  'country',
  'flash',
  'flood',
  'half',
  'state',
  '%',
  'fatality',
  'property',
  'damage',
  'west',
  'virginia',
  'flood',
  'factor',
  'report',
  'property',
  'state',
  '%',
  'chance',
  'flooding',
  'decade',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'date',
  'sept.',
  'satellite',
  'weather',
  'american',
  'meteorological',
  'society',
  'information',
  'weather',
  'station',
  'rhode',
  'island',
  'maine',
  'new',
  'hampshire',
  'vermont',
  'massachusetts',
  'connecticut',
  'new',
  'york',
  'ams',
  'day',
  'rain',
  'event',
  'weather',
  'map',
  'morning',
  'storm',
  'weather',
  'map',
  'morning',
  'rainfall',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'harbeson-',
  'date',
  'sept.',
  'delaware',
  'new',
  'castle',
  'county',
  'state',
  'east',
  'coast',
  'harbeson',
  'mile',
  'rehobeth',
  'beach',
  'sussex',
  'county',
  'state',
  'record',
  'hour',
  'precipitation',
  'inch',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'burlington-',
  'date',
  'aug.',
  'connecticut',
  'flood',
  'recovery',
  'committee',
  'rain',
  'storm',
  'flood',
  'friday',
  'flood',
  'history',
  'united',
  'states',
  'local',
  'flood',
  'friday',
  'nbc',
  'rain',
  'august',
  'chart',
  'event',
  'year',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  '6e',
  'fountain-',
  'date',
  'july',
  'storm',
  'morning',
  'july',
  'mph',
  'wind',
  'microburst',
  'tree',
  'powerline',
  'power',
  'people',
  'storm',
  'hour',
  'mason',
  'lake',
  'county',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'york-',
  'date',
  'july',
  'lincoln',
  'journal',
  'star',
  'rainfall',
  'york',
  'nebraska',
  'disaster',
  'state',
  'time',
  'deluge',
  'people',
  'swathe',
  'beaver',
  'crossing',
  'york',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'atlantic',
  '1ne-',
  'date',
  'june',
  'day',
  'rain',
  'iowa',
  'record',
  'flooding',
  'nishnabotna',
  'east',
  'nishnabotna',
  'river',
  'basin',
  'u.s.',
  'geological',
  'survey',
  'u.s.',
  'department',
  'interior',
  'report',
  'discharge',
  'flood',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'portland-',
  'date',
  'oct.',
  '1996a',
  'assessment',
  'storm',
  'federal',
  'emergency',
  'management',
  'maine',
  'damage',
  'infrastructure',
  'storm',
  'maine',
  'rain',
  'system',
  'moisture',
  'hurricane',
  'lili',
  'train',
  'echo',
  'flooding',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'york',
  '3ssw',
  'pump',
  'date',
  'june',
  'town',
  'siren',
  'a.m.',
  'york',
  'resident',
  'foot',
  'water',
  'a.m.',
  'water',
  'baltimore',
  'main',
  'manchester',
  'hanover',
  'streets',
  'york',
  'daily',
  'record',
  'report',
  'water',
  'damage',
  'building',
  'business',
  'home',
  'car',
  'post',
  'office',
  'fire',
  'hall',
  'factory',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'long',
  'island',
  'macarthur',
  'airport-',
  'date',
  'aug.',
  'inch',
  'rainfall',
  'storm',
  'motion',
  'islip',
  'new',
  'york',
  'state',
  'record',
  'inch',
  'tannersville',
  'hurricane',
  'irene',
  'long',
  'island',
  'elevation',
  'proximity',
  'ocean',
  'storm',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'big',
  'fork-',
  'date',
  'dec.',
  'storm',
  'tornado',
  'arkansas',
  'hour',
  'rain',
  'arkansas',
  'big',
  'fork',
  'record',
  'year',
  'town',
  'record',
  'rain',
  'inch',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'mt.',
  'mitchell',
  '',
  '',
  '2-',
  'date',
  'nov.',
  'record',
  'hour',
  'period',
  ...],
 ['news',
  'home',
  'local',
  'news',
  'national',
  'news',
  'crime',
  'stoppers',
  'natalie',
  'everyday',
  'heroes',
  'racine',
  'sunday',
  'morning',
  'special',
  'report',
  'hometown',
  'capitol',
  'connection',
  'weather',
  'home',
  'weather',
  'blog',
  'radar',
  'traffic',
  'closing',
  'tornado',
  'home',
  'job',
  'opening',
  'weigel',
  'broadcasting',
  'milwaukee',
  'download',
  'app',
  'team',
  'contact',
  'tv',
  'schedule',
  'advertise',
  'spotlight',
  'tip',
  'news',
  'link',
  'tip',
  'news',
  'link',
  'news',
  'home',
  'local',
  'news',
  'national',
  'news',
  'crime',
  'stoppers',
  'natalie',
  'everyday',
  'heroes',
  'racine',
  'sunday',
  'morning',
  'special',
  'report',
  'hometown',
  'capitol',
  'connection',
  'weather',
  'home',
  'weather',
  'blog',
  'radar',
  'traffic',
  'closing',
  'tornado',
  'home',
  'job',
  'opening',
  'weigel',
  'broadcasting',
  'milwaukee',
  'download',
  'app',
  'team',
  'contact',
  'tv',
  'schedule',
  'advertise',
  'spotlight',
  'storm',
  'rain',
  'snow',
  'wisconsin',
  'dec',
  'cdt',
  'video',
  'javascript',
  'web',
  'browser',
  'html5',
  'video',
  'storm',
  'rain',
  'snow',
  'southeast',
  'wisconsin',
  'milwaukee',
  'ovp',
  'teen',
  'victim',
  'gun',
  'violence',
  'school',
  'official',
  'judge',
  'year',
  'mother',
  'twitter',
  'x',
  'look',
  'milwaukee',
  'nation',
  'pre',
  '-',
  'trial',
  'milwaukee',
  'police',
  'officer',
  'michael',
  'grammy',
  'regina',
  'spektor',
  'milwaukee',
  'afternoon',
  'update',
  'storm',
  'threat',
  'winding',
  'milwaukee',
  'teen',
  'crash',
  'sister',
  'change',
  'wisconsin',
  'state',
  'fair',
  'basket',
  'cbs',
  'ramirez',
  'family',
  'foundation',
  'cardinal',
  'stritch',
  'campus',
  'historical',
  'pleasant',
  'valley',
  'church',
  'sunday',
  'jazz',
  'concert',
  'storm',
  'rain',
  'snow',
  'southeast',
  'wisconsin',
  'milwaukee',
  'ovp',
  'teen',
  'victim',
  'gun',
  'violence',
  'school',
  'official',
  'judge',
  'year',
  'mother',
  'twitter',
  'x',
  'look',
  'milwaukee',
  'nation',
  'pre',
  '-',
  'trial',
  'milwaukee',
  'police',
  'officer',
  'michael',
  'grammy',
  'regina',
  'spektor',
  'milwaukee',
  'afternoon',
  'update',
  'storm',
  'threat',
  'winding',
  'milwaukee',
  'teen',
  'crash',
  'sister',
  'change',
  'wisconsin',
  'state',
  'fair',
  'basket',
  'cbs',
  'ramirez',
  'family',
  'foundation',
  'cardinal',
  'stritch',
  'campus',
  'historical',
  'pleasant',
  'valley',
  'church',
  'sunday',
  'jazz',
  'concert',
  'weather',
  'story',
  'winter',
  'storm',
  'country',
  'tuesday',
  'morning',
  'storm',
  'blizzard',
  'condition',
  'north',
  'dakota',
  'tornado',
  'warning',
  'oklahoma',
  'texas',
  'southeast',
  'wisconsin',
  'lull',
  'storm',
  'tuesday',
  'morning',
  'rain',
  'mix',
  'tuesday',
  'evening',
  'rain',
  'half',
  'storm',
  'rain',
  'time',
  'tuesday',
  'night',
  'day',
  'wednesday',
  'snow',
  'rain',
  'tuesday',
  'evening',
  'overnight',
  'wednesday',
  'air',
  'wednesday',
  'night',
  'precip',
  'snow',
  'wednesday',
  'night',
  'thursday',
  'morning',
  'chance',
  'snow',
  'southeast',
  'wisconsin',
  'impact',
  'storm',
  'plenty',
  'warning',
  'watch',
  'advisory',
  'region',
  'upper',
  'midwest',
  'winter',
  'storm',
  'winter',
  'weather',
  'advisory',
  'place',
  'wisconsin',
  'area',
  'snow',
  'wind',
  'advisory',
  'iowa',
  'winter',
  'storm',
  'dakotas',
  'minnesota',
  'ice',
  'storm',
  'sioux',
  'falls',
  'blizzard',
  'warning',
  'south',
  'dakota',
  'nebraska',
  'half',
  'storm',
  'rain',
  'rain',
  'time',
  'tuesday',
  'evening',
  'wednesday',
  'thursday',
  'morning',
  'inch',
  'inch',
  'rain',
  'area',
  'rain',
  'thursday',
  'morning',
  'cbs',
  'ready',
  'weather',
  'app',
  'rain',
  'snow',
  'radar',
  'afternoon',
  'update',
  'storm',
  'threat',
  'today',
  'ramirez',
  'family',
  'foundation',
  'cardinal',
  'stritch',
  'campus',
  'm',
  'milwaukee',
  'teen',
  'crash',
  'sister',
  'plea',
  'koch',
  'manke',
  'court',
  'charge',
  'imprisoning',
  'boy',
  'm',
  'milwaukee',
  'ovp',
  'teen',
  'victim',
  'gun',
  'violence',
  'school',
  'official',
  'school',
  'aid',
  'year',
  'judge',
  'year',
  'mother',
  'trial',
  'adult',
  'aaron',
  'rodgers',
  'pay',
  'cut',
  'year',
  'deal',
  'jet',
  'cbs',
  'pet',
  'week',
  'atlas',
  'pasta',
  'star',
  'semolina',
  'mke',
  'social',
  'stream',
  'contact',
  'privacy',
  'policy',
  'terms',
  'use',
  'information',
  's.',
  '60th',
  'st',
  'milwaukee',
  'wi',
  'news',
  'tip',
  'hotline',
  'info',
  'fax',
  'metv',
  '41.1/58.2',
  'wmlw',
  'telemundo',
  '63.1/58.4',
  'start',
  '58.5/63.2',
  'movie',
  '49.2/63.3',
  'h&i',
  'catchy',
  'comedy',
  'content',
  'copyright',
  'wdjt',
  'rights',
  'wdjt',
  'fcc',
  'public',
  'file',
  'fcc',
  'license',
  'renewal',
  'eeo',
  'report',
  'children',
  'programming',
  'report',
  'ad',
  'choice'],
 ['stamford',
  'police',
  'vehicle',
  'person',
  'accident',
  'victim',
  'new',
  'haven',
  'ellis',
  'robinson',
  'iv',
  'school',
  'football',
  'player',
  'nation',
  'alert',
  'heat',
  'wave',
  'end',
  'week',
  'weather',
  'threat',
  'thursday',
  'ct',
  'resident',
  'way',
  'weather',
  'protocol',
  'weather',
  'overnight',
  'storm',
  'flooding',
  'damage',
  'connecticut',
  'extent',
  'damage',
  'water',
  'couple',
  'day',
  'example',
  'video',
  'title',
  'video',
  'edt',
  'july',
  'pm',
  'edt',
  'july',
  'norfolk',
  'conn',
  'storm',
  'region',
  'monday',
  'downpour',
  'flash',
  'flooding',
  'state',
  'storm',
  'national',
  'weather',
  'service',
  'flash',
  'flood',
  'warning',
  'connecticut',
  'city',
  'stamford',
  'greenwich',
  'massachusetts',
  'forecaster',
  'area',
  'inch',
  'rain',
  'p.m.',
  'thedot',
  'road',
  'new',
  'milford',
  'rt',
  'grove',
  'st',
  'flooding',
  'monday',
  'july',
  'pm',
  'canaan',
  'route',
  'page',
  'rd',
  'flooding',
  'monday',
  'july',
  'canaan',
  'route',
  'cobble',
  'rd',
  'mountain',
  'rd',
  'flooding',
  'monday',
  'july',
  'canaan',
  'route',
  'johnson',
  'st',
  'route',
  'flooding',
  'monday',
  'july',
  'sharon',
  'route',
  'closed',
  'route',
  'flooding',
  'monday',
  'july',
  'new',
  'milford',
  'routed',
  'fort',
  'hill',
  'rd',
  'sunny',
  'valley',
  'rd',
  'housatonic',
  'river',
  'overflowing',
  'monday',
  'july',
  'norfolk',
  'monday',
  'morning',
  'firefighter',
  'clock',
  'road',
  'washout',
  'route',
  'culvert',
  'hole',
  'road',
  'crossing',
  'firefighter',
  'fox61',
  'news',
  'home',
  'damage',
  'family',
  'home',
  'road',
  'norfolk',
  'winter',
  'weather',
  'norfolk',
  'town',
  'leader',
  'jon',
  'barbagallo',
  'sunday',
  'night',
  'town',
  'attention',
  'type',
  'precipitation',
  'flood',
  'damage',
  'road',
  'road',
  'town',
  'route',
  'barbagallo',
  'roger',
  'johnson',
  'fox61',
  'height',
  'storm',
  'water',
  'yard',
  'time',
  'home',
  'johnson',
  'damage',
  'home',
  'sign',
  'lot',
  'work',
  'old',
  'goshen',
  'rd',
  'litchfield',
  'rd',
  'future',
  'bridge',
  'washout',
  'norfolk',
  'vol',
  'fire',
  'dept',
  '.',
  'monday',
  'july',
  'johnson',
  'town',
  'lot',
  'people',
  'shovel',
  'johnson',
  'extent',
  'damage',
  'water',
  'couple',
  'day',
  'barbagallo',
  'barrier',
  'place',
  'sign',
  'fox61',
  'newsletter',
  'morning',
  'forecast',
  'morning',
  'headlines',
  'evening',
  'headline',
  'storm',
  'air',
  'rail',
  'travel',
  'monday',
  'flight',
  'cancellation',
  'kennedy',
  'laguardia',
  'newark',
  'airport',
  'boston',
  'logan',
  'airport',
  'hour',
  'flightaware',
  'website',
  'amtrak',
  'service',
  'albany',
  'new',
  'york',
  'storm',
  'way',
  'massachusetts',
  'vermont',
  'vermont',
  'gov.',
  'phil',
  'scott',
  'state',
  'emergency',
  'sunday',
  'advance',
  'monday',
  'rain',
  'camper',
  'people',
  'home',
  'vermont',
  'report',
  'mark',
  'bosma',
  'spokesperson',
  'state',
  'emergency',
  'management',
  'office',
  'associated',
  'press',
  'report',
  'week',
  'weather',
  'hardware',
  'business',
  'alert',
  'heat',
  'wave',
  'end',
  'week',
  'weather',
  'threat',
  'thursday',
  'story',
  'idea',
  'mind',
  'newstips@fox61.com',
  'way',
  'fox61',
  'news',
  'stream',
  'roku',
  'channel',
  'store',
  'fox61',
  'steam',
  'fire',
  'tv',
  'search',
  'fox61',
  'eeo',
  'public',
  'file',
  'report',
  'fcc',
  'online',
  'public',
  'inspection',
  'file',
  'closed',
  'caption',
  'procedure',
  'personal',
  'information',
  'wtic',
  'tv',
  'rights',
  'wtic',
  'notification',
  'news',
  'weather',
  'notification',
  'browser',
  'setting'],
 ['man',
  'death',
  'soccer',
  'match',
  'adam',
  'morgan',
  'neighborhood',
  'mexican',
  'consulate',
  'citizen',
  'crime',
  'dc',
  'heat',
  'advisory',
  'effect',
  'thursday',
  'a.m.',
  'p.m.',
  'dc',
  'heat',
  'year',
  'week',
  'weather',
  'timeline',
  'storm',
  'tonight',
  'storm',
  'area',
  'p.m.',
  'author',
  'miri',
  'marshall',
  'wusa9',
  'weather',
  'team',
  'kaitlyn',
  'mcgrath',
  'edt',
  'april',
  'pm',
  'edt',
  'april',
  'washington',
  'thunderstorm',
  'watch',
  'metro',
  'dc',
  'county',
  'pm',
  'storm',
  'evening',
  'threat',
  'today',
  'wind',
  'mph',
  'timeline',
  'storm',
  'p.m.',
  'shower',
  'storm',
  'storm',
  'rain',
  'wind',
  'hail',
  'p.m.',
  'p.m.',
  'shower',
  'storm',
  'storm',
  'rain',
  'wind',
  'hail',
  'p.m.',
  'p.m.',
  'storm',
  'area',
  'shower',
  'missouri',
  'tornado',
  'destruction',
  'flood',
  'awareness',
  'month',
  'list',
  'hurricane',
  'season',
  'neighborhood',
  'storm',
  'power',
  'outage',
  'tree',
  'tree',
  'branch',
  'thunderstorm',
  'watch',
  'warning',
  'neighborhood',
  'thunderstorm',
  'watch',
  'storm',
  'action',
  'thunderstorm',
  'warning',
  'thunderstorm',
  'storm',
  'storm',
  'wind',
  'mph',
  'strongerhail',
  'inch',
  'tornado',
  'storm',
  'tornado',
  'warning',
  'storm',
  'shelter',
  'tree',
  'place',
  'tree',
  'wind',
  'protection',
  'lightning',
  'example',
  'video',
  'title',
  'video',
  'news',
  'dmv',
  'overnight',
  'forecast',
  'july',
  'muggy',
  'eeo',
  'public',
  'file',
  'report',
  'fcc',
  'online',
  'public',
  'inspection',
  'file',
  'closed',
  'caption',
  'procedure',
  'personal',
  'information',
  'wusa',
  'tv',
  'rights',
  'wusa',
  'notification',
  'news',
  'weather',
  'notification',
  'browser',
  'setting'],
 ['body',
  'man',
  'colorado',
  'river',
  'bobcat',
  'kitten',
  'louisville',
  'radar',
  'storm',
  'denver',
  'metro',
  'area',
  'weather',
  'thursday',
  'south',
  'dakota',
  'dust',
  'storm',
  'storm',
  'dust',
  'bowl',
  'dust',
  'bowl',
  'picture',
  'wall',
  'dust',
  'ground',
  'difference',
  'thursday',
  'south',
  'dakota',
  'storm',
  'example',
  'video',
  'title',
  'video',
  'pm',
  'mdt',
  'pm',
  'mdt',
  'falls',
  's.d.',
  'wall',
  'dust',
  'sioux',
  'falls',
  'south',
  'dakota',
  'thursday',
  'air',
  'dirt',
  'sky',
  'night',
  "o'clock",
  'afternoon',
  'image',
  'storm',
  'comparison',
  'photo',
  'dust',
  'bowl',
  'era',
  'wall',
  'dust',
  'afternoon',
  'sioux',
  'falls',
  'ruth',
  'goigh',
  'video',
  'i-90',
  'brandon',
  'angela',
  'kennecke',
  'dust',
  'bowl',
  'picture',
  'wall',
  'dust',
  'ground',
  'difference',
  'thursday',
  'south',
  'dakota',
  'storm',
  'dust',
  'storm',
  'line',
  'thunderstorm',
  'derecho',
  'satellite',
  'image',
  'lightning',
  'stroke',
  'squall',
  'line',
  'thunderstorm',
  'complex',
  'wall',
  'dust',
  'storm',
  'yesterday',
  'evening',
  'goeseast',
  'derecho',
  'plains',
  'upper',
  'midwest',
  'storm',
  'wind',
  'gust',
  'hail',
  'lightning',
  'kansas',
  'wisconsin',
  'pic.twitter.com/yqn26n5yt5',
  'noaa',
  'satellites',
  '@noaasatellite',
  'dust',
  'airport',
  'sioux',
  'falls',
  'inch',
  'rain',
  'time',
  'raindrop',
  'camera',
  'lens',
  'national',
  'weather',
  'service',
  'office',
  'time',
  'lapse',
  'account',
  'rain',
  'dust',
  'storm',
  '1930',
  'storm',
  'dust',
  'bowl',
  'era',
  'april',
  'storm',
  'black',
  'sunday',
  'canada',
  'thunderstorm',
  'dust',
  'air',
  'mechanism',
  'dust',
  'storm',
  'condition',
  'soil',
  'drought',
  'topsoil',
  'weather',
  'question',
  'drought',
  'factor',
  'people',
  '1930',
  'precipitation',
  'record',
  '1930',
  'deficit',
  'drought',
  'year',
  'dust',
  'bowl',
  'extent',
  'intensity',
  'break',
  'drought',
  'condition',
  'evaporation',
  'atmosphere',
  'water',
  'earth',
  'year',
  'human',
  'climate',
  'change',
  'atmosphere',
  'degree',
  'celsius',
  'capacity',
  'atmosphere',
  'water',
  'vapor',
  'water',
  'planet',
  'denver',
  'week',
  'summer',
  'pacific',
  'northwest',
  'colorado',
  'carbon',
  'monoxide',
  'level',
  'scientist',
  'eeo',
  'public',
  'file',
  'report',
  'fcc',
  'online',
  'public',
  'inspection',
  'file',
  'closed',
  'caption',
  'procedure',
  'personal',
  'information',
  'kusa',
  'tv',
  'rights',
  'kusa',
  'notification',
  'news',
  'weather',
  'notification',
  'browser',
  'setting'],
 ['contentskip',
  'navigationskip',
  'navigationprint',
  'subscription',
  'sign',
  'insearch',
  'jobssearchus',
  'editionus',
  'editionuk',
  'editionaustralia',
  'guardian',
  'guardiannewsopinionsportculturelifestyleshowmoreshow',
  'morenewsview',
  'newsus',
  'newsworld',
  'politicsbusinesstechsciencenewslettersfight',
  'democracyopinionview',
  'opinionthe',
  'guardian',
  'viewcolumnistslettersopinion',
  'videoscartoonssportview',
  'sportsoccernfltennismlbmlsnbanhlf1golfcultureview',
  'culturefilmbooksmusicart',
  'designtv',
  'radiostageclassicalgameslifestyleview',
  'lifestylefashionfoodrecipeslove',
  'sexhome',
  'gardenhealth',
  'fitnessfamilytravelmoneysearch',
  'input',
  'google',
  'search',
  'searchsupport',
  'usprint',
  'subscriptionsus',
  'editionuk',
  'editionaustralia',
  'editionsearch',
  'jobsdigital',
  'archiveguardian',
  'puzzles',
  'licensingthe',
  'guardian',
  'guardianguardian',
  'weeklycrosswordswordiplycorrectionsfacebooktwittersearch',
  'jobsdigital',
  'archiveguardian',
  'puzzles',
  'licensingusworldenvironmentsoccerus',
  'democracy',
  'levee',
  'breach',
  'parajo',
  'river',
  'rainstorm',
  'flooding',
  'town',
  'parajo',
  'photograph',
  'josh',
  'edelson',
  'afp',
  'getty',
  'levee',
  'breach',
  'parajo',
  'river',
  'rainstorm',
  'flooding',
  'town',
  'parajo',
  'photograph',
  'josh',
  'edelson',
  'afp',
  'getty',
  'imagescalifornia',
  'article',
  'month',
  'atmospheric',
  'river',
  'california',
  'state',
  'reel',
  'article',
  'month',
  'oldstorm',
  'monday',
  'weekend',
  'destruction',
  'flooding',
  'thousand',
  'power',
  'people',
  'yangsun',
  'mar',
  'edtfirst',
  'sun',
  'mar',
  'edtanother',
  'atmospheric',
  'river',
  'storm',
  'california',
  'monday',
  'thousand',
  'resident',
  'power',
  'weekend',
  'rainfall',
  'flood',
  'destruction',
  'people',
  'california',
  'river',
  'breach',
  'river',
  'stream',
  'moisture',
  'transport',
  'water',
  'vapor',
  'tropic',
  'evaporation',
  'water',
  'pacific',
  'wind',
  'flooding',
  'national',
  'weather',
  'service',
  'nws',
  'river',
  'california',
  'monday',
  'storm',
  'rainfall',
  'state',
  'mountain',
  'snowfall',
  'wind',
  'condition',
  'day',
  'monday',
  'day',
  'tuesday',
  'rainfall',
  '“creek',
  'stream',
  'bank',
  'nws',
  'flash',
  'flood',
  'watch',
  'sunday',
  'street',
  'flooding',
  'flooding',
  'creek',
  'river',
  'state',
  'weekend',
  'destruction',
  'flooding',
  'californians',
  'electricity',
  'noon',
  'sunday',
  'poweroutage.com',
  'majority',
  'customer',
  'pacific',
  'gas',
  'electric',
  'company',
  'outage',
  'result',
  'storm',
  'state',
  'car',
  'detour',
  'road',
  'highway',
  'flooding',
  'earlimart',
  'tulare',
  'county',
  'saturday',
  'atmospheric',
  'river',
  'storm',
  'california',
  'photograph',
  'anadolu',
  'agency',
  'getty',
  'imagesat',
  'people',
  'storm',
  'evacuation',
  'order',
  'nancy',
  'ward',
  'director',
  'california',
  'office',
  'emergency',
  'service',
  'reporter',
  'friday',
  'friday',
  'joe',
  'biden',
  'request',
  'governor',
  'california',
  'gavin',
  'newsom',
  'emergency',
  'declaration',
  'disaster',
  'relief',
  'dozen',
  'county',
  'storm',
  'rainfall',
  'california',
  'reservoir',
  'result',
  'drought',
  'friday',
  'newsom',
  'order',
  'farmer',
  'water',
  'agency',
  'floodwater',
  'aquifer',
  'saturday',
  'people',
  'pajaro',
  'california',
  'community',
  'pajaro',
  'river',
  'levee',
  'rain',
  'people',
  'crew',
  'levee',
  'footage',
  'california',
  'guard',
  'soldier',
  'driver',
  'car',
  'waist',
  'level',
  'floodwater',
  'situation',
  'case',
  'scenario',
  'pajaro',
  'river',
  'overtopping',
  'levee',
  'midnight',
  'luis',
  'alejo',
  'chair',
  'monterey',
  'county',
  'board',
  'supervisor',
  'sierra',
  'nevada',
  'snow',
  'level',
  '%',
  'april',
  'average',
  'state',
  'river',
  'winter',
  'snow',
  'mountain',
  'range',
  'forecaster',
  'rain',
  'snow',
  'roof',
  'topicscaliforniaextreme',
  'weatherus',
  'viewedmost',
  'viewedusworldenvironmentsoccerus',
  'politicsbusinesstechsciencenewslettersfight',
  'reporting',
  'analysis',
  'guardian',
  'ushelpcomplaint',
  'correctionssecuredropwork',
  'usprivacy',
  'policycookie',
  'policyterms',
  'conditionscontact',
  'usall',
  'topicsall',
  'newspaper',
  'archivefacebookyoutubeinstagramlinkedintwitternewslettersadvertise',
  'labssearch',
  'guardian',
  'news',
  'media',
  'limited',
  'company',
  'right'],
 ['contentskip',
  'content',
  'register',
  'article',
  'newsletter',
  'weather',
  'forecast',
  'weather',
  'alert',
  'inbox',
  'subscriber',
  'sign',
  'time',
  'owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'lee',
  'enterprises',
  'terms',
  'service',
  '',
  '',
  'privacy',
  'policy',
  'help',
  'center',
  'account',
  'dashboard',
  'profile',
  'item',
  'winter',
  'storm',
  'snow',
  'flood',
  'watch',
  'arizona',
  'winter',
  'storm',
  'snow',
  'flood',
  'watch',
  'arizona',
  'rio',
  'de',
  'flag',
  'flow',
  'northern',
  'arizona',
  'university',
  'campus',
  'wednesday',
  'afternoon',
  'light',
  'rain',
  'snow',
  'precipitation',
  'week',
  'flagstaff',
  'area',
  'rachel',
  'gibbons',
  'arizona',
  'daily',
  'sun',
  'rain',
  'snowmelt',
  'flooding',
  'evacuation',
  'sedona',
  'area',
  'week',
  'national',
  'weather',
  'service',
  'nws',
  'flood',
  'watch',
  'round',
  'winter',
  'weather',
  'arizona',
  'flood',
  'watch',
  'effect',
  'area',
  'mogollon',
  'rim',
  'oak',
  'creek',
  'sedona',
  'camp',
  'verde',
  'midday',
  'tuesday',
  'wednesday',
  'evening',
  'nws',
  'winter',
  'weather',
  'advisory',
  'flagstaff',
  'williams',
  'grand',
  'canyon',
  'area',
  'tuesday',
  'afternoon',
  'round',
  'snowfall',
  'system',
  'west',
  'coast',
  'mark',
  'stubblefield',
  'nws',
  'storm',
  'system',
  'lot',
  'moisture',
  'stubblefield',
  'temperature',
  'type',
  'precipitation',
  'tuesday',
  'wednesday',
  'arizona',
  'precipitation',
  'shift',
  'snow',
  'rain',
  'lake',
  'powell',
  'water',
  'level',
  'lining',
  'cmt',
  'music',
  'video',
  'jason',
  'aldean',
  'song',
  'singer',
  'lyric',
  'window',
  'cleaning',
  'truck',
  'collision',
  'industrial',
  'avenue',
  'flagstaff',
  'coconino',
  'county',
  'board',
  'supervisors',
  'term',
  'ordinance',
  'flagstaff',
  'rescue',
  'hiker',
  'elden',
  'lookout',
  'trail',
  'arizona',
  'woman',
  'power',
  'debt',
  'utility',
  'earthquake',
  'arizona',
  'town',
  'report',
  'injury',
  'damage',
  'bakery',
  'owner',
  'scratch',
  'winter',
  'roof',
  'collapse',
  'kachina',
  'village',
  'arizona',
  'woman',
  'yellowstone',
  'bison',
  'attack',
  'boyfriend',
  'hospital',
  'proposal',
  'tom',
  'brady',
  'supermodel',
  'twitter',
  'x',
  'today',
  'news',
  'building',
  'buffet',
  'pawn',
  'shop',
  'nau',
  'master',
  'plan',
  'mask',
  'burger',
  'chain',
  'employee',
  'state',
  'utah',
  'man',
  'park',
  'grand',
  'canyon',
  'packraft',
  'trip',
  'movie',
  'flagstaff',
  'lady',
  'van',
  'park',
  'downtown',
  'street',
  'artist',
  'jetsonorama',
  'flagstaff',
  'history',
  'mural',
  'south',
  'san',
  'francisco',
  'street',
  'uncertainty',
  'rain',
  'snow',
  'stubblefield',
  'bit',
  'moisture',
  'storm',
  'system',
  'bit',
  'wind',
  'moisture',
  'inch',
  'snow',
  'flagstaff',
  'grand',
  'canyon',
  'area',
  'foot',
  'snow',
  'area',
  'foot',
  'elevation',
  'flooding',
  'concern',
  'rain',
  'snow',
  'flood',
  'risk',
  'nws',
  'official',
  'briefing',
  'resident',
  'roadway',
  'water',
  'drainage',
  'rockslide',
  'canyon',
  'hillside',
  'lot',
  'river',
  'drainage',
  'stubblefield',
  'stream',
  'swell',
  'conjunction',
  'flooding',
  'mar.',
  'example',
  'mar.',
  'oak',
  'creek',
  'sedona',
  'height',
  'foot',
  'storm',
  'forecast',
  'surge',
  'area',
  'foot',
  'factor',
  'flood',
  'risk',
  'snowmelt',
  'rainfall',
  'snowpack',
  'arizona',
  'plenty',
  'monday',
  'morning',
  'snowpack',
  'verde',
  'river',
  'basin',
  '%',
  'peak',
  'san',
  'francisco',
  'peaks',
  'snowpack',
  '%',
  'peak',
  'pattern',
  'rain',
  'snow',
  'moisture',
  'watershed',
  'stubblefield',
  'pattern',
  'winter',
  'snowmelt',
  'arizona',
  'watershed',
  'soil',
  'fall',
  'snow',
  'stubblefield',
  'ground',
  'elevation',
  'moisture',
  'bit',
  'rain',
  'week',
  'chance',
  'snow',
  'saturday',
  'condition',
  'sunday',
  'middle',
  'week',
  'chance',
  'storm',
  'activity',
  'end',
  'march',
  'april',
  'storm',
  'track',
  'stubblefield',
  'precipitation',
  'producer',
  'sean',
  'golightly',
  'sgolightly@azdailysun.com',
  'weather',
  'forecast',
  'weather',
  'alert',
  'inbox',
  'registration',
  'use',
  'site',
  'agreement',
  'user',
  'agreement',
  'privacy',
  'policy',
  'direction',
  'flood',
  'warning',
  'oak',
  'creek',
  'sedona',
  'thursday',
  'sedona',
  'flood',
  'warning',
  'oak',
  'creek',
  'sedona',
  'thursday',
  'hour',
  'resident',
  'e',
  'flagstaff',
  'resident',
  'floodwater',
  'flooding',
  'community',
  'range',
  'severity',
  'watch',
  'mitch',
  'mcconnell',
  'freezes',
  'press',
  'conference',
  'republican',
  'colleagues',
  'ivy',
  'league',
  'colleges',
  'rich',
  'class',
  'student',
  'ivy',
  'league',
  'colleges',
  'rich',
  'class',
  'student',
  'swimming',
  'seine',
  'returns',
  'paris',
  'year',
  'swimming',
  'seine',
  'returns',
  'paris',
  'year',
  'fifa',
  'lotr',
  'fan',
  'new',
  'zealand',
  'hobbiton',
  'fifa',
  'lotr',
  'fan',
  'new',
  'zealand',
  'hobbiton',
  'copyright',
  'arizona',
  'daily',
  'sun',
  's',
  'thompson',
  'st',
  'flagstaff',
  'az',
  'term',
  'use',
  '',
  '',
  'privacy',
  'policy',
  '',
  '',
  'info',
  '',
  '',
  'cookie',
  'preferences',
  'blox',
  'content',
  'management',
  'system',
  'minute',
  'news',
  'device'],
 ['storm',
  'baltimore',
  'area',
  'tuesday',
  'afternoon',
  'maryland',
  'weather',
  'severe',
  'storm',
  'baltimore',
  'area',
  'tuesday',
  'afternoon',
  'july',
  'chris',
  'montcalmo',
  'update',
  'thunderstorm',
  'watch',
  'flood',
  'watch',
  'baltimore',
  'area',
  'story',
  'baltimore',
  'md',
  'condition',
  'baltimore',
  'area',
  'storm',
  'tuesday',
  'afternoon',
  'national',
  'weather',
  'service',
  'thunderstorm',
  'wind',
  'hail',
  'instance',
  'flooding',
  'heat',
  'humidity',
  'area',
  'remainder',
  'week',
  'resident',
  'forecast',
  'day',
  'graphic',
  'carneychasefifth',
  'districtfullertonglen',
  'armgolden',
  'ringhillendalekingsvillelinovermiddle',
  'rivernational',
  'weather',
  'servicenottinghamoverleaparkvilleperry',
  'hallrosedalerossvillesixth',
  'districtstormswhite',
  'marsh',
  'previous',
  'articlegovernor',
  'moore',
  'grant',
  'access',
  'recreation',
  'spacenext',
  'articlemaryland',
  'partner',
  'usda',
  'barrier',
  'food',
  'agriculture',
  'supply',
  'chain',
  'heat',
  'watch',
  'friday',
  'baltimore',
  'heat',
  'index',
  'degree',
  'baltimore',
  'county',
  'meeting',
  'plan',
  'park',
  'perry',
  'hall',
  'farm',
  'education',
  'foundation',
  'bcps',
  'tools',
  'school',
  'campaign',
  'governor',
  'moore',
  'energy',
  'efficiency',
  'retrofit',
  'pilot',
  'program',
  'mega',
  'millions',
  'ticket',
  'maryland',
  'ticket',
  'towson',
  'subscribe',
  'advertise',
  'contact',
  'terms',
  'service',
  'privacy',
  'policy',
  'account',
  'login',
  'password',
  'reset',
  'profile',
  'register',
  'subscribe',
  'advertise',
  'contact',
  'terms',
  'service',
  'privacy',
  'policy',
  'copyright',
  'nottinghammd.com',
  'marsoly',
  'media',
  'llc',
  'company',
  'wordpress',
  'theme',
  'athemeart',
  'website',
  'cookie',
  'experience',
  'reject',
  'read',
  'moreprivacy',
  'cookies',
  'policy',
  'privacy',
  'overview',
  'website',
  'cookie',
  'experience',
  'website',
  'cookie',
  'cookie',
  'browser',
  'working',
  'functionality',
  'website',
  'party',
  'cookie',
  'website',
  'cookie',
  'browser',
  'consent',
  'option',
  'cookie',
  'cookie',
  'effect',
  'experience',
  'cookie',
  'website',
  'category',
  'cookie',
  'functionality',
  'security',
  'feature',
  'website',
  'cookie',
  'information'],
 ['website',
  'united',
  'states',
  'government',
  'website',
  '.mil',
  'website',
  'u.s.',
  'department',
  'defense',
  'organization',
  'united',
  'states',
  'secure',
  'website',
  'https',
  'lock',
  'lock',
  'https://',
  '.mil',
  'website',
  'share',
  'information',
  'website',
  'content',
  'press',
  'enter',
  'home',
  'news',
  'article',
  'view',
  'yg824',
  '-',
  'spc',
  'douglas',
  'rose',
  'texas',
  'army',
  'national',
  'guard',
  '236th',
  'engineer',
  'company',
  'food',
  'water',
  'haul',
  'truck',
  'driver',
  'sanger',
  'texas',
  'winter',
  'storm',
  'rig',
  'dec.',
  'soldier',
  'texas',
  'army',
  'guard',
  'assistance',
  'state',
  'authority',
  'winter',
  'storm',
  'area',
  'soldier',
  'highway',
  'area',
  'motorist',
  'texas',
  'army',
  'guard',
  'winter',
  'storm',
  'motorist',
  'army',
  'staff',
  'sgt',
  'jennifer',
  'atkinson',
  'texas',
  'national',
  'guard',
  'denison',
  'texas',
  'soldier',
  'texas',
  'army',
  'national',
  'guard',
  '176th',
  'engineer',
  'brigade',
  'support',
  'state',
  'official',
  'winter',
  'storm',
  'cleon',
  'national',
  'weather',
  'service',
  'north',
  'texas',
  'request',
  'gov.',
  'rick',
  'perry',
  'member',
  'grand',
  'prairie',
  'texas',
  'brigade',
  'weather',
  'gear',
  'humvees',
  'light',
  'medium',
  'vehicle',
  'authority',
  'storm',
  'soldier',
  'highway',
  'wichita',
  'falls',
  'texas',
  'report',
  'texas',
  'national',
  'guard',
  'joint',
  'operations',
  'center',
  'soldier',
  'vehicle',
  'welfare',
  'check',
  'setup',
  'red',
  'cross',
  'shelter',
  'wichita',
  'falls',
  'response',
  'army',
  '2nd',
  'lt',
  'clayton',
  'harrison',
  'engineer',
  'brigade',
  '236th',
  'engineer',
  'company',
  'hour',
  'storm',
  'storm',
  'harrison',
  'soldiers',
  'contact',
  'texas',
  'department',
  'public',
  'safety',
  'storm',
  'scope',
  'job',
  'harrison',
  'soldier',
  'storm',
  'snow',
  'area',
  'ice',
  'challenge',
  'highway',
  'boise,(idaho',
  'deal',
  'jonathan',
  'bilger',
  'motorist',
  'storm',
  'snow',
  'time',
  'ice',
  'hockey',
  'puck',
  'traffic',
  'priority',
  'member',
  'texas',
  'guard',
  'hour',
  'operation',
  'citizen',
  'highway',
  'interstate',
  'area',
  'guy',
  'bilger',
  'soldiers',
  'chain',
  'wheeler',
  'home',
  'view',
  'soldiers',
  'leadership',
  'man',
  'woman',
  'epitome',
  'texas',
  'national',
  'guard',
  'col',
  '.',
  'patrick',
  'hamilton',
  'commander',
  'operation',
  'texas',
  'guard',
  'citizen',
  'soldiers',
  'time',
  'moment',
  'notice',
  'citizen',
  'time',
  'need',
  'situation',
  'caliber',
  'service',
  'member',
  'mentality',
  'oklahoma',
  'guardsmen',
  'finish',
  'cyber',
  'shield',
  '20237/26/2023washington',
  'guard',
  'aviation',
  'crews',
  'wildfire7/26/2023south',
  'dakota',
  '153rd',
  'engineer',
  'battalion',
  'trains',
  'fort',
  'mccoy7/26/2023',
  'view',
  'guard',
  'news',
  'connected',
  'battlespace',
  'modernizes',
  'fight',
  'indo',
  'pacific7/25/2023',
  'ohio',
  'air',
  'national',
  'guard',
  'medical',
  'group',
  'trains',
  'nevada',
  'civil',
  'engineers',
  'train',
  'spain',
  'readiness7/6/2023',
  'view',
  'overseas',
  'operations',
  'news',
  'florida',
  'guard',
  'guyana',
  'partnership',
  'tradewinds237/26/2023',
  'new',
  'york',
  'guard',
  'soldiers',
  'learn',
  'urban',
  'search',
  'rescue',
  'skills7/24/2023',
  'partnerships',
  'cyber',
  'defenses7/20/2023',
  'view',
  'state',
  'partnership',
  'program',
  'news',
  'school',
  'tool',
  'military',
  'families8/11/2015dod',
  'retirement',
  'proposal',
  'employment',
  'symposium',
  'national',
  'guard',
  'spouses5/11/2015',
  'view',
  'family',
  'programs',
  'news',
  'home',
  'site',
  'map',
  'privacy',
  'security',
  'policy',
  'link',
  'disclaimer',
  'web',
  'policy',
  'dod',
  'information',
  'quality',
  'dod',
  'open',
  'government',
  'foia',
  'fear',
  'act',
  'accessibility',
  'section',
  'contact',
  'army',
  'guard',
  'careersair',
  'guard',
  'careers',
  'usa.gov',
  'defense',
  'media',
  'activity',
  'web.mil'],
 ['mainesubscribepostadvertisestate',
  'newscommunity',
  'cornercrime',
  'safetypolitics',
  'governmentschoolstraffic',
  'transitobituariespersonal',
  'financebest',
  'ofarts',
  'entertainmentbusinesshealth',
  'wellnesshome',
  'gardensportstravelkids',
  'familypetsrestaurants',
  'barslocalstreamsee',
  'communitiesportland',
  'meportsmouth',
  'nhaugusta',
  'mehampton',
  'north',
  'hampton',
  'nhexeter',
  'nhconcord',
  'nhmanchester',
  'nhsalem',
  'nhhamilton',
  'wenham',
  'malondonderry',
  'nhstate',
  'editionmainenational',
  'editiontop',
  'national',
  'newssee',
  'communities0weathermaine',
  'weather',
  'bomb',
  'cyclone',
  'new',
  'heavy',
  'snowa',
  'winter',
  'storm',
  'warning',
  'effect',
  'a.m.',
  'saturday',
  'a.m.',
  'sunday',
  'maine',
  'megan',
  'verhelst',
  'patch',
  'staffposted',
  'thu',
  'mar',
  'pm',
  'fri',
  'mar',
  'pm',
  'etreply',
  'bomb',
  'cyclone',
  'snow',
  'rain',
  'maine',
  'weekend',
  'system',
  'sight',
  'swath',
  'united',
  'states',
  'shutterstock)maine',
  'parts',
  'maine',
  'winter',
  'storm',
  'friday',
  'bomb',
  'cyclone',
  'sight',
  'swath',
  'united',
  'states',
  'state',
  'winter',
  'storm',
  'warning',
  'maine',
  'city',
  'presque',
  'isle',
  'caribou',
  'van',
  'buren',
  'mars',
  'hill',
  'ashland',
  'warning',
  'effect',
  'a.m.',
  'saturday',
  'a.m.',
  'sunday',
  'winter',
  'storm',
  'watch',
  'effect',
  'mountain',
  'kennebec',
  'moose',
  'river',
  'valley',
  'winter',
  'weather',
  'advisory',
  'effect',
  'penobscot',
  'aroostook',
  'county',
  'mainewith',
  'time',
  'update',
  'patch',
  'subscribea',
  'storm',
  'system',
  'bomb',
  'cyclone',
  'tennessee',
  'ohio',
  'valley',
  'friday',
  'east',
  'coast',
  'saturday',
  'hour',
  'period',
  'weather',
  'national',
  'weather',
  'service',
  'area',
  'maine',
  'winter',
  'storm',
  'warning',
  'mix',
  'snow',
  'rain',
  'saturday',
  'morning',
  'precipitation',
  'change',
  'snow',
  'inch',
  'snow',
  'state',
  'wind',
  'mph',
  'nws',
  'forecast',
  'mainewith',
  'time',
  'update',
  'patch',
  'subscribecredit',
  'national',
  'weather',
  'service',
  'conditions',
  'area',
  'snow',
  'visibility',
  'travel',
  'power',
  'outage',
  'bulk',
  'snow',
  'maine',
  'portion',
  'state',
  'mix',
  'snow',
  'rain',
  'news',
  'center',
  'maine',
  'forecast',
  'area',
  'weekend',
  'forecast',
  'area',
  'credit',
  'national',
  'weather',
  'service)get',
  'news',
  'inbox',
  'sign',
  'patch',
  'newsletter',
  'alert',
  'thankreply',
  'sharemaine',
  'weather',
  'bomb',
  'cyclone',
  'new',
  'heavy',
  'snowthe',
  'rule',
  'space',
  'discussion',
  'language',
  'claim',
  'reply',
  'topic',
  'patch',
  'community',
  'guidelines',
  'reply',
  'articlereplymore',
  'mainepolitics',
  'government',
  'jul',
  'community',
  'owned',
  'solar',
  'program',
  'dept',
  '.',
  'energy',
  'awardtrending',
  'patchacross',
  'america',
  'newssinéad',
  'o’connor',
  'nj',
  "news'finding",
  'nemo',
  'tiktok',
  'promo',
  'brick',
  'theatre',
  'group',
  'memeacross',
  'america',
  'newsdelta',
  'aquariid',
  'perseid',
  'meteor',
  'showers',
  'ramp',
  'fireballsbaltimore',
  'md',
  'newsmustard',
  'skittle',
  'debut',
  'national',
  'mustard',
  'dayacross',
  'america',
  'newsmodern',
  'homes',
  'pool',
  'art',
  'house',
  'yourcommunity',
  'patch',
  'appcorporate',
  'infoabout',
  'patchcareerspartnershipsadvertise',
  'patchsupportfaqscontact',
  'patchcommunity',
  'guidelinesposting',
  'instructionsterms',
  'useprivacy',
  'policy',
  'patch',
  'media',
  'rights'],
 ['changeshomeparentingfoodsustainable',
  'livingzero',
  'wastehealth',
  'wellnessstylepetsall',
  'small',
  'impactnewspolitics',
  'policycommunityrenewablesclean',
  'energy',
  'news',
  'solutions',
  'technologyweather',
  'global',
  'warmingall',
  'big',
  'impactclimate',
  'actionenvironmental',
  'leadersenvironmental',
  'justicegreen',
  'influencersall',
  'climate',
  'green',
  'green',
  'routineall',
  'green',
  'earth',
  'daypast',
  'forward',
  'earth',
  'day',
  'earth',
  'daylink',
  'facebooklink',
  'instagramlink',
  'twitterlink',
  'email',
  'subscribetogglesmall',
  'changeshomeparentingfoodsustainable',
  'livingzero',
  'wastehealth',
  'wellnessstylepetsall',
  'small',
  'impactnewspolitics',
  'policycommunityrenewablesclean',
  'energy',
  'news',
  'solutions',
  'technologyweather',
  'global',
  'warmingall',
  'big',
  'impactclimate',
  'actionenvironmental',
  'leadersenvironmental',
  'justicegreen',
  'influencersall',
  'climate',
  'green',
  'green',
  'routineall',
  'green',
  'earth',
  'daypast',
  'forward',
  'earth',
  'day',
  'earth',
  'daylink',
  'facebooklink',
  'instagramlink',
  'email',
  'subscribehome',
  'big',
  'impact',
  'weather',
  'global',
  'warmingkona',
  'low',
  'weather',
  'system',
  'result',
  'widespread',
  'damage',
  'hawaii',
  'winter',
  'storm',
  'kona',
  'low',
  'storm',
  'system',
  'hawaii',
  'big',
  'island',
  'tuesday',
  'dec.',
  'damage',
  'outage',
  'lizzy',
  'rosenbergdec',
  'p.m.',
  'etsource',
  'getty',
  'imagesmonday',
  'dec.',
  'storm',
  'state',
  'hawaii',
  'neighborhood',
  'state',
  'mess',
  'day',
  'tree',
  'middle',
  'road',
  'street',
  'family',
  'power',
  'island',
  'hawaii',
  'island',
  'big',
  'island',
  'recovery',
  'effort',
  'big',
  'island',
  'storm',
  'damage',
  'like?article',
  'advertisement"due',
  'rain',
  'wind',
  'event',
  'department',
  'water',
  'supply',
  'maui',
  'island',
  'water',
  'conservation',
  'request',
  'hour',
  'power',
  'outage',
  'power',
  'line',
  'tree',
  'line',
  'break',
  'recovery',
  'effort',
  'flooding',
  'debris',
  'intake',
  'water',
  'treatment',
  'facility',
  'flow',
  'announcement',
  'maui',
  'county',
  'department',
  'water',
  'supply',
  'resident',
  'visitor',
  'water',
  'announcement',
  'time',
  'damage',
  'water',
  'treatment',
  'facility',
  'water',
  'storage',
  'level',
  'demand',
  'hour',
  '"article',
  'advertisementsource',
  'getty',
  'storm',
  'hawaii',
  'result',
  'damage',
  'big',
  'island',
  'winter',
  'weather',
  'december',
  'kona',
  'weather',
  'system',
  'way',
  'northwest',
  'wind',
  'rain',
  'surf',
  'hail',
  'thunderstorm',
  'abc',
  'news',
  'tree',
  'branch',
  'power',
  'line',
  'power',
  'outage',
  'wailuku',
  'courthouse',
  'hearing',
  'trial',
  'resident',
  'power',
  'article',
  'advertisementsoccer',
  'field',
  'park',
  'structure',
  'highway',
  'water',
  'debris',
  'mess',
  'airport',
  'range',
  'cancellation',
  'flight',
  'snow',
  'mauna',
  'kea',
  'mauna',
  'loa',
  'time',
  'week',
  'decade',
  'snow',
  'elevation',
  'snow',
  'anomaly',
  'hawaii',
  'type',
  'storm',
  'national',
  'weather',
  'service',
  'meteorologist',
  'scott',
  'rozanski',
  'abc',
  'news',
  'record',
  'resident',
  'surprise',
  'hawaiʻi',
  'county',
  'damage',
  'assessment',
  'survey',
  'storm',
  'county',
  'damage',
  'assessor',
  'storm',
  'damage',
  'big',
  'island',
  'article',
  'weather',
  'climate',
  'change',
  'hawaii',
  'island',
  'middle',
  'pacific',
  'ocean',
  'state',
  'effect',
  'warming',
  'flood',
  'water',
  'level',
  'island',
  'weather',
  'kona',
  'weather',
  'system',
  'surprise',
  'hawaii',
  'state',
  'climate',
  'emergency',
  'declaration',
  'warming',
  'crisis',
  'community',
  'battle',
  'temperature',
  'advertisementmore',
  'green',
  'mattershawaii',
  'state',
  'climate',
  'emergencytitanium',
  'dioxide',
  'short',
  'term',
  'solution',
  'cool',
  'urban',
  'heat',
  'islands',
  'land',
  'tropical',
  'storm',
  'wanda',
  'historylatest',
  'weather',
  'global',
  'warming',
  'news',
  'updatesadvertisementabout',
  'green',
  'mattersabout',
  'usprivacy',
  'policyterms',
  'usedmcasitemapconnect',
  'green',
  'matterslink',
  'facebooklink',
  'instagramcontact',
  'emailopt',
  'ad',
  'copyright',
  'green',
  'matter',
  'green',
  'matter',
  'trademark',
  'rights',
  'people',
  'compensation',
  'link',
  'product',
  'service',
  'website',
  'offer',
  'change',
  'notice'],
 ['ad',
  'issue',
  'video',
  'player',
  'content',
  'ad',
  'video',
  'content',
  'ad',
  'audio',
  'ad',
  'ad',
  'page',
  'content',
  'ad',
  'ad',
  'ad',
  'effort',
  'contribution',
  'feedback',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'i-95',
  'virginia',
  'winter',
  'storm',
  'driver',
  'hour',
  'jason',
  'hanna',
  'steve',
  'almasy',
  'alisha',
  'ebrahimji',
  'cnn',
  'est',
  'd',
  'january',
  'woman',
  'hour',
  'i-95',
  'woman',
  'hour',
  'i-95',
  'concertgoers',
  'hail',
  'colorado',
  'body',
  'temperature',
  'flooding',
  'china',
  'couple',
  'car',
  'house',
  'cliff',
  'river',
  'foundation',
  'video',
  'tornado',
  'home',
  'debris',
  'video',
  'moment',
  'soldier',
  'heat',
  'video',
  'tornado',
  'texas',
  'barren',
  'land',
  'impact',
  'spain',
  'record',
  'heat',
  'windshield',
  'helicopter',
  'hail',
  'shelf',
  'cloud',
  'sky',
  'downtown',
  'chicago',
  'man',
  'street',
  'flooding',
  'man',
  'tornado',
  'van',
  'footage',
  'california',
  'weather',
  'crisis',
  'lake',
  'life',
  'unbelievable',
  'cnn',
  'reporter',
  'snowfall',
  'california',
  'graphic',
  'change',
  'temperature',
  'mile',
  'stretch',
  'interstate',
  'virginia',
  'tuesday',
  'night',
  'winter',
  'storm',
  'motorist',
  'highway',
  'hour',
  'vehicle',
  'i-95',
  'stretch',
  'fredericksburg',
  'area',
  'richmond',
  'washington',
  'd.c.',
  'p.m.',
  'transportation',
  'official',
  'monday',
  'storm',
  'foot',
  'snow',
  'area',
  'highway',
  'traveler',
  'traffic',
  'road',
  'amtrak',
  'passenger',
  'train',
  'hour',
  'point',
  'storm',
  'customer',
  'atlantic',
  'southeast',
  'power',
  'virginia',
  'motorist',
  'monday',
  'tuesday',
  'truck',
  'way',
  'condition',
  'state',
  'transportation',
  'official',
  'driver',
  'engine',
  'time',
  'fuel',
  'food',
  'supply',
  'crew',
  'truck',
  'way',
  'ice',
  'snow',
  'temperature',
  'teen',
  'jim',
  'defede',
  'journalist',
  'miami',
  'holiday',
  'visit',
  'family',
  'new',
  'york',
  'cnn',
  'jake',
  'tapper',
  'tuesday',
  'hour',
  'car',
  'ice',
  'way',
  'emergency',
  'responder',
  'report',
  'death',
  'injury',
  'luck',
  'point',
  'lot',
  'update',
  'driver',
  'hour',
  'i-95',
  'trucker',
  'bottle',
  'water',
  'bread',
  'delivery',
  'truck',
  'door',
  'people',
  'loaf',
  'defede',
  'direction',
  'hour',
  'interstate',
  'place',
  'sen.',
  'tim',
  'kaine',
  'washington',
  'hour',
  'image',
  'virginia',
  'department',
  'transportation',
  'section',
  'interstate',
  'fredericksburg',
  'virginia',
  'january',
  'virginia',
  'department',
  'transportation',
  'ap',
  'virginia',
  'senator',
  'hour',
  'winter',
  'storm',
  'point',
  'travel',
  'day',
  'kind',
  'survival',
  'mode',
  'day',
  'virginia',
  'democrat',
  'cnn',
  'alisyn',
  'camerota',
  'tuesday',
  'phone',
  'road',
  'car',
  'food',
  'car',
  'mess',
  'line',
  'vehicle',
  'portion',
  'mile',
  'stretch',
  'exit',
  'ruther',
  'glen',
  'exit',
  'dumfries',
  'authority',
  'portion',
  'highway',
  'worker',
  'vehicle',
  'road',
  'snow',
  'icing',
  'virginia',
  'department',
  'transportation',
  'condition',
  'wednesday',
  'road',
  'vdot',
  'winter',
  'storm',
  'central',
  'virginia',
  'thursday',
  'friday',
  'morning',
  'snow',
  'travel',
  'disruption',
  'friday',
  'morning',
  'commute',
  'national',
  'weather',
  'service',
  'wednesday',
  'morning',
  'motorist',
  'i-95',
  'fredericksburg',
  'virginia',
  'tuesday',
  'morning',
  'motorist',
  'frustration',
  'medium',
  'monday',
  'tuesday',
  'vehicle',
  'i-95',
  'freezing',
  'morning',
  'temperature',
  'a.m.',
  'tuesday',
  'susan',
  'phalen',
  'car',
  'northbound',
  'i-95',
  'stafford',
  'hour',
  'phalen',
  'cnn',
  'phone',
  'traffic',
  'morning',
  'truck',
  'truck',
  'truck',
  'inch',
  'i-95',
  'jennifer',
  'travis',
  'husband',
  'year',
  'daughter',
  'car',
  'virginia',
  'home',
  'florida',
  'return',
  'flight',
  'i-95',
  'hour',
  'tuesday',
  'fuel',
  'heat',
  'water',
  'food',
  'family',
  'exit',
  'road',
  'road',
  'region',
  'tree',
  'wintry',
  'condition',
  'authority',
  'i-95',
  'travel',
  'tree',
  'car',
  'travis',
  'cnn',
  'phone',
  'video',
  'cnn',
  'affiliate',
  'wjla',
  'vehicle',
  'tuesday',
  'morning',
  'lane',
  'i-95',
  'caroline',
  'county',
  'fredericksburg',
  'people',
  'child',
  'car',
  'man',
  'dog',
  'leash',
  'phalen',
  'fredericksburg',
  'fredericksburg',
  'p.m.',
  'monday',
  'trip',
  'alexandria',
  'hour',
  'fredericksburg',
  'home',
  'power',
  'cell',
  'phone',
  'service',
  'cell',
  'phone',
  'internet',
  'connection',
  'house',
  'fredericksburg',
  'nightmare',
  'dab',
  'middle',
  'phalen',
  'tank',
  'gas',
  'car',
  'heat',
  'foot',
  'snow',
  'people',
  'snow',
  'capitol',
  'hill',
  'monday',
  'jan.',
  'washington',
  'dc',
  'winter',
  'storm',
  'district',
  'county',
  'monday',
  'afternoon',
  'washington',
  'dc',
  'record',
  'snow',
  'storm',
  'system',
  'east',
  'fredericksburg',
  'area',
  'inch',
  'snow',
  'storm',
  'national',
  'weather',
  'service',
  'baltimore',
  'washington',
  'area',
  'people',
  'time',
  'period',
  'closure',
  'area',
  'truck',
  'blockage',
  'driver',
  'traffic',
  'flow',
  'kelly',
  'hannon',
  'spokesperson',
  'vdot',
  'fredericksburg',
  'district',
  'cnn',
  'tuesday',
  'trucker',
  'jean',
  'carlo',
  'gachet',
  'hour',
  'i-95',
  'dale',
  'city',
  'a.m.',
  'tuesday',
  'food',
  'water',
  'microwave',
  'breakfast',
  'man',
  'mother',
  'vehicle',
  'traffic',
  'jam',
  'gachet',
  'rhode',
  'island',
  'p.m.',
  'monday',
  'georgia',
  'car',
  'snow',
  'alexandria',
  'virginia',
  'winter',
  'snow',
  'storm',
  'state',
  'monday',
  'cnn',
  'en',
  'español',
  'correspondent',
  'gustavo',
  'valdés',
  'traffic',
  'gas',
  'p.m.',
  'gps',
  'hour',
  'washington',
  'a.m.',
  'tuesday',
  'valdés',
  'highway',
  'quantico',
  'virginia',
  'road',
  'route',
  '1a',
  'area',
  'jackknifed',
  'truck',
  'snowplow',
  'cnn',
  'en',
  'español',
  'correspondent',
  'gustavo',
  'valdés',
  'photo',
  'route',
  '1a',
  'virginia',
  'valdés',
  'road',
  'night',
  'car',
  'hotel',
  'room',
  'traffic',
  'wheel',
  'drive',
  'vehicle',
  'path',
  'snow',
  'vehicle',
  'traffic',
  'interstate',
  'driver',
  'roadway',
  'dozen',
  'traffic',
  'signal',
  'service',
  'power',
  'outage',
  'official',
  'customer',
  'tuesday',
  'afternoon',
  'georgia',
  'maryland',
  'outage',
  'virginia',
  'poweroutage',
  'federal',
  'office',
  'washington',
  'hour',
  'delay',
  'i-95',
  'government',
  'office',
  'washington',
  'dc',
  'hour',
  'delay',
  'tuesday',
  'monday',
  'weather',
  'district',
  'inch',
  'snow',
  'monday',
  'day',
  'snow',
  'total',
  'january',
  'cnn',
  'meteorologist',
  'brandon',
  'miller',
  'capitol',
  'heights',
  'maryland',
  'inch',
  'snow',
  'baltimore',
  'washington',
  'international',
  'airport',
  'inch',
  'week',
  'snow',
  'cnn',
  'meteorologist',
  'pedram',
  'javaheri',
  'layer',
  'snow',
  'cover',
  'sunlight',
  'coolant',
  'ground',
  'surface',
  'day',
  'temperature',
  'degree',
  'inch',
  'snow',
  'javaheri',
  'washington',
  'area',
  'mark',
  'end',
  'week',
  'person',
  'sidewalk',
  'alexandria',
  'virginia',
  'winter',
  'snow',
  'storm',
  'area',
  'monday',
  'suv',
  'snowplow',
  'official',
  'death',
  'maryland',
  'suv',
  'occupant',
  'snowplow',
  'shiera',
  'goff',
  'spokesperson',
  'montgomery',
  'county',
  'police',
  'department',
  'woman',
  'man',
  'scene',
  'goff',
  'victim',
  'man',
  'area',
  'hospital',
  'condition',
  'investigation',
  'cause',
  'collision',
  'goff',
  'southeast',
  'child',
  'tree',
  'monday',
  'morning',
  'official',
  'georgia',
  'year',
  'boy',
  'atlanta',
  'area',
  'tree',
  'home',
  'wind',
  'dekalb',
  'county',
  'fire',
  'rescue',
  'spokesman',
  'capt',
  'jaeson',
  'daniels',
  'cnn',
  'affiliate',
  'wsb',
  'boy',
  'mother',
  'outlet',
  'temperature',
  'snow',
  'town',
  'shock',
  'monday',
  'ground',
  'area',
  'rainfall',
  'daniels',
  'wsb',
  'weather',
  'service',
  'atlanta',
  'wind',
  'gust',
  'mph',
  'monday',
  'morning',
  'tennessee',
  'year',
  'girl',
  'monday',
  'tree',
  'home',
  'knoxville',
  'area',
  'blount',
  'county',
  'sheriff',
  'office',
  'cnn',
  'affiliate',
  'wvlt',
  'tree',
  'county',
  'townsend',
  'foothill',
  'great',
  'smoky',
  'national',
  'park',
  'bcso',
  'public',
  'information',
  'officer',
  'marian',
  'o’briant',
  'wvlt',
  'lot',
  'tree',
  'snow',
  'tree',
  'cnn',
  'dekalb',
  'county',
  'fire',
  'rescue',
  'blount',
  'county',
  'sheriff',
  'office',
  'cnn',
  'kelly',
  'mccleary',
  'jennifer',
  'henderson',
  'joe',
  'sutton',
  'amir',
  'vera',
  'michael',
  'guy',
  'pete',
  'muntean',
  'amy',
  'simonson',
  'report',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cable',
  'news',
  'network',
  'warner',
  'bros.',
  'discovery',
  'company',
  'rights',
  'cnn',
  'sans',
  'cable',
  'news',
  'network'],
 ['sky',
  'news',
  'home',
  'snow',
  'winter',
  'storm',
  'state',
  'arizona',
  'north',
  'dakota',
  'snow',
  'arizona',
  'new',
  'mexico',
  'area',
  'california',
  'north',
  'idaho',
  'monday',
  'december',
  'uk',
  'image',
  'giant',
  'camel',
  'park',
  'city',
  'boise',
  'idaho',
  'monday',
  'pic',
  'ap',
  'sky',
  'news',
  'swathes',
  'snowstorm',
  'temperature',
  'blizzard',
  'rain',
  'forecast',
  'day',
  'storm',
  'system',
  'area',
  'northwest',
  'great',
  'plains',
  'southwest',
  'monday',
  'snow',
  'arizona',
  'new',
  'mexico',
  'california',
  'north',
  'idaho',
  'day',
  'uk',
  'year',
  'weather',
  'updatesthe',
  'storm',
  'northeast',
  'blizzard',
  'warning',
  'place',
  'week',
  'national',
  'weather',
  'service',
  'nws',
  'disruption',
  'thursday',
  'storm',
  'system',
  'weather',
  'hazard',
  'heart',
  'country',
  'week',
  'blizzard',
  'warning',
  'effect',
  'wyoming',
  'montana',
  'south',
  'dakota',
  'nebraska',
  'week',
  'ft',
  'cm',
  'snow',
  'wind',
  'mph',
  'winter',
  'storm',
  'warning',
  'place',
  'north',
  'dakota',
  'official',
  'pennington',
  'county',
  'south',
  'dakota',
  'shovel',
  'grocery',
  'supply',
  'road',
  'idaho',
  'south',
  'dakota',
  'nebraska',
  'start',
  'lesson',
  'monday',
  'snow',
  'content',
  'twitter',
  'cookie',
  'technology',
  'content',
  'permission',
  'cookie',
  'button',
  'preference',
  'twitter',
  'cookie',
  'cookie',
  'setting',
  'time',
  'privacy',
  'options',
  'twitter',
  'cookie',
  'content',
  'button',
  'twitter',
  'cookie',
  'session',
  'friend',
  'boy',
  'leg',
  'solihull',
  'lakeuk',
  'middle',
  'wind',
  'drought',
  'comingwho',
  'uk',
  'government',
  'weather',
  'payment?the',
  'nws',
  'storm',
  'minnesota',
  'wisconsin',
  'rain',
  'inch',
  'ice',
  'building',
  'ice',
  'tree',
  'power',
  'line',
  'power',
  'outage',
  'nws',
  'europe',
  'snow',
  'weekend',
  'uk.snow',
  'london',
  'sunday',
  'night',
  'centimetre',
  'snow',
  'essex',
  'european',
  'germany',
  'lithuania',
  'weekend'],
 ['automotive',
  'news',
  'border',
  'report',
  'tour',
  'entertainment',
  'depth',
  'reports',
  'lottery',
  'wjtv',
  'mobile',
  'apps',
  'press',
  'releases',
  'stock',
  'market',
  'today',
  'share',
  'federal',
  'soldier',
  'niger',
  'cambodia',
  'hun',
  'sen',
  'asia',
  'leader',
  'greece',
  'country',
  'millipede',
  'specie',
  'leg',
  'election',
  'mississippi',
  'politics',
  'mississippi',
  'insight',
  'washington',
  'dc',
  'politics',
  'hill',
  'hosemann',
  'mcdaniel',
  'trade',
  'neshoba',
  'county',
  'attorney',
  'general',
  'candidate',
  'neshoba',
  'co.',
  'presley',
  'ms',
  'trans',
  'law',
  'watch',
  'day',
  'neshoba',
  'county',
  'fair',
  'speech',
  'ms',
  'absentee',
  'voting',
  'assistance',
  'neshoba',
  'co.',
  'fair',
  'speech',
  'sports',
  'zone',
  'friday',
  'night',
  'fever',
  'high',
  'school',
  'sports',
  'sec',
  'football',
  'swac',
  'geaux',
  'black',
  'gold',
  'mississippi',
  'braves',
  'pine',
  'belt',
  'storm',
  'team',
  'pine',
  'belt',
  'forecast',
  'k',
  'bestreviews',
  'bestreviews',
  'daily',
  'deals',
  'cool',
  'schools',
  'health',
  'mississippi',
  'keath',
  'killebrew',
  'memorial',
  'rodeo',
  'living',
  'local',
  'videos',
  'morning',
  'sip',
  'hometown',
  'virtual',
  'job',
  'fair',
  'job',
  'post',
  'job',
  'contact',
  'advertise',
  'calendar',
  'team',
  'newsletters',
  'tv',
  'schedule',
  'regional',
  'news',
  'partners',
  'bestreviews',
  'mississippi',
  'structure',
  'storm',
  'jun',
  'cdt',
  'jun',
  'pm',
  'cdt',
  'jun',
  'cdt',
  'jun',
  'pm',
  'cdt',
  'jasper',
  'county',
  'miss.',
  'whlt',
  'home',
  'business',
  'week',
  'storm',
  'mississippi',
  'mississippi',
  'emergency',
  'management',
  'agency',
  'mema',
  'jackson',
  'county',
  'official',
  'structure',
  'june',
  'home',
  'apartment',
  'business',
  'church',
  'school',
  'snap',
  'replacement',
  'benefit',
  'mississippians',
  'storm',
  'mema',
  'official',
  'people',
  'jackson',
  'county',
  'storm',
  'storm',
  'person',
  'dozen',
  'june',
  'jasper',
  'county',
  'county',
  'damage',
  'home',
  'tornado',
  'mema',
  'resident',
  'damage',
  'insurance',
  'claim',
  'photo',
  'damage',
  'report',
  'damage',
  'county',
  'mema',
  'self',
  'report',
  'tool',
  'thank',
  'inbox',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'amazon',
  'school',
  'deal',
  'schooler',
  'school',
  'corner',
  'amazon',
  'supply',
  'school',
  'deal',
  'supply',
  'schooler',
  'august',
  'vegetable',
  'flower',
  'flower',
  'plant',
  'hour',
  'soil',
  'air',
  'temperature',
  'sunshine',
  'august',
  'month',
  'planting',
  'chemical',
  'guys',
  'kit',
  'car',
  'car',
  'care',
  'hour',
  'chemical',
  'guys',
  'car',
  'wash',
  'kit',
  'time',
  'deal',
  'hosemann',
  'mcdaniel',
  'trade',
  'neshoba',
  'county',
  'jpd',
  'officer',
  'feds',
  'jackson',
  'sewer',
  'system',
  'watch',
  'day',
  'neshoba',
  'county',
  'fair',
  'speech',
  'ms',
  'absentee',
  'voting',
  'assistance',
  'sinéad',
  'o’connor',
  'singer',
  'songwriter',
  'bluffing',
  'putin',
  'deployment',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'taiwan',
  'school',
  'office',
  'typhoon',
  'bomb',
  'threat',
  'stock',
  'market',
  'today',
  'share',
  'federal',
  'russia',
  'un',
  'meeting',
  'soldier',
  'niger',
  'mississippi',
  'absentee',
  'voting',
  'assistance',
  'hosemann',
  'mcdaniel',
  'trade',
  'neshoba',
  'county',
  'mdot',
  'job',
  'brandon',
  'death',
  'year',
  'feds',
  'jackson',
  'sewer',
  'system',
  'mississippi',
  'absentee',
  'voting',
  'assistance',
  'brandon',
  'presley',
  'mississippi',
  'voter',
  'speech',
  'neshoba',
  'county',
  'fair',
  'william',
  'carey',
  'student',
  'jpd',
  'officer',
  'hattiesburg',
  'man',
  'vehicle',
  'i-59',
  'hosemann',
  'mcdaniel',
  'trade',
  'neshoba',
  'county',
  'mississippi',
  'absentee',
  'voting',
  'assistance',
  'hosemann',
  'mcdaniel',
  'trade',
  'neshoba',
  'county',
  'mdot',
  'job',
  'brandon',
  'death',
  'year',
  'feds',
  'jackson',
  'sewer',
  'system',
  'mississippi',
  'absentee',
  'voting',
  'assistance',
  'brandon',
  'presley',
  'mississippi',
  'voter',
  'speech',
  'neshoba',
  'county',
  'fair',
  'william',
  'carey',
  'student',
  'jpd',
  'officer',
  'hattiesburg',
  'man',
  'vehicle',
  'i-59',
  'hosemann',
  'mcdaniel',
  'trade',
  'neshoba',
  'county',
  'death',
  'year',
  'atlantic',
  'hurricane',
  'season',
  'ramp',
  'mega',
  'millions',
  'jackpot',
  'number',
  'm',
  'mega',
  'millions',
  'jackpot',
  'mother',
  'infant',
  'death',
  'brandon',
  'day',
  'care',
  'ms',
  'inmate',
  'bathroom',
  'break',
  'neshoba',
  'co.',
  'fair',
  'speech',
  'man',
  'murder',
  'canton',
  'gift',
  'summer',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'home',
  'depot',
  'foot',
  'skeleton',
  'halloween',
  'deal',
  'day',
  'prime',
  'day',
  'favorite',
  'news',
  'weather',
  'jackson',
  'ms',
  'politics',
  'sports',
  'watch',
  'ad',
  'wjtv',
  'fcc',
  'public',
  'files',
  'wjtv',
  'eeo',
  'public',
  'file',
  'whlt',
  'eeo',
  'public',
  'file',
  'whlt',
  'fcc',
  'public',
  'file',
  'nexstar',
  'cc',
  'certification',
  'android',
  'app',
  'google',
  'play',
  'android',
  'weather',
  'app',
  'google',
  'play',
  'personal',
  'information',
  'personal',
  'information',
  'nexstar',
  'media',
  'inc.',
  'rights'],
 ['website',
  'united',
  'states',
  'government',
  'website',
  '.mil',
  'website',
  'u.s.',
  'department',
  'defense',
  'organization',
  'united',
  'states',
  'secure',
  'website',
  'https',
  'lock',
  'lock',
  'https://',
  '.mil',
  'website',
  'share',
  'information',
  'website',
  'content',
  'press',
  'enter',
  'alaska',
  'national',
  'guard',
  'communities',
  'state',
  'nation',
  'z',
  'mk318',
  'light',
  'medium',
  'tactical',
  'vehicle',
  'high',
  'mobility',
  'multipurpose',
  'wheeled',
  'vehicle',
  'alaska',
  'national',
  'guard',
  'armory',
  'joint',
  'base',
  'elmendorf',
  'richardson',
  'alaska',
  'transport',
  'alcantra',
  'armory',
  'wasilla',
  'jan.',
  'lmtv',
  'hmmwv',
  'alaska',
  'army',
  'national',
  'guard',
  'regional',
  'support',
  'group',
  'support',
  'matsu',
  'borough',
  'wind',
  'infrastructure',
  'damage',
  'power',
  'outage',
  'transportation',
  'condition',
  'u.s.',
  'army',
  'national',
  'guard',
  'photo',
  'victoria',
  'granado',
  'z',
  'mk318',
  'light',
  'medium',
  'tactical',
  'vehicle',
  'high',
  'mobility',
  'multipurpose',
  'wheeled',
  'vehicle',
  'alaska',
  'national',
  'guard',
  'armory',
  'joint',
  'base',
  'elmendorf',
  'richardson',
  'alaska',
  'transport',
  'alcantra',
  'armory',
  'wasilla',
  'jan.',
  'lmtv',
  'hmmwv',
  'alaska',
  'army',
  'national',
  'guard',
  'regional',
  'support',
  'group',
  'support',
  'matsu',
  'borough',
  'wind',
  'infrastructure',
  'damage',
  'power',
  'outage',
  'transportation',
  'condition',
  'u.s.',
  'army',
  'national',
  'guard',
  'photo',
  'victoria',
  'granado',
  'rh707',
  'file',
  'photo',
  'ice',
  'tree',
  'parking',
  'lot',
  'ground',
  'vehicle',
  'oklahoma',
  'highway',
  'patrol',
  'station',
  'perry',
  'okla.',
  'dec.',
  'vehicle',
  'soldiers',
  'infantry',
  'brigade',
  'combat',
  'team',
  'highway',
  'patrol',
  'motorist',
  'winter',
  'storm',
  'southwestern',
  'united',
  'states',
  'u.s.',
  'army',
  'photo',
  'sgt',
  'anthony',
  'jones',
  'alaska',
  'national',
  'guard',
  'team',
  'response',
  'winter',
  'storm',
  'dana',
  'rosso',
  'joint',
  'force',
  'headquarters',
  'public',
  'affairs',
  'alaska',
  'army',
  'national',
  'guard',
  'emergency',
  'response',
  'assistance',
  'matanuska',
  'susitna',
  'borough',
  'today',
  'wind',
  'infrastructure',
  'damage',
  'power',
  'outage',
  'transportation',
  'condition',
  'road',
  'air',
  'travel',
  'national',
  'weather',
  'service',
  'wind',
  'mile',
  'hour',
  'resident',
  'area',
  'place',
  'duration',
  'windstorm',
  'akarng',
  'personnel',
  'vehicle',
  'alcantra',
  'national',
  'guard',
  'armory',
  'wasilla',
  'standby',
  'authority',
  'ground',
  'evacuation',
  'operation',
  'citizen',
  'transportation',
  'shelter',
  'traffic',
  'management',
  'pilot',
  'car',
  'operation',
  'road',
  'lane',
  'operation',
  'snow',
  'mat',
  'su',
  'borough',
  'emergency',
  'operations',
  'personnel',
  'access',
  'alaska',
  'state',
  'emergency',
  'operations',
  'center',
  'generator',
  'armory',
  'compound',
  'governor',
  'mike',
  'dunleavy',
  'disaster',
  'emergency',
  'jan.',
  'borough',
  'area',
  'state',
  'winter',
  'storm',
  'wind',
  'temperature',
  'national',
  'guard',
  'effort',
  'response',
  'resource',
  'request',
  'seoc',
  'request',
  'support',
  'mat',
  'su',
  'eoc',
  'need',
  'support',
  'borough',
  'citizen',
  'home',
  'concern',
  'condition',
  'national',
  'weather',
  'service',
  'weather',
  'statement',
  'condition',
  'region',
  'alaska',
  'national',
  'guard',
  'alaskans',
  'maj',
  '.',
  'gen.',
  'torrence',
  'saxe',
  'commissioner',
  'department',
  'military',
  'veterans',
  'affairs',
  'general',
  'alaska',
  'national',
  'guard',
  'personnel',
  'vehicle',
  'equipment',
  'order',
  'response',
  'life',
  'property',
  'need',
  'seoc',
  'division',
  'homeland',
  'security',
  'emergency',
  'management',
  'alaska',
  'department',
  'military',
  'veterans',
  'affairs',
  'task',
  'force',
  'matsu',
  'soldier',
  'regional',
  'support',
  'group',
  'light',
  'medium',
  'tactical',
  'vehicle',
  'high',
  'mobility',
  'multipurpose',
  'wheeled',
  'vehicle',
  'wheel',
  'drive',
  'passenger',
  'vehicle',
  'support',
  'mat',
  'su',
  'borough',
  'authority',
  'emergency',
  'disaster',
  'impact',
  'damage',
  'community',
  'assistance',
  'seoc',
  'state',
  'emergency',
  'manager',
  'emergency',
  'manager',
  'effort',
  'resource',
  'process',
  'process',
  'national',
  'guard',
  'assistance',
  'state',
  'support',
  'alaska',
  'national',
  'guard',
  'joint',
  'operations',
  'center',
  'joint',
  'staff',
  'effort',
  'mccarthy',
  'mcarthur',
  'alaska',
  'national',
  'guard',
  'independence',
  'day',
  'weekend',
  'july',
  'base',
  'elmendorf',
  'richardson',
  'alaska',
  'rescue',
  'crew',
  'alaska',
  'air',
  'army',
  'national',
  'guard',
  'mile',
  'alaska',
  'people',
  'search',
  'rescue',
  'mission',
  'evacuation',
  'mission',
  'assistance',
  'alaska',
  'rescue',
  'coordination',
  'center',
  'alaska',
  'state',
  'troopers',
  'friday',
  'june',
  'hiker',
  'satellite',
  'communication',
  'device',
  'help',
  'leg',
  'injury',
  'winner',
  'creek',
  'trail',
  'girdwood',
  'alaska',
  'national',
  'guard',
  'nome',
  'exercise',
  'orca',
  'june',
  'mile',
  'anchorage',
  'survey',
  'team',
  'member',
  'alaska',
  'national',
  'guard',
  '103rd',
  'weapons',
  'mass',
  'destruction',
  'civil',
  'support',
  'team',
  'detector',
  'radiation',
  'nerve',
  'blister',
  'blood',
  'agent',
  'weapon',
  'lab',
  'nome',
  'fire',
  'training',
  'center',
  'exercise',
  'orca',
  'alaska',
  'military',
  'youth',
  'academy',
  'cadets',
  'june',
  'alaska',
  'military',
  'youth',
  'academy',
  'class',
  'cadet',
  'year',
  'service',
  'state',
  'alaska',
  'class',
  'youth',
  'leader',
  'challenge',
  'program',
  'thursday',
  'june',
  'week',
  'phase',
  'amya',
  'challenge',
  'program',
  'corp',
  'cadet',
  'excellence',
  'leadership',
  'followership',
  'fitness',
  'life',
  'technique',
  'job',
  'skill',
  'citizenship',
  'health',
  'hygiene',
  'service',
  'community',
  'alaska',
  'military',
  'youth',
  'academy',
  'career',
  'work',
  'experience',
  'program',
  'cadet',
  'head',
  'job',
  'training',
  'skill',
  'june',
  'joint',
  'base',
  'elmendorf',
  'richardson',
  'work',
  'experience',
  'program',
  'week',
  'alaska',
  'military',
  'youth',
  'academy',
  'challenge',
  'program',
  'program',
  'cadet',
  'opportunity',
  'job',
  'skill',
  'job',
  'certification',
  'chance',
  'graduation',
  'amya',
  'goal',
  'cadet',
  'work',
  'program',
  'student',
  'leg',
  'program',
  'deborah',
  'morton',
  'recruiting',
  'placement',
  'mentoring',
  'supervisor',
  'amya',
  'skill',
  'type',
  'certification',
  'program',
  'employer',
  'adjutant',
  'general',
  'match',
  'state',
  'marksman',
  'fort',
  'wainwright',
  'june',
  'alaska',
  'air',
  'army',
  'national',
  'guardsmen',
  'state',
  '11th',
  'airborne',
  'division',
  'soldiers',
  'fort',
  'wainwright',
  'alaska',
  'national',
  'guard',
  'adjutant',
  'general',
  'match',
  'fort',
  'wainwright',
  'range',
  'complex',
  'june',
  'usaace',
  'tactic',
  'instructor',
  'alaska',
  'army',
  'national',
  'guardsmen',
  'solution',
  'army',
  'aviation',
  'initiative',
  'june',
  'joint',
  'base',
  'elmendorf',
  'richardson',
  'aviation',
  'tactic',
  'instructor',
  'fort',
  'novosel',
  'ala.',
  'u.s.',
  'army',
  'aviation',
  'center',
  'excellence',
  'usaace',
  'brigade',
  'guardsman',
  'alaska',
  'army',
  'national',
  'guard',
  'general',
  'support',
  'aviation',
  'battalion',
  'army',
  'aviation',
  'initiative',
  'usaace',
  'instructor',
  'pilot',
  'course',
  'ipc',
  'aviation',
  'tactics',
  'instructor',
  'course',
  'atic',
  'chief',
  'warrant',
  'officer',
  'dave',
  'currier',
  'fort',
  'novosel',
  'tactics',
  'chief',
  'aviation',
  'brigade',
  'usaace',
  'commanding',
  'general',
  'tactic',
  'initiative',
  'aviation',
  'ipc',
  'atic',
  'alaska',
  'air',
  'guardsmen',
  'national',
  'park',
  'service',
  'rescue',
  'denali',
  'climber',
  'alaska',
  'air',
  'guardsmen',
  'national',
  'park',
  'service',
  'rescue',
  'denali',
  'climber',
  'alaska',
  'national',
  'guardsmen',
  'state',
  'defense',
  'force',
  'bethel',
  'circle',
  'flood',
  'recovery',
  'member',
  'alaska',
  'organized',
  'militia',
  'bethel',
  'circle',
  'flood',
  'recovery',
  'effort',
  'interior',
  'alaska',
  'alaska',
  'best',
  'warrior',
  'competition',
  'award',
  'ceremony',
  'alaska',
  'army',
  'national',
  'guard',
  'state',
  'command',
  'sgt',
  'maj',
  'john',
  'phlegar',
  'winner',
  'alaska',
  'army',
  'national',
  'guard',
  'best',
  'warrior',
  'competition',
  'award',
  'ceremony',
  'camp',
  'carroll',
  'joint',
  'base',
  'elmendorf',
  'richardson',
  'alaska',
  'army',
  'national',
  'guard',
  'hh-60',
  'backcountry',
  'skier',
  'girdwood',
  'april',
  'alaska',
  'army',
  'national',
  'guard',
  'mid',
  '-',
  'mountain',
  'rescue',
  'backcountry',
  'skier',
  'girdwood',
  'april',
  'mission',
  'request',
  'alaska',
  'rescue',
  'coordination',
  'center',
  'air',
  'crew',
  'golf',
  'company',
  'general',
  'support',
  'aviation',
  'battalion',
  'mission',
  'bryant',
  'army',
  'airfield',
  'joint',
  'base',
  'elmendorf',
  'richardson',
  'hoist',
  'hh-60',
  'm',
  'black',
  'hawk',
  'helicopter',
  'evacuation',
  'home',
  'site',
  'map',
  'privacy',
  'security',
  'link',
  'disclaimer',
  'web',
  'policy',
  'foia',
  'fear',
  'act',
  'accessibility',
  'section',
  'contact',
  'information',
  'quality',
  'open',
  'government',
  'plain',
  'writing',
  'national',
  'guard',
  'defense',
  'media',
  'activity',
  'web.mil'],
 ['contentskip',
  'buzz',
  'hall',
  'pass',
  'cash',
  '500townsquare',
  'talentseize',
  'dealsports',
  'scoreboardsubmit',
  'community',
  'centerhomeon',
  'airget',
  'newsletterbee',
  'scheduleweathernewssportslistenlisten',
  'b98.5',
  'alexabee',
  'personalitiestaste',
  'country',
  'nightslisten',
  'patriotsb98.5',
  'playliston',
  'demandvirtual',
  'job',
  'faireventsbeats',
  'rulescontestssign',
  'upstinger',
  'scoop',
  'club',
  'supportcontestsfree',
  'bee',
  'lunch',
  'breakcommunitynominate',
  'kids',
  'communitycommunity',
  'eventssubmit',
  'community',
  'event',
  'expertscontest',
  'rulescontactvirtual',
  'job',
  'sign',
  'upreport',
  'itsubmit',
  'birthdaystation',
  'infoadvertisenewsletterjob',
  'opportunitiesmusic',
  'submission',
  'policyeeomorehomeon',
  'airget',
  'newsletterbee',
  'scheduleweathernewssportslistenlisten',
  'b98.5',
  'alexabee',
  'personalitiestaste',
  'country',
  'nightslisten',
  'patriotsb98.5',
  'playliston',
  'demandvirtual',
  'job',
  'faireventsbeats',
  'rulescontestssign',
  'upstinger',
  'scoop',
  'club',
  'supportcontestsfree',
  'bee',
  'lunch',
  'breakcommunitynominate',
  'kids',
  'communitycommunity',
  'eventssubmit',
  'community',
  'event',
  'expertscontest',
  'rulescontactvirtual',
  'job',
  'sign',
  'upreport',
  'itsubmit',
  'birthdaystation',
  'infoadvertisenewsletterjob',
  'opportunitiesmusic',
  'submission',
  'policyeeovisit',
  'youtubevisit',
  'facebookvisit',
  'twitterinstagramget',
  'maine',
  'thunderstorm',
  'tuesdaycooper',
  'foxcooper',
  'foxpublished',
  'july',
  'weather',
  'serviceshare',
  'facebookshare',
  'twitterit',
  'look',
  'maine',
  'weather',
  'today',
  'july',
  '18th',
  'thunderstorm',
  'flooding',
  'hail',
  'chance',
  'tornado',
  'meteorologist',
  'wgme',
  'storm',
  'western',
  'maine',
  'tuesday',
  'afternoon',
  'chance',
  'storm',
  'pm',
  'storm',
  'chance',
  'wind',
  'lightning',
  'downpour',
  'area',
  'article',
  'storm',
  'result',
  'area',
  'time',
  'lot',
  'rain',
  'turn',
  'flooding',
  'precaution',
  'car',
  'window',
  'storm',
  'area',
  'inch',
  'terrain',
  'smoke',
  'wildfire',
  'day',
  'haze',
  'chance',
  'malachi',
  'brooks',
  'unsplashmalachi',
  'brooks',
  'unsplashloading',
  'thunderstorm',
  'precaution',
  'breathing',
  'issue',
  'activity',
  'course',
  'eye',
  'child',
  'national',
  'weather',
  'service',
  'article',
  'detail',
  'air',
  'quality',
  'alert',
  'article',
  'herekeep',
  'answer',
  'weather',
  'question',
  'category',
  'article',
  'offbeatcommentsleave',
  'commentmore',
  'boston',
  'celtics',
  'highest',
  'paid',
  'basketball',
  'player',
  'everfor',
  'boston',
  'celtics',
  'highest',
  'paid',
  'basketball',
  'player',
  'cousin',
  'maine?is',
  'cousin',
  'maine?like',
  'lobster',
  'maine',
  'tv',
  'reporter',
  'blue',
  'crayfishlike',
  'lobster',
  'maine',
  'tv',
  'reporter',
  'blue',
  'crayfishlego',
  'fan',
  'festival',
  'brickuniverse',
  'maine',
  'date',
  'fan',
  'festival',
  'brickuniverse',
  'maine',
  'date',
  'changepopular',
  'maine',
  'brewery',
  'anniversary',
  'droolworthy',
  'pizza',
  'specialpopular',
  'maine',
  'brewery',
  'anniversary',
  'droolworthy',
  'pizza',
  'specialthe',
  'man',
  'iconic',
  'new',
  'hampshire',
  'jingle',
  'place',
  'jingle',
  'aboutthe',
  'man',
  'iconic',
  'new',
  'hampshire',
  'jingle',
  'place',
  'jingle',
  'aboutare',
  'new',
  'hampshire',
  'maine',
  'list',
  'stores',
  'walmart',
  'new',
  'hampshire',
  'maine',
  'list',
  'stores',
  'walmart',
  '2023?everything',
  'chris',
  'janson',
  'maine',
  'concerteverything',
  'chris',
  'janson',
  'maine',
  'concertan',
  'open',
  'letter',
  'elderly',
  'maine',
  'man',
  'riding',
  'lawn',
  'moweran',
  'open',
  'letter',
  'elderly',
  'maine',
  'man',
  'riding',
  'lawn',
  'mowerinformationeeomarketing',
  'advertising',
  'solutionspublic',
  'fileneed',
  'assistancefcc',
  'applicationsreport',
  'rulesprivacy',
  'policyaccessibility',
  'statementexercise',
  'data',
  'rightscontactcentral',
  'maine',
  'business',
  'listingsfollow',
  'usvisit',
  'youtubevisit',
  'facebookvisit',
  'twitter2023',
  'b98.5',
  'townsquare',
  'media',
  'inc.',
  'right'],
 ['owner',
  'collection',
  'permission',
  'collection',
  'editor',
  'publisher',
  'login',
  'today',
  'sky',
  '96f.',
  'wind',
  'light',
  'tonight',
  'clear',
  'sky',
  'cloud',
  'wind',
  'sse',
  'mph',
  'july',
  'pm',
  'photo',
  'gallery',
  'storm',
  'wallop',
  'east',
  'central',
  'illinois',
  'mature',
  'tree',
  'limb',
  'leave',
  'semis',
  'backing',
  'traffic',
  'hour',
  'grain',
  'elevator',
  'roof',
  'power',
  'pole',
  'road',
  'crop',
  'fence',
  'post',
  'concrete',
  'base',
  'damage',
  'thursday',
  'afternoon',
  'storm',
  'injury',
  'city',
  'power',
  'friday',
  'morning',
  'update',
  'ameren',
  'power',
  'outage',
  'saturday',
  'evening',
  'outage',
  'ameren',
  'customer',
  'saturday',
  'evening',
  'utility',
  'east',
  'central',
  'illinois',
  'power',
  'sunday',
  'night',
  'ameren',
  'customer',
  'outage',
  'thursday',
  'leader',
  'kim',
  'jong',
  'un',
  'defense',
  'minister',
  'cooperation',
  'bomb',
  'threat',
  'family',
  'dissident',
  'thailand',
  'stock',
  'market',
  'today',
  'share',
  'federal',
  'reserve',
  'interest',
  'rate',
  'russia',
  'un',
  'meeting',
  'attack',
  'ukraine',
  'port',
  'city',
  'odesa',
  'e',
  '-',
  'bike',
  'fire',
  'ion',
  'battery',
  'biden',
  'relief',
  'heat',
  'record',
  'temperature',
  'articlesowners',
  'taffies',
  'champaign',
  'mahomet',
  'family',
  'fare',
  'rantoulillinois',
  'land',
  'commitment',
  'jason',
  'jakstyspolice',
  'accident',
  'i-74',
  'prospectrantoul',
  'office',
  'person',
  'test',
  'pedalcharge',
  'man',
  'flight',
  'mahomet',
  'drive',
  'dunkin',
  'mahomet2',
  'year',
  'grandson',
  'nba',
  'coach',
  'urbanagood',
  'morning',
  'illini',
  'nation',
  'illinois',
  'josiah',
  'moseleyreports',
  'ayo',
  'deal',
  'bullsthe',
  'yards',
  'development',
  'partner',
  'leader',
  'kim',
  'jong',
  'un',
  'defense',
  'minister',
  'cooperation',
  'bomb',
  'threat',
  'family',
  'dissident',
  'thailand',
  'stock',
  'market',
  'today',
  'share',
  'federal',
  'reserve',
  'interest',
  'rate',
  'russia',
  'un',
  'meeting',
  'attack',
  'ukraine',
  'port',
  'city',
  'odesa',
  'e',
  '-',
  'bike',
  'fire',
  'ion',
  'battery',
  'biden',
  'relief',
  'heat',
  'record',
  'temperature',
  'subscriber',
  'image',
  'left',
  'e',
  '-',
  'edition',
  'subscription',
  'subscription',
  'option',
  'nowthe',
  'news',
  'gazette',
  'mobile',
  'app',
  'news',
  'update',
  'news',
  'gazette',
  'device',
  'print',
  'brain',
  'news',
  'gazette',
  'columnist',
  'tom',
  'kacich',
  'wdws',
  'whms',
  'radio',
  'personality',
  'kathy',
  'reiser',
  'articlesowners',
  'taffies',
  'champaign',
  'mahomet',
  'family',
  'fare',
  'rantoulillinois',
  'land',
  'commitment',
  'jason',
  'jakstyspolice',
  'accident',
  'i-74',
  'prospectrantoul',
  'office',
  'person',
  'test',
  'pedalcharge',
  'man',
  'flight',
  'mahomet',
  'drive',
  'dunkin',
  'mahomet2',
  'year',
  'grandson',
  'nba',
  'coach',
  'urbanagood',
  'morning',
  'illini',
  'nation',
  'illinois',
  'josiah',
  'moseleyreports',
  'ayo',
  'deal',
  'bullsthe',
  'yards',
  'development',
  'partner',
  'subscription',
  'services',
  'faqs',
  'self',
  'service',
  'subscription',
  'system',
  'info',
  'change',
  'address',
  'delivery',
  'issues',
  'pay',
  'bill',
  'vacation',
  'stop',
  'restart',
  'news-gazette.com',
  'fox',
  'drive',
  'champaign',
  'il',
  'indiana',
  'fountain',
  'co.',
  'neighbor',
  'herald',
  'journal',
  'kv',
  'post',
  'news',
  'newton',
  'co.',
  'enterprise',
  'rensselaer',
  'republican',
  'review',
  'republican',
  'iowa',
  'atlantic',
  'news',
  'telegraph',
  'audubon',
  'advocate',
  'journal',
  'barr',
  'post',
  'card',
  'news',
  'burlington',
  'hawk',
  'eye',
  'collector',
  'journal',
  'fayette',
  'county',
  'union',
  'ft',
  '.',
  'madison',
  'daily',
  'democrat',
  'independence',
  'bulletin',
  'journal',
  'keokuk',
  'daily',
  'gate',
  'city',
  'oelwein',
  'daily',
  'register',
  'vinton',
  'newspapers',
  'newspapers',
  'michigan',
  'iosco',
  'county',
  'news',
  'herald',
  'ludington',
  'daily',
  'news',
  'oceana',
  'herald',
  'journal',
  'oscoda',
  'press',
  'white',
  'lake',
  'beacon',
  'new',
  'york',
  'finger',
  'lakes',
  'times',
  'olean',
  'times',
  'herald',
  'salamanca',
  'press',
  'pennsylvania',
  'bradford',
  'era',
  'clearfield',
  'progress',
  'courier',
  'express',
  'free',
  'press',
  'courier',
  'jeffersonian',
  'democrat',
  'leader',
  'vindicator',
  'potter',
  'leader',
  'enterprise',
  'wellsboro',
  'gazette',
  'browser',
  'date',
  'security',
  'risk',
  'browser'],
 ['tv',
  'contact',
  'uscontact',
  'search',
  'iowa',
  'pbs',
  'swirling',
  'new',
  'stormy',
  'season',
  'bryon',
  'houlgrave',
  'springtime',
  'midwest',
  'sky',
  'temperature',
  'humidity',
  'masse',
  'air',
  'collide',
  'iowa',
  'cornfield',
  'billowy',
  'white',
  'cloud',
  'supercell',
  'condition',
  'sign',
  'danger',
  'team',
  'weather',
  'spotter',
  'storm',
  'chaser',
  'element',
  'sky',
  'weather',
  'enthusiast',
  'todd',
  'rector',
  'april',
  'time',
  'year',
  'rector',
  'storm',
  'chaser',
  'altoona',
  'storm',
  'year',
  'admiration',
  'weather',
  'child',
  'physics',
  'rector',
  'excitement',
  'supercell',
  'plains',
  'power',
  'midwesterners',
  'appeal',
  'weather',
  'porch',
  'video',
  'husband',
  'husband',
  'wife',
  'plea',
  'tornado',
  'background',
  'field',
  'dirt',
  'team',
  'weather',
  'spotter',
  'adrenaline',
  'rush',
  'service',
  'field',
  'datum',
  'medium',
  'agency',
  'minute',
  'information',
  'public',
  'iowans',
  'year',
  'tornado',
  'storm',
  'rector',
  'storm',
  'respect',
  '[',
  'storm',
  'storm',
  'chase',
  'distance',
  'physics',
  'excitement',
  'supercell',
  'plains',
  'power',
  'todd',
  'rector',
  'iowa',
  'storm',
  'chaser',
  'weather',
  'storm',
  'storm',
  'iowa',
  'school',
  'district',
  'safety',
  'student',
  'weather',
  'lake',
  'mills',
  'community',
  'school',
  'district',
  'tornado',
  'room',
  'school',
  'storm',
  'shelter',
  'campus',
  'staff',
  'student',
  'community',
  'chris',
  'rogne',
  'superintendent',
  'lake',
  'mills',
  'school',
  'district',
  'rogne',
  'lake',
  'mills',
  'school',
  'state',
  'fema',
  'money',
  'room',
  'letter',
  'school',
  'color',
  'plenty',
  'community',
  'case',
  'district',
  'tornado',
  'shelter',
  'facility',
  'event',
  'rogne',
  'kid',
  'weather',
  'school',
  'staff',
  'need',
  'demeanor',
  'student',
  'rogne',
  'time',
  'crisis',
  'relationship',
  'environment',
  'time',
  'sense',
  'tornado',
  'rector',
  'thing',
  'tornado',
  'warning',
  'shelter',
  'basement',
  'bathroom',
  'wall',
  'tornado',
  'basement',
  'life',
  'people',
  'siren',
  'weather',
  'rector',
  'source',
  'information',
  'news',
  'outlet',
  'phone',
  'app',
  'weather',
  'radio',
  'iowa',
  'storm',
  'iowa',
  'wild',
  'weather',
  'storm',
  'april',
  'support',
  'donate',
  'membership',
  'iowa',
  'pbs',
  'passport',
  'corporate',
  'support',
  'iowa',
  'pbs',
  'foundation',
  'terms',
  'use',
  '',
  '',
  'privacy',
  'policy',
  'copyright',
  'iowa',
  'pbs'],
 ['owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'today',
  'sunshine',
  'cloud',
  'shower',
  'thunderstorm',
  '90f.',
  'wind',
  'ese',
  'mph',
  'tonight',
  'cloud',
  'wind',
  'sse',
  'mph',
  'july',
  'disturbance',
  'bermuda',
  'coast',
  'concern',
  'sc',
  'sign',
  'post',
  'courier',
  'hurricane',
  'wire',
  'newsletter',
  'email',
  'hurricane',
  'news',
  'alert',
  'storm',
  'disturbance',
  'bermuda',
  'united',
  'states',
  'coast',
  'week',
  'percent',
  'chance',
  'development',
  'day',
  'national',
  'hurricane',
  'center',
  'hurricane',
  'wire',
  'newsletter',
  'update',
  'inbox',
  'hurricane',
  'wire',
  'newsletter',
  'uncertainty',
  'week',
  'area',
  'weather',
  'atlantic',
  'ocean',
  'united',
  'states',
  'coast',
  'day',
  'morning',
  'report',
  'national',
  'hurricane',
  'center',
  'july',
  'area',
  'pressure',
  'mile',
  'bermuda',
  'string',
  'island',
  'mile',
  'north',
  'carolina',
  'development',
  'system',
  'united',
  'states',
  'coast',
  'week',
  'weekend',
  'nhc',
  'hurricane',
  'season',
  'june',
  'dune',
  'vegetation',
  'percent',
  'chance',
  'development',
  'day',
  'meteorologist',
  'charleston',
  'point',
  'steve',
  'taylor',
  'lead',
  'meteorologist',
  'national',
  'weather',
  'service',
  'charleston',
  'office',
  'environment',
  '"taylor',
  'weather',
  'service',
  'people',
  'system',
  'plan',
  'case',
  'time',
  'year',
  'cyclone',
  'hurricane',
  'storm',
  'taylor',
  'storm',
  'atlantic',
  'season',
  'hurricane',
  'don',
  'july',
  'folly',
  'beach',
  'm',
  'worth',
  'sand',
  'decade',
  'shore',
  'meteorologist',
  'colorado',
  'state',
  'university',
  'update',
  'season',
  'hurricane',
  'forecast',
  'month',
  'storm',
  'weather',
  'forecast',
  'storm',
  'season',
  'hurricane',
  'hurricane',
  'report',
  'university',
  'june',
  'forecast',
  'storm',
  'hurricane',
  'hurricane',
  'august',
  'october',
  'percent',
  'cyclone',
  'activity',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'hurricane',
  'east',
  'coast',
  'sahara',
  'desert',
  'answer',
  'tony',
  'bartelme/',
  'images',
  'andrew',
  'j.',
  'whitaker',
  'sign',
  'hurricane',
  'wire',
  'newsletter',
  'hurricane',
  'wire',
  'newsletter',
  'hurricane',
  'season',
  'east',
  'coast',
  'information',
  'storm',
  'atlantic',
  'shamira',
  'mccray',
  'twitter',
  'storm',
  'bermuda',
  'focus',
  'shift',
  'wave',
  'africa',
  'storm',
  'bermuda',
  'focus',
  'shift',
  'wave',
  'africa',
  'attention',
  'atlantic',
  'ocean',
  'wave',
  'southwest',
  'cabo',
  'verde',
  'islands',
  'coast',
  'africa',
  'read',
  'storm',
  'bermuda',
  'focus',
  'shift',
  'wave',
  'africa',
  'disturbance',
  'bermuda',
  'coast',
  'concern',
  'sc',
  'gradual',
  'development',
  'disturbance',
  'bermuda',
  'united',
  'states',
  'coast',
  'week',
  'read',
  'moredisturbance',
  'bermuda',
  'coast',
  'concern',
  'sc',
  'garden',
  'hurricane',
  'weather',
  'patio',
  'gardener',
  'newbie',
  'plant',
  'container',
  'face',
  'weather',
  'event',
  'read',
  'garden',
  'hurricane',
  'weather',
  'hurricane',
  'national',
  'hurricane',
  'center',
  'tool',
  'national',
  'hurricane',
  'center',
  'variety',
  'program',
  'storm',
  'weather',
  'way',
  'storm',
  'morehow',
  'hurricane',
  'national',
  'hurricane',
  'center',
  'tool',
  'judge',
  'bond',
  'defendant',
  'folly',
  'beach',
  'bride',
  'death',
  'storm',
  'bermuda',
  'focus',
  'shift',
  'wave',
  'africa',
  'north',
  'charleston',
  'status',
  'minority',
  'business',
  'program',
  "'",
  'place',
  'welcome',
  'sc',
  'aquarium',
  'm',
  'education',
  'center',
  'expansion',
  'berkeley',
  'independent',
  'moncks',
  'corner',
  'sc',
  'moultrie',
  'news',
  'mount',
  'pleasant',
  'sc',
  'gazette',
  'goose',
  'creek',
  'sc',
  'star',
  'north',
  'augusta',
  'sc',
  'evening',
  'post',
  'books',
  'charleston',
  'sc',
  'charleston',
  'sc',
  'phone',
  'news',
  'tip',
  'question',
  'delivery',
  'subscription',
  'question',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'post',
  'courier',
  'evening',
  'post',
  'publishing',
  'newspaper',
  'group',
  'right',
  'term',
  'use'],
 ['thu',
  'jul',
  'gmt',
  'españolfeaturesgame',
  'centerwatch',
  'thu',
  'fri',
  '96jump',
  'plan',
  'women',
  'world',
  'cup',
  'watch',
  'party',
  'boise',
  'county',
  'sheriff',
  'deputy',
  'parking',
  'violation',
  'wild',
  'idaho',
  'duo',
  'rein',
  'airstrip',
  'foundation',
  'grief',
  'lifeline',
  'family',
  'childhood',
  'fire',
  'ola',
  '%',
  'containment',
  'mop',
  'effort',
  'shot',
  'eviction',
  'tualatin',
  'apartment',
  'suspect',
  'deadcourt',
  'vicki',
  'hoban',
  'victim',
  'statement',
  'lori',
  'vallow',
  'daybell',
  'county',
  'highway',
  'district',
  'resident',
  'budgeting',
  'planning',
  'valley',
  'brace',
  'school',
  'year',
  'school',
  'drive',
  'mcconnell',
  'presser',
  'senate',
  'colleagueslocal',
  'newssee',
  'locallabor',
  'day',
  'weekend',
  'flight',
  'spirit',
  'boise',
  'balloon',
  'classicanother',
  'day',
  'sunshine',
  'average',
  'highsdo',
  'man',
  'fred',
  'meyer',
  'garden',
  'city?judge',
  'desertion',
  'conviction',
  'idaho',
  'bowe',
  'bergdahlidaho',
  'humane',
  'society',
  'donation',
  'chihuahuas',
  'owner',
  'diesidaho',
  'wildfire',
  'atboise',
  'man',
  'stabbing',
  'e.',
  'holly',
  'street',
  'connected',
  'sbg',
  'envelopenewsletter',
  'sign',
  'concernsnation',
  'worldsee',
  'nation',
  'worldresearcher',
  'ai',
  'smartwatche',
  'datum',
  'study',
  'hearttraveler',
  'passport',
  'processing',
  'delay',
  'summer',
  'surge',
  'applicationsfact',
  'team',
  'school',
  'district',
  'medium',
  'giant',
  'student',
  'health',
  'concernsphotos',
  'suitcase',
  'image',
  'woman',
  'florida',
  'murderhe',
  'school',
  'pence',
  'chair',
  'jan.',
  'year',
  'jail',
  'distraction',
  'cellphone',
  'safety',
  'potentialteen',
  'trafficking',
  'woman',
  'mlb',
  'star',
  'week',
  'seattlesportssee',
  '/sportsmariner',
  'inning',
  'blue',
  'jays',
  'victoryhawk',
  'battle',
  'weather',
  'series',
  'homeboise',
  'cyclist',
  'jorgenson',
  'podium',
  'le',
  'tour',
  'de',
  'france',
  'entertainmentsee',
  'entertainmentkid',
  'reality',
  'tv',
  'chrisley',
  'family',
  'prison',
  'parent',
  'nightmare',
  'snake',
  'mold',
  'music',
  'legend',
  'sinéad',
  "o'connor",
  'tori',
  'kelly',
  'blood',
  'clotskevin',
  'spacey',
  'assault',
  'charge',
  'crotch',
  'menmillion',
  'dollar',
  'dollar',
  'homescheck',
  'dollar',
  'home',
  'nampaphotos',
  'stanley',
  'ranch',
  'mountain',
  'dream',
  'barn',
  'sun',
  'valley',
  'estate',
  'kind',
  'amazing!connect',
  'liv',
  'merger',
  'scrutiny',
  'senate',
  'homeland',
  'security',
  'committeewith',
  'security',
  'focus',
  'senator',
  'briefing',
  'aiformer',
  'new',
  'jersey',
  'mayor',
  'removal',
  'office',
  'pride',
  'flag',
  'alien',
  'congress',
  'outoffbeatsee',
  '/news',
  'year',
  'wave',
  'year',
  'generation',
  'swimmaryland',
  'resident',
  '108th',
  'birthdayhurry',
  'farmer',
  'share',
  'process',
  'delicacy',
  'mountain',
  'ncaccessibilitydownload',
  'mobile',
  'app',
  'term',
  'conditions',
  'copyright',
  'notice',
  'eeo',
  'public',
  'file',
  'report',
  'fcc',
  'info',
  'fcc',
  'applications',
  'public',
  'file',
  'assistance',
  'contact',
  'news',
  'team',
  'careers',
  'contests',
  'news',
  'weather',
  'sports',
  'politics',
  'idaho',
  'living',
  'game',
  'center',
  'privacy',
  'policy',
  'cookie',
  'policy',
  'share',
  'cookie',
  'preferences',
  'sinclair',
  'inc.'],
 ['owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'account',
  'dashboard',
  'profile',
  'item',
  'wsil',
  'tv',
  'news',
  'app',
  'wsil',
  'storm',
  'track',
  'weather',
  'app',
  'log',
  'account',
  'log',
  'account',
  'sign',
  'today',
  'account',
  'dashboard',
  'profile',
  'item',
  'heat',
  'advisory',
  'wed',
  'cdt',
  'sat',
  'pm',
  'cdt',
  'wind',
  'advisory',
  'effect',
  'morning',
  'pm',
  'cdt',
  'evening',
  'heat',
  'advisory',
  'effect',
  'morning',
  'heat',
  'index',
  'value',
  'southwest',
  'wind',
  'excess',
  'mph',
  'portions',
  'mo',
  'il',
  'pm',
  'today',
  'lake',
  'wind',
  'advisory',
  '*',
  'impact',
  'temperature',
  'humidity',
  'heat',
  'illness',
  'area',
  'lake',
  'gusty',
  'southwest',
  'wind',
  'plenty',
  'fluid',
  'air',
  'room',
  'sun',
  'relative',
  'neighbor',
  'child',
  'pet',
  'vehicle',
  'circumstance',
  'precaution',
  'time',
  'activity',
  'morning',
  'evening',
  'sign',
  'symptom',
  'heat',
  'exhaustion',
  'heat',
  'stroke',
  'clothing',
  'risk',
  'work',
  'occupational',
  'safety',
  'health',
  'administration',
  'rest',
  'break',
  'air',
  'environment',
  'heat',
  'location',
  'heat',
  'stroke',
  'emergency',
  'lake',
  'wind',
  'advisory',
  'wind',
  'chop',
  'area',
  'lake',
  'boat',
  'storm',
  'damage',
  'western',
  'kentucky',
  'southern',
  'illinois',
  'apr',
  'apr',
  'murray',
  'ky.',
  'community',
  'kentucky',
  'county',
  'damage',
  'storm',
  'area',
  'wednesday',
  'afternoon',
  'national',
  'weather',
  'service',
  'paducah',
  'storm',
  'report',
  'emergency',
  'management',
  'carlisle',
  'county',
  'tree',
  'trailer',
  'church',
  'roof',
  'damage',
  'tree',
  'carport',
  'truck',
  'carport',
  'lifting',
  'air',
  'house',
  'power',
  'pole',
  'thunderstorm',
  'storm',
  'report',
  'home',
  'roof',
  'damage',
  'tree',
  'hickman',
  'county',
  'ky.',
  'calloway',
  'county',
  'law',
  'enforcement',
  'tornado',
  'ground',
  'p.m.',
  'fenton',
  'kentucky',
  'lake',
  'roof',
  'vanderbilt',
  'chemical',
  'plant',
  'murray',
  'hamilton',
  'county',
  'emergency',
  'manager',
  'shed',
  'aluminum',
  'building',
  'wsil',
  'news',
  'weather',
  'app',
  'story',
  'alert',
  'device',
  'drug',
  'event',
  'place',
  'saturday',
  'people',
  'hospital',
  'collision',
  'traffic',
  'restrictions',
  'place',
  'tornado',
  'recovery',
  'work',
  'ky',
  'saturday',
  'cairo',
  'man',
  'deputy',
  'finger',
  'new',
  'scam',
  'business',
  'portion',
  'road',
  'water',
  'installation',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'copyright',
  'allen',
  'media',
  'broadcasting',
  'country',
  'aire',
  'dr.',
  'carterville',
  'il',
  'term',
  'use',
  'blox',
  'content',
  'management',
  'system',
  'blox',
  'digital'],
 ['news',
  'bergen',
  'passaic',
  'sports',
  'hs',
  'sports',
  'advertise',
  'obituaries',
  'enewspaper',
  'legals',
  'jerseyhurricane',
  'ida',
  'storm',
  'new',
  'jersey',
  'dustin',
  'racioppitrenton',
  'bureauin',
  'hour',
  'remnant',
  'hurricane',
  'ida',
  'new',
  'jersey',
  'wednesday',
  'night',
  'home',
  'dollhouse',
  'space',
  'comparison',
  'storm',
  'garden',
  'state',
  'thursday',
  'afternoon',
  'ida',
  'history',
  'new',
  'jersey',
  'storm',
  'gov.',
  'phil',
  'murphy',
  'people',
  'life',
  'storm',
  'half',
  'central',
  'jersey',
  'vehicle',
  'floodwater',
  'death',
  'toll',
  'murphy',
  'friday',
  'morning',
  'today',
  'people',
  'number',
  'fatality',
  'murphy',
  'ida',
  'storm',
  'sandy',
  'tally',
  'centers',
  'disease',
  'control',
  'prevention',
  'death',
  'toll',
  'storm',
  'nj',
  'rainfall',
  'total',
  'rain',
  'north',
  'jersey',
  'tropical',
  'storm',
  'storm',
  'home?:how',
  'insurance',
  'claim',
  'flood',
  'storm',
  'damage',
  'nj',
  'homeat',
  'people',
  'ida',
  'new',
  'jersey',
  'new',
  'york',
  'central',
  'jersey',
  'region',
  'new',
  'jersey',
  'fatality',
  'north',
  'jersey',
  'people',
  'passaic',
  'man',
  'floodwater',
  'car',
  'bloomfield',
  'resident',
  'storm',
  'man',
  'maplewood',
  'wife',
  'storm',
  'police',
  'flood',
  'water',
  'story',
  'gallerysandy',
  'stormssandy',
  'benchmark',
  'destruction',
  'year',
  'tropical',
  'storm',
  'irene',
  'new',
  'jersey',
  'life',
  'people',
  'news',
  'report',
  'ida',
  'rain',
  'tornado',
  'level',
  'havoc',
  'storm',
  'history',
  'life',
  'ida',
  'sandy',
  'irene',
  'message',
  'murphy',
  'democrats',
  'climate',
  'change',
  'toll',
  'humanity',
  'reminder',
  'thing',
  'murphy',
  'good',
  'morning',
  'america',
  'thursday',
  'ida',
  'update',
  'gov.',
  'murphy',
  'nj',
  'resident',
  'car',
  'floodwater',
  'year',
  'storm',
  'scene',
  'flooding',
  'destruction',
  'north',
  'jersey',
  'new',
  'jersey',
  'road',
  'recovery',
  'ida',
  'ida',
  'flooding',
  'north',
  'jersey',
  'river',
  'tropical',
  'depression',
  'ida',
  'animal',
  'turtle',
  'zoonew',
  'jersey',
  'location',
  'water',
  'population',
  'destruction',
  'storm',
  'decade',
  'murphy',
  'point',
  'governor',
  'thursday',
  'detail',
  'death',
  'ida',
  'official',
  'day',
  'case',
  'country',
  'infrastructure',
  'damage',
  'storm',
  'frequency',
  'intensity',
  'storm',
  'role',
  'ida',
  'murphy',
  'area',
  'tropical',
  'storm',
  'henri',
  'week',
  'flooding',
  'white',
  'house',
  'thursday',
  'night',
  'murphy',
  'disaster',
  'declaration',
  'new',
  'jersey',
  'new',
  'york',
  'department',
  'homeland',
  'security',
  'federal',
  'emergency',
  'management',
  'agency',
  'state',
  'official',
  'emergency',
  'response',
  'dustin',
  'racioppi',
  'reporter',
  'new',
  'jersey',
  'statehouse',
  'access',
  'work',
  'new',
  'jersey',
  'governor',
  'power',
  'structure',
  'account',
  'today',
  'email',
  'racioppi@northjersey.com',
  'twitter',
  '@dracioppi',
  'staff',
  'directory',
  'corrections',
  'careers',
  'accessibility',
  'support',
  'site',
  'map',
  'legals',
  'ethical',
  'principles',
  'subscription',
  'terms',
  'conditions',
  'terms',
  'service',
  'privacy',
  'policy',
  'california',
  'privacy',
  'rights',
  'privacy',
  'policydo',
  'sell',
  'share',
  'target',
  'infocookie',
  'settingscontact',
  'support',
  'business',
  'business',
  'advertising',
  'terms',
  'conditions',
  'event',
  'sell',
  'licensing',
  'reprints',
  'help',
  'center',
  'subscriber',
  'guide',
  'account',
  'eventsubscribe',
  'today',
  'newsletters',
  'mobile',
  'app',
  'facebook',
  'twitter',
  'enewspaper',
  'storytellers',
  'archives',
  'rss',
  'feedsjobs',
  'cars',
  'homes',
  'classifieds',
  'event',
  'localiq',
  'digital',
  'marketing',
  'solutions',
  'www.northjersey.com',
  'right'],
 ['ie',
  'experience',
  'site',
  'browser',
  'skip',
  'news',
  'newsworldbusinesshealthvideoculture',
  'trendsnbc',
  'news',
  'tiplineshare',
  'save',
  'newsmanage',
  'profileemail',
  'preferencessign',
  'outsearchsearchprofile',
  'newssign',
  'sign',
  'increate',
  'profilesectionsu.s.',
  'newspoliticsworldlocalbusinesshealthinvestigationsculture',
  'trendssciencesportstech',
  'mediavideo',
  'featuresphotosweathernbc',
  'selectdecision',
  'blknbc',
  'newsmsnbcmeet',
  'pressdatelinefeaturednbc',
  'news',
  'nowbetternightly',
  'filmsstay',
  'tunedspecial',
  'featuresnewsletterspodcastslisten',
  'nowmore',
  'nbccnbcnbc.comnbcu',
  'learnpeacocknext',
  'steps',
  'vetsparent',
  'news',
  'site',
  'maphelpfollow',
  'nbc',
  'newssearchsearchfacebooktwitteremailsmsprintwhatsappredditpocketflipboardpinterestlinkedinweatherhawaii',
  'state',
  'emergency',
  'storm',
  'kona',
  'type',
  'cyclone',
  'flooding',
  'damage',
  'state',
  'state',
  'emergency',
  'hawaii',
  'rain',
  'flooding01:30get',
  'news',
  'nowprintdec',
  '.',
  'utc',
  'dec.',
  'pm',
  'chantal',
  'da',
  'silvahawaii',
  'governor',
  'state',
  'emergency',
  'storm',
  'customer',
  'power',
  'flooding',
  'island',
  'statement',
  'monday',
  'twitter',
  'gov.',
  'david',
  'ige',
  'emergency',
  'declaration',
  'rain',
  'kona',
  'type',
  'cyclone',
  'hawaiian',
  'islands',
  'flooding',
  'damage',
  'state',
  'decision',
  'hawaii',
  'fund',
  'relief',
  'suffering',
  'damage',
  'loss',
  'flooding',
  'effect',
  'rain',
  'ige',
  'emergency',
  'relief',
  'period',
  'friday',
  'nbc',
  'news',
  'app',
  'news',
  'politic',
  'customer',
  'power',
  'road',
  'tree',
  'hawaiian',
  'islands',
  'storm',
  'wind',
  'rain',
  'road',
  'power',
  'line',
  'tree',
  'branch',
  'honolulu',
  'caleb',
  'jones',
  'apin',
  'statement',
  'p.m.',
  'monday',
  'time',
  'hawaiian',
  'electric',
  'crew',
  'service',
  'customer',
  'downtown',
  'honolulu',
  'chinatown',
  'rain',
  'power',
  'tuesday',
  'morning',
  'national',
  'weather',
  'service',
  'honolulu',
  'kona',
  'low',
  'threat',
  'rain',
  'kauai',
  'county',
  'oahu',
  'monday',
  'tuesday',
  'weather',
  'service',
  'threat',
  'flooding',
  'island',
  'possibility',
  'flooding',
  'concern',
  'threat',
  'impact',
  'storm',
  'half',
  'state',
  'weather',
  'service',
  'landslide',
  'area',
  'terrain',
  'road',
  'runoff',
  'flooding',
  'storm',
  'driving',
  'condition',
  'visibility',
  'number',
  'school',
  'state',
  'monday',
  'hawaii',
  'county',
  'mayor',
  'mitchell',
  'roth',
  'state',
  'emergency',
  'sunday',
  'threat',
  'disaster',
  '”the',
  'honolulu',
  'fire',
  'department',
  'monday',
  'boy',
  'age',
  'stream',
  'deputy',
  'fire',
  'chief',
  'sheldon',
  'hao',
  'news',
  'conference',
  'crew',
  'dozen',
  'storm',
  'event',
  'tree',
  'wire',
  'roadway',
  'obstruction',
  'car',
  'street',
  'monday',
  'honolulu',
  'marco',
  'garcia',
  'aphe',
  'team',
  'rain',
  'march',
  'flood',
  'landslide',
  'march',
  'storm',
  'landslide',
  'island',
  'kauai',
  'ige',
  'emergency',
  'declaration',
  'storm',
  'state',
  'alert',
  'weather',
  'event',
  'chantal',
  'da',
  'silvachantal',
  'da',
  'silva',
  'news',
  'editor',
  'nbc',
  'news',
  'digital',
  'london',
  'choicesprivacy',
  'policydo',
  'informationca',
  'noticenew',
  'terms',
  'service',
  'july',
  'news',
  'sitemapadvertiseselect',
  'shoppingselect',
  'personal',
  'finance',
  'nbc',
  'universalnbc',
  'news',
  'logomsnbc',
  'logotoday',
  'logo'],
 ['ad',
  'issue',
  'video',
  'player',
  'content',
  'ad',
  'video',
  'content',
  'ad',
  'audio',
  'ad',
  'ad',
  'page',
  'content',
  'ad',
  'ad',
  'ad',
  'effort',
  'contribution',
  'feedback',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'tornado',
  'havoc',
  'louisiana',
  'southeast',
  'amir',
  'vera',
  'joe',
  'sutton',
  'jason',
  'hanna',
  'cnn',
  'est',
  'thu',
  'december',
  'devastation',
  'tornado',
  'hit',
  'devastation',
  'tornado',
  'hit',
  'concertgoers',
  'hail',
  'colorado',
  'body',
  'temperature',
  'flooding',
  'china',
  'couple',
  'car',
  'house',
  'cliff',
  'river',
  'foundation',
  'video',
  'tornado',
  'home',
  'debris',
  'video',
  'moment',
  'soldier',
  'heat',
  'video',
  'tornado',
  'texas',
  'barren',
  'land',
  'impact',
  'spain',
  'record',
  'heat',
  'windshield',
  'helicopter',
  'hail',
  'shelf',
  'cloud',
  'sky',
  'downtown',
  'chicago',
  'man',
  'street',
  'flooding',
  'man',
  'tornado',
  'van',
  'footage',
  'california',
  'weather',
  'crisis',
  'lake',
  'life',
  'unbelievable',
  'cnn',
  'reporter',
  'snowfall',
  'california',
  'graphic',
  'change',
  'temperature',
  'people',
  'dozen',
  'louisiana',
  'hour',
  'weather',
  'south',
  'path',
  'destruction',
  'tornado',
  'new',
  'orleans',
  'p.m.',
  'ct',
  'wednesday',
  'national',
  'weather',
  'service',
  'tornado',
  'debris',
  'signature',
  'radar',
  'power',
  'flash',
  'tower',
  'camera',
  'storm',
  'portion',
  'city',
  'damage',
  'extent',
  'time',
  'tornado',
  'report',
  'new',
  'orleans',
  'metro',
  'hour',
  'weather',
  'service',
  'report',
  'detail',
  'path',
  'tornado',
  'area',
  'gretna',
  'arabi',
  'louisiana',
  'wdsu',
  'tower',
  'camera',
  'tornado',
  'ground',
  'lower',
  'ninth',
  'ward',
  'arabi',
  'wednesday',
  'weather',
  'hurricane',
  'ida',
  'gretna',
  'mayor',
  'belinda',
  'constant',
  'cnn',
  'affiliate',
  'wdsu',
  'hurricane',
  'area',
  'year',
  'year',
  'woman',
  'tornado',
  'home',
  'killona',
  'mile',
  'new',
  'orleans',
  'tweet',
  'louisiana',
  'department',
  'health',
  'identity',
  'woman',
  'official',
  'st.',
  'charles',
  'parish',
  'wednesday',
  'people',
  'parish',
  'injury',
  'sheriff',
  'greg',
  'champagne',
  'news',
  'conference',
  'wednesday',
  'champagne',
  'tornado',
  'piece',
  'debris',
  'levee',
  'firing',
  'range',
  'mile',
  'time',
  'week',
  'tornado',
  'st.',
  'charles',
  'parish',
  'bit',
  'devastation',
  'mile',
  'boy',
  'mother',
  'tornado',
  'home',
  'tuesday',
  'louisiana',
  'community',
  'keithville',
  'caddo',
  'parish',
  'sheriff',
  'office',
  'boy',
  'body',
  'tuesday',
  'mile',
  'home',
  'sheriff',
  'steve',
  'prator',
  'cnn',
  'affiliate',
  'ksla',
  'official',
  'debris',
  'field',
  'tornado',
  'victim',
  'december',
  'dawson',
  'springs',
  'kentucky',
  'climate',
  'crisis',
  'tornado',
  'mother',
  'wednesday',
  'street',
  'house',
  'people',
  'community',
  'sheriff',
  'office',
  'people',
  'union',
  'parish',
  'town',
  'farmerville',
  'louisiana',
  'arkansas',
  'border',
  'farmerville',
  'police',
  'detective',
  'cade',
  'nolan',
  'rest',
  'state',
  'debris',
  'home',
  'car',
  'community',
  'resident',
  'cnn',
  'bathtub',
  'fear',
  'storm',
  'storm',
  'system',
  'power',
  'customer',
  'louisiana',
  'mississippi',
  'poweroutage.us',
  '.',
  'louisiana',
  'gov.',
  'john',
  'bel',
  'edwards',
  'state',
  'emergency',
  'wednesday',
  'response',
  'storm',
  'emergency',
  'proclamation',
  'storm',
  'weather',
  'warning',
  'official',
  'governor',
  'louisiana',
  'lt',
  'gov.',
  'billy',
  'nungesser',
  'cnn',
  'anderson',
  'cooper',
  'state',
  'hurricane',
  'season',
  'storm',
  'state',
  'weather',
  'havoc',
  'louisiana',
  'southeast',
  'system',
  'snow',
  'place',
  'blizzard',
  'condition',
  'wednesday',
  'threat',
  'storm',
  'tuesday',
  'tornado',
  'home',
  'business',
  'oklahoma',
  'dallas',
  'fort',
  'worth',
  'area',
  'mississippi',
  'louisiana',
  'total',
  'tornado',
  'wednesday',
  'louisiana',
  'mississippi',
  'storm',
  'prediction',
  'center',
  'addition',
  'tornado',
  'report',
  'tuesday',
  'oklahoma',
  'texas',
  'louisiana',
  'mississippi',
  'tuesday',
  'a.m.',
  'ct',
  'wednesday',
  'a.m.',
  'ct',
  'wednesday',
  'louisiana',
  'new',
  'iberia',
  'weather',
  'risk',
  'rainfall',
  'flash',
  'flooding',
  'wednesday',
  'louisiana',
  'mississippi',
  'west',
  'alabama',
  'storm',
  'prediction',
  'center',
  'wednesday',
  'level',
  'risk',
  'level',
  'storm',
  'people',
  'eastern',
  'louisiana',
  'new',
  'orleans',
  'mississippi',
  'gulfport',
  'alabama',
  'mobile',
  'prediction',
  'center',
  'level',
  'storm',
  'risk',
  'december',
  'level',
  'december',
  'decade',
  'cnn',
  'weather',
  'analysis',
  'louisiana',
  'center',
  'damage',
  'louisiana',
  'gov.',
  'john',
  'bel',
  'edwards',
  'wednesday',
  'state',
  'office',
  'weather',
  'state',
  'storm',
  'closure',
  'louisiana',
  'state',
  'university',
  'southern',
  'university',
  'baton',
  'rouge',
  'wednesday',
  'tornado',
  'region',
  'wednesday',
  'new',
  'orleans',
  'area',
  'weather',
  'closure',
  'causeway',
  'bridge',
  'bridge',
  'mile',
  'lake',
  'pontchartrain',
  'causeway',
  'website',
  'bridge',
  'longest',
  'bridge',
  'world',
  'water',
  'causeway',
  'website',
  'car',
  'i-15',
  'storm',
  'lehi',
  'utah',
  'december',
  'storm',
  'blizzard',
  'condition',
  'weather',
  'south',
  'northeast',
  'week',
  'photo',
  'george',
  'frey',
  'afp',
  'photo',
  'george',
  'frey',
  'afp',
  'getty',
  'images',
  'snow',
  'travel',
  'condition',
  'million',
  'storm',
  'tornado',
  'east',
  'mile',
  'new',
  'orleans',
  'official',
  'jefferson',
  'parish',
  'sheriff',
  'office',
  'damage',
  'search',
  'rescue',
  'operation',
  'damage',
  'parish',
  'sheriff',
  'office',
  'fire',
  'department',
  'government',
  'damage',
  'assessment',
  'home',
  'business',
  'damage',
  'facility',
  'damage',
  'facility',
  'sheriff',
  'office',
  'facebook',
  'page',
  'concern',
  'area',
  'afternoon',
  'tornado',
  'need',
  'jefferson',
  'parish',
  'sheriff',
  'office',
  'wednesday',
  'december',
  'mile',
  'west',
  'twister',
  'wednesday',
  'morning',
  'home',
  'city',
  'new',
  'iberia',
  'rescue',
  'effort',
  'number',
  'people',
  'city',
  'police',
  'new',
  'iberia',
  'police',
  'department',
  'video',
  'facebook',
  'tornado',
  'city',
  'department',
  'home',
  'people',
  'southport',
  'subdivision',
  'tornado',
  'new',
  'iberia',
  'resisent',
  'lizzie',
  'taylor',
  'cnn',
  'home',
  'minute',
  'tornado',
  'place',
  'unit',
  'taylor',
  'landlord',
  'taylor',
  'family',
  'apartment',
  'year',
  'people',
  'damage',
  'tornado',
  'iberia',
  'medical',
  'center',
  'wednesday',
  'december',
  'new',
  'iberia',
  'louisiana',
  'leslie',
  'westbrook',
  'times',
  'picayune',
  'new',
  'orleans',
  'advocate',
  'ap',
  'restriction',
  'place',
  'southport',
  'subdivision',
  'city',
  'police',
  'wednesday',
  'citizen',
  'southport',
  'subdivision',
  'neighborhood',
  'department',
  'proof',
  'residency',
  'access',
  'curfew',
  'place',
  'area',
  'p.m.',
  'a.m.',
  'time',
  'time',
  'traffic',
  'resident',
  'work',
  'emergency',
  'police',
  'iberia',
  'medical',
  'center',
  'damage',
  'police',
  'capt',
  'leland',
  'laseter',
  'facebook',
  'cnn',
  'comment',
  'center',
  'shelter',
  'new',
  'iberia',
  'senior',
  'high',
  'school',
  'gym',
  'st.',
  'charles',
  'parish',
  'sheriff',
  'office',
  'wednesday',
  'report',
  'tornado',
  'killona',
  'damage',
  'home',
  'state',
  'emergency',
  'parish',
  'st.',
  'charles',
  'parish',
  'mile',
  'new',
  'orleans',
  'emergency',
  'operations',
  'center',
  'report',
  'damage',
  'killona',
  'area',
  'power',
  'line',
  'road',
  'facebook',
  'post',
  'st.',
  'charles',
  'parish',
  'resident',
  'area',
  'power',
  'line',
  'farmerville',
  'resident',
  'storm',
  'train',
  'people',
  'union',
  'parish',
  'town',
  'farmerville',
  'louisiana',
  'tornado',
  'tuesday',
  'night',
  'farmerville',
  'police',
  'detective',
  'cade',
  'nolan',
  'apartment',
  'complex',
  'home',
  'park',
  'farmerville',
  'area',
  'tree',
  'debris',
  'road',
  'field',
  'cnn',
  'crew',
  'wednesday',
  'resident',
  'cnn',
  'correspondent',
  'storm',
  'train',
  'home',
  'truck',
  'wednesday',
  'tornado',
  'farmerville',
  'louisiana',
  'people',
  'tornado',
  'tuesday',
  'night',
  'beth',
  'tabor',
  'storm',
  'weather',
  'farmerville',
  'cnn',
  'wednesday',
  'afternoon',
  'freight',
  'train',
  'tabor',
  'cnn',
  'derek',
  'van',
  'dam',
  'noise',
  'ordeal',
  'bathroom',
  'roommate',
  'baby',
  'second',
  'tabor',
  'lot',
  'creak',
  'noise',
  'tabor',
  'tabor',
  'home',
  'storm',
  'hallway',
  'sky',
  'bedroom',
  'window',
  'night',
  'act',
  'god',
  'people',
  'debris',
  'home',
  'park',
  'farmerville',
  'area',
  'union',
  'parish',
  'louisiana',
  'wednesday',
  'patsy',
  'andrews',
  'child',
  'tornado',
  'farmerville',
  'tuesday',
  'night',
  'cnn',
  'affiliate',
  'knoe',
  'tv',
  'prayer',
  'faith',
  'line',
  'rain',
  'wind',
  'train',
  'door',
  'wind',
  'son',
  'door',
  'wind',
  'door',
  'andrews',
  'light',
  'glass',
  'daughter',
  'floor',
  'way',
  'stuff',
  'window',
  'glass',
  'andrews',
  'damage',
  'debris',
  'apartment',
  'complex',
  'farmerville',
  'louisiana',
  'december',
  'place',
  'hall',
  'way',
  'glass',
  'water',
  'roof',
  'daughter',
  'bathroom',
  'door',
  'family',
  'bathtub',
  'tub',
  'jesus',
  'andrews',
  'family',
  'storm',
  'aftermath',
  'awe',
  'room',
  'house',
  'water',
  'material',
  'item',
  'neighbor',
  'car',
  'car',
  'wood',
  'street',
  'tank',
  'ground',
  'directvs',
  'ground',
  'storm',
  'storm',
  'damage',
  'farmville',
  'louisiana',
  'december',
  'tiyia',
  'stringfellow',
  'boyfriend',
  'child',
  'farmerville',
  'apartment',
  'tuesday',
  'tornado',
  'cnn',
  'kitchen',
  'closet',
  'boyfriend',
  'window',
  'tornado',
  'house',
  'roof',
  'cave',
  'house',
  'stringfellow',
  'tornado',
  'home',
  'business',
  'south',
  'tuesday',
  'storm',
  'region',
  'oklahoma',
  'dallas',
  'fort',
  'worth',
  'area',
  'mississippi',
  'louisiana',
  'tuesday',
  'wayne',
  'oklahoma',
  'ef2',
  'tornado',
  'home',
  'outbuilding',
  'barn',
  'tuesday',
  'official',
  'home',
  'roof',
  'tree',
  'twig',
  'video',
  'cnn',
  'affiliate',
  'koco',
  'texas',
  'people',
  'tuesday',
  'morning',
  'storm',
  'dallas',
  'fort',
  'worth',
  'area',
  'city',
  'grapevine',
  'tornado',
  'report',
  'grapevine',
  'police',
  'mall',
  'business',
  'storm',
  'damage',
  'decatur',
  'texas',
  'tuesday',
  'people',
  'tuesday',
  'texas',
  'wise',
  'county',
  'northwest',
  'fort',
  'worth',
  'county',
  'official',
  'wind',
  'vehicle',
  'vehicle',
  'debris',
  'official',
  'ef2',
  'tornado',
  'county',
  'community',
  'paradise',
  'decatur',
  'home',
  'business',
  'official',
  'weather',
  'home',
  'ruin',
  'tuesday',
  'texas',
  'city',
  'blue',
  'ridge',
  'mile',
  'downtown',
  'dallas',
  'video',
  'cnn',
  'affiliate',
  'wfaa',
  'cnn',
  'steve',
  'almasy',
  'derek',
  'van',
  'dam',
  'kevin',
  'conlon',
  'rob',
  'shackelford',
  'nouran',
  'salahieh',
  'michelle',
  'watson',
  'amanda',
  'jackson',
  'paradise',
  'afshar',
  'matt',
  'phillips',
  'jeremy',
  'grisham',
  'dave',
  'alsup',
  'report',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cnn',
  'account',
  'log',
  'cnn',
  ...],
 ['ad',
  'issue',
  'video',
  'player',
  'content',
  'ad',
  'video',
  'content',
  'ad',
  'audio',
  'ad',
  'ad',
  'page',
  'content',
  'ad',
  'ad',
  'ad',
  'effort',
  'contribution',
  'feedback',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'generation',
  'winter',
  'storm',
  'state',
  'christmas',
  'travel',
  'aya',
  'elamroussi',
  'jennifer',
  'gray',
  'cnn',
  'est',
  'thu',
  'december',
  'million',
  'bomb',
  'cyclone',
  'winter',
  'weather',
  'alert',
  'millions',
  'bomb',
  'cyclone',
  'winter',
  'weather',
  'alert',
  'concertgoers',
  'hail',
  'colorado',
  'body',
  'temperature',
  'flooding',
  'china',
  'couple',
  'car',
  'house',
  'cliff',
  'river',
  'foundation',
  'video',
  'tornado',
  'home',
  'debris',
  'video',
  'moment',
  'soldier',
  'heat',
  'video',
  'tornado',
  'texas',
  'barren',
  'land',
  'impact',
  'spain',
  'record',
  'heat',
  'windshield',
  'helicopter',
  'hail',
  'shelf',
  'cloud',
  'sky',
  'downtown',
  'chicago',
  'man',
  'street',
  'flooding',
  'man',
  'tornado',
  'van',
  'footage',
  'california',
  'weather',
  'crisis',
  'lake',
  'life',
  'unbelievable',
  'cnn',
  'reporter',
  'snowfall',
  'california',
  'graphic',
  'change',
  'temperature',
  'winter',
  'storm',
  'blast',
  'state',
  'national',
  'weather',
  'service',
  'generation',
  'type',
  'event',
  'travel',
  'day',
  'year',
  'storm',
  'foot',
  'snow',
  'blizzard',
  'condition',
  'midwest',
  'weather',
  'service',
  'life',
  'wind',
  'chill',
  'million',
  'people',
  'winter',
  'weather',
  'alert',
  'wind',
  'chill',
  'alert',
  'alert',
  'state',
  'texas',
  'mexico',
  'border',
  'number',
  'people',
  'winter',
  'alert',
  'wind',
  'chill',
  'alert',
  'people',
  'population',
  'national',
  'weather',
  'service',
  'cold',
  'christmas',
  'weekend',
  'christmas',
  'year',
  'portion',
  'plains',
  'midwest',
  'update',
  'winter',
  'storm',
  'thursday',
  'wednesday',
  'storm',
  'northern',
  'plains',
  'day',
  'snow',
  'rockies',
  'northern',
  'plains',
  'midwest',
  'road',
  'travel',
  'headache',
  'airport',
  'delay',
  'place',
  'minneapolis',
  'omaha',
  'rapid',
  'city',
  'system',
  'inch',
  'snow',
  'region',
  'north',
  'west',
  'twin',
  'cities',
  'weather',
  'service',
  'office',
  'twin',
  'cities',
  'snow',
  'region',
  'wind',
  'thursday',
  'denver',
  'high',
  'wednesday',
  'low',
  'thursday',
  'morning',
  'city',
  'day',
  'year',
  'weather',
  'service',
  'man',
  'snow',
  'sidewalk',
  'wednesday',
  'dec.',
  'minneapolis',
  'ap',
  'photo',
  'abbie',
  'parr',
  'plunge',
  'bomb',
  'cyclone',
  'temperature',
  'denver',
  'metro',
  'area',
  'couple',
  'hour',
  'sunrise',
  'temperature',
  'degree',
  'wind',
  'wind',
  'chill',
  'temperature',
  'tomorrow',
  'degree',
  'wind',
  'chill',
  'warning',
  'effect',
  'winter',
  'weather',
  'advisory',
  'inch',
  'snow',
  'travel',
  'afternoon',
  'thursday',
  'thursday',
  'thursday',
  'day',
  'travel',
  'storm',
  'midwest',
  'snow',
  'wind',
  'western',
  'minnesota',
  'blizzard',
  'condition',
  'wind',
  'chill',
  'thursday',
  'friday',
  'thermometer',
  'snow',
  'temperature',
  'temperature',
  'degree',
  'celsius',
  'fahrenheit',
  'winter',
  'weather',
  'celsius',
  'farenheit',
  'winter',
  'weather',
  'guide',
  'condition',
  'time',
  'travel',
  'weather',
  'service',
  'event',
  'life',
  'wind',
  'chill',
  'range',
  'chicago',
  'blizzard',
  'condition',
  'wind',
  'mph',
  'inch',
  'snow',
  'forecast',
  'concern',
  'development',
  'condition',
  'thursday',
  'afternoon',
  'impact',
  'evening',
  'peak',
  'travel',
  'window',
  'weather',
  'service',
  'office',
  'chicago',
  'snowfall',
  'wednesday',
  'glasgow',
  'montana',
  'wind',
  'power',
  'line',
  'midwest',
  'area',
  'snow',
  'week',
  'tree',
  'branch',
  'million',
  'way',
  'temperature',
  'snow',
  'jackson',
  'mississippi',
  'memphis',
  'nashville',
  'tennessee',
  'birmingham',
  'alabama',
  'thursday',
  'accumulation',
  'city',
  'nashville',
  'inch',
  'snow',
  'anticipation',
  'week',
  'travel',
  'nightmare',
  'united',
  'american',
  'delta',
  'southwest',
  'jet',
  'blue',
  'travel',
  'waiver',
  'dozen',
  'airport',
  'country',
  'south',
  'northeast',
  'addition',
  'snow',
  'roadway',
  'visibility',
  'air',
  'flight',
  'flight',
  'tracking',
  'site',
  'flightaware',
  'wednesday',
  'evening',
  'chicago',
  'o’hare',
  'international',
  'airport',
  'way',
  'denver',
  'international',
  'chicago',
  'midway',
  'international',
  'cancellation',
  'airport',
  'impact',
  'hub',
  'traveler',
  'plane',
  'order',
  'destination',
  'thursday',
  'day',
  'travel',
  'friday',
  'storm',
  'bomb',
  'cyclone',
  'thursday',
  'evening',
  'friday',
  'bomb',
  'cyclone',
  'storm',
  'millibar',
  'term',
  'pressure',
  'hour',
  'storm',
  'pressure',
  'equivalent',
  'category',
  'hurricane',
  'great',
  'lakes',
  'weather',
  'service',
  'strength',
  'low',
  'generation',
  'event',
  'chicago',
  'illinois',
  'december',
  'traveler',
  'flight',
  "o'hare",
  'international',
  'airport',
  'december',
  'chicago',
  'illinois',
  'airline',
  'travel',
  'holiday',
  'season',
  'level',
  'photo',
  'scott',
  'olson',
  'getty',
  'images',
  'scott',
  'olson',
  'getty',
  'images',
  'north',
  'america',
  'getty',
  'images',
  'airlines',
  'issue',
  'travel',
  'waiver',
  'winter',
  'bomb',
  'cyclone',
  'case',
  'snow',
  'total',
  'story',
  'snow',
  'wind',
  'gust',
  'temperature',
  'visibility',
  'spot',
  'road',
  'arrival',
  'condition',
  'danger',
  'weather',
  'service',
  'storm',
  'great',
  'lakes',
  'friday',
  'snow',
  'midwest',
  'portion',
  'michigan',
  'foot',
  'snow',
  'friday',
  'travel',
  'time',
  'blizzard',
  'warning',
  'effect',
  'dakotas',
  'montana',
  'minnesota',
  'iowa',
  'indiana',
  'michigan',
  'travel',
  'condition',
  'storm',
  'thursday',
  'friday',
  'city',
  'chicago',
  'kansas',
  'city',
  'st',
  'louis',
  'twin',
  'cities',
  'detroit',
  'winter',
  'storm',
  'warning',
  'snow',
  'blizzard',
  'condition',
  'rain',
  'i-95',
  'corridor',
  'travel',
  'trouble',
  'airport',
  'delay',
  'place',
  'snow',
  'wind',
  'mph',
  'midwest',
  'northeast',
  'friday',
  'night',
  'saturday',
  'morning',
  'new',
  'england',
  'shot',
  'snow',
  'condition',
  'traveler',
  'minneapolis',
  'st.',
  'paul',
  'airport',
  'wednesday',
  'december',
  'place',
  'snow',
  'cold',
  'area',
  'montana',
  'dakotas',
  'air',
  'beginning',
  'thursday',
  'morning',
  'temperature',
  'degree',
  'place',
  'combination',
  'temperature',
  'condition',
  'wind',
  'chill',
  'degree',
  'rapid',
  'city',
  'degree',
  'thursday',
  'morning',
  'friday',
  'morning',
  'chicago',
  'wind',
  'chill',
  'degree',
  'plunge',
  'week',
  'winter',
  'snow',
  'temperature',
  'wind',
  'chill',
  'frostbite',
  'skin',
  'minute',
  'weather',
  'service',
  'office',
  'bismarck',
  'south',
  'nashville',
  'atlanta',
  'wind',
  'chill',
  'saturday',
  'morning',
  'birmingham',
  'georgia',
  'gov.',
  'brian',
  'kemp',
  'wednesday',
  'state',
  'emergency',
  'temperature',
  'state',
  'digit',
  'wind',
  'chill',
  'midday',
  'friday',
  'greg',
  'behrens',
  'des',
  'moines',
  'iowa',
  'way',
  'snow',
  'sidewalk',
  'wednesday',
  'december',
  'des',
  'moines',
  'iowa',
  'declaration',
  'supply',
  'propane',
  'need',
  'governor',
  'reporter',
  'community',
  'state',
  'temperature',
  'decade',
  'kemp',
  'state',
  'road',
  'bridge',
  'anticipation',
  'inclement',
  'weather',
  'official',
  'resident',
  'travel',
  'kentucky',
  'gov.',
  'andy',
  'beshear',
  'state',
  'emergency',
  'wind',
  'gust',
  'mph',
  'friday',
  'degree',
  'wind',
  'chill',
  'saturday',
  'beshear',
  'resident',
  'road',
  'heat',
  'source',
  'jackson',
  'birmingham',
  'hour',
  'friday',
  'monday',
  'houston',
  'hour',
  'thursday',
  'saturday',
  'temperature',
  'christmas',
  'weekend',
  'week',
  'cnn',
  'ray',
  'sanchez',
  'dave',
  'hennen',
  'caroll',
  'alvarado',
  'michelle',
  'watson',
  'sharif',
  'paget',
  'devon',
  'sayers',
  'amanda',
  'musa',
  'leslie',
  'perrot',
  'pete',
  'muntean',
  'robert',
  'shackelford',
  'report',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cable',
  'news',
  'network',
  'warner',
  'bros.',
  'discovery',
  'company',
  'rights',
  'cnn',
  'sans',
  'cable',
  'news',
  'network'],
 ['owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'account',
  'dashboard',
  'profile',
  'item',
  'bond',
  'ia',
  'drang',
  'valley',
  'log',
  'account',
  'log',
  'account',
  'sign',
  'today',
  'account',
  'dashboard',
  'profile',
  'item',
  'saturday',
  'storm',
  'damage',
  'north',
  'alabama',
  'jan',
  'jan',
  'new',
  'year',
  'day',
  'storm',
  'building',
  'damage',
  'flooding',
  'danger',
  'power',
  'outage',
  'report',
  'photo',
  'video',
  'huntsville',
  'utilities',
  'total',
  'pole',
  'line',
  'line',
  'hazel',
  'green.7:40',
  'p.m.',
  'madison',
  'county',
  'sheriff',
  'office',
  'area',
  'charity',
  'lane',
  'nix',
  'road',
  'traffic',
  'time',
  'storm',
  'damage',
  'route',
  'area',
  'detail',
  'madison',
  'county',
  'sheriff',
  'office',
  'roof',
  'damage',
  'home',
  'charity',
  'lane',
  'walmart',
  'hibbett',
  'sporting',
  'goods',
  'verizon',
  'store',
  'damage',
  'power',
  'line',
  'pole',
  'area',
  'area',
  'sheffield',
  'utility',
  'crew',
  'damage',
  'today',
  'storm',
  'number',
  'customer',
  'power',
  'leighton',
  'area',
  'outage',
  'area',
  'pole',
  'shaw',
  'road',
  'patience',
  'crew',
  'power',
  'news',
  'tip',
  'question',
  'correction',
  'newsroom@waaytv.com',
  'nypd',
  'officer',
  'peer',
  'officer',
  'condition',
  'dream',
  'italy',
  'family',
  'nikola',
  'jokic',
  'nba',
  'history',
  'denver',
  'nuggets',
  'win',
  'memphis',
  'grizzlies',
  'alea',
  'crash',
  'dekalb',
  'county',
  'adph',
  'covid-19',
  'testing',
  'alabama',
  'k-12',
  'school',
  'student',
  'gun',
  'vehicle',
  'lauderdale',
  'county',
  'high',
  'school',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'copyright',
  'allen',
  'media',
  'broadcasting',
  'monte',
  'sano',
  'blvd',
  'huntsville',
  'al',
  'term',
  'use',
  'blox',
  'content',
  'management',
  'system',
  'blox',
  'digital'],
 ['permission',
  'article',
  'community',
  'cares',
  'regional',
  'events',
  'clockwise',
  'tornado',
  'south',
  'dakota',
  'jun',
  'jan',
  'south',
  'dakota',
  'lot',
  'tornado',
  'twister',
  'weekend',
  'national',
  'weather',
  'service',
  'tornado',
  'second',
  'june',
  'tree',
  'farmstead',
  'estelline',
  'mile',
  'sioux',
  'falls',
  '%',
  'tornado',
  'northern',
  'hemisphere',
  'direction',
  'national',
  'weather',
  'service',
  'weather',
  'service',
  'radar',
  'datum',
  'video',
  'determination',
  'south',
  'dakota',
  'storm',
  'becky',
  'bates',
  'video',
  'storm',
  'family',
  'bates',
  'cnn',
  'catch',
  'fun',
  'couple',
  'time',
  '”the',
  'tornado',
  'peak',
  'wind',
  'mph',
  'path',
  'tenth',
  'mile',
  'damage',
  'tree',
  'metal',
  'overhang',
  'shed',
  'cnn',
  'brandon',
  'miller',
  'report',
  'news',
  'headlines',
  'news',
  'winona',
  'state',
  'farewell',
  'university',
  'president',
  'la',
  'crosse',
  'soup',
  'event',
  'la',
  'crosse',
  'man',
  'vehicle',
  'consent',
  'court',
  'community',
  'member',
  'child',
  'playground',
  'surface',
  'temperature',
  'hot',
  'humid',
  'thursday',
  'storm',
  'thursday',
  'night',
  'july',
  'pm',
  'beneficial',
  'rainfall',
  'storm',
  'region',
  'night',
  'wednesday',
  'morning',
  'inch',
  'rain',
  'area',
  '60',
  'mild',
  'muggy',
  'valley',
  'fog',
  '70f.',
  'wind',
  'e',
  'mph',
  'times',
  'sun',
  'cloud',
  'high',
  '90',
  'low',
  '70',
  'winona',
  'state',
  'farewell',
  'university',
  'president',
  'la',
  'crosse',
  'soup',
  'event',
  'la',
  'crosse',
  'man',
  'vehicle',
  'consent',
  'court',
  'community',
  'member',
  'child',
  'playground',
  'surface',
  'temperature',
  'women',
  'fund',
  'greater',
  'la',
  'crosse',
  'award',
  'area',
  'organization',
  'community',
  'cares',
  'regional',
  'event',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  '',
  '',
  'info',
  'california',
  'privacy',
  'rights',
  'advertise',
  'fcc',
  'public',
  'files',
  'fcc',
  'applications',
  'switch',
  'account',
  'photo',
  'comment',
  'blog',
  'post',
  'email',
  'address',
  'account',
  'password',
  'email',
  'address',
  'account',
  'email',
  'detail',
  'password',
  'account',
  'log',
  'link',
  'form',
  'message',
  'email',
  'link',
  'password',
  'email',
  'message',
  'instruction',
  'password',
  'email',
  'address',
  'account',
  'log',
  'link',
  'switch',
  'account',
  'alabamaalaskaarizonaarkansascaliforniacoloradoconnecticutdelawarefloridageorgiahawaiiidahoillinoisindianaiowakansaskentuckylouisianamainemarylandmassachusettsmichiganminnesotamississippimissourimontananebraskanevadanew',
  'hampshirenew',
  'jerseynew',
  'mexiconew',
  'yorknorth',
  'carolinanorth',
  'dakotaohiooklahomaoregonpennsylvaniarhode',
  'islandsouth',
  'carolinasouth',
  'virginiawisconsinwyomingpuerto',
  'ricous',
  'virgin',
  'islandsarmed',
  'forces',
  'americasarmed',
  'forces',
  'pacificarmed',
  'forces',
  'europenorthern',
  'mariana',
  'islandsmarshall',
  'islandsamerican',
  'samoafederated',
  'states',
  'micronesiaguampalaualberta',
  'canadabritish',
  'columbia',
  'canadamanitoba',
  'canadanew',
  'brunswick',
  'canadanewfoundland',
  'canadanova',
  'scotia',
  'canadanorthwest',
  'territories',
  'canadanunavut',
  'canadaontario',
  'canadaprince',
  'edward',
  'island',
  'canadaquebec',
  'canadasaskatchewan',
  'canadayukon',
  'territory',
  'canada',
  'united',
  'states',
  'virgin',
  'islandsunited',
  'states',
  'minor',
  'outlying',
  'islandscanadamexico',
  'united',
  'mexican',
  'statesbahamas',
  'commonwealth',
  'thecuba',
  'republic',
  'ofdominican',
  'republichaiti',
  'republic',
  'ofjamaicaafghanistanalbania',
  'people',
  'socialist',
  'republic',
  'ofalgeria',
  'people',
  'democratic',
  'republic',
  'samoaandorra',
  'principality',
  'ofangola',
  'republic',
  'ofanguillaantarctica',
  'territory',
  'south',
  'deg',
  's)antigua',
  'barbudaargentina',
  'argentine',
  'republicarmeniaarubaaustralia',
  'commonwealth',
  'ofaustria',
  'republic',
  'ofazerbaijan',
  'republic',
  'ofbahrain',
  'kingdom',
  'ofbangladesh',
  'people',
  'republic',
  'ofbarbadosbelarusbelgium',
  'kingdom',
  'ofbelizebenin',
  'people',
  'republic',
  'ofbermudabhutan',
  'kingdom',
  'ofbolivia',
  'republic',
  'ofbosnia',
  'herzegovinabotswana',
  'republic',
  'ofbouvet',
  'island',
  'bouvetoya)brazil',
  'federative',
  'republic',
  'ofbritish',
  'indian',
  'ocean',
  'territory',
  'chagos',
  'virgin',
  'islandsbrunei',
  'darussalambulgaria',
  'people',
  'republic',
  'ofburkina',
  'fasoburundi',
  'republic',
  'ofcambodia',
  'kingdom',
  'ofcameroon',
  'united',
  'republic',
  'ofcape',
  'verde',
  'republic',
  'islandscentral',
  'african',
  'republicchad',
  'republic',
  'ofchile',
  'republic',
  'ofchina',
  'people',
  'republic',
  'ofchristmas',
  'islandcocos',
  'keeling',
  'islandscolombia',
  'republic',
  'ofcomoros',
  'union',
  'thecongo',
  'democratic',
  'republic',
  'ofcongo',
  'people',
  'republic',
  'ofcook',
  'islandscosta',
  'rica',
  'republic',
  'ofcote',
  "d'ivoire",
  'ivory',
  'coast',
  'republic',
  'thecyprus',
  'republic',
  'ofczech',
  'republicdenmark',
  'kingdom',
  'ofdjibouti',
  'republic',
  'ofdominica',
  'commonwealth',
  'ofecuador',
  'republic',
  'ofegypt',
  'arab',
  'republic',
  'ofel',
  'salvador',
  'republic',
  'ofequatorial',
  'guinea',
  'republic',
  'oferitreaestoniaethiopiafaeroe',
  'islandsfalkland',
  'islands',
  'malvinas)fiji',
  'republic',
  'fiji',
  'islandsfinland',
  'republic',
  'offrance',
  'republicfrench',
  'guianafrench',
  'polynesiafrench',
  'southern',
  'territoriesgabon',
  'gabonese',
  'republicgambia',
  'republic',
  'republic',
  'ofgibraltargreece',
  'hellenic',
  'republicgreenlandgrenadaguadaloupeguamguatemala',
  'republic',
  'ofguinea',
  'revolutionary',
  'people',
  "rep'c",
  'ofguinea',
  'bissau',
  'republic',
  'ofguyana',
  'republic',
  'ofheard',
  'mcdonald',
  'islandsholy',
  'vatican',
  'city',
  'state)honduras',
  'republic',
  'ofhong',
  'kong',
  'special',
  'administrative',
  'region',
  'chinahrvatska',
  'croatia)hungary',
  'people',
  'republiciceland',
  'republic',
  'ofindia',
  'republic',
  'ofindonesia',
  'republic',
  'ofiran',
  'islamic',
  'republic',
  'republic',
  'state',
  'italian',
  'republicjapanjordan',
  'hashemite',
  'kingdom',
  'ofkazakhstan',
  'republic',
  'ofkenya',
  'republic',
  'ofkiribati',
  'republic',
  'ofkorea',
  'democratic',
  'people',
  'republic',
  'ofkorea',
  'republic',
  'ofkuwait',
  'state',
  'ofkyrgyz',
  'republiclao',
  'people',
  'democratic',
  'republiclatvialebanon',
  'lebanese',
  'republiclesotho',
  'kingdom',
  'ofliberia',
  'republic',
  'arab',
  'jamahiriyaliechtenstein',
  'oflithuanialuxembourg',
  'grand',
  'duchy',
  'ofmacao',
  'special',
  'administrative',
  'region',
  'chinamacedonia',
  'yugoslav',
  'republic',
  'ofmadagascar',
  'republic',
  'ofmalawi',
  'republic',
  'ofmalaysiamaldives',
  'republic',
  'ofmali',
  'republic',
  'ofmalta',
  'republic',
  'ofmarshall',
  'islandsmartiniquemauritania',
  'islamic',
  'republic',
  'ofmauritiusmayottemicronesia',
  'federated',
  'states',
  'ofmoldova',
  'republic',
  'ofmonaco',
  'ofmongolia',
  'mongolian',
  'people',
  'republicmontserratmorocco',
  'kingdom',
  'ofmozambique',
  'people',
  'republic',
  'ofmyanmarnamibianauru',
  'republic',
  'ofnepal',
  'kingdom',
  'ofnetherlands',
  'antillesnetherlands',
  'kingdom',
  'thenew',
  'caledonianew',
  'zealandnicaragua',
  'republic',
  'ofniger',
  'republic',
  'thenigeria',
  'federal',
  'republic',
  'ofniue',
  'republic',
  'ofnorfolk',
  'islandnorthern',
  'mariana',
  'islandsnorway',
  'kingdom',
  'ofoman',
  'sultanate',
  'islamic',
  'republic',
  'ofpalaupalestinian',
  'territory',
  'occupiedpanama',
  'republic',
  'ofpapua',
  'new',
  'guineaparaguay',
  'republic',
  'ofperu',
  'republic',
  'ofphilippines',
  'republic',
  'thepitcairn',
  'islandpoland',
  'polish',
  'people',
  'republicportugal',
  'portuguese',
  'republicpuerto',
  'ricoqatar',
  'state',
  'socialist',
  'republic',
  'ofrussian',
  'federationrwanda',
  'rwandese',
  'republicsamoa',
  'independent',
  'state',
  'ofsan',
  'marino',
  'republic',
  'tome',
  'principe',
  'democratic',
  'republic',
  'ofsaudi',
  'arabia',
  'kingdom',
  'ofsenegal',
  'republic',
  'ofserbia',
  'montenegroseychelles',
  'republic',
  'ofsierra',
  'leone',
  'republic',
  'ofsingapore',
  'republic',
  'ofslovakia',
  'slovak',
  'republic)sloveniasolomon',
  'islandssomalia',
  'somali',
  'republicsouth',
  'africa',
  'republic',
  'ofsouth',
  'georgia',
  'south',
  'sandwich',
  'islandsspain',
  'spanish',
  'statesri',
  'lanka',
  'democratic',
  'socialist',
  'republic',
  'ofst',
  'helenast',
  'kitts',
  'nevisst',
  'luciast',
  'pierre',
  'miquelonst',
  'vincent',
  'grenadinessudan',
  'democratic',
  'republic',
  'thesuriname',
  'republic',
  'ofsvalbard',
  'jan',
  'mayen',
  'islandsswaziland',
  'kingdom',
  'ofsweden',
  'kingdom',
  'ofswitzerland',
  'swiss',
  'confederationsyrian',
  'arab',
  'republictaiwan',
  'province',
  'chinatajikistantanzania',
  'united',
  'republic',
  'ofthailand',
  'kingdom',
  'oftimor',
  'leste',
  'democratic',
  'republic',
  'oftogo',
  'togolese',
  'republictokelau',
  'tokelau',
  'islands)tonga',
  'kingdom',
  'oftrinidad',
  'tobago',
  'republic',
  'oftunisia',
  'republic',
  'ofturkey',
  'republic',
  'ofturkmenistanturks',
  'caicos',
  'islandstuvaluuganda',
  'republic',
  'arab',
  'emiratesunited',
  'kingdom',
  'great',
  'britain',
  'n.',
  'irelanduruguay',
  'eastern',
  'republic',
  'ofuzbekistanvanuatuvenezuela',
  'bolivarian',
  'republic',
  'ofviet',
  'nam',
  'socialist',
  'republic',
  'ofwallis',
  'futuna',
  'islandswestern',
  'saharayemenzambia',
  'republic',
  'state',
  'alabamaalaskaarizonaarkansascaliforniacoloradoconnecticutdelawarefloridageorgiahawaiiidahoillinoisindianaiowakansaskentuckylouisianamainemarylandmassachusettsmichiganminnesotamississippimissourimontananebraskanevadanew',
  'hampshirenew',
  'jerseynew',
  'mexiconew',
  'yorknorth',
  'carolinanorth',
  'dakotaohiooklahomaoregonpennsylvaniarhode',
  'islandsouth',
  'carolinasouth',
  'virginiawisconsinwyomingpuerto',
  'ricous',
  'virgin',
  'islandsarmed',
  'forces',
  'americasarmed',
  'forces',
  'pacificarmed',
  'forces',
  'europenorthern',
  'mariana',
  'islandsmarshall',
  'islandsamerican',
  'samoafederated',
  'states',
  'micronesiaguampalaualberta',
  'canadabritish',
  'columbia',
  'canadamanitoba',
  'canadanew',
  'brunswick',
  'canadanewfoundland',
  'canadanova',
  'scotia',
  'canadanorthwest',
  'territories',
  'canadanunavut',
  'canadaontario',
  'canadaprince',
  'edward',
  'island',
  'canadaquebec',
  'canadasaskatchewan',
  'canadayukon',
  'territory',
  'canada',
  'united',
  'states',
  'virgin',
  'islandsunited',
  'states',
  'minor',
  'outlying',
  'islandscanadamexico',
  'united',
  'mexican',
  'statesbahamas',
  'commonwealth',
  'thecuba',
  'republic',
  'ofdominican',
  'republichaiti',
  'republic',
  'ofjamaicaafghanistanalbania',
  'people',
  'socialist',
  'republic',
  'ofalgeria',
  'people',
  'democratic',
  'republic',
  'samoaandorra',
  'principality',
  'ofangola',
  'republic',
  'ofanguillaantarctica',
  'territory',
  'south',
  'deg',
  's)antigua',
  'barbudaargentina',
  'argentine',
  'republicarmeniaarubaaustralia',
  'commonwealth',
  'ofaustria',
  'republic',
  'ofazerbaijan',
  'republic',
  'ofbahrain',
  'kingdom',
  'ofbangladesh',
  'people',
  'republic',
  'ofbarbadosbelarusbelgium',
  'kingdom',
  'ofbelizebenin',
  'people',
  'republic',
  'ofbermudabhutan',
  'kingdom',
  'ofbolivia',
  'republic',
  'ofbosnia',
  'herzegovinabotswana',
  'republic',
  'ofbouvet',
  'island',
  'bouvetoya)brazil',
  'federative',
  'republic',
  'ofbritish',
  'indian',
  'ocean',
  'territory',
  'chagos',
  'virgin',
  'islandsbrunei',
  'darussalambulgaria',
  'people',
  'republic',
  'ofburkina',
  'fasoburundi',
  'republic',
  'ofcambodia',
  'kingdom',
  'ofcameroon',
  'united',
  'republic',
  'ofcape',
  'verde',
  'republic',
  'islandscentral',
  'african',
  'republicchad',
  'republic',
  'ofchile',
  'republic',
  'ofchina',
  'people',
  'republic',
  'ofchristmas',
  'islandcocos',
  'keeling',
  'islandscolombia',
  'republic',
  'ofcomoros',
  'union',
  'thecongo',
  'democratic',
  'republic',
  'ofcongo',
  'people',
  'republic',
  'ofcook',
  'islandscosta',
  'rica',
  'republic',
  'ofcote',
  "d'ivoire",
  'ivory',
  'coast',
  'republic',
  'thecyprus',
  'republic',
  'ofczech',
  'republicdenmark',
  'kingdom',
  'ofdjibouti',
  'republic',
  'ofdominica',
  'commonwealth',
  'ofecuador',
  'republic',
  'ofegypt',
  'arab',
  'republic',
  'ofel',
  'salvador',
  'republic',
  'ofequatorial',
  'guinea',
  'republic',
  'oferitreaestoniaethiopiafaeroe',
  'islandsfalkland',
  'islands',
  'malvinas)fiji',
  'republic',
  'fiji',
  'islandsfinland',
  'republic',
  'offrance',
  'republicfrench',
  'guianafrench',
  'polynesiafrench',
  'southern',
  'territoriesgabon',
  'gabonese',
  'republicgambia',
  'republic',
  'republic',
  'ofgibraltargreece',
  'hellenic',
  'republicgreenlandgrenadaguadaloupeguamguatemala',
  'republic',
  'ofguinea',
  'revolutionary',
  'people',
  "rep'c",
  'ofguinea',
  'bissau',
  'republic',
  'ofguyana',
  'republic',
  'ofheard',
  'mcdonald',
  'islandsholy',
  'vatican',
  'city',
  'state)honduras',
  'republic',
  'ofhong',
  'kong',
  'special',
  'administrative',
  'region',
  'chinahrvatska',
  'croatia)hungary',
  'people',
  'republiciceland',
  'republic',
  'ofindia',
  'republic',
  'ofindonesia',
  'republic',
  'ofiran',
  'islamic',
  'republic',
  'republic',
  'state',
  'italian',
  'republicjapanjordan',
  'hashemite',
  'kingdom',
  'ofkazakhstan',
  'republic',
  'ofkenya',
  'republic',
  'ofkiribati',
  'republic',
  'ofkorea',
  'democratic',
  'people',
  'republic',
  'ofkorea',
  'republic',
  'ofkuwait',
  'state',
  'ofkyrgyz',
  'republiclao',
  'people',
  'democratic',
  'republiclatvialebanon',
  'lebanese',
  'republiclesotho',
  'kingdom',
  'ofliberia',
  'republic',
  'arab',
  'jamahiriyaliechtenstein',
  'oflithuanialuxembourg',
  'grand',
  'duchy',
  'ofmacao',
  'special',
  'administrative',
  'region',
  'chinamacedonia',
  'yugoslav',
  'republic',
  'ofmadagascar',
  'republic',
  'ofmalawi',
  'republic',
  'ofmalaysiamaldives',
  'republic',
  'ofmali',
  'republic',
  'ofmalta',
  'republic',
  'ofmarshall',
  'islandsmartiniquemauritania',
  'islamic',
  'republic',
  'ofmauritiusmayottemicronesia',
  'federated',
  'states',
  'ofmoldova',
  'republic',
  'ofmonaco',
  'ofmongolia',
  'mongolian',
  'people',
  'republicmontserratmorocco',
  'kingdom',
  'ofmozambique',
  'people',
  'republic',
  'ofmyanmarnamibianauru',
  ...],
 ['newsletter',
  'love',
  'delaware',
  'story',
  'email',
  'error',
  'alabama',
  'alaska',
  'arizona',
  'arkansas',
  'northern',
  'california',
  'southern',
  'california',
  'colorado',
  'connecticut',
  'delaware',
  'florida',
  'georgia',
  'hawaii',
  'idaho',
  'illinois',
  'indiana',
  'iowa',
  'kansas',
  'kentucky',
  'louisiana',
  'maine',
  'maryland',
  'massachusetts',
  'michigan',
  'minnesota',
  'mississippi',
  'missouri',
  'montana',
  'nebraska',
  'nevada',
  'new',
  'hampshire',
  'new',
  'jersey',
  'new',
  'mexico',
  'new',
  'york',
  'north',
  'carolina',
  'north',
  'dakota',
  'ohio',
  'oklahoma',
  'oregon',
  'pennsylvania',
  'rhode',
  'island',
  'south',
  'carolina',
  'south',
  'dakota',
  'tennessee',
  'texas',
  'utah',
  'vermont',
  'virginia',
  'washington',
  'west',
  'virginia',
  'wisconsin',
  'wyoming',
  'albuquerque',
  'arlington',
  'atlanta',
  'austin',
  'baltimore',
  'boise',
  'boston',
  'buffalo',
  'charlotte',
  'chicago',
  'cincinnati',
  'cleveland',
  'columbus',
  'd.c.',
  'dallas',
  'fort',
  'worth',
  'denver',
  'des',
  'moines',
  'detroit',
  'galveston',
  'gulf',
  'shores',
  'honolulu',
  'houston',
  'indianapolis',
  'jacksonville',
  'kansas',
  'city',
  'louisville',
  'los',
  'angeles',
  'memphis',
  'miami',
  'milwaukee',
  'minneapolis',
  'nashville',
  'new',
  'orleans',
  'orlando',
  'philadelphia',
  'phoenix',
  'pittsburgh',
  'portland',
  'salt',
  'lake',
  'city',
  'san',
  'antonio',
  'san',
  'diego',
  'san',
  'francisco',
  'seattle',
  'st.',
  'louis',
  'tampa',
  'newsletter',
  'newsletter',
  'error',
  'delaware',
  'nature',
  'june',
  'kim',
  'magaraci',
  'terrifying',
  'storm',
  'struck',
  'delaware',
  'march',
  'delaware',
  'snow',
  'rain',
  'day',
  'temperature',
  '50',
  '30',
  'inch',
  'rain',
  'snow',
  'month',
  'blizzard',
  'nor’easter',
  'trouble',
  'afternoon',
  'commuter',
  'march',
  'march',
  'march',
  'fact',
  'weather',
  'report',
  'week',
  'march',
  'chance',
  'rain',
  'monday',
  'tuesday',
  'monday',
  'night',
  'meteorologist',
  'nor’easter',
  'snow',
  'gust',
  'daybreak',
  'tuesday',
  'wind',
  'tide',
  'storm',
  'storm',
  'friday',
  'storm',
  'storm',
  'ash',
  'wednesday',
  'storm',
  'storm',
  'delaware',
  'life',
  'delaware',
  'million',
  'dollar',
  'property',
  'damage',
  'look',
  'picture',
  'delaware',
  'archives',
  'destruction',
  'storm',
  'state',
  'delaware',
  'public',
  'archives',
  'beachfront',
  'home',
  'storm',
  'mile',
  'delaware',
  'public',
  'archives',
  'pickering',
  'slaughter',
  'beach',
  'ocean',
  'water',
  'storm',
  'delaware',
  'public',
  'archives',
  'milton',
  'height',
  'storm',
  'delaware',
  'public',
  'archives',
  'indian',
  'river',
  'inlet',
  'area',
  'spring',
  'tide',
  'house',
  'seawater',
  'delaware',
  'public',
  'archives',
  'rehoboth',
  'beach',
  'store',
  'boardwalk',
  'floodwater',
  'delaware',
  'department',
  'transportation',
  'sussex',
  'county',
  'beach',
  'delaware',
  'public',
  'archives',
  'tower',
  'thing',
  'dewey',
  'beach',
  'henlopen',
  'hotel',
  'rehoboth',
  'tide',
  'storm',
  'delaware',
  'department',
  'transportation',
  'bethany',
  'beach',
  'boardwalk',
  'water',
  'sand',
  'storm',
  'storm',
  'exception',
  'rule',
  'delaware',
  'storm',
  'aftermath',
  'story',
  'comment',
  'onlyinyourstate',
  'compensation',
  'affiliate',
  'link',
  'article',
  'newsletter',
  'love',
  'delaware',
  'story',
  'email',
  'error',
  'share',
  'share',
  'facebook',
  'pin',
  'pinterest',
  'kim',
  'magaraci',
  'rutgers',
  'university',
  'degree',
  'geography',
  'year',
  'freelance',
  'travel',
  'writer',
  'contact',
  'newsletter',
  'gem',
  'destination',
  'inbox',
  'error',
  'delaware',
  'foods',
  'drink',
  'kim',
  'magaraci',
  'food',
  'trucks',
  'stroll',
  'summer',
  'night',
  'hagley',
  'delaware',
  'meghan',
  'byers',
  'massive',
  'fabric',
  'warehouse',
  'delaware',
  'dream',
  'kim',
  'magaraci',
  'dig',
  'treat',
  'food',
  'trucks',
  'summer',
  'concert',
  'series',
  'delaware',
  'meghan',
  'byers',
  'horrific',
  'winter',
  'storm',
  'delaware',
  'history',
  'kim',
  'magaraci',
  'breathtaking',
  'bridge',
  'delaware',
  'indian',
  'river',
  'inlet',
  'bridge',
  'history',
  'kim',
  'magaraci',
  'disaster',
  'delaware',
  'kim',
  'magaraci',
  'year',
  'delaware',
  'snowfall',
  'kim',
  'magaraci',
  'contact',
  'travel',
  'insights',
  'terms',
  'use',
  'accessibility',
  'copyright',
  'policy',
  'privacy',
  'notice',
  'cookie',
  'notice',
  'california',
  'notice',
  'collection',
  'manage',
  'preferences'],
 ['bbc',
  'homepageskip',
  'helpyour',
  'accounthomenewssportreelworklifetravelfuturemore',
  'menumore',
  'bbchomenewssportreelworklifetravelfutureculturemusictvweathersoundsclose',
  'newsmenuhomewar',
  'ukraineclimatevideoworldus',
  'canadaukbusinesstechsciencemoreentertainment',
  'artshealthin',
  'picturesbbc',
  'verifyworld',
  'news',
  'tvnewsbeatus',
  'canadacalifornia',
  'flood',
  'wind',
  'rainpublished22',
  'marchshareclose',
  'panelshare',
  'video',
  'video',
  'javascript',
  'browser',
  'medium',
  'caption',
  'apocalyptic',
  'wind',
  'san',
  'francisco',
  'bay',
  'areaby',
  'madeline',
  'halpert',
  'brandon',
  'drenonbbc',
  'news',
  'new',
  'yorkat',
  'people',
  'california',
  'storm',
  'force',
  'wind',
  'rain',
  'flooding',
  'million',
  'people',
  'flood',
  'watch',
  'river',
  'season',
  'state',
  'customer',
  'power',
  'poweroutage.us',
  'california',
  'weather',
  'wednesday',
  'forecast',
  'storm',
  'tuesday',
  'pacific',
  'coast',
  'highway',
  'flooding',
  'rainfall',
  'level',
  'san',
  'francisco',
  'bay',
  'area',
  'national',
  'weather',
  'service',
  'cm',
  'rain',
  'region',
  'wall',
  'interstate',
  'tuesday',
  'pressure',
  'rain',
  'san',
  'francisco',
  'chronicle',
  'chunk',
  'concrete',
  'rain',
  'hill',
  'traffic',
  'delay',
  'damage',
  'week',
  'month',
  'official',
  'bay',
  'area',
  'man',
  'sewer',
  'truck',
  'wind',
  'tree',
  'vehicle',
  'cbs',
  'affiliate',
  'train',
  'passenger',
  'bay',
  'area',
  'tree',
  'flood',
  'advisory',
  'effect',
  'san',
  'francisco',
  'thursday',
  'image',
  'source',
  'reutersimage',
  'caption',
  'house',
  'san',
  'joaquin',
  'river',
  'water',
  'california',
  'town',
  'alpaugh',
  'allensworth',
  'state',
  'tulare',
  'county',
  'image',
  'source',
  'getty',
  'imagesimage',
  'caption',
  'farmland',
  'tule',
  'river',
  'californiawhile',
  'resident',
  'foot',
  'water',
  'home',
  'aftermath',
  'storm',
  'ferocity',
  'wind',
  'rain',
  'snowfall',
  'storm',
  'temperature',
  'winter',
  'weather',
  'advisory',
  'place',
  'nevada',
  'nebraska',
  'snow',
  'prediction',
  'winter',
  'storm',
  'warning',
  'effect',
  'nevada',
  'north',
  'western',
  'arizona',
  'utah',
  'national',
  'weather',
  'service',
  'flag',
  'warning',
  'texas',
  'oklahoma',
  'kansas',
  'colorado',
  'new',
  'mexico',
  'wind',
  'gust',
  'mph',
  'h).image',
  'source',
  'reutersimage',
  'caption',
  'woman',
  'dog',
  'wade',
  'san',
  'joaquin',
  'river',
  'floodedthe',
  'california',
  'rain',
  'year',
  'drought',
  'trillion',
  'gallon',
  'rainwater',
  'state',
  'storm',
  'december',
  'river',
  'southwest',
  'rocky',
  'mountains',
  'wednesday',
  'evening',
  'image',
  'source',
  'reutersimage',
  'caption',
  'resident',
  'way',
  'floodwater',
  'evacuation',
  'san',
  'joaquin',
  'valley',
  'river',
  'water',
  'air',
  'wind',
  'current',
  'sky',
  'river',
  'land',
  'rain',
  'snowfall',
  'image',
  'source',
  'getty',
  'imagesimage',
  'caption',
  'road',
  'central',
  'valley',
  'california',
  'farmland',
  'tuesdayimage',
  'source',
  'getty',
  'imagesthe',
  'flooding',
  'season',
  'california',
  'restriction',
  'water',
  'use',
  'rainfall',
  'state',
  'drought',
  'expert',
  'condition',
  'year',
  'factor',
  'flooding',
  'warming',
  'atmosphere',
  'climate',
  'change',
  'rainfall',
  'image',
  'source',
  'getty',
  'imagesimage',
  'caption',
  'allensworth',
  'california',
  'rain',
  'statescaliforniamore',
  'storyno',
  'respite',
  'california',
  'storm',
  'loomspublished13',
  'marchcalifornians',
  'break',
  'drought',
  'marchwhy',
  'california',
  'storm',
  'droughtpublished10',
  'januarytop',
  'storiesniger',
  'soldier',
  'coup',
  'tvpublished1',
  'hour',
  'singer',
  'sinãad',
  "o'connor",
  'hour',
  'agohow',
  'ukraine',
  'offensive',
  'south',
  'hour',
  'agofeaturessinãad',
  "o'connor",
  'obituary',
  'talent',
  'comparehow',
  'sinãad',
  "o'connor",
  'uhow',
  'ukraine',
  'offensive',
  'south',
  'stutteredn',
  'koreaâ\x80\x99s',
  'prisoner',
  'war',
  'plot',
  'flame',
  'buddha',
  'china',
  'videowatch',
  'flame',
  'buddha',
  'chinathe',
  'claim',
  'india',
  'violenceputin',
  'leader',
  'star',
  'role?can',
  'india',
  'chip',
  'powerhouse?world',
  'city',
  'bbcthe',
  'way',
  'homeswhy',
  'brand',
  'mediathe',
  'film',
  'usmost',
  'read1irish',
  'singer',
  'sinãad',
  "o'connor",
  'family',
  "grid'3how",
  'ukraine',
  'offensive',
  'south',
  'stuttered4niger',
  'soldier',
  'coup',
  'national',
  'tv5alien',
  'congress',
  'biden',
  'plea',
  'deal',
  'apart7mastercard',
  'bank',
  'debit',
  'weed8sinãad',
  "o'connor",
  'obituary',
  'talent',
  'koreaâ\x80\x99s',
  'prisoner',
  'war',
  'plot',
  'toy',
  'maker',
  'movie',
  'sale',
  'news',
  'mobileon',
  'news',
  'alertscontact',
  'bbc',
  'newshomenewssportreelworklifetravelfutureculturemusictvweathersoundsterms',
  'useabout',
  'bbcprivacy',
  'policycookiesaccessibility',
  'helpparental',
  'guidancecontact',
  'bbcget',
  'newsletterswhy',
  'bbcadvertise',
  'usâ',
  'bbc',
  'bbc',
  'content',
  'site',
  'approach',
  'linking'],
 ['organization',
  'quality',
  'life',
  'army',
  'z',
  'secretary',
  'secretary',
  'chief',
  'staff',
  'vice',
  'chief',
  'staff',
  'sergeant',
  'major',
  'army',
  'search',
  'news',
  'photo',
  'video',
  'army.mil',
  'capt',
  'william',
  'carrawayjanuary',
  'soldier',
  'macon',
  '3rd',
  'brigade',
  '30th',
  'infantry',
  'division',
  'georgia',
  'army',
  'national',
  'guard',
  'truck',
  'food',
  'supply',
  'atlanta',
  'helicopter',
  '151st',
  'aviation',
  'battalion',
  'pound',
  'food',
  'w',
  'photo',
  'credit',
  'u.s.',
  'army',
  'atlanta',
  'temperature',
  'east',
  'coast',
  'memory',
  'snowfall',
  'accumulation',
  'north',
  'georgia',
  'december',
  'winter',
  'weather',
  'mind',
  'georgia',
  'guardsmen',
  'possibility',
  'response',
  'mission',
  'week',
  'order',
  'unit',
  'state',
  'citizen',
  'georgia',
  'emergency',
  'article',
  'georgia',
  'guard',
  'emergency',
  'response',
  'winter',
  'storms',
  'ice',
  'storm',
  'paralyzes',
  'north',
  'georgia',
  'day',
  'january',
  'sleet',
  'rain',
  'north',
  'georgia',
  'saturday',
  'january',
  'inch',
  'ice',
  'road',
  'power',
  'line',
  'traffic',
  'standstill',
  'power',
  'people',
  'response',
  'georgia',
  'air',
  'national',
  'guard',
  'c-124',
  'globemasters',
  '165th',
  'military',
  'airlift',
  'group',
  'truck',
  'trailer',
  'generator',
  'dobbins',
  'air',
  'force',
  'reserve',
  'base',
  'marietta',
  'emergency',
  'power',
  'generator',
  'saint',
  'simon',
  'island',
  '224th',
  'mobile',
  'communications',
  'squadron',
  'tactical',
  'control',
  'squadron',
  'kennesaw',
  'power',
  'plant',
  'effort',
  'georgia',
  'guard',
  'state',
  'civil',
  'defense',
  'generator',
  'power',
  'location',
  'atlanta',
  'area',
  'record',
  'snowfall',
  'blankets',
  'central',
  'georgia',
  'week',
  'georgia',
  'weather',
  'time',
  'form',
  'record',
  'snowfall',
  'georgia',
  'storm',
  'snowfall',
  'friday',
  'february',
  'inch',
  'snow',
  'macon',
  'area',
  'captain',
  'paul',
  'jossey',
  'commander',
  'headquarters',
  'detachment',
  '176th',
  'military',
  'police',
  'battalion',
  'forsyth',
  'storm',
  'impact',
  'entrance',
  'home',
  'saturday',
  'morning',
  'knee',
  'snow',
  'way',
  'state',
  'patrol',
  'station',
  'overpass',
  'snow',
  'car',
  'mile',
  'captain',
  'jossey',
  'portion',
  'traffic',
  'problem',
  'morning',
  'traffic',
  'jam',
  'mile',
  'mile',
  'stretch',
  'interstate',
  'guard',
  'responds',
  'morning',
  'hour',
  'february',
  'adjutant',
  'general',
  'georgia',
  'maj',
  '.',
  'gen.',
  'joel',
  'b.',
  'paris',
  'transportation',
  'governor',
  'jimmy',
  'carter',
  'storm',
  'impact',
  'enormity',
  'snow',
  'accumulation',
  'carter',
  'highway',
  'paris',
  'georgia',
  'guard',
  'unit',
  'authority',
  'time',
  'order',
  'guardsmen',
  'perry',
  'company',
  'b',
  '1st',
  'battalion',
  '121st',
  'infantry',
  'regiment',
  'm-113',
  'personnel',
  'carrier',
  'ton',
  'truck',
  'interstate',
  'motorist',
  'm-113s',
  'vehicle',
  'perry',
  'fire',
  'department',
  'infantry',
  'apc',
  'fire',
  'vehicle',
  'city',
  'garage',
  'repair',
  'georgia',
  'army',
  'national',
  'guard',
  'engineer',
  'snow',
  'removal',
  'operation',
  'columbus',
  'home',
  'engineer',
  'battalion',
  'milledgeville',
  'infantryman',
  '121st',
  'infantry',
  'regiment',
  'service',
  'company',
  'hour',
  'saturday',
  'morning',
  'sunday',
  'evening',
  'mission',
  'company',
  'transport',
  'patient',
  'doctor',
  'nurse',
  'hospital',
  'vehicle',
  'dispatch',
  'road',
  'mile',
  'citizen',
  'evening',
  'february',
  'citizen',
  'guard',
  'armory',
  'food',
  'supply',
  'georgia',
  'national',
  'guard',
  'partnership',
  'atlanta',
  'office',
  'u.s.',
  'department',
  'agriculture',
  'ton',
  'food',
  'area',
  'storm',
  'impact',
  'truck',
  'guardsmen',
  '277th',
  'maintenance',
  'company',
  '122nd',
  'support',
  'center',
  'food',
  'supply',
  'fulton',
  'county',
  'airport',
  'aviator',
  'winder',
  'atlanta',
  '151st',
  'aviation',
  'battalion',
  'food',
  'macon',
  'forsyth',
  'legacy',
  'hour',
  'winter',
  'storm',
  'response',
  'georgia',
  'guardsmen',
  'mission',
  'request',
  'georgia',
  'citizen',
  'shelter',
  'hospital',
  'mrs.',
  'anne',
  'kruger',
  'cochran',
  'citizen',
  'letter',
  'maj',
  '.',
  'gen.',
  'paris',
  'kruger',
  'circumstance',
  'rescue',
  'transfer',
  'truck',
  'road',
  'hill',
  'hour',
  'heat',
  'food',
  'gas',
  'car',
  'heat',
  'light',
  'interstate',
  'police',
  'caravan',
  'national',
  'guard',
  'truck',
  'national',
  'guard',
  'armory',
  'forsyth',
  'military',
  'police',
  'battalion',
  'coffee',
  'food',
  'blanket',
  'child',
  'national',
  'guardsmen',
  'emergency',
  'kindness',
  'link',
  'national',
  'guard',
  'national',
  'guard',
  'twitter',
  'army.mil',
  'national',
  'guard',
  'news',
  'national',
  'guard',
  'facebook',
  'april',
  '2021army',
  'investigation',
  'june',
  '1st',
  'd.c.',
  'national',
  'guard',
  'helicopter',
  'usage',
  'resource',
  'oversight',
  'shortcoming',
  'march',
  'army',
  'soldiers',
  'fema',
  'northcom',
  'covid-19',
  'vaccination',
  'mission',
  'august',
  'army',
  '3rd',
  'infantry',
  'division',
  'deployment',
  'army',
  'stand',
  'national',
  'military',
  'appreciation',
  'month',
  'home',
  'contact',
  'privacy',
  'terms',
  'use',
  'accessibility',
  'foia',
  'fear',
  'act'],
 ['associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'strong',
  'pennsylvania',
  'storm',
  'business',
  'car',
  'wilkes',
  'barre',
  'pa.',
  'ap',
  'storm',
  'pennsylvania',
  'business',
  'shopping',
  'plaza',
  'car',
  'tree',
  'power',
  'line',
  'storm',
  'wilkes',
  'barre',
  'township',
  'shopping',
  'plaza',
  'wednesday',
  'night',
  'area',
  'tornado',
  'warning',
  'time',
  'township',
  'police',
  'facebook',
  'page',
  'report',
  'building',
  'driver',
  'area',
  'emergency',
  'personnel',
  'access',
  'shopping',
  'plaza',
  'photo',
  'medium',
  'storefront',
  'damage',
  'business',
  'panera',
  'bread',
  'restaurant',
  'barnes',
  'noble',
  'bookstore',
  'debris',
  'parking',
  'lot',
  'street',
  'sidewalk',
  'sentencing',
  'arizona',
  'mother',
  'murder',
  'child',
  'abuse',
  'starvation',
  'son',
  'bluffing',
  'putin',
  'deployment',
  'weapon',
  'belarus',
  'saber',
  'england',
  'home',
  'crowd',
  'women',
  'world',
  'cup',
  'australia',
  'injury',
  'bruno',
  'isles',
  'panera',
  'employee',
  'wilkes',
  'barre',
  'times',
  'leader',
  'dish',
  'restaurant',
  'time',
  'manager',
  'door',
  'table',
  'chair',
  'window',
  'scrape',
  'arm',
  'people',
  'restaurant',
  'safety',
  'u.s.',
  'sen.',
  'bob',
  'casey',
  'pennsylvania',
  'twitter',
  'people',
  'path',
  'storm',
  'warning',
  'direction',
  'official',
  '”the',
  'national',
  'weather',
  'service',
  'wilkes',
  'barre',
  'township',
  'thursday',
  'damage',
  'tornado',
  'associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights'],
 ['main',
  'content',
  'sensor',
  'network',
  'maps',
  'radar',
  'severe',
  'weather',
  'news',
  'blogs',
  'mobile',
  'apps',
  'nearest',
  'station',
  'manage',
  'favorite',
  'citieslog',
  'joinsettingsaccount_box',
  'log',
  'person_add',
  'join',
  'setting',
  'settings',
  'sensor',
  'networkmaps',
  'radarsevere',
  'weathernews',
  'blogsmobile',
  'appshistorical',
  'weatherstarnews',
  'blogs',
  'category',
  'news',
  'stories',
  'infographics',
  'posters',
  'news',
  'stories',
  'category',
  'storiesinfographicsposterspublished',
  'weather',
  'company',
  'mission',
  'weather',
  'news',
  'environment',
  'importance',
  'science',
  'life',
  'story',
  'position',
  'parent',
  'company',
  'ibm.recent',
  'storiesweather',
  'articlesour',
  'appsabout',
  'uscontactcareerspws',
  'networkwundermapfeedback',
  'supportterms',
  'useprivacy',
  'policyaccessibility',
  'statementadchoicesdata',
  'vendorswe',
  'responsibility',
  'datum',
  'technology',
  'datum',
  'data',
  'vendor',
  'control',
  'datum',
  'datum',
  'rightspowered',
  'ibm',
  'cloud',
  'copyright',
  'twc',
  'product',
  'technology',
  'llc',
  'javascript',
  'application'],
 ['weather',
  'datum',
  'durango',
  'herald',
  'weatherkit.org',
  '%',
  'chance',
  'precipitation',
  '%',
  'chance',
  'precipitation',
  '%',
  'chance',
  'precipitation',
  '%',
  'chance',
  'precipitation',
  'cloudy',
  '%',
  'chance',
  'precipitation',
  'cloudy',
  '%',
  'chance',
  'precipitation',
  'new',
  'mexico',
  'sports',
  'outdoors',
  'business',
  'real',
  'estate',
  'arts',
  'entertainment',
  'columns',
  'videos',
  'galleries',
  'subscribe',
  'obituaries',
  'calendar',
  '4cornersjobs',
  'corners',
  'flavor',
  'local',
  'representatives',
  'real',
  'estate',
  'classifieds',
  'eeditions',
  'public',
  'notices',
  'wave',
  'storm',
  'southwest',
  'colorado',
  'megan',
  'k.',
  'olsen',
  'herald',
  'staff',
  'writer',
  'saturday',
  'jan',
  'saturday',
  'jan.',
  'pm',
  'pressure',
  'system',
  'california',
  'oregon',
  'snow',
  'region',
  'city',
  'crew',
  'snow',
  'thursday',
  'arroyo',
  'drive',
  'west',
  'durango',
  'street',
  'problem',
  'street',
  'ice',
  'water',
  'drainage',
  'snow',
  'preparation',
  'storm',
  'city',
  'dump',
  'truck',
  'load',
  'snow',
  'lane',
  'mile',
  'road',
  'city',
  'durango',
  'jerry',
  'mcbride',
  'durango',
  'herald',
  'city',
  'crew',
  'snow',
  'thursday',
  'arroyo',
  'drive',
  'west',
  'durango',
  'street',
  'problem',
  'street',
  'ice',
  'water',
  'drainage',
  'snow',
  'preparation',
  'storm',
  'city',
  'dump',
  'truck',
  'load',
  'snow',
  'lane',
  'mile',
  'road',
  'city',
  'durango',
  'jerry',
  'mcbride',
  'durango',
  'herald',
  'parade',
  'pressure',
  'system',
  'way',
  'southwest',
  'colorado',
  'blast',
  'moisture',
  'saturday',
  'evening',
  'sunday',
  'night',
  'system',
  'west',
  'coast',
  'national',
  'weather',
  'service',
  'meteorologist',
  'kris',
  'sanders',
  'oregon',
  'california',
  'mountain',
  'wave',
  'precipitation',
  'snow',
  'u.s.',
  'highway',
  'corridor',
  'uptick',
  'valley',
  'snowfall',
  'sunday',
  'sunday',
  'night',
  'sanders',
  'valley',
  'area',
  'southwest',
  'colorado',
  'day',
  'sunday',
  'road',
  'condition',
  'morning',
  'thing',
  'day',
  'sunday',
  'night',
  'mountain',
  'area',
  'foot',
  'inch',
  'snow',
  'peak',
  'inch',
  'area',
  'foot',
  'inch',
  'durango',
  'pagosa',
  'ignacio',
  'sanders',
  'cortez',
  'inch',
  'storm',
  'way',
  'parade',
  'system',
  'break',
  'monday',
  'monday',
  'night',
  'pressure',
  'system',
  'precipitation',
  'mountain',
  'valley',
  'area',
  'parade',
  'pressure',
  'system',
  'snowfall',
  'southwest',
  'colorado',
  'saturday',
  'evening',
  'jerry',
  'mcbride',
  'durango',
  'herald',
  'parade',
  'pressure',
  'system',
  'snowfall',
  'southwest',
  'colorado',
  'saturday',
  'evening',
  'jerry',
  'mcbride',
  'durango',
  'herald',
  'sanders',
  'pressure',
  'system',
  'atmospheric',
  'river',
  'california',
  'flooding',
  'state',
  'system',
  'river',
  'sanders',
  'river',
  'intensity',
  'east',
  'ar',
  'remnant',
  'ar',
  '4s',
  'california',
  'glacier',
  'club',
  'metro',
  'district',
  'agreement',
  'la',
  'plata',
  'county',
  'debt',
  'jul',
  'manna',
  'resource',
  'center',
  'hand',
  'hand',
  'jul',
  'infamous',
  'corners',
  'manhunt',
  'screen',
  'jul',
  'glacier',
  'club',
  'metro',
  'district',
  'agreement',
  'la',
  'plata',
  'county',
  'debtmanna',
  'resource',
  'center',
  'hand',
  'hand',
  'corners',
  'manhunt',
  'screen',
  'event',
  'corners',
  'expos',
  'browse',
  'local',
  'jobs',
  'careers',
  'report',
  'paper',
  'delivery',
  'issue',
  'delivery',
  'advertise',
  'staff',
  'contact',
  'sign',
  'email',
  'newsletter',
  'news',
  'inbox',
  'print',
  'subscription',
  'package',
  'herald'],
 ['washington',
  'state',
  'department',
  'commerce',
  'business',
  'spokane',
  'city',
  'council',
  'appointment',
  'lynden',
  'smithson',
  'city',
  'attorney',
  'cool',
  'tonight',
  'temperature',
  'weekend',
  'gov.',
  'inslee',
  'emergency',
  'proclamation',
  'douglas',
  'grant',
  'county',
  'idaho',
  'house',
  'friday',
  'windstorm',
  'north',
  'idaho',
  'resident',
  'tree',
  'coeur',
  "d'alene",
  'city',
  'park',
  'ponderosa',
  'pine',
  'drive',
  'u.s.',
  'bank',
  'seltice',
  'way',
  'post',
  'falls',
  'author',
  'bill',
  'buley',
  'coeur',
  "d'alene",
  'press',
  'pst',
  'november',
  'pst',
  'november',
  'coeur',
  'idaho',
  'bed',
  'p.m.',
  'friday',
  'george',
  'sayler',
  'window',
  'view',
  'lake',
  'coeur',
  'd’alene',
  'partner',
  'coeur',
  "d'alene",
  'press',
  'attention',
  'ponderosa',
  'pine',
  'foot',
  'home',
  '11th',
  'ash',
  'sanders',
  'beach',
  'neighborhood',
  'tree',
  'summer',
  'wind',
  'forecast',
  'friday',
  'night',
  'saturday',
  'hour',
  'crash',
  'room',
  'sheetrock',
  'head',
  'branch',
  'ceiling',
  'hole',
  'roof',
  'debris',
  'room',
  'sayler',
  'state',
  'representative',
  'tree',
  'gust',
  'lake',
  'section',
  'fence',
  'saylers',
  'home',
  'master',
  'bedroom',
  'floor',
  'george',
  'wife',
  'kathleen',
  'time',
  'george',
  'stuff',
  'head',
  'matter',
  'house',
  'night',
  'neighbor',
  'home',
  'mess',
  'neighbor',
  'care',
  'tree',
  'fence',
  'debris',
  'region',
  'wind',
  'storm',
  'area',
  'friday',
  'night',
  'saturday',
  'morning',
  'tree',
  'coeur',
  "d'alene",
  'city',
  'park',
  'ponderosa',
  'pine',
  'drive',
  'u.s.',
  'bank',
  'seltice',
  'way',
  'post',
  'falls',
  'storm',
  'gust',
  'midnight',
  'mph',
  'point',
  'power',
  'home',
  'region',
  'p.m.',
  'saturday',
  'avista',
  'customer',
  'power',
  'outage',
  'incident',
  'press',
  'release',
  'height',
  'storm',
  'a.m.',
  'saturday',
  'time',
  'incident',
  'avista',
  'customer',
  'power',
  'release',
  'a.m.',
  'power',
  'customer',
  'avista',
  'crew',
  'night',
  'avista',
  'system',
  'tree',
  'branch',
  'line',
  'press',
  'release',
  'avista',
  'majority',
  'customer',
  'outage',
  'result',
  'windstorm',
  'p.m.',
  'today',
  'avista',
  'weather',
  'snow',
  'area',
  'service',
  'territory',
  'restoration',
  'effort',
  'release',
  'outage',
  'result',
  'snow',
  'a.m.',
  'saturday',
  'kootenai',
  'electric',
  'cooperative',
  'member',
  'power',
  'outage',
  'kec',
  'crew',
  'night',
  'p.m.',
  'saturday',
  'kec',
  'member',
  'power',
  'outage',
  'crew',
  'area',
  'harrison',
  'upriver',
  'drive',
  'cougar',
  'gulch',
  'spirit',
  'lake',
  'east',
  'athol',
  'stateline',
  'setters',
  'kidd',
  'island',
  'tree',
  '11th',
  'street',
  'north',
  'saylor',
  'wind',
  'shear',
  '11th',
  'street',
  'george',
  'courtney',
  'perschau',
  'mountain',
  'kid',
  'midnight',
  'wind',
  'a.m.',
  'crash',
  'window',
  'fir',
  'tree',
  'yard',
  'foot',
  'home',
  'tesla',
  'driveway',
  'house',
  'perschau',
  'family',
  'basement',
  'night',
  'morning',
  'neighbor',
  'tree',
  'mike',
  'amy',
  'maykuth',
  'daughter',
  'allie',
  '11th',
  'pine',
  'windstorm',
  'vehicle',
  'parking',
  'lot',
  'coeur',
  'd’alene',
  'public',
  'library',
  'friday',
  'night',
  'p.m.',
  'wind',
  'amy',
  'camper',
  'van',
  'library',
  'parking',
  'lot',
  'morning',
  'neighbor',
  'maykuths',
  'tree',
  'home',
  'foot',
  'driveway',
  'toyota',
  'tundra',
  'tree',
  'home',
  'roof',
  'porch',
  'tree',
  'branch',
  'tree',
  'mike',
  'home',
  'damage',
  'term',
  'scheme',
  'thing',
  'mike',
  'jacobson',
  'tree',
  'service',
  'tree',
  'saturday',
  'afternoon',
  'maykuth',
  'home',
  'electricity',
  'area',
  'repair',
  'mike',
  'tree',
  'cause',
  'worry',
  'tree',
  'mind',
  'thing',
  'saturday',
  'afternoon',
  'george',
  'photo',
  'bluebird',
  'tree',
  'care',
  'tree',
  'roof',
  'home',
  'sayler',
  'ponderosa',
  'pine',
  'sentry',
  'george',
  'day',
  'pine',
  'needle',
  'yard',
  'fence',
  'way',
  'george',
  'tree',
  'friday',
  'decision',
  'basement',
  'coeur',
  "d'alene",
  'press',
  'krem',
  'news',
  'partner',
  'partner',
  'spokane',
  'snowfall',
  'season',
  'school',
  'thousand',
  'power',
  'windstorm',
  'avista',
  'power',
  'outage',
  'line',
  'spokane',
  'waste',
  'facility',
  'people',
  'storm',
  'app',
  'download',
  'iphone',
  'download',
  'android',
  'krem+',
  'app',
  'streaming',
  'device',
  'roku',
  'channel',
  'roku',
  'store',
  'krem',
  'channel',
  'store',
  'fire',
  'tv',
  'search',
  'app',
  'account',
  'option',
  'fire',
  'tv',
  'app',
  'fire',
  'tv',
  'amazon',
  'typo',
  'error',
  'webspokane@krem.com',
  'example',
  'video',
  'title',
  'video',
  'news',
  'idaho',
  'lawmaker',
  'intern',
  'claim',
  'court',
  'assault',
  'nurse',
  'eeo',
  'public',
  'file',
  'report',
  'fcc',
  'online',
  'public',
  'inspection',
  'file',
  'closed',
  'caption',
  'procedure',
  'information',
  'krem',
  'tv',
  'rights',
  'notification',
  'news',
  'weather',
  'notification',
  'browser',
  'setting'],
 ['news',
  'headlines',
  'crime',
  'public',
  'safety',
  'california',
  'news',
  'national',
  'news',
  'world',
  'news',
  'politics',
  'education',
  'environment',
  'science',
  'health',
  'mr.',
  'roadshow',
  'transportation',
  'local',
  'news',
  'map',
  'bay',
  'area',
  'san',
  'jose',
  'santa',
  'clara',
  'county',
  'peninsula',
  'san',
  'mateo',
  'county',
  'alameda',
  'county',
  'santa',
  'cruz',
  'county',
  'sal',
  'pizarro',
  'obituaries',
  'news',
  'local',
  'obituaries',
  'place',
  'obituary',
  'opinion',
  'editorials',
  'opinion',
  'columnists',
  'letters',
  'editor',
  'commentary',
  'cartoons',
  'election',
  'endorsements',
  'sports',
  'san',
  'francisco',
  'san',
  'francisco',
  'giants',
  'golden',
  'state',
  'warriors',
  'raiders',
  'oakland',
  'athletics',
  'san',
  'jose',
  'sharks',
  'san',
  'jose',
  'earthquakes',
  'bay',
  'fc',
  'college',
  'sports',
  'pac-12',
  'hotline',
  'high',
  'school',
  'sports',
  'sports',
  'sports',
  'columnists',
  'sports',
  'blogs',
  'entertainment',
  'thing',
  'restaurants',
  'food',
  'drink',
  'celebrities',
  'tv',
  'streaming',
  'movies',
  'music',
  'theater',
  'lifestyle',
  'advice',
  'travel',
  'pets',
  'animals',
  'comics',
  'puzzles',
  'games',
  'horoscopes',
  'event',
  'calendar',
  'morning',
  'report',
  'email',
  'newsletter',
  'share',
  'facebook',
  'opens',
  'window)click',
  'twitter',
  'opens',
  'window)click',
  'opens',
  'window)click',
  'link',
  'friend',
  'opens',
  'window)click',
  'reddit',
  'opens',
  'window',
  'morning',
  'report',
  'email',
  'newsletter',
  'tornadoes',
  'mississippi',
  'tornado',
  'state',
  'mid',
  '-',
  'spring',
  'forecaster',
  'timing',
  'storm',
  'situation”share',
  'facebook',
  'opens',
  'window)click',
  'twitter',
  'opens',
  'window)click',
  'opens',
  'window)click',
  'link',
  'friend',
  'opens',
  'window)click',
  'reddit',
  'opens',
  'window',
  'rogelio',
  'v.',
  'solis',
  'associated',
  'press',
  'severe',
  'weather',
  'central',
  'mississippi',
  'billboard',
  'ridgeland',
  'miss.',
  'friday',
  'june',
  'year',
  'canton',
  'man',
  'tree',
  'home',
  'result',
  'inclement',
  'weather',
  'associated',
  'press',
  '',
  '',
  'published',
  'june',
  'a.m.',
  '',
  '',
  'updated',
  'june',
  'p.m.',
  'michael',
  'goldberg',
  'rogelio',
  'solis',
  '',
  '',
  'associated',
  'press',
  'report',
  'america',
  'louin',
  'miss.',
  'tornado',
  'mississippi',
  'dozen',
  'official',
  'monday',
  'state',
  'emergency',
  'worker',
  'county',
  'damage',
  'storm',
  'temperature',
  'hail',
  'area',
  'tornado',
  'death',
  'injury',
  'official',
  'mississippi',
  'jasper',
  'county',
  'town',
  'louin',
  'brunt',
  'damage',
  'drone',
  'footage',
  'photo',
  'expanse',
  'debris',
  'terrain',
  'home',
  'tree',
  'person',
  'wreckage',
  'stretcher',
  'home',
  'monday',
  'lester',
  'campbell',
  'associated',
  'press',
  'cousin',
  'year',
  'george',
  'jean',
  'hayes',
  'person',
  'campbell',
  'recliner',
  'sunday',
  'evening',
  'midnight',
  'light',
  'kitchen',
  'refrigerator',
  'tornado',
  'campbell',
  'train',
  'sound',
  'roar',
  'roar',
  'roar',
  'floor',
  'bedroom',
  'closet',
  'wife',
  'shelter',
  'time',
  'closet',
  'tornado',
  'campbell',
  'help',
  'street',
  'hayes',
  'trailer',
  'home',
  'home',
  'emergency',
  'worker',
  'cousin',
  'forehead',
  'leg',
  'ambulance',
  'hospital',
  'people',
  'jasper',
  'county',
  'hayes',
  'south',
  'central',
  'regional',
  'medical',
  'center',
  'laurel',
  'a.m.',
  'becky',
  'collins',
  'spokeswoman',
  'facility',
  'people',
  'bruise',
  'cut',
  'condition',
  'monday',
  'morning',
  'eric',
  'carpenter',
  'meteorologist',
  'national',
  'weather',
  'service',
  'jackson',
  'jet',
  'stream',
  'area',
  'tornado',
  'louin',
  'mile',
  'bay',
  'springs',
  'tornado',
  'mississippi',
  'mid',
  '-',
  'spring',
  'carpenter',
  'timing',
  'tornado',
  'thunder',
  'hail',
  'temperature',
  'situation',
  'game',
  'carpenter',
  'march',
  'april',
  'june',
  'march',
  'tornado',
  'path',
  'destruction',
  'mississippi',
  'thousand',
  'home',
  'town',
  'poverty',
  'mississippi',
  'delta',
  'task',
  'mississippi',
  'gov.',
  'tate',
  'reeves',
  'monday',
  'tornado',
  'rankin',
  'county',
  'capital',
  'city',
  'jackson',
  'emergency',
  'crew',
  'search',
  'rescue',
  'mission',
  'damage',
  'assessment',
  'drone',
  'area',
  'vehicle',
  'power',
  'line',
  'weather',
  'central',
  'mississippi',
  'tree',
  'state',
  'capitol',
  'ground',
  'jackson',
  'miss.',
  'friday',
  'june',
  'person',
  'tornado',
  'state',
  'sunday',
  'monday',
  'rogelio',
  'v.',
  'solis',
  'associated',
  'press',
  'monday',
  'morning',
  'news',
  'release',
  'mississippi',
  'emergency',
  'management',
  'agency',
  'home',
  'mississippi',
  'power',
  'thousand',
  'people',
  'hinds',
  'county',
  'area',
  'state',
  'power',
  'monday',
  'morning',
  'wind',
  'state',
  'friday',
  'reeves',
  'state',
  'command',
  'center',
  'shelter',
  'weather',
  'home',
  'monday',
  'morning',
  'campbell',
  'damage',
  'half',
  'roof',
  'garage',
  'window',
  'neighbor',
  'house',
  'campbell',
  'error',
  'policies',
  'standards',
  'contact',
  'morning',
  'report',
  'email',
  'newsletter',
  'popularmost',
  'popularask',
  'amy',
  'neighbor',
  'mistake’?ask',
  'amy',
  'neighbor',
  'cole',
  'home',
  'hoursharriette',
  'cole',
  'home',
  'abby',
  'fiance',
  'start',
  'dear',
  'abby',
  'fiance',
  'start',
  'dear',
  'abby',
  'pickleball',
  'abby',
  'pickleball',
  'partner?ask',
  'amy',
  'bride',
  'wedding',
  'plan',
  'standardsask',
  'amy',
  'bride',
  'wedding',
  'plan',
  'standardspac-12',
  'survival',
  'colorado',
  'conundrum',
  'challenge',
  'boulder',
  'existencepac-12',
  'survival',
  'colorado',
  'conundrum',
  'challenge',
  'boulder',
  'existencedear',
  'abby',
  'abby',
  'manner',
  'moment',
  'forgetfulness',
  'offer',
  'manner',
  'moment',
  'forgetfulness',
  'offer',
  'friendask',
  'amy',
  'boyfriend',
  'business',
  'people',
  'amy',
  'boyfriend',
  'business',
  'people',
  'housebuilt',
  'software',
  'death',
  'date',
  'thousand',
  'school',
  'chromebook',
  'recycling',
  'binbuilt',
  'software',
  'death',
  'date',
  'thousand',
  'school',
  'chromebook',
  'recycling',
  'bin',
  'trending',
  'thing',
  'step',
  'plane',
  'collision',
  'feetthe',
  'business',
  'strip',
  'club',
  'colorado',
  'dancer',
  'way',
  'uncertainties‘funnel',
  'cloud',
  'tree',
  'brooklyn',
  'power',
  'outage',
  'staten',
  'island',
  'nursing',
  'hometaylor',
  'swift',
  'album',
  'swiftie',
  '.',
  'guide',
  'tip',
  'subscribe',
  'today',
  'access',
  'digital',
  'offer',
  'cent',
  'imagination',
  'tree',
  'california',
  'cost',
  'california',
  'workplace',
  'job',
  'injury',
  'year',
  'california',
  'beaver',
  'nuisance',
  'water',
  'issue',
  'wildfire',
  'place',
  'obituary',
  'place',
  'real',
  'estate',
  'ad',
  'lottery',
  'digital',
  'access',
  'faq',
  'team',
  'special',
  'sections',
  'sponsor',
  'group',
  'sponsored',
  'access',
  'privacy',
  'policy',
  'accessibility',
  'network',
  'advertising',
  'daily',
  'ads',
  'place',
  'legal',
  'notice',
  'public',
  'notices',
  'best',
  'bay',
  'area',
  'employers',
  'monster.com',
  'terms',
  'use',
  'cookie',
  'policy',
  'california',
  'notice',
  'collection',
  'notice',
  'financial',
  'incentive',
  'share',
  'personal',
  'information',
  'arbitration',
  'powered',
  'wordpress.com',
  'vip'],
 ['month',
  '99¢/month',
  'subscribe',
  'month',
  '99¢/month',
  'subscribe',
  'month',
  '99¢/month',
  'subscribe',
  'winter',
  'storm',
  'way',
  'minnesota',
  'snow',
  'accumulation',
  'inch',
  'chance',
  'end',
  'total',
  'east',
  'minnesota',
  'west',
  'wisconsin',
  'february',
  'pm',
  'news',
  'reporting',
  'fact',
  'reporter',
  'source',
  'brainerd',
  'brainerd',
  'lake',
  'area',
  'week',
  'plan',
  'winter',
  'storm',
  'national',
  'weather',
  'service',
  'chanhassen',
  'travel',
  'wednesday',
  'feb.',
  'thursday',
  'weather',
  'service',
  'winter',
  'storm',
  'area',
  'southeast',
  'minnesota',
  'mille',
  'lacs',
  'morrison',
  'todd',
  'county',
  'p.m.',
  'wednesday',
  'p.m.',
  'thursday',
  'blizzard',
  'warning',
  'minnesota',
  'p.m.',
  'tuesday',
  'afternoon',
  'national',
  'weather',
  'service',
  'duluth',
  'winter',
  'storm',
  'cass',
  'crow',
  'wing',
  'aitkin',
  'county',
  'winter',
  'storm',
  'wednesday',
  'round',
  'snowfall',
  'state',
  'monday',
  'minnesotans',
  'stranger',
  'weather',
  'storm',
  'record',
  'gov.',
  'tim',
  'walz',
  'round',
  'snow',
  'national',
  'weather',
  'service',
  'chanhassen',
  'wednesday',
  'afternoon',
  'thursday',
  'inch',
  'snow',
  'snow',
  'accumulation',
  'inch',
  'chance',
  'end',
  'total',
  'east',
  'minnesota',
  'west',
  'wisconsin',
  'snow',
  'storm',
  'weather',
  'service',
  'snow',
  'wind',
  'gust',
  'mph',
  'region',
  'mph',
  'minnesota',
  'blowing',
  'snow',
  'condition',
  'area',
  'drift',
  'foot',
  'travel',
  'response',
  'winter',
  'storm',
  'forecast',
  'gov.',
  'tim',
  'walz',
  'tuesday',
  'peacetime',
  'emergency',
  'national',
  'guard',
  'emergency',
  'relief',
  'service',
  'motorist',
  'minnesota',
  'stranger',
  'weather',
  'storm',
  'record',
  'walz',
  'news',
  'release',
  'agency',
  'minnesotans',
  'plan',
  'travel',
  '”the',
  'declaration',
  'walz',
  'request',
  'minnesota',
  'national',
  'guard',
  'adjutant',
  'general',
  'army',
  'maj',
  '.',
  'gen.',
  'shawn',
  'manke',
  'commissioner',
  'public',
  'safety',
  'bob',
  'jacobson',
  'commissioner',
  'transportation',
  'nancy',
  'daubenberger',
  'snowplow',
  'snowplow',
  'driver',
  'state',
  'daubenberger',
  'crew',
  'day',
  'night',
  'highway',
  'travel',
  'minnesotans',
  'road',
  'condition',
  'winter',
  'storm',
  'track',
  'portion',
  'northland',
  'iron',
  'range',
  'spoiler',
  'alert',
  'rest',
  'thread',
  'mnwx',
  'wiwx',
  'pic.twitter.com/meqmmrnicq',
  'nws',
  'duluth',
  '@nwsduluth',
  'february',
  'minnesota',
  'state',
  'troopers',
  'state',
  'highway',
  'dispatcher',
  'minnesotans',
  'national',
  'guard',
  'motorist',
  'assistance',
  'direction',
  'minnesota',
  'division',
  'homeland',
  'security',
  'emergency',
  'management',
  'county',
  'official',
  'homeland',
  'security',
  'emergency',
  'management',
  'effort',
  'power',
  'outage',
  'response',
  'challenge',
  'motorist',
  'national',
  'weather',
  'service',
  'tank',
  'gas',
  'cellphone',
  'clothe',
  'blanket',
  'vehicle',
  'motorist',
  'vehicle',
  'mille',
  'lacs',
  'county',
  'weather',
  'service',
  'forecast',
  'total',
  'inch',
  'snow',
  'tuesday',
  'thursday',
  'morrison',
  'todd',
  'county',
  'day',
  'total',
  'inch',
  'snow',
  'travel',
  'condition',
  'week',
  'mndot',
  'plow',
  'weather',
  'place',
  'snow',
  'area',
  'wind',
  'speed',
  'pic.twitter.com/ikkcixnsre',
  'mndot',
  'district',
  '@mndotwcentral',
  'february',
  'southern',
  'cass',
  'crow',
  'wing',
  'aitkin',
  'county',
  'tuesday',
  'afternoon',
  'winter',
  'storm',
  'wednesday',
  'afternoon',
  'thursday',
  'afternoon',
  'inch',
  'snow',
  'tuesday',
  'thursday',
  'ron',
  'williams',
  'port',
  'officer',
  'national',
  'weather',
  'service',
  'duluth',
  'brainerd',
  'area',
  'line',
  'winter',
  'storm',
  'warning',
  'williams',
  'area',
  'warning',
  'category',
  'case',
  'system',
  'bit',
  'couple',
  'system',
  'north',
  'track',
  'williams',
  'temperature',
  'wind',
  'wind',
  'chill',
  'minnesota',
  'tuesday',
  'night',
  'friday',
  'morning',
  'wind',
  'chill',
  'advisory',
  'effect',
  'mn',
  'd',
  'morning',
  'mnwx',
  'wiwx',
  'pic.twitter.com/1i2ggm1vea',
  'nws',
  'duluth',
  '@nwsduluth',
  'february',
  'friday',
  'brainerd',
  'lake',
  'area',
  'wednesday',
  'weather',
  'service',
  'forecast',
  'temperature',
  'degree',
  'mph',
  'wind',
  'mph',
  'wednesday',
  'night',
  'snow',
  'temperature',
  'degree',
  'mph',
  'wind',
  'mph',
  'thursday',
  'temperature',
  'degree',
  'mph',
  'wind',
  'mph',
  'temperature',
  'thursday',
  'night',
  'degree',
  'mph',
  'wind',
  'mph',
  'friday',
  'high',
  'degree',
  'wind',
  'mph',
  'matt',
  'erickson',
  'editor',
  'news',
  'reporting',
  'fact',
  'reporter',
  'source',
  'matt',
  'erickson',
  'brainerd',
  'dispatch',
  'reporter',
  'crime',
  'court',
  'city',
  'brainerd',
  'night',
  'editor',
  'editor',
  'newspaper',
  'john',
  'wheeler',
  'william',
  'herschel',
  'radiation',
  'weather',
  'drawing',
  'end',
  'rainbow',
  'area',
  'golf',
  'cragun',
  'opening',
  'hole',
  'county',
  'resident',
  'board',
  'transit',
  'change',
  'dismissal',
  'charge',
  'child',
  'torture',
  'case',
  'cast',
  'voting',
  'pm',
  'july',
  'brainerd',
  'lakes',
  'contest',
  'brainerd',
  'dispatch',
  'forum',
  'communications',
  'company',
  'james',
  'st.',
  'po',
  'box',
  'brainerd',
  'mn',
  '',
  '',
  'javascript',
  'javascript',
  'page',
  'news',
  'message',
  'error',
  'customer',
  'support',
  'team'],
 ['town',
  'cities',
  'parks',
  'nature',
  'hike',
  'bike',
  'history',
  'museums',
  'town',
  'cities',
  'parks',
  'nature',
  'hike',
  'bike',
  'history',
  'museums',
  'northern',
  'virginia',
  'snowstorms',
  'site',
  'winter',
  'weather',
  'site',
  'update',
  'information',
  'northern',
  'virginia',
  'snowstorm',
  'winter',
  'weather',
  'site',
  'condition',
  'emergency',
  'area',
  'winter',
  'flake',
  'day',
  'power',
  'snowstorm',
  'record',
  'total',
  'winter',
  'storm',
  'jonas',
  'snowzilla',
  'blizzard',
  'dusting',
  'understanding',
  'washington',
  'dc',
  'area',
  'knee',
  'accumulation',
  'wintry',
  'mix',
  'look',
  'article',
  'weather',
  'wimp',
  'disclosure',
  'article',
  'affiliate',
  'link',
  'commission',
  'link',
  'cost',
  'snow',
  'place',
  'northern',
  'virginia',
  'snowstorm',
  'site',
  'monitoring',
  'northern',
  'virginia',
  'snowstorms',
  'computer',
  'site',
  'winter',
  'snowstorm',
  'northern',
  'virginia',
  'washington',
  'dc',
  'area',
  'capital',
  'weather',
  'gang',
  'washington',
  'post',
  'photo',
  'credit',
  'weatherbell',
  'capital',
  'weather',
  'gang',
  'depth',
  'area',
  'weather',
  'forecast',
  'update',
  'capital',
  'weather',
  'gang',
  'weather',
  'geek',
  'discussion',
  'forecast',
  'model',
  'gang',
  'update',
  'weather',
  'twitter',
  'account',
  'dose',
  'humor',
  'gang',
  'cwg',
  'january',
  'storm',
  'snowzilla',
  'honor',
  'size',
  'help',
  'reader',
  'poll',
  'cwg',
  'resource',
  'weather',
  'update',
  'year',
  'round',
  'northern',
  'virginia',
  'snowstorm',
  'vdot',
  'vdot',
  'vdot',
  'map',
  'inch',
  'snow',
  'map',
  'progress',
  'virginia',
  'snow',
  'tool',
  'plow',
  'neighborhood',
  'look',
  'snow',
  'map',
  'date',
  'caution',
  'vdot',
  'map',
  'street',
  'virginia',
  'web',
  'vdot',
  'virginia',
  'traffic',
  'information',
  'map',
  'vdot',
  'map',
  'update',
  'road',
  'closure',
  'accident',
  'link',
  'traffic',
  'camera',
  'state',
  'camera',
  'site',
  'northern',
  'virginia',
  'snowstorm',
  'weather',
  'emergency',
  'site',
  'storm',
  'road',
  'dominion',
  'power',
  'outage',
  'dominion',
  'virginia',
  'power',
  'dominion',
  'energy',
  'virginia',
  'power',
  'outage',
  'map',
  'view',
  'outage',
  'region',
  'text',
  'grid',
  'map',
  'power',
  'outage',
  'number',
  'line',
  'county',
  'emergency',
  'sites',
  'fairfax',
  'county',
  'emergency',
  'site',
  'fairfax',
  'county',
  'collection',
  'link',
  'advice',
  'snow',
  'emergency',
  'page',
  'update',
  'northern',
  'virginia',
  'snowstorm',
  'weather',
  'impact',
  'fairfax',
  'county',
  'emergency',
  'blog',
  'twitter',
  'source',
  'update',
  'northern',
  'virginia',
  'snowstorm',
  'twitter',
  'account',
  'fairfax',
  'county',
  'department',
  'emergency',
  'management',
  'fairfax',
  'county',
  'government',
  'prince',
  'willian',
  'county',
  'emergency',
  'info',
  'prince',
  'william',
  'county',
  'emergency',
  'site',
  'closure',
  'weather',
  'issue',
  'county',
  'site',
  'lot',
  'information',
  'link',
  'resource',
  'weather',
  'emergency',
  'page',
  'loudoun',
  'county',
  'website',
  'option',
  'alert',
  'loudoun',
  'notification',
  'system',
  'bonus',
  'skyline',
  'drive',
  'snow',
  'dc',
  'shenandoah',
  'national',
  'park',
  'condition',
  'closing',
  'skyline',
  'drive',
  'park',
  'winter',
  'hotline',
  'number',
  'skyline',
  'drive',
  'status',
  'dial',
  'park',
  'alert',
  'shenandoah',
  'national',
  'park',
  'twitter',
  'number',
  'look',
  'snow',
  'shenandoah',
  'park',
  'webcams',
  'guide',
  'indoor',
  'activities',
  'northern',
  'virginia',
  'winter',
  'cold',
  'rainy',
  'day',
  'snow',
  'facebook',
  'twitter',
  'pinterest',
  'instagram',
  'fun',
  'travel',
  'northern',
  'virginia',
  'categories',
  'winter',
  'event',
  'fun',
  'place',
  'northern',
  'virginia',
  'snowstorm12',
  'fun',
  'dc',
  'northern',
  'virginia',
  'ice',
  'skating',
  'rink',
  'julie',
  'mccool',
  'northern',
  'virginia',
  'park',
  'hike',
  'site',
  'restaurant',
  'brewery',
  'winery',
  'event',
  'virginia',
  'travel',
  'guide',
  'resource',
  'resident',
  'visitor',
  'tourist',
  'spot',
  'fun',
  'thing',
  'virginia',
  'washington',
  'dc',
  'region',
  'amazon',
  'affiliate',
  'program',
  'disclosure',
  'amazon',
  'associate',
  'purchase',
  'press',
  'media',
  'disclosures',
  'privacy',
  'policy',
  'disclosure',
  'link',
  'article',
  'affiliate',
  'link',
  'commission',
  'cost',
  'product',
  'service'],
 ['permission',
  'article',
  'south',
  'dakota',
  'winter',
  'storm',
  'spring',
  'apr',
  'apr',
  'south',
  'dakota',
  'winter',
  'storm',
  'spring',
  'dakota',
  'national',
  'weather',
  'service',
  'spring',
  'snowstorm',
  'bit',
  'havoc',
  'state',
  'south',
  'dakota',
  'fact',
  'state',
  'storm',
  'spring',
  'state',
  'snowstorm',
  'equalizer',
  'winter',
  'storm',
  'south',
  'dakota',
  'history',
  'article',
  'foot',
  'snow',
  'area',
  'loss',
  'ranch',
  '%',
  'herd',
  'storm',
  'march',
  'list',
  'storm',
  'inch',
  'snow',
  'ground',
  'power',
  'line',
  'snow',
  'ice',
  'day',
  'power',
  'pole',
  'result',
  'car',
  'snowstorm',
  'april',
  'inch',
  'snow',
  'east',
  'river',
  'list',
  'spot',
  'article',
  'snowfall',
  'record',
  'watertown',
  'inch',
  'hour',
  'april',
  'storm',
  'time',
  'list',
  'spot',
  'storm',
  'april',
  'deadwood',
  'inch',
  'snow',
  'national',
  'weather',
  'service',
  'winter',
  'storm',
  'march',
  'storm',
  'state',
  'march',
  'snowfall',
  'average',
  'inchesapril',
  'snowfall',
  'average',
  'inchesmarch',
  'snowfall',
  'average',
  'inchesapril',
  'snowfall',
  'average',
  'inchesmarch',
  'april',
  'snowfall',
  'average',
  'inch',
  'drinking',
  'water',
  'south',
  'dakota',
  'city',
  'risk',
  'disease',
  'official',
  'sturgis',
  'motorcycle',
  'rally',
  'approach',
  'vendor',
  'biker',
  'experience',
  'rapid',
  'city',
  'suspect',
  'saturday',
  'night',
  'incident',
  'pennington',
  'county',
  'july',
  'drink',
  'dash',
  'update',
  'rcpd',
  'man',
  'liquor',
  'theft',
  'sign',
  'newscenter1.tv',
  'newsletters',
  'success',
  'email',
  'link',
  'list',
  'signup',
  'error',
  'error',
  'request',
  'daily',
  'headlines',
  'news',
  'morning',
  'update',
  'news',
  'alert',
  'news',
  'news',
  'alert',
  'sport',
  'headline',
  'headline',
  'sport',
  'email',
  'list',
  'email',
  'address',
  'newscenter1.tv',
  's.',
  'plaza',
  'drive',
  'rapid',
  'city',
  'sd',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'blox',
  'content',
  'management',
  'system',
  'blox',
  'digital',
  'minute',
  'news',
  'device'],
 ['news',
  'events',
  'maryland',
  'realtors',
  'online',
  'housing',
  'statistics',
  'association',
  'calendar',
  'events',
  'maryland',
  'realtor',
  'magazine',
  'estate',
  'podcast',
  'professional',
  'development',
  'certifications',
  'designations',
  'graduate',
  'realtor',
  'institute',
  'certified',
  'international',
  'property',
  'specialist',
  'housing',
  'opportunity',
  'certification',
  'maryland',
  'residential',
  'property',
  'management',
  'certification',
  'membership',
  'member',
  'benefits',
  'code',
  'ethics',
  'ethics',
  'complaint',
  'dispute',
  'resolution',
  'ombudsman',
  'mediation',
  'request',
  'arbitration',
  'join',
  'member',
  'volunteer',
  'industry',
  'award',
  'nominees',
  'brochures',
  'flyers',
  'webinars',
  'governance',
  'team',
  'leadership',
  'team',
  'board',
  'directors',
  'maryland',
  'realtors',
  'committees',
  'staff',
  'nar',
  'directors',
  'executive',
  'committee',
  'dei',
  'local',
  'associations',
  'boards',
  'presidents',
  'contact',
  'news',
  'events',
  'maryland',
  'realtors',
  'online',
  'articles',
  'association',
  'update',
  'maryland',
  'realtors',
  'membership',
  'professional',
  'development',
  'comment',
  'hurricane',
  'metaphor',
  'water',
  'wind',
  'flooding',
  'picture',
  'nar',
  'nxt',
  'annual',
  'conference',
  'orlando',
  'florida',
  'november',
  'storm',
  'flight',
  'tampa',
  'car',
  'eye',
  'hurricane',
  'nicole',
  'realtor',
  'tion',
  'thousand',
  'central',
  'florida',
  'education',
  'networking',
  'governance',
  'work',
  'traveling',
  'trip',
  'nar',
  'event',
  'idea',
  'work',
  'realtor',
  'idea',
  'association',
  'member',
  'brand',
  'originator',
  'nar',
  'president',
  'kenny',
  'parcell',
  'colleague',
  'brand',
  'event',
  'maryland',
  'homeownership',
  'expo',
  'june',
  'event',
  'brand',
  'consumer',
  'homeownership',
  'month',
  'nar',
  'chief',
  'economist',
  'dr.',
  'lawrence',
  'yun',
  'housing',
  'sale',
  'dr.',
  'yun',
  'remark',
  'datum',
  'perspective',
  'inventory',
  'maryland',
  'housing',
  'price',
  'economy',
  'issue',
  'finding',
  'economist',
  'thought',
  'home',
  'sale',
  'dr.',
  'yun',
  'anirban',
  'basu',
  'thought',
  'page',
  'lisa',
  'director',
  'advocacy',
  'public',
  'policy',
  'session',
  'annapolis',
  'solution',
  'maryland',
  'housing',
  'shortage',
  'support',
  'tion',
  'accessory',
  'dwelling',
  'units',
  'article',
  'voice',
  'government',
  'affairs',
  'directors',
  'gads',
  'lobby',
  'day',
  'annapolis',
  'february',
  'advice',
  'gads',
  'foot',
  'legislator',
  'member',
  'nar',
  'committee',
  'board',
  'council',
  'end',
  'cover',
  'issue',
  'magazine',
  'member',
  'impact',
  'copy',
  'member',
  'cover',
  'page',
  'hurricane',
  'metaphor',
  'nicole',
  'travel',
  'realtor',
  'orlando',
  'rain',
  'wind',
  'day',
  'florida',
  'sunshine',
  'hurricane',
  'nicole',
  'storm',
  'metaphor',
  'heading',
  'year',
  'interest',
  'rate',
  'inflation',
  'sale',
  'economist',
  'sign',
  'inflation',
  'home',
  'value',
  'percent-',
  'age',
  'point',
  'rain',
  'wind',
  'sunshine',
  'categories',
  'advocacy',
  'consumer',
  'dei',
  'ethics',
  'law',
  'legal',
  'hotline',
  'membership',
  'professional',
  'development',
  'agent',
  'services?july',
  'disappearing',
  'act',
  'middle',
  'housingjune',
  'flood',
  'insurance',
  'realtors(r',
  'client',
  'homesmay',
  'line',
  'zoningmay',
  'biasmay',
  '2023read',
  'locationaddress',
  'harry',
  's.',
  'truman',
  'pkwy',
  'annapolis',
  'md',
  'suite',
  'copyright',
  'maryland',
  'realtor',
  'terms',
  'use',
  'privacy',
  'statement'],
 ['subscriber',
  'services',
  'manage',
  'account',
  'today',
  'digital',
  'edition',
  'digital',
  'edition',
  'subscription',
  'rewards',
  'dashboard',
  'puzzle',
  'answers',
  'online',
  'puzzles',
  'page',
  'reprints',
  'newspaper',
  'archives',
  'newsletters',
  'contact',
  'subscriber',
  'benefit',
  'classifieds',
  'carrier',
  'jobs',
  'news',
  'business',
  'news',
  'coronavirus',
  'community',
  'crime',
  'courts',
  'iowa',
  'education',
  'environmental',
  'news',
  'government',
  'politics',
  'health',
  'legal',
  'notices',
  'nation',
  'world',
  'photos',
  'time',
  'machine',
  'search',
  'archive',
  'videos',
  'journalists',
  'emily',
  'andersen',
  'tom',
  'barton',
  'erin',
  'jordan',
  'grace',
  'king',
  'trish',
  'mehaffey',
  'brittney',
  'j.',
  'miller',
  'vanessa',
  'miller',
  'erin',
  'murphy',
  'marissa',
  'payne',
  'izabela',
  'zaluska',
  'fact',
  'checker',
  'team',
  'sports',
  'iowa',
  'hawkeyes',
  'iowa',
  'football',
  'iowa',
  'basketball',
  'prep',
  'sports',
  'prep',
  'football',
  'iowa',
  'state',
  'cyclones',
  'uni',
  'panthers',
  'minor',
  'league',
  'sports',
  'outdoors',
  'sports',
  'desk',
  'mike',
  'hlas',
  'nathan',
  'ford',
  'jeff',
  'johnson',
  'jeff',
  'linder',
  'j.r.',
  'ogden',
  'k.j.',
  'pilcher',
  'john',
  'steppe',
  'opinion',
  'fact',
  'checker',
  'guide',
  'editorial',
  'commentary',
  'guest',
  'columnists',
  'letters',
  'editor',
  'political',
  'cartoons',
  'staff',
  'columnists',
  'staff',
  'editorials',
  'letter',
  'column',
  'columnists',
  'todd',
  'dorman',
  'althea',
  'cole',
  'editorial',
  'fellows',
  'david',
  'chung',
  'sofia',
  'demartino',
  'chris',
  'espersen',
  'food',
  'drink',
  'chew',
  'recipe',
  'restaurants',
  'business',
  'agriculture',
  'business',
  'notes',
  'columns',
  'companies',
  'personal',
  'finance',
  'economy',
  'employment',
  'energy',
  'manufacturing',
  'openings',
  'closures',
  'real',
  'estate',
  'restaurants',
  'retail',
  'small',
  'business',
  'transportation',
  'obituaries',
  'memory',
  'obituary',
  'podcasts',
  'daily',
  'news',
  'podcast',
  'fact',
  'checker',
  'podcast',
  'iowa',
  'politics',
  'hawk',
  'press',
  'iowa',
  'prep',
  'sports',
  'pinning',
  'combination',
  'careers',
  'coffee',
  'entertainment',
  'art',
  'books',
  'comedy',
  'museums',
  'galleries',
  'music',
  'puzzles',
  'games',
  'theater',
  'thing',
  'hoopla',
  'event',
  'living',
  'health',
  'wellness',
  'home',
  'garden',
  'milestones',
  'people',
  'places',
  'pets',
  'animals',
  'recreation',
  'religion',
  'belief',
  'travel',
  'photos',
  'videos',
  'iowa',
  'photo',
  'news',
  'photo',
  'galleries',
  'sports',
  'photo',
  'galleries',
  'video',
  'galleries',
  'photojournalists',
  'jim',
  'slosiarek',
  'savannah',
  'blake',
  'nick',
  'rohlman',
  'geoff',
  'stellfox',
  'bailey',
  'cichon',
  'multimedia',
  'journalist',
  'gazette',
  'visual',
  'milestones',
  'anniversaries',
  'day',
  'engagement',
  'holiday',
  'remembrance',
  'new',
  'arrivals',
  'yous',
  'wedding',
  'milestone',
  'data',
  'data',
  'center',
  'salaries',
  'interactive',
  'maps',
  'charts',
  'coronavirus',
  'data',
  'legal',
  'notices',
  'gazette',
  'classifieds',
  'corridor',
  'careers',
  'garage',
  'sales',
  'gazette',
  'gazette',
  'print',
  'services',
  'gazette',
  'rewards',
  'gazette',
  'store',
  'green',
  'gazette',
  'holiday',
  'light',
  'finder',
  'hoopla',
  'iowa',
  'wedding',
  'experience',
  'iowa',
  'ideas',
  'photo',
  'store',
  'link',
  'gazette',
  'search',
  'gazette',
  'archives',
  'article',
  'removal',
  'business',
  'directory',
  'cr',
  'database',
  'legal',
  'notices',
  'mobile',
  'app',
  'carrier',
  'customer',
  'care',
  'order',
  'issues',
  'privacy',
  'policies',
  'puzzle',
  'answers',
  'sponsorship',
  'request',
  'letter',
  'weather',
  'manage',
  'account',
  'today',
  'digital',
  'edition',
  'digital',
  'edition',
  'subscription',
  'rewards',
  'dashboard',
  'puzzle',
  'answers',
  'online',
  'puzzles',
  'page',
  'reprints',
  'newspaper',
  'archives',
  'newsletters',
  'contact',
  'subscriber',
  'benefit',
  'classifieds',
  'carrier',
  'jobs',
  'news',
  'business',
  'news',
  'coronavirus',
  'community',
  'crime',
  'courts',
  'iowa',
  'education',
  'environmental',
  'news',
  'government',
  'politics',
  'health',
  'legal',
  'notices',
  'nation',
  'world',
  'photos',
  'time',
  'machine',
  'search',
  'archive',
  'videos',
  'emily',
  'andersen',
  'tom',
  'barton',
  'erin',
  'jordan',
  'grace',
  'king',
  'trish',
  'mehaffey',
  'brittney',
  'j.',
  'miller',
  'vanessa',
  'miller',
  'erin',
  'murphy',
  'marissa',
  'payne',
  'izabela',
  'zaluska',
  'fact',
  'checker',
  'team',
  'sports',
  'iowa',
  'hawkeyes',
  'iowa',
  'football',
  'iowa',
  'basketball',
  'prep',
  'sports',
  'prep',
  'football',
  'iowa',
  'state',
  'cyclones',
  'uni',
  'panthers',
  'minor',
  'league',
  'sports',
  'outdoors',
  'mike',
  'hlas',
  'nathan',
  'ford',
  'jeff',
  'johnson',
  'jeff',
  'linder',
  'j.r.',
  'ogden',
  'k.j.',
  'pilcher',
  'john',
  'steppe',
  'opinion',
  'fact',
  'checker',
  'guide',
  'editorial',
  'commentary',
  'guest',
  'columnists',
  'letters',
  'editor',
  'political',
  'cartoons',
  'staff',
  'columnists',
  'staff',
  'editorials',
  'letter',
  'column',
  'todd',
  'dorman',
  'althea',
  'cole',
  'editorial',
  'fellows',
  'david',
  'chung',
  'sofia',
  'demartino',
  'chris',
  'espersen',
  'food',
  'drink',
  'chew',
  'recipe',
  'restaurants',
  'business',
  'agriculture',
  'business',
  'notes',
  'columns',
  'companies',
  'personal',
  'finance',
  'economy',
  'employment',
  'energy',
  'manufacturing',
  'openings',
  'closures',
  'real',
  'estate',
  'restaurants',
  'retail',
  'small',
  'business',
  'transportation',
  'obituaries',
  'memory',
  'obituary',
  'podcasts',
  'daily',
  'news',
  'podcast',
  'fact',
  'checker',
  'podcast',
  'iowa',
  'politics',
  'hawk',
  'press',
  'iowa',
  'prep',
  'sports',
  'pinning',
  'combination',
  'careers',
  'coffee',
  'entertainment',
  'art',
  'books',
  'comedy',
  'museums',
  'galleries',
  'music',
  'puzzles',
  'games',
  'theater',
  'thing',
  'hoopla',
  'event',
  'living',
  'health',
  'wellness',
  'home',
  'garden',
  'milestones',
  'people',
  'places',
  'pets',
  'animals',
  'recreation',
  'religion',
  'belief',
  'travel',
  'photos',
  'videos',
  'iowa',
  'photo',
  'news',
  'photo',
  'galleries',
  'sports',
  'photo',
  'galleries',
  'video',
  'galleries',
  'jim',
  'slosiarek',
  'savannah',
  'blake',
  'nick',
  'rohlman',
  'geoff',
  'stellfox',
  'bailey',
  'cichon',
  'multimedia',
  'journalist',
  'gazette',
  'visual',
  'milestones',
  'anniversaries',
  'day',
  'engagement',
  'holiday',
  'remembrance',
  'new',
  'arrivals',
  'yous',
  'wedding',
  'milestone',
  'data',
  'center',
  'salaries',
  'interactive',
  'maps',
  'charts',
  'coronavirus',
  'data',
  'legal',
  'notices',
  'classifieds',
  'corridor',
  'careers',
  'garage',
  'sales',
  'gazette',
  'gazette',
  'print',
  'services',
  'gazette',
  'rewards',
  'gazette',
  'store',
  'green',
  'gazette',
  'holiday',
  'light',
  'finder',
  'hoopla',
  'iowa',
  'wedding',
  'experience',
  'iowa',
  'ideas',
  'photo',
  'store',
  'gazette',
  'search',
  'gazette',
  'archives',
  'article',
  'removal',
  'business',
  'directory',
  'cr',
  'database',
  'legal',
  'notices',
  'mobile',
  'app',
  'carrier',
  'customer',
  'care',
  'order',
  'issues',
  'privacy',
  'policies',
  'puzzle',
  'answers',
  'sponsorship',
  'request',
  'letter',
  'weather',
  'mayor',
  'cedar',
  'rapids',
  'school',
  'facility',
  'plan',
  'city',
  'corea',
  'iowa',
  'state',
  'fair',
  'food',
  'unknown',
  'gambling',
  'probe',
  'number',
  'football',
  'player',
  'involvedgrassley',
  'biden',
  'impeachment',
  'inquiry',
  'eastern',
  'iowa',
  'cleanup',
  'tornado',
  'outbreak',
  'building',
  'car',
  'governor',
  'state',
  'assistance',
  'eastern',
  'iowa',
  'county',
  'vanessa',
  'millererin',
  'jordan',
  'apr.',
  'apr.',
  'pm',
  'line',
  'storm',
  'tornado',
  'eastern',
  'iowa',
  'friday',
  'tree',
  'car',
  'roof',
  'home',
  'overview',
  'national',
  'weather',
  'service',
  'storm',
  'tornado',
  'outbreak',
  'area',
  'time',
  'storm',
  'survey',
  'crew',
  'saturday',
  'morning',
  'damage',
  'report',
  'friday',
  'storm',
  'confirmation',
  'tornado',
  'tornado',
  'rating',
  'day',
  '⧉',
  'article',
  'eastern',
  'iowa',
  'damage',
  'tornado',
  'outbreak',
  'gov.',
  'kim',
  'reynolds',
  'friday',
  'night',
  'activation',
  'state',
  'assistance',
  'county',
  'iowa',
  'cedar',
  'clinton',
  'delaware',
  'johnson',
  'keokuk',
  'mahaska',
  'washington',
  'adding',
  'keokuk',
  'https://t.co/rnd2tdi2dx',
  'gov.',
  'kim',
  'reynolds',
  '@iagovernor',
  'april',
  'god',
  'work',
  'coralville',
  'area',
  'building',
  'damage',
  'strip',
  'boston',
  'way',
  'coral',
  'ridge',
  'mall',
  'floor',
  'ninth',
  'street',
  'apartment',
  'coralville',
  'strip',
  'aanice',
  'byars',
  'friday',
  'night',
  'fear',
  'awe',
  'god',
  'work',
  'god',
  'work',
  'wind',
  'cover',
  'basement',
  'storm',
  'shelter',
  'byars',
  'gazette',
  'life',
  'tree',
  'debris',
  'swirl',
  'window',
  'wind',
  'air',
  'storm',
  'surge',
  'byars',
  'train',
  'car',
  'car',
  'car',
  'tournament',
  'fight',
  'air',
  'throng',
  'community',
  'member',
  'wake',
  'chain',
  'saw',
  'tree',
  'debris',
  'driveway',
  'car',
  'food',
  'clothe',
  'resident',
  'bed',
  'night',
  'red',
  'cross',
  'shelter',
  'coralville',
  'recreation',
  'center',
  'st.',
  'coralville',
  'place',
  'people',
  'home',
  'byars',
  'unit',
  'neighborhood',
  'god',
  'middle',
  'storm',
  'block',
  'street',
  'year',
  'evelyne',
  'macakina',
  'family',
  'trampoline',
  'yard',
  'neighbor',
  'tree',
  'brother',
  'brother',
  'grandma',
  'macakina',
  'mud',
  'clothe',
  'stuff',
  'grandma',
  'baby',
  'coralville',
  'strip',
  'home',
  'damage',
  'debris',
  'sheet',
  'metal',
  'plywood',
  'sky',
  'chris',
  'killion',
  'level',
  'house',
  'storm',
  'house',
  'south',
  'iowa',
  'city',
  'town',
  'hills',
  'damage',
  'building',
  'roof',
  'wall',
  'jacob',
  'mackenzie',
  'dilks',
  'life',
  'mackenzie',
  'baby',
  'c',
  'section',
  'week',
  'house',
  'baby',
  'tornado',
  'hills',
  'friday',
  'evening',
  'dilkses',
  'roof',
  'wall',
  'family',
  'toddler',
  'owen',
  'dog',
  'basement',
  'house',
  'jacob',
  'dilks',
  'hour',
  'storm',
  'couple',
  'family',
  'friend',
  'item',
  'medicine',
  'owen',
  'spina',
  'bifida',
  'dog',
  'supply',
  'clothing',
  'valuable',
  'owen',
  'mackenzie',
  'refuge',
  'family',
  'jacob',
  'work',
  'house',
  'tomorrow',
  'dilk',
  'owen',
  'birthday',
  'dozen',
  'house',
  'hills',
  'highway',
  'floor',
  'dining',
  'room',
  'wall',
  'ceiling',
  'fan',
  'wind',
  'sun',
  'set',
  'debris',
  'floor',
  'lamp',
  'shoe',
  'roll',
  'wrapping',
  'paper',
  'highway',
  'sign',
  'mt.',
  'pleasant',
  'insulation',
  'plastic',
  'casey',
  'sign',
  'metal',
  'area',
  'sisters',
  'esther',
  'hope',
  'mukiza',
  'pile',
  'debris',
  'home',
  'street',
  'house',
  'esther',
  'kathy',
  'miller',
  'house',
  'frytown',
  'hills',
  'brother',
  'cat',
  'little',
  'miss',
  'storm',
  'gary',
  'beckley',
  'dallas',
  'iowa',
  'women',
  'basketball',
  'team',
  'final',
  'miller',
  'tomorrow',
  'beckley',
  'story',
  'damage',
  'water',
  'damage',
  'miller',
  'national',
  'weather',
  'service',
  'forecast',
  'weather',
  'risk',
  'point',
  'scale',
  'friday',
  'morning',
  'time',
  'warning',
  'year',
  'june',
  'storm',
  'friday',
  'rain',
  'hail',
  ...],
 ['contentskip',
  'navigationskip',
  'navigationprint',
  'subscription',
  'sign',
  'insearch',
  'jobssearchus',
  'editionus',
  'editionuk',
  'editionaustralia',
  'guardian',
  'guardiannewsopinionsportculturelifestyleshowmoreshow',
  'morenewsview',
  'newsus',
  'newsworld',
  'politicsbusinesstechsciencenewslettersfight',
  'democracyopinionview',
  'opinionthe',
  'guardian',
  'viewcolumnistslettersopinion',
  'videoscartoonssportview',
  'sportsoccernfltennismlbmlsnbanhlf1golfcultureview',
  'culturefilmbooksmusicart',
  'designtv',
  'radiostageclassicalgameslifestyleview',
  'lifestylefashionfoodrecipeslove',
  'sexhome',
  'gardenhealth',
  'fitnessfamilytravelmoneysearch',
  'input',
  'google',
  'search',
  'searchsupport',
  'usprint',
  'subscriptionsus',
  'editionuk',
  'editionaustralia',
  'editionsearch',
  'jobsdigital',
  'archiveguardian',
  'puzzles',
  'licensingthe',
  'guardian',
  'guardianguardian',
  'weeklycrosswordswordiplycorrectionsfacebooktwittersearch',
  'jobsdigital',
  'archiveguardian',
  'puzzles',
  'licensingusworldenvironmentsoccerus',
  'democracy',
  'home',
  'tree',
  'tornado',
  'little',
  'rock',
  'arkansas',
  'photograph',
  'andrew',
  'demillo',
  'apa',
  'home',
  'tree',
  'tornado',
  'little',
  'rock',
  'arkansas',
  'photograph',
  'andrew',
  'demillo',
  'observeru',
  'weather',
  'article',
  'month',
  'storm',
  'system',
  'article',
  'month',
  'oldtornadoe',
  'devastation',
  'arkansas',
  'illinois',
  'iowa',
  'oklahoma',
  'theatre',
  'roof',
  'concertedward',
  'helmore',
  'associated',
  'presssun',
  'apr',
  'edtfirst',
  'fri',
  'mar',
  'edtat',
  'people',
  'place',
  'power',
  'monster',
  'storm',
  'system',
  'midwest',
  'tornado',
  'home',
  'shopping',
  'center',
  'theatre',
  'roof',
  'metal',
  'concert',
  'illinois',
  'report',
  'tornado',
  'state',
  'storm',
  'friday',
  'night',
  'twister',
  'condition',
  'saturday',
  'storm',
  'system',
  'swath',
  'home',
  'people',
  'spring',
  'storm',
  'blizzard',
  'tornado',
  'shower',
  'weather',
  'death',
  'tennessee',
  'county',
  'death',
  'alabama',
  'illinois',
  'mississippi',
  'little',
  'rock',
  'arkansas',
  'mayor',
  'building',
  'tornado',
  'path',
  'national',
  'weather',
  'service',
  'tornado',
  'end',
  'ef3',
  'twister',
  'wind',
  'speed',
  'mph',
  'km',
  'h',
  'path',
  'mile',
  'kms).three',
  'indiana',
  'area',
  'sullivan',
  'city',
  'mile',
  'drive',
  'south',
  'west',
  'indianapolis',
  'madison',
  'county',
  'alabama',
  'person',
  'official',
  'death',
  'number',
  'fatality',
  'mcnairy',
  'county',
  'tennessee',
  'power',
  'outage',
  'figure',
  'resource',
  'site',
  'saturday',
  'area',
  'arkansas',
  'city',
  'wynne',
  'storm',
  'home',
  'people',
  'debris',
  'state',
  'governor',
  'sarah',
  'huckabee',
  'sanders',
  'town',
  'mile',
  'memphis',
  'tennessee',
  'damage',
  'tornado',
  'city',
  'council',
  'member',
  'lisa',
  'powell',
  'carter',
  'wynne',
  'power',
  'road',
  'debris',
  'debris',
  'clothing',
  'insulation',
  'roofing',
  'paper',
  'toy',
  'furniture',
  'pickup',
  'truck',
  'window',
  'scene',
  'devastation',
  'weather',
  'event',
  'climate',
  'change',
  'town',
  'heidi',
  'jenkins',
  'salon',
  'owner',
  'school',
  'church',
  'people',
  'home',
  'mississippi',
  'pontotoc',
  'county',
  'person',
  'mississippi',
  'emergency',
  'management',
  'agency',
  'illinois',
  'chicago',
  'area',
  'type',
  'weather',
  'warning',
  'friday',
  'night',
  'hour',
  'national',
  'weather',
  'service',
  'situation',
  'face',
  'outbreak',
  'thunderstorm',
  'potential',
  'hail',
  'wind',
  'gust',
  'tornado',
  'distance',
  'ground',
  'meteorologist',
  'condition',
  'friday',
  'week',
  'twister',
  'people',
  'home',
  'mississippi',
  'people',
  'debris',
  'roof',
  'apollo',
  'theater',
  'belvidere',
  'illinois',
  'photograph',
  'jessica',
  'bahena',
  'hernandez',
  'reuterslate',
  'friday',
  'town',
  'belvidere',
  'mile',
  'km',
  'north',
  'west',
  'chicago',
  'person',
  'life',
  'injury',
  'roof',
  'apollo',
  'theatre',
  'tornado',
  'belvidere',
  'fire',
  'department',
  'chief',
  'shawn',
  'schadle',
  'people',
  'venue',
  'time',
  'responder',
  'elevator',
  'power',
  'line',
  'theatre',
  'town',
  'police',
  'chief',
  'shane',
  'woody',
  'scene',
  'collapse',
  'chaos',
  'chaos”',
  'twister',
  'iowa',
  'grass',
  'fire',
  'oklahoma',
  'wind',
  'mph',
  'oklahoma',
  'city',
  'people',
  'home',
  'trooper',
  'portion',
  'interstate',
  'weather',
  'joe',
  'biden',
  'aftermath',
  'tornado',
  'mississippi',
  'week',
  'president',
  'government',
  'area',
  'little',
  'rock',
  'tornado',
  'neighbourhood',
  'city',
  'shopping',
  'centre',
  'arkansas',
  'river',
  'little',
  'rock',
  'city',
  'damage',
  'home',
  'business',
  'vehicle',
  'baptist',
  'health',
  'medical',
  'center',
  'little',
  'rock',
  'official',
  'katv',
  'afternoon',
  'people',
  'tornado',
  'injury',
  'condition',
  'mayor',
  'frank',
  'scott',
  'jr',
  'assistance',
  'guard',
  'evening',
  'property',
  'damage',
  'panic',
  'wynne',
  'house',
  'tree',
  'street',
  'area',
  'night',
  'tornado',
  'damage',
  'sherwood',
  'arkansas',
  'friday',
  'photograph',
  'colin',
  'murphey',
  'apthe',
  'police',
  'department',
  'tennessee',
  'city',
  'covington',
  'facebook',
  'city',
  'power',
  'line',
  'tree',
  'road',
  'storm',
  'friday',
  'evening',
  'authority',
  'tipton',
  'county',
  'north',
  'memphis',
  'tornado',
  'school',
  'covington',
  'location',
  'county',
  'tornado',
  'iowa',
  'damage',
  'building',
  'image',
  'barn',
  'house',
  'roofing',
  'siding',
  'tornado',
  'iowa',
  'city',
  'home',
  'university',
  'iowa',
  'watch',
  'party',
  'campus',
  'arena',
  'woman',
  'basketball',
  'final',
  'game',
  'video',
  'kcrg',
  'tv',
  'power',
  'pole',
  'roof',
  'apartment',
  'building',
  'suburb',
  'coralville',
  'home',
  'city',
  'hills',
  'observerextreme',
  'weatherarkansastennesseetornadoesnewsreuse',
  'viewedmost',
  'viewedusworldenvironmentsoccerus',
  'politicsbusinesstechsciencenewslettersfight',
  'reporting',
  'analysis',
  'guardian',
  'ushelpcomplaint',
  'correctionssecuredropwork',
  'usprivacy',
  'policycookie',
  'policyterms',
  'conditionscontact',
  'usall',
  'topicsall',
  'newspaper',
  'archivefacebookyoutubeinstagramlinkedintwitternewslettersadvertise',
  'labssearch',
  'guardian',
  'news',
  'media',
  'limited',
  'company',
  'right'],
 ['permission',
  'video',
  'dane',
  'county',
  'board',
  'contract',
  'violation',
  'ssm',
  'health',
  'gender',
  'surgery',
  'fog',
  'tomorrow',
  'day',
  'severe',
  't',
  'storm',
  'friday-',
  'greg',
  'july',
  'pm',
  'forecast',
  'news',
  'watch',
  'warnings',
  'warn',
  'weather',
  'app',
  'e',
  '-',
  'mail',
  'alert',
  'oh',
  'ohio',
  'west',
  'virginia',
  'storm',
  'damage',
  'oh',
  'power',
  'restoration',
  'effort',
  'damage',
  'assessment',
  'weather',
  'face',
  'floor',
  'blood',
  'man',
  'son',
  'cent',
  'complaint',
  'madison',
  'area',
  'marine',
  'marines',
  'car',
  'north',
  'carolina',
  'verona',
  'native',
  'marines',
  'carbon',
  'monoxide',
  'poisoning',
  'authority',
  'sinéad',
  'o’connor',
  'singer',
  'madison',
  'man',
  'child',
  'pornography',
  'charge',
  'jury',
  'green',
  'bay',
  'woman',
  'boyfriend',
  'opening',
  'weekend',
  'barbenheimer',
  'cinema',
  'attorney',
  'm',
  'settlement',
  'water',
  'system',
  'contamination',
  'chemical',
  'crossfit',
  'games',
  'return',
  'madison',
  'week',
  'time',
  'mallards',
  'wisconsin',
  'alumni',
  'association',
  'wisconsin',
  'night',
  'warner',
  'park',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  '',
  '',
  'info',
  'california',
  'privacy',
  'rights',
  'advertise',
  'fcc',
  'public',
  'files',
  'fcc',
  'applications',
  'switch',
  'account',
  'photo',
  'comment',
  'blog',
  'post',
  'email',
  'address',
  'account',
  'password',
  'email',
  'address',
  'account',
  'email',
  'detail',
  'password',
  'account',
  'log',
  'link',
  'form',
  'message',
  'email',
  'link',
  'password',
  'email',
  'message',
  'instruction',
  'password',
  'email',
  'address',
  'account',
  'log',
  'link',
  'switch',
  'account',
  'alabamaalaskaarizonaarkansascaliforniacoloradoconnecticutdelawarefloridageorgiahawaiiidahoillinoisindianaiowakansaskentuckylouisianamainemarylandmassachusettsmichiganminnesotamississippimissourimontananebraskanevadanew',
  'hampshirenew',
  'jerseynew',
  'mexiconew',
  'yorknorth',
  'carolinanorth',
  'dakotaohiooklahomaoregonpennsylvaniarhode',
  'islandsouth',
  'carolinasouth',
  'virginiawisconsinwyomingpuerto',
  'ricous',
  'virgin',
  'islandsarmed',
  'forces',
  'americasarmed',
  'forces',
  'pacificarmed',
  'forces',
  'europenorthern',
  'mariana',
  'islandsmarshall',
  'islandsamerican',
  'samoafederated',
  'states',
  'micronesiaguampalaualberta',
  'canadabritish',
  'columbia',
  'canadamanitoba',
  'canadanew',
  'brunswick',
  'canadanewfoundland',
  'canadanova',
  'scotia',
  'canadanorthwest',
  'territories',
  'canadanunavut',
  'canadaontario',
  'canadaprince',
  'edward',
  'island',
  'canadaquebec',
  'canadasaskatchewan',
  'canadayukon',
  'territory',
  'canada',
  'united',
  'states',
  'virgin',
  'islandsunited',
  'states',
  'minor',
  'outlying',
  'islandscanadamexico',
  'united',
  'mexican',
  'statesbahamas',
  'commonwealth',
  'thecuba',
  'republic',
  'ofdominican',
  'republichaiti',
  'republic',
  'ofjamaicaafghanistanalbania',
  'people',
  'socialist',
  'republic',
  'ofalgeria',
  'people',
  'democratic',
  'republic',
  'samoaandorra',
  'principality',
  'ofangola',
  'republic',
  'ofanguillaantarctica',
  'territory',
  'south',
  'deg',
  's)antigua',
  'barbudaargentina',
  'argentine',
  'republicarmeniaarubaaustralia',
  'commonwealth',
  'ofaustria',
  'republic',
  'ofazerbaijan',
  'republic',
  'ofbahrain',
  'kingdom',
  'ofbangladesh',
  'people',
  'republic',
  'ofbarbadosbelarusbelgium',
  'kingdom',
  'ofbelizebenin',
  'people',
  'republic',
  'ofbermudabhutan',
  'kingdom',
  'ofbolivia',
  'republic',
  'ofbosnia',
  'herzegovinabotswana',
  'republic',
  'ofbouvet',
  'island',
  'bouvetoya)brazil',
  'federative',
  'republic',
  'ofbritish',
  'indian',
  'ocean',
  'territory',
  'chagos',
  'virgin',
  'islandsbrunei',
  'darussalambulgaria',
  'people',
  'republic',
  'ofburkina',
  'fasoburundi',
  'republic',
  'ofcambodia',
  'kingdom',
  'ofcameroon',
  'united',
  'republic',
  'ofcape',
  'verde',
  'republic',
  'islandscentral',
  'african',
  'republicchad',
  'republic',
  'ofchile',
  'republic',
  'ofchina',
  'people',
  'republic',
  'ofchristmas',
  'islandcocos',
  'keeling',
  'islandscolombia',
  'republic',
  'ofcomoros',
  'union',
  'thecongo',
  'democratic',
  'republic',
  'ofcongo',
  'people',
  'republic',
  'ofcook',
  'islandscosta',
  'rica',
  'republic',
  'ofcote',
  "d'ivoire",
  'ivory',
  'coast',
  'republic',
  'thecyprus',
  'republic',
  'ofczech',
  'republicdenmark',
  'kingdom',
  'ofdjibouti',
  'republic',
  'ofdominica',
  'commonwealth',
  'ofecuador',
  'republic',
  'ofegypt',
  'arab',
  'republic',
  'ofel',
  'salvador',
  'republic',
  'ofequatorial',
  'guinea',
  'republic',
  'oferitreaestoniaethiopiafaeroe',
  'islandsfalkland',
  'islands',
  'malvinas)fiji',
  'republic',
  'fiji',
  'islandsfinland',
  'republic',
  'offrance',
  'republicfrench',
  'guianafrench',
  'polynesiafrench',
  'southern',
  'territoriesgabon',
  'gabonese',
  'republicgambia',
  'republic',
  'republic',
  'ofgibraltargreece',
  'hellenic',
  'republicgreenlandgrenadaguadaloupeguamguatemala',
  'republic',
  'ofguinea',
  'revolutionary',
  'people',
  "rep'c",
  'ofguinea',
  'bissau',
  'republic',
  'ofguyana',
  'republic',
  'ofheard',
  'mcdonald',
  'islandsholy',
  'vatican',
  'city',
  'state)honduras',
  'republic',
  'ofhong',
  'kong',
  'special',
  'administrative',
  'region',
  'chinahrvatska',
  'croatia)hungary',
  'people',
  'republiciceland',
  'republic',
  'ofindia',
  'republic',
  'ofindonesia',
  'republic',
  'ofiran',
  'islamic',
  'republic',
  'republic',
  'state',
  'italian',
  'republicjapanjordan',
  'hashemite',
  'kingdom',
  'ofkazakhstan',
  'republic',
  'ofkenya',
  'republic',
  'ofkiribati',
  'republic',
  'ofkorea',
  'democratic',
  'people',
  'republic',
  'ofkorea',
  'republic',
  'ofkuwait',
  'state',
  'ofkyrgyz',
  'republiclao',
  'people',
  'democratic',
  'republiclatvialebanon',
  'lebanese',
  'republiclesotho',
  'kingdom',
  'ofliberia',
  'republic',
  'arab',
  'jamahiriyaliechtenstein',
  'oflithuanialuxembourg',
  'grand',
  'duchy',
  'ofmacao',
  'special',
  'administrative',
  'region',
  'chinamacedonia',
  'yugoslav',
  'republic',
  'ofmadagascar',
  'republic',
  'ofmalawi',
  'republic',
  'ofmalaysiamaldives',
  'republic',
  'ofmali',
  'republic',
  'ofmalta',
  'republic',
  'ofmarshall',
  'islandsmartiniquemauritania',
  'islamic',
  'republic',
  'ofmauritiusmayottemicronesia',
  'federated',
  'states',
  'ofmoldova',
  'republic',
  'ofmonaco',
  'ofmongolia',
  'mongolian',
  'people',
  'republicmontserratmorocco',
  'kingdom',
  'ofmozambique',
  'people',
  'republic',
  'ofmyanmarnamibianauru',
  'republic',
  'ofnepal',
  'kingdom',
  'ofnetherlands',
  'antillesnetherlands',
  'kingdom',
  'thenew',
  'caledonianew',
  'zealandnicaragua',
  'republic',
  'ofniger',
  'republic',
  'thenigeria',
  'federal',
  'republic',
  'ofniue',
  'republic',
  'ofnorfolk',
  'islandnorthern',
  'mariana',
  'islandsnorway',
  'kingdom',
  'ofoman',
  'sultanate',
  'islamic',
  'republic',
  'ofpalaupalestinian',
  'territory',
  'occupiedpanama',
  'republic',
  'ofpapua',
  'new',
  'guineaparaguay',
  'republic',
  'ofperu',
  'republic',
  'ofphilippines',
  'republic',
  'thepitcairn',
  'islandpoland',
  'polish',
  'people',
  'republicportugal',
  'portuguese',
  'republicpuerto',
  'ricoqatar',
  'state',
  'socialist',
  'republic',
  'ofrussian',
  'federationrwanda',
  'rwandese',
  'republicsamoa',
  'independent',
  'state',
  'ofsan',
  'marino',
  'republic',
  'tome',
  'principe',
  'democratic',
  'republic',
  'ofsaudi',
  'arabia',
  'kingdom',
  'ofsenegal',
  'republic',
  'ofserbia',
  'montenegroseychelles',
  'republic',
  'ofsierra',
  'leone',
  'republic',
  'ofsingapore',
  'republic',
  'ofslovakia',
  'slovak',
  'republic)sloveniasolomon',
  'islandssomalia',
  'somali',
  'republicsouth',
  'africa',
  'republic',
  'ofsouth',
  'georgia',
  'south',
  'sandwich',
  'islandsspain',
  'spanish',
  'statesri',
  'lanka',
  'democratic',
  'socialist',
  'republic',
  'ofst',
  'helenast',
  'kitts',
  'nevisst',
  'luciast',
  'pierre',
  'miquelonst',
  'vincent',
  'grenadinessudan',
  'democratic',
  'republic',
  'thesuriname',
  'republic',
  'ofsvalbard',
  'jan',
  'mayen',
  'islandsswaziland',
  'kingdom',
  'ofsweden',
  'kingdom',
  'ofswitzerland',
  'swiss',
  'confederationsyrian',
  'arab',
  'republictaiwan',
  'province',
  'chinatajikistantanzania',
  'united',
  'republic',
  'ofthailand',
  'kingdom',
  'oftimor',
  'leste',
  'democratic',
  'republic',
  'oftogo',
  'togolese',
  'republictokelau',
  'tokelau',
  'islands)tonga',
  'kingdom',
  'oftrinidad',
  'tobago',
  'republic',
  'oftunisia',
  'republic',
  'ofturkey',
  'republic',
  'ofturkmenistanturks',
  'caicos',
  'islandstuvaluuganda',
  'republic',
  'arab',
  'emiratesunited',
  'kingdom',
  'great',
  'britain',
  'n.',
  'irelanduruguay',
  'eastern',
  'republic',
  'ofuzbekistanvanuatuvenezuela',
  'bolivarian',
  'republic',
  'ofviet',
  'nam',
  'socialist',
  'republic',
  'ofwallis',
  'futuna',
  'islandswestern',
  'saharayemenzambia',
  'republic',
  'state',
  'alabamaalaskaarizonaarkansascaliforniacoloradoconnecticutdelawarefloridageorgiahawaiiidahoillinoisindianaiowakansaskentuckylouisianamainemarylandmassachusettsmichiganminnesotamississippimissourimontananebraskanevadanew',
  'hampshirenew',
  'jerseynew',
  'mexiconew',
  'yorknorth',
  'carolinanorth',
  'dakotaohiooklahomaoregonpennsylvaniarhode',
  'islandsouth',
  'carolinasouth',
  'virginiawisconsinwyomingpuerto',
  'ricous',
  'virgin',
  'islandsarmed',
  'forces',
  'americasarmed',
  'forces',
  'pacificarmed',
  'forces',
  'europenorthern',
  'mariana',
  'islandsmarshall',
  'islandsamerican',
  'samoafederated',
  'states',
  'micronesiaguampalaualberta',
  'canadabritish',
  'columbia',
  'canadamanitoba',
  'canadanew',
  'brunswick',
  'canadanewfoundland',
  'canadanova',
  'scotia',
  'canadanorthwest',
  'territories',
  'canadanunavut',
  'canadaontario',
  'canadaprince',
  'edward',
  'island',
  'canadaquebec',
  'canadasaskatchewan',
  'canadayukon',
  'territory',
  'canada',
  'united',
  'states',
  'virgin',
  'islandsunited',
  'states',
  'minor',
  'outlying',
  'islandscanadamexico',
  'united',
  'mexican',
  'statesbahamas',
  'commonwealth',
  'thecuba',
  'republic',
  'ofdominican',
  'republichaiti',
  'republic',
  'ofjamaicaafghanistanalbania',
  'people',
  'socialist',
  'republic',
  'ofalgeria',
  'people',
  'democratic',
  'republic',
  'samoaandorra',
  'principality',
  'ofangola',
  'republic',
  'ofanguillaantarctica',
  'territory',
  'south',
  'deg',
  's)antigua',
  'barbudaargentina',
  'argentine',
  'republicarmeniaarubaaustralia',
  'commonwealth',
  'ofaustria',
  'republic',
  'ofazerbaijan',
  'republic',
  'ofbahrain',
  'kingdom',
  'ofbangladesh',
  'people',
  'republic',
  'ofbarbadosbelarusbelgium',
  'kingdom',
  'ofbelizebenin',
  'people',
  'republic',
  'ofbermudabhutan',
  'kingdom',
  'ofbolivia',
  'republic',
  'ofbosnia',
  'herzegovinabotswana',
  'republic',
  'ofbouvet',
  'island',
  'bouvetoya)brazil',
  'federative',
  'republic',
  'ofbritish',
  'indian',
  'ocean',
  'territory',
  'chagos',
  'virgin',
  'islandsbrunei',
  'darussalambulgaria',
  'people',
  'republic',
  'ofburkina',
  'fasoburundi',
  'republic',
  'ofcambodia',
  'kingdom',
  'ofcameroon',
  'united',
  'republic',
  'ofcape',
  'verde',
  'republic',
  'islandscentral',
  'african',
  'republicchad',
  'republic',
  'ofchile',
  'republic',
  'ofchina',
  'people',
  'republic',
  'ofchristmas',
  'islandcocos',
  'keeling',
  'islandscolombia',
  'republic',
  'ofcomoros',
  'union',
  'thecongo',
  'democratic',
  'republic',
  'ofcongo',
  'people',
  'republic',
  'ofcook',
  'islandscosta',
  'rica',
  'republic',
  'ofcote',
  "d'ivoire",
  'ivory',
  'coast',
  'republic',
  'thecyprus',
  'republic',
  'ofczech',
  'republicdenmark',
  'kingdom',
  'ofdjibouti',
  'republic',
  'ofdominica',
  'commonwealth',
  'ofecuador',
  'republic',
  'ofegypt',
  'arab',
  'republic',
  'ofel',
  'salvador',
  'republic',
  'ofequatorial',
  'guinea',
  'republic',
  'oferitreaestoniaethiopiafaeroe',
  'islandsfalkland',
  'islands',
  'malvinas)fiji',
  'republic',
  'fiji',
  'islandsfinland',
  'republic',
  'offrance',
  'republicfrench',
  'guianafrench',
  'polynesiafrench',
  'southern',
  'territoriesgabon',
  'gabonese',
  'republicgambia',
  'republic',
  'republic',
  'ofgibraltargreece',
  'hellenic',
  'republicgreenlandgrenadaguadaloupeguamguatemala',
  'republic',
  'ofguinea',
  'revolutionary',
  'people',
  "rep'c",
  'ofguinea',
  'bissau',
  'republic',
  'ofguyana',
  'republic',
  'ofheard',
  'mcdonald',
  'islandsholy',
  'vatican',
  'city',
  'state)honduras',
  'republic',
  'ofhong',
  'kong',
  'special',
  'administrative',
  'region',
  'chinahrvatska',
  'croatia)hungary',
  'people',
  'republiciceland',
  'republic',
  'ofindia',
  'republic',
  'ofindonesia',
  'republic',
  'ofiran',
  'islamic',
  'republic',
  'republic',
  'state',
  'italian',
  'republicjapanjordan',
  'hashemite',
  'kingdom',
  'ofkazakhstan',
  'republic',
  'ofkenya',
  'republic',
  'ofkiribati',
  'republic',
  'ofkorea',
  'democratic',
  'people',
  'republic',
  'ofkorea',
  'republic',
  'ofkuwait',
  'state',
  'ofkyrgyz',
  'republiclao',
  'people',
  'democratic',
  'republiclatvialebanon',
  'lebanese',
  'republiclesotho',
  'kingdom',
  'ofliberia',
  'republic',
  'arab',
  'jamahiriyaliechtenstein',
  'oflithuanialuxembourg',
  'grand',
  'duchy',
  'ofmacao',
  'special',
  'administrative',
  'region',
  'chinamacedonia',
  'yugoslav',
  'republic',
  'ofmadagascar',
  'republic',
  'ofmalawi',
  'republic',
  'ofmalaysiamaldives',
  'republic',
  'ofmali',
  'republic',
  'ofmalta',
  'republic',
  'ofmarshall',
  'islandsmartiniquemauritania',
  'islamic',
  'republic',
  'ofmauritiusmayottemicronesia',
  'federated',
  'states',
  'ofmoldova',
  'republic',
  'ofmonaco',
  'ofmongolia',
  'mongolian',
  'people',
  'republicmontserratmorocco',
  'kingdom',
  'ofmozambique',
  'people',
  'republic',
  'ofmyanmarnamibianauru',
  'republic',
  'ofnepal',
  'kingdom',
  'ofnetherlands',
  'antillesnetherlands',
  'kingdom',
  'thenew',
  'caledonianew',
  'zealandnicaragua',
  'republic',
  'ofniger',
  'republic',
  'thenigeria',
  'federal',
  'republic',
  'ofniue',
  'republic',
  'ofnorfolk',
  'islandnorthern',
  'mariana',
  'islandsnorway',
  'kingdom',
  'ofoman',
  'sultanate',
  'islamic',
  'republic',
  'ofpalaupalestinian',
  'territory',
  'occupiedpanama',
  'republic',
  'ofpapua',
  'new',
  'guineaparaguay',
  'republic',
  'ofperu',
  'republic',
  'ofphilippines',
  'republic',
  'thepitcairn',
  'islandpoland',
  'polish',
  'people',
  'republicportugal',
  'portuguese',
  'republicpuerto',
  'ricoqatar',
  'state',
  'socialist',
  'republic',
  'ofrussian',
  'federationrwanda',
  'rwandese',
  'republicsamoa',
  'independent',
  'state',
  'ofsan',
  'marino',
  'republic',
  'tome',
  'principe',
  'democratic',
  'republic',
  ...],
 ['day',
  'woman',
  'birth',
  'hospital',
  'heart',
  'attack',
  'seizure',
  'kidney',
  'failure',
  'blood',
  'transfusion',
  'problem',
  'death',
  'human',
  'trafficking',
  'sports',
  'entertainment',
  'life',
  'money',
  'tech',
  'travel',
  'opinion',
  'obituariesonly',
  'usa',
  'today',
  'newsletters',
  'subscribers',
  'archives',
  'crossword',
  'enewspaper',
  'magazines',
  'investigations',
  'weather',
  'forecast',
  'video',
  'humankind',
  'curiousbest',
  'booklist',
  'pets',
  'food',
  'reviewed',
  'coupons',
  'blueprint',
  'best',
  'auto',
  'insurance',
  'best',
  'pet',
  'insurance',
  'best',
  'travel',
  'insurance',
  'best',
  'credit',
  'cards',
  'best',
  'cd',
  'rate',
  'best',
  'personal',
  'loans',
  'nationhurricane',
  'weather)add',
  'topichenri',
  'damage',
  'northeast',
  'john',
  'baconusa',
  'todaythe',
  'storm',
  'area',
  'inch',
  'rain',
  'henri',
  'landfall',
  'sunday',
  'rhode',
  'island',
  'state',
  'new',
  'jersey',
  'pennsylvania',
  'new',
  'york',
  'light',
  'tuesday',
  'rhode',
  'island',
  'connecticut',
  'floodwater',
  'new',
  'jersey',
  'new',
  'york',
  'henri',
  'sea',
  'storm',
  'cyclone',
  'mile',
  'providence',
  'rhode',
  'island',
  'east',
  'henri',
  'wind',
  'mph',
  'flood',
  'watch',
  'effect',
  'change',
  'strength',
  'morning',
  'system',
  'afternoon',
  'marc',
  'chenard',
  'national',
  'weather',
  'service',
  'forecaster',
  'storm',
  'northeast',
  'area',
  'inch',
  'rain',
  'swath',
  'mud',
  'debris',
  'devastation',
  'damage',
  'loss',
  'henri',
  'accuweather',
  'founder',
  'ceo',
  'joel',
  'myers',
  'central',
  'new',
  'jersey',
  'area',
  'rainwater',
  'street',
  'river',
  'state',
  'gov.',
  'phil',
  'murphy',
  'rain',
  'event',
  'digit',
  'inch',
  'case',
  'rain',
  'unheard',
  'storm',
  'henri',
  'northeast',
  'landfall',
  'rhode',
  'islandresidents',
  'rossmoor',
  'retirement',
  'community',
  'monroe',
  'township',
  'home',
  'possession',
  'roseann',
  'john',
  'kiernan',
  'appliance',
  'wall',
  'carpet',
  'car',
  'house',
  'foot',
  'water',
  'sunday',
  'roseann',
  'kiernan',
  'jamesburg',
  'luke',
  'becker',
  'boys',
  'ice',
  'cream',
  'stand',
  'foot',
  'water',
  'inch',
  'mud',
  'labor',
  'day',
  'plumbing',
  'ton',
  'timetable',
  'rhode',
  'island',
  'henri',
  'landfall',
  'sunday',
  'afternoon',
  'home',
  'business',
  'power',
  'tuesday',
  'peak',
  'storm',
  'utility',
  'national',
  'grid',
  'worker',
  'massachusetts',
  'power',
  'customer',
  'power',
  'wednesday',
  'national',
  'grid',
  'ri',
  'power',
  'midday',
  'wednesdayhigh',
  'wind',
  'culprit',
  'rhode',
  'island',
  'henri',
  'mph',
  'wind',
  'mph',
  'majority',
  'issue',
  'tree',
  'limb',
  'power',
  'line',
  'national',
  'grid',
  'spokesman',
  'ted',
  'kresse',
  'gov.',
  'dan',
  'mckee',
  'work',
  'utility',
  'repair',
  'crew',
  'staff',
  'credit',
  'executive',
  'request',
  'state',
  'storm',
  'mckee',
  'judgment',
  'picture',
  'preparation',
  'effort',
  'company',
  'storm',
  'question',
  'term',
  'strategy',
  'mckee',
  'news',
  'conference',
  'monday',
  'national',
  'grid',
  'statement',
  'year',
  'rhode',
  'island',
  'infrastructure',
  'investment',
  'national',
  'grid',
  'quartile',
  'reliability',
  'metric',
  'institute',
  'electrical',
  'electronics',
  'engineers',
  'datum',
  'utility',
  'company',
  'henri',
  'rain',
  'system',
  'new',
  'jersey',
  'pennsylvania',
  'new',
  'york',
  'area',
  'landfall',
  'cape',
  'cod',
  'martha',
  'vineyard',
  'nantucket',
  'massachusetts',
  'accuweather',
  'alex',
  'kuffner',
  'providence',
  'journal',
  'associated',
  'pressfeatured',
  'weekly',
  'adabout',
  'newsroom',
  'staff',
  'ethical',
  'principles',
  'correction',
  'press',
  'accessibility',
  'sitemap',
  'subscription',
  'terms',
  'conditions',
  'terms',
  'service',
  'california',
  'privacy',
  'rights',
  'privacy',
  'policy',
  'privacy',
  'policydo',
  'sell',
  'share',
  'target',
  'infocookie',
  'settingscontact',
  'account',
  'feedback',
  'home',
  'delivery',
  'enewspaper',
  'usa',
  'today',
  'shop',
  'usa',
  'today',
  'print',
  'editions',
  'licensing',
  'reprints',
  'advertise',
  'careers',
  'internships',
  'businessnews',
  'tips',
  'letter',
  'editor',
  'newsletters',
  'mobile',
  'app',
  'facebook',
  'twitter',
  'instagram',
  'linkedin',
  'pinterest',
  'youtube',
  'reddit',
  'flipboard',
  'jobs',
  'sports',
  'betting',
  'sports',
  'weekly',
  'studio',
  'gannett',
  'classifieds',
  'coupons',
  'blueprint',
  'auto',
  'insurance',
  'pet',
  'insurance',
  'travel',
  'insurance',
  'credit',
  'cards',
  'banking',
  'personal',
  'loans',
  'usa',
  'today',
  'division',
  'gannett',
  'satellite',
  'information',
  'network',
  'llc'],
 ['articleset',
  'weatherback',
  'main',
  'weatherset',
  'location',
  'enter',
  'city',
  'state',
  'zip',
  'codesubmitmichiganann',
  'arborflintgrand',
  'rapids',
  'muskegonjacksonkalamazoosaginaw',
  'bay',
  'cityall',
  'local',
  'love',
  '%',
  'unlimited',
  'digital',
  'access',
  'weatherwinter',
  'storm',
  'snow',
  'michigan',
  'mar.',
  'mar.',
  'a.m.',
  'winter',
  'storm',
  'friday',
  'afternoon',
  'friday',
  'night',
  'county',
  'half',
  'lower',
  'michigan.630sharesby',
  'mark',
  'torregrossa',
  'mtorregr@mlive.comupdate',
  'time',
  'road',
  'friday',
  'storma',
  'winter',
  'storm',
  'watch',
  'half',
  'lower',
  'michigan',
  'winter',
  'storm',
  'probability',
  'snow',
  'winter',
  'storm',
  'watch',
  'effect',
  'noon',
  'friday',
  'county',
  'p.m.',
  'friday',
  'rest',
  'lower',
  'grand',
  'rapids',
  'region',
  'saginaw',
  'valley',
  'region',
  'winter',
  'storm',
  'watch',
  'area',
  'friday',
  'evening',
  'a.m.',
  'saturday',
  'snowstorm',
  'hour',
  'snow',
  'spot',
  'half',
  'michigan',
  'winter',
  'storm',
  'watch',
  'boundary',
  'muskegon',
  'big',
  'rapids',
  'area',
  'mount',
  'pleasant',
  'area',
  'midland',
  'county',
  'bay',
  'county',
  'city',
  'half',
  'lower',
  'michigan',
  'winter',
  'storm',
  'snow',
  'swath',
  'winter',
  'storm',
  'area',
  'winter',
  'storm',
  'area',
  'inch',
  'snow',
  'inch',
  'snow',
  'exception',
  'lower',
  'michigan',
  'detroit',
  'area',
  'monroe',
  'ann',
  'arbor',
  'corner',
  'rain',
  'rain',
  'mix',
  'snow',
  'snow',
  'inch',
  'inch',
  'ice',
  'storm',
  'week',
  'rain',
  'storm',
  'ice',
  'accumulation',
  'place',
  'rain',
  'glaze',
  'detroit',
  'area',
  'monroe',
  'ann',
  'arbor',
  'radar',
  'forecast',
  'noon',
  'friday',
  'a.m.',
  'saturday',
  'radar',
  'forecast',
  'noon',
  'friday',
  'a.m.',
  'saturday',
  'radar',
  'half',
  'lower',
  'michigan',
  'snow',
  'friday',
  'afternoon',
  'friday',
  'evening',
  'place',
  'snowfall',
  'forecast',
  'map',
  'snowfall',
  'forecast',
  'european',
  'model',
  'ensemble',
  'forecast',
  'snow',
  'forecast',
  'european',
  'model',
  'ensemble',
  'forecast',
  'forecast',
  'snowfall',
  'streak',
  'inch',
  'snow',
  'snow',
  'precipitation',
  'area',
  'southeast',
  'lower',
  'michigan',
  'today',
  'resolution',
  'weather',
  'model',
  'area',
  'snow',
  'snowstorm',
  'story',
  'snow',
  'friday',
  'afternoon',
  'saturday',
  'morning',
  'half',
  'snowstorm',
  'snow',
  'friday',
  'evening',
  'snow',
  'mph',
  'wind',
  'gust',
  'saturday',
  'morning',
  'sun',
  'blanket',
  'snow',
  'product',
  'account',
  'link',
  'site',
  'compensation',
  'site',
  'information',
  'medium',
  'partner',
  'accordance',
  'privacy',
  'policy',
  'footer',
  'navigationabout',
  'uscontact',
  'usjobs',
  'medium',
  'groupour',
  'teamadvertise',
  'ussubscriptionsmlive.comnewslettersthe',
  'ann',
  'arbor',
  'newsthe',
  'bay',
  'city',
  'timesthe',
  'flint',
  'journalthe',
  'grand',
  'rapids',
  'pressjackson',
  'citizen',
  'patriotkalamazoo',
  'gazettemuskegon',
  'chroniclethe',
  'saginaw',
  'newsalready',
  'subscribermanage',
  'subscriptionplace',
  'vacation',
  'holdmake',
  'paymentdelivery',
  'feedbackmlive',
  'sectionsjobsautosreal',
  'estaterentalsclassifiedsnewsbusinesssportshigh',
  'school',
  'sportsbettinglifeopinionobituariesyour',
  'regional',
  'news',
  'pagessaginawjacksonkalamazoomuskegonann',
  'arborbay',
  'cityflintgrand',
  'jobarchivesclassifiedssell',
  'carsell',
  'rent',
  'homesponsor',
  'contentfollow',
  'registration',
  'portion',
  'site',
  'acceptance',
  'user',
  'agreement',
  'privacy',
  'policy',
  'cookie',
  'statement',
  'privacy',
  'choices',
  'rights',
  'setting',
  'personal',
  'information',
  'advance',
  'local',
  'media',
  'llc',
  'right',
  'material',
  'site',
  'permission',
  'advance',
  'local',
  'community',
  'rule',
  'content',
  'site',
  'youtube',
  'privacy',
  'policy',
  'youtube',
  'term',
  'service',
  'ad',
  'choice'],
 ['owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'today',
  'sunshine',
  'cloud',
  'shower',
  'thunderstorm',
  '90f.',
  'wind',
  'ese',
  'mph',
  'tonight',
  'cloud',
  'wind',
  'sse',
  'mph',
  'july',
  'disturbance',
  'bermuda',
  'coast',
  'concern',
  'sc',
  'sign',
  'post',
  'courier',
  'hurricane',
  'wire',
  'newsletter',
  'email',
  'hurricane',
  'news',
  'alert',
  'storm',
  'disturbance',
  'bermuda',
  'united',
  'states',
  'coast',
  'week',
  'percent',
  'chance',
  'development',
  'day',
  'national',
  'hurricane',
  'center',
  'hurricane',
  'wire',
  'newsletter',
  'update',
  'inbox',
  'hurricane',
  'wire',
  'newsletter',
  'uncertainty',
  'week',
  'area',
  'weather',
  'atlantic',
  'ocean',
  'united',
  'states',
  'coast',
  'day',
  'morning',
  'report',
  'national',
  'hurricane',
  'center',
  'july',
  'area',
  'pressure',
  'mile',
  'bermuda',
  'string',
  'island',
  'mile',
  'north',
  'carolina',
  'development',
  'system',
  'united',
  'states',
  'coast',
  'week',
  'weekend',
  'nhc',
  'hurricane',
  'season',
  'june',
  'dune',
  'vegetation',
  'percent',
  'chance',
  'development',
  'day',
  'meteorologist',
  'charleston',
  'point',
  'steve',
  'taylor',
  'lead',
  'meteorologist',
  'national',
  'weather',
  'service',
  'charleston',
  'office',
  'environment',
  '"taylor',
  'weather',
  'service',
  'people',
  'system',
  'plan',
  'case',
  'time',
  'year',
  'cyclone',
  'hurricane',
  'storm',
  'taylor',
  'storm',
  'atlantic',
  'season',
  'hurricane',
  'don',
  'july',
  'folly',
  'beach',
  'm',
  'worth',
  'sand',
  'decade',
  'shore',
  'meteorologist',
  'colorado',
  'state',
  'university',
  'update',
  'season',
  'hurricane',
  'forecast',
  'month',
  'storm',
  'weather',
  'forecast',
  'storm',
  'season',
  'hurricane',
  'hurricane',
  'report',
  'university',
  'june',
  'forecast',
  'storm',
  'hurricane',
  'hurricane',
  'august',
  'october',
  'percent',
  'cyclone',
  'activity',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'hurricane',
  'east',
  'coast',
  'sahara',
  'desert',
  'answer',
  'tony',
  'bartelme/',
  'images',
  'andrew',
  'j.',
  'whitaker',
  'sign',
  'hurricane',
  'wire',
  'newsletter',
  'hurricane',
  'wire',
  'newsletter',
  'hurricane',
  'season',
  'east',
  'coast',
  'information',
  'storm',
  'atlantic',
  'shamira',
  'mccray',
  'twitter',
  'storm',
  'bermuda',
  'focus',
  'shift',
  'wave',
  'africa',
  'storm',
  'bermuda',
  'focus',
  'shift',
  'wave',
  'africa',
  'attention',
  'atlantic',
  'ocean',
  'wave',
  'southwest',
  'cabo',
  'verde',
  'islands',
  'coast',
  'africa',
  'read',
  'storm',
  'bermuda',
  'focus',
  'shift',
  'wave',
  'africa',
  'disturbance',
  'bermuda',
  'coast',
  'concern',
  'sc',
  'gradual',
  'development',
  'disturbance',
  'bermuda',
  'united',
  'states',
  'coast',
  'week',
  'read',
  'moredisturbance',
  'bermuda',
  'coast',
  'concern',
  'sc',
  'garden',
  'hurricane',
  'weather',
  'patio',
  'gardener',
  'newbie',
  'plant',
  'container',
  'face',
  'weather',
  'event',
  'read',
  'garden',
  'hurricane',
  'weather',
  'hurricane',
  'national',
  'hurricane',
  'center',
  'tool',
  'national',
  'hurricane',
  'center',
  'variety',
  'program',
  'storm',
  'weather',
  'way',
  'storm',
  'morehow',
  'hurricane',
  'national',
  'hurricane',
  'center',
  'tool',
  'judge',
  'bond',
  'defendant',
  'folly',
  'beach',
  'bride',
  'death',
  'storm',
  'bermuda',
  'focus',
  'shift',
  'wave',
  'africa',
  'north',
  'charleston',
  'status',
  'minority',
  'business',
  'program',
  "'",
  'place',
  'welcome',
  'sc',
  'aquarium',
  'm',
  'education',
  'center',
  'expansion',
  'berkeley',
  'independent',
  'moncks',
  'corner',
  'sc',
  'moultrie',
  'news',
  'mount',
  'pleasant',
  'sc',
  'gazette',
  'goose',
  'creek',
  'sc',
  'star',
  'north',
  'augusta',
  'sc',
  'evening',
  'post',
  'books',
  'charleston',
  'sc',
  'charleston',
  'sc',
  'phone',
  'news',
  'tip',
  'question',
  'delivery',
  'subscription',
  'question',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'post',
  'courier',
  'evening',
  'post',
  'publishing',
  'newspaper',
  'group',
  'right',
  'term',
  'use'],
 ['deseret',
  'digital',
  'media',
  'parksarchesbryce',
  'canyoncanyonlandscapitol',
  'reefziongrand',
  'canyongrand',
  'circle',
  'toursee',
  'allnational',
  'monumentsbears',
  'earscedar',
  'breaksdinosaur',
  'national',
  'monumentfour',
  'cornersgrand',
  'staircase',
  'escalantemonument',
  'valleytimpanogos',
  'cavesee',
  'allcities',
  'townskanabloganmoabogdenpark',
  'cityprovosalt',
  'lake',
  'citysee',
  'allstate',
  'parksantelope',
  'islandbear',
  'lake',
  'state',
  'parkcoral',
  'pink',
  'sand',
  'dunesgoblin',
  'valley',
  'state',
  'parkgreat',
  'salt',
  'lakesand',
  'hollowsnow',
  'canyonsee',
  'allski',
  'resortsalta',
  'ski',
  'area',
  'beaver',
  'mountain',
  'ski',
  'resortbrian',
  'head',
  'ski',
  'resortbrighton',
  'ski',
  'resortdeer',
  'valley',
  'resortpowder',
  'mountain',
  'ski',
  'resortsolitude',
  'mountain',
  'resortsee',
  'allnatural',
  'areasbonneville',
  'salt',
  'flatsflaming',
  'gorgelake',
  'powelllittle',
  'sahara',
  'sand',
  'dunespineview',
  'reservoirsan',
  'rafael',
  'swellthe',
  'wavesee',
  'allthings',
  'dooutdoor',
  'recreationatv',
  'road',
  'jeep',
  'toursaerial',
  'toursboatingcampingcanyoneeringfishinghiking',
  'backpackinghorseback',
  'ridingmountain',
  'bikingriver',
  'raftingrock',
  'climbingski',
  'snowboardsnowmobilingsupsee',
  'allattractionsamusement',
  'parksperforming',
  'artsfamily',
  'attractionsmuseumsshoppingspastemple',
  'squaresee',
  'allplan',
  'triptravel',
  'tips',
  'blogtrip',
  'ideas',
  'itinerariesgroup',
  'traveltransportationweatheremail',
  'signupprintable',
  'road',
  'trip',
  'activity',
  'book',
  'kidssee',
  'allscenic',
  'drivesfall',
  'colors',
  'drivesalpine',
  'loophighway',
  'scenic',
  'bywaymonument',
  'valley',
  '',
  '',
  'highway',
  'drivebig',
  'cottonwood',
  'canyonmirror',
  'lake',
  'highwayprovo',
  'canyonsee',
  'alllodgingway',
  'stayhotelsresortsvacation',
  'rentalsbed',
  'breakfastsrv',
  'parks',
  'campgroundsglampingsee',
  'allnear',
  'national',
  'parksarches',
  'national',
  'parkbryce',
  'canyon',
  'national',
  'parkcanyonlands',
  'national',
  'parkcapitol',
  'reef',
  'national',
  'parkzion',
  'national',
  'parksee',
  'allstate',
  'parks',
  'monumentsbear',
  'lakecoral',
  'pink',
  'sand',
  'dunesgrand',
  'staircase',
  'escalantemonument',
  'valleylake',
  'powellsan',
  'rafael',
  'swellsee',
  'allpopular',
  'destinationscedar',
  'cityheber',
  'valleymoabpark',
  'cityprovosalt',
  'lake',
  'cityst',
  'georgesee',
  'allski',
  'resortsaltabrian',
  'head',
  'brightondeer',
  'valley',
  'resortnordic',
  'valleypark',
  'citypowder',
  'mountainsee',
  'allpet',
  'friendlymoab',
  'pet',
  'friendly',
  'lodgingpark',
  'city',
  'pet',
  'friendly',
  'lodgingkanab',
  'pet',
  'friendly',
  'lodgingsalt',
  'lake',
  'pet',
  'friendly',
  'lodgingst',
  'george',
  'pet',
  'friendly',
  'lodgingzion',
  'pet',
  'lodgingsee',
  'allalready',
  'travel',
  'dates?book',
  '-->tours',
  'guidesby',
  'activity',
  'aerial',
  'toursatv-/offroad',
  'jeep',
  'toursbikingboat',
  'watercraft',
  'rentals',
  'canyoneeringfishinggroup',
  'tourshiking',
  'backpackinghorseback',
  'ridinghot',
  'air',
  'balloonjet',
  'boat',
  'tourskayak',
  'canoe',
  'rentalsmotorcycle',
  'tours',
  'rentalsmuseumsriver',
  'raftingrock',
  'climbingski',
  'snowboard',
  'rentalssnowmobilingsup',
  'rentalstransportationziplinesee',
  'allby',
  'destinationarches',
  'bear',
  'lakebryce',
  'canyoncanyonlandscapitol',
  'reefcedar',
  'citydavis',
  'countyflaming',
  'gorgegrand',
  'staircase',
  'escalanteheberkanablake',
  'powellmoabmonument',
  'valleyogdenpark',
  'cityprovosalt',
  'lake',
  'cityst',
  'george',
  'vernal',
  'zionsee',
  'alldealseventsshopmapswomen',
  'apparelmen',
  'apparelnewarticlesfreetravel',
  'forecast',
  'weather',
  'detail',
  'partner',
  'ksl.comutah',
  'weather',
  'sharevisit',
  'facebookvisit',
  'pinterestthere',
  'saying',
  'utah',
  'weather',
  'minute',
  'weather',
  'terrain',
  'mountain',
  'inch',
  'snow',
  'winter',
  'summer',
  'state',
  'temperature',
  '°',
  'f',
  'spring',
  'type',
  'weather',
  'advice',
  'anything!see',
  'salt',
  'lake',
  'city',
  'weather',
  'list',
  'utah',
  'park',
  'city',
  'destination',
  'utah',
  'destinations',
  'weatherbryce',
  'canyon',
  'weathercapitol',
  'reef',
  'weathercedar',
  'city',
  'weatherdinosaur',
  'national',
  'monument',
  'weatherdutch',
  'john',
  'weatherescalante',
  'weathergreen',
  'river',
  'weatherheber',
  'valley',
  'weatherhovenweep',
  'weatherlake',
  'powell',
  'weatherlogan',
  'weathermoab',
  'weathermonticello',
  'weathermonument',
  'valley',
  'weathernatural',
  'bridges',
  'weatherogden',
  'weatherpark',
  'city',
  'weatherprice',
  'weatherprovo',
  'weathersalt',
  'lake',
  'city',
  'weathersnowbird',
  'weatherspringdale',
  'george',
  'weathertorrey',
  'weathervernal',
  'weatherzion',
  'weatherfillmore',
  'weathersalt',
  'lake',
  'city',
  'weathercurrent',
  'weather',
  '°',
  'flow',
  '°',
  'fjanuaryfebruarymarchaprilmayjunejulyaugustseptemberoctobernovemberdecemberaverage',
  'temperaturesun92.6',
  '°',
  'flow62.9',
  'precipitationrainy',
  'weather',
  'snowfallsnowy',
  'weather',
  'icon0.0"article',
  'itinerariesview',
  'allarrow_forwardnavigate_nexthappy',
  'trails',
  'piute',
  'countywhat',
  'delano',
  'peak',
  'paiute',
  'atv',
  'trail',
  'butch',
  'cassidy',
  'utah',
  'piute',
  'secret',
  'travel',
  'park',
  'citywant',
  'adventure',
  'park',
  'city',
  'footprint',
  'utah.com',
  'county',
  'heckfireworks',
  'parade',
  'corn',
  'cob',
  'utah.com',
  'scoop',
  'festival',
  'fai',
  'arrow_forwardnatural',
  'bridges',
  'national',
  'monument',
  'gem',
  'second',
  'fiddlean',
  'radar',
  'destination',
  'radar',
  'natural',
  'bridges',
  'utah',
  'read',
  'guys',
  'getaway',
  'guy',
  'trip',
  'atv',
  'trail',
  'vernal',
  'utah',
  'crew',
  'kind',
  'w',
  'arrow_forwardtreat',
  'san',
  'rafael',
  'swell',
  'winterthe',
  'san',
  'rafael',
  'swell',
  'utah',
  'gem',
  'winter',
  'utah',
  'read',
  'triathlon',
  'fun',
  'greater',
  'zionlooking',
  'thing',
  'st.',
  'george',
  'fall',
  'addition',
  'ironman',
  'world',
  'championship',
  'arrow_forwardcolor',
  'insert',
  'emotion',
  'cedar',
  'city',
  'feel',
  'fall',
  'foliagerichly',
  'view',
  'utah',
  'autumn',
  'peep',
  'leave',
  'drive',
  'arrow_forwardplay',
  'play',
  'cedar',
  'citytake',
  'visit',
  'cedar',
  'city',
  'utah',
  'access',
  'world',
  'class',
  'theater',
  'ou',
  'utah',
  'cuisinegetting',
  'beehive',
  'state',
  'site',
  'flavor',
  'discover',
  'whe',
  'read',
  'peach',
  'thrills',
  'box',
  'elder',
  'countyutah',
  'box',
  'elder',
  'county',
  'paradise',
  'mountain',
  'range',
  'desert',
  'orchard',
  'al',
  'read',
  'arrow_forward9',
  'peaks',
  'utahtake',
  'peek',
  'peak',
  'utah',
  'kings',
  'peak',
  'deep',
  'creeks',
  'utah.com',
  't',
  'way',
  'access',
  'trails',
  'utahfrom',
  'wheelchair',
  'waterfall',
  'trail',
  'lakeside',
  'boardwalk',
  'wildflower',
  'u',
  'read',
  'legend',
  'utahever',
  'legend',
  'utah',
  'utah.com',
  'thing',
  'folklore',
  'gu',
  'arrow_forwardhappy',
  'trails',
  'piute',
  'countywhat',
  'delano',
  'peak',
  'paiute',
  'atv',
  'trail',
  'butch',
  'cassidy',
  'utah',
  'piute',
  'secret',
  'travel',
  'park',
  'citywant',
  'adventure',
  'park',
  'city',
  'footprint',
  'utah.com',
  'county',
  'heckfireworks',
  'parade',
  'corn',
  'cob',
  'utah.com',
  'scoop',
  'festival',
  'fai',
  'arrow_forwardnatural',
  'bridges',
  'national',
  'monument',
  'gem',
  'second',
  'fiddlean',
  'radar',
  'destination',
  'radar',
  'natural',
  'bridges',
  'utah',
  'read',
  'guys',
  'getaway',
  'guy',
  'trip',
  'atv',
  'trail',
  'vernal',
  'utah',
  'crew',
  'kind',
  'w',
  'arrow_forwardtreat',
  'san',
  'rafael',
  'swell',
  'winterthe',
  'san',
  'rafael',
  'swell',
  'utah',
  'gem',
  'winter',
  'utah',
  'read',
  'triathlon',
  'fun',
  'greater',
  'zionlooking',
  'thing',
  'st.',
  'george',
  'fall',
  'addition',
  'ironman',
  'world',
  'championship',
  'arrow_forwardcolor',
  'insert',
  'emotion',
  'cedar',
  'city',
  'feel',
  'fall',
  'foliagerichly',
  'view',
  'utah',
  'autumn',
  'peep',
  'leave',
  'drive',
  'arrow_forwardplay',
  'play',
  'cedar',
  'citytake',
  'visit',
  'cedar',
  'city',
  'utah',
  'access',
  'world',
  'class',
  'theater',
  'ou',
  'utah',
  'cuisinegetting',
  'beehive',
  'state',
  'site',
  'flavor',
  'discover',
  'whe',
  'read',
  'peach',
  'thrills',
  'box',
  'elder',
  'countyutah',
  'box',
  'elder',
  'county',
  'paradise',
  'mountain',
  'range',
  'desert',
  'orchard',
  'al',
  'read',
  'arrow_forward9',
  'peaks',
  'utahtake',
  'peek',
  'peak',
  'utah',
  'kings',
  'peak',
  'deep',
  'creeks',
  'utah.com',
  't',
  'way',
  'access',
  'trails',
  'utahfrom',
  'wheelchair',
  'waterfall',
  'trail',
  'lakeside',
  'boardwalk',
  'wildflower',
  'u',
  'read',
  'legend',
  'utahever',
  'legend',
  'utah',
  'utah.com',
  'thing',
  'folklore',
  'gu',
  'travel',
  'guides',
  'view',
  'travel',
  'guidesviews',
  'email',
  'listrecently',
  'visitedsubdirectory_arrow_rightdestinationsnational',
  'parksnational',
  'monumentscities',
  'townsstate',
  'parksski',
  'resortsnatural',
  'areasregionstemple',
  'square',
  'salt',
  'lake',
  'citythe',
  'great',
  'salt',
  'lake',
  'visitor',
  'informationmapsrecreation',
  'areasthings',
  'dooutdoor',
  'recreationattractionsplan',
  'tripscenic',
  'driveslodgingways',
  'staynear',
  'national',
  'parksstate',
  'parks',
  'monumentspopular',
  'resortspet',
  'friendlyby',
  'arearv',
  'rentalstours',
  'usvisit',
  'facebookvisit',
  'pinterestvisit',
  'youtubeaboutsubscribecontactadvertise',
  'usrecreate',
  'responsiblyprivacy',
  'policyterms',
  'useterms',
  'servicecopyright',
  'utah.com',
  'right',
  'utah',
  'travel',
  'industry',
  'websiteback'],
 ['uswnt',
  'uswnt',
  'texas',
  'buoy',
  'battle',
  'rice',
  '24/7',
  'sign',
  'good',
  'news',
  'severe',
  'storms',
  'pummel',
  'south',
  'hurt',
  'arkansas',
  'tornado',
  'storm',
  'week',
  'tornado',
  'new',
  'orleans',
  'area',
  'neighborhood',
  'path',
  'destruction',
  'hour',
  'man',
  'emily',
  'wagster',
  'pettus',
  'jonathan',
  'mattise',
  'published',
  'march',
  'march',
  'pm',
  'line',
  'storm',
  'tornado',
  'wind',
  'deep',
  'south',
  'florida',
  'panhandle',
  'tree',
  'power',
  'line',
  'home',
  'business',
  'weather',
  'state',
  'florida',
  'washington',
  'county',
  'sheriff',
  'office',
  'thursday',
  'morning',
  'tornado',
  'florida',
  'panhandle',
  'home',
  'powerline',
  'washington',
  'country',
  'emergency',
  'management',
  'spokeswoman',
  'cheryl',
  'frankenfield',
  'county',
  'facebook',
  'page',
  'home',
  'tree',
  'home',
  'detail',
  'florida',
  'division',
  'emergency',
  'management',
  'employee',
  'area',
  'spokesperson',
  'samantha',
  'bequer',
  'neighboring',
  'jackson',
  'county',
  'property',
  'damage',
  'day',
  'storm',
  'tornado',
  'people',
  'wednesday',
  'home',
  'business',
  'power',
  'line',
  'mississippi',
  'tennessee',
  'storm',
  'damage',
  'arkansas',
  'missouri',
  'texas',
  'customer',
  'electricity',
  'thursday',
  'morning',
  'wake',
  'storm',
  'band',
  'state',
  'mississippi',
  'alabama',
  'tennessee',
  'kentucky',
  'indiana',
  'ohio',
  'michigan',
  'utility',
  'texas',
  'news',
  'news',
  'state',
  'texas',
  'doj',
  'file',
  'injunction',
  'texas',
  'buoy',
  'case',
  'judge',
  'recognition',
  'bullock',
  'texas',
  'state',
  'history',
  'museum',
  'weather',
  'thursday',
  'morning',
  'end',
  'storm',
  'rain',
  'wind',
  'u.s.',
  'east',
  'coast',
  'day',
  'florida',
  'panhandle',
  'tornado',
  'watch',
  'national',
  'weather',
  'service',
  'tallahassee',
  'damage',
  'jackson',
  'tennessee',
  'area',
  'tornado',
  'warning',
  'effect',
  'damage',
  'nursing',
  'home',
  'jackson',
  'madison',
  'county',
  'general',
  'hospital',
  'madison',
  'county',
  'sheriff',
  'office',
  'jackson',
  'madison',
  'county',
  'emergency',
  'management',
  'director',
  'jason',
  'moore',
  'nashville',
  'tennessee',
  'paneling',
  'story',
  'downtown',
  'hotel',
  'wednesday',
  'evening',
  'roof',
  'building',
  'fire',
  'department',
  'debris',
  'wind',
  'hotel',
  'guest',
  'building',
  'concern',
  'roof',
  'injury',
  'collapse',
  'daylight',
  'wind',
  'damage',
  'alabama',
  'person',
  'injury',
  'storm',
  'university',
  'montevallo',
  'campus',
  'birmingham',
  'building',
  'official',
  'woman',
  'home',
  'bibb',
  'county',
  'school',
  'bus',
  'school',
  'south',
  'alabama',
  'roof',
  'church',
  'northwest',
  'alabama',
  'warehouse',
  'roof',
  'storm',
  'southaven',
  'mississippi',
  'memphis',
  'police',
  'building',
  'injury',
  'mississippi',
  'senate',
  'work',
  'wednesday',
  'weather',
  'siren',
  'tornado',
  'watch',
  'downtown',
  'jackson',
  'employee',
  'shelter',
  'capitol',
  'basement',
  'rander',
  'p.',
  'adams',
  'wife',
  'janice',
  'delores',
  'adams',
  'home',
  'downtown',
  'jackson',
  'weather',
  'tornado',
  'warning',
  'wednesday',
  'afternoon',
  'light',
  'window',
  'foot',
  'wife',
  'door',
  'glass',
  'brick',
  'house',
  'adams',
  'storm',
  'tree',
  'park',
  'tree',
  'street',
  'house',
  'half',
  'house',
  'way',
  'wednesday',
  'tornado',
  'springdale',
  'arkansas',
  'town',
  'johnson',
  'mile',
  'kilometer',
  'northwest',
  'little',
  'rock',
  'a.m.',
  'people',
  'springdale',
  'mayor',
  'doug',
  'sprouse',
  'sprouse',
  'statement',
  'condition',
  'hospital',
  'responder',
  'door',
  'door',
  'search',
  'sprouse',
  'national',
  'weather',
  'service',
  'tulsa',
  'thursday',
  'tornado',
  'ef-3',
  'assessment',
  'ef-2',
  'wind',
  'speed',
  'mph',
  'kph',
  'tornado',
  'peak',
  'speed',
  'mph',
  'kph',
  'mile',
  'kilometer',
  'ground',
  'minute',
  'weather',
  'service',
  'missouri',
  'tornado',
  'wind',
  'speed',
  'mph',
  'kph',
  'st.',
  'joseph',
  'tuesday',
  'night',
  'home',
  'tornado',
  'edge',
  'dallas',
  'national',
  'weather',
  'service',
  'fort',
  'worth',
  'tornado',
  'a.m.',
  'wednesday',
  'mcclendon',
  'chisolm',
  'wind',
  'mph',
  'kph',
  'home',
  'injury',
  'weather',
  'service',
  'storm',
  'week',
  'tornado',
  'new',
  'orleans',
  'area',
  'neighborhood',
  'path',
  'destruction',
  'hour',
  'man',
  'wind',
  'louisiana',
  'semitrailer',
  'roof',
  'home',
  'tree',
  'home',
  'power',
  'line',
  'weather',
  'service',
  'forecaster',
  'tornado',
  'state',
  'national',
  'weather',
  'service',
  'office',
  'new',
  'orleans',
  'thursday',
  'team',
  'tangipahoa',
  'st.',
  'tammany',
  'parishes',
  'louisiana',
  'jackson',
  'county',
  'mississippi',
  'surveying',
  'damage',
  'wind',
  'speed',
  'office',
  'coverage',
  'area',
  'mph',
  'kph',
  'new',
  'orleans',
  'lakefront',
  'airport',
  'wind',
  'baton',
  'rouge',
  'mph',
  'kph',
  'range',
  'firefighter',
  'handle',
  'wildfire',
  'great',
  'smoky',
  'mountains',
  'national',
  'park',
  'tennessee',
  'evacuation',
  'wind',
  'storm',
  'fire',
  'acre',
  'hectare',
  'wednesday',
  'afternoon',
  'person',
  'plume',
  'smoke',
  'community',
  'tourism',
  'town',
  'gatlinburg',
  'people',
  'building',
  'article',
  'stormstornado',
  'damage',
  'cedar',
  'hill',
  'pd',
  'video',
  'shootout',
  'building',
  'gunman',
  'rice',
  'shelf',
  'north',
  'texas',
  'store',
  'women',
  'world',
  'cup',
  'tiebreaker',
  'rule',
  'sinéad',
  "o'connor",
  'singer',
  'arizona',
  'teen',
  'year',
  'montana',
  'police',
  'station',
  'contact',
  'news',
  'standards',
  'newsletters',
  'tv',
  'listing',
  'photos',
  'video',
  'kxas',
  'public',
  'inspection',
  'file',
  'kxas',
  'accessibility',
  'kxas',
  'employment',
  'information',
  'fcc',
  'applications',
  'privacy',
  'policy',
  'privacy',
  'choices',
  'terms',
  'service',
  'advertise',
  'feedback',
  'notice',
  'ad',
  'choice',
  'copyright',
  'nbcuniversal',
  'media',
  'llc',
  'right'],
 ['localbusinessinvestigationsopinionlifefoodsportsobituariesclassifiedslegal',
  'noticesepaper80',
  '°',
  'xnewsall',
  'newsohio',
  'newsnation',
  'worldelectionslocalall',
  'localgraduationcrimelocal',
  'school',
  'newsweathertrafficdaily',
  'law',
  'journallegal',
  'noticesmontgomery',
  'county',
  'newsgreene',
  'county',
  'newswarren',
  'county',
  'newsmore',
  'communitiescommunity',
  'businessinvestigationspath',
  'forwardopinionlifeall',
  'lifestylesin',
  'primethings',
  'dobest',
  'daytondayton',
  'pet',
  'contestcelebrationsworship',
  'guidedayton.compuzzles',
  'gameslatest',
  'videoslatest',
  'photoshomesplusfoodsportsall',
  'sportshigh',
  'schoolstom',
  'archdeaconud',
  'flyerswsu',
  'raidersosu',
  'buckeyesdayton',
  'dragonscincinnati',
  'bengalscincinnati',
  'redscleveland',
  'brownslatest',
  'scoresobituariesclassifiedsfind',
  'jobcars',
  'salelegal',
  'noticesnewspaper',
  'archivesdigital',
  'teacher',
  'accessnewslettersnewspaper',
  'archivescustomer',
  'servicecontact',
  'dayton',
  'daily',
  'newsour',
  'productsfeedbackfaqsdigital',
  'help',
  'centerwork',
  'heremarketplaceclassifiedsjobscars',
  'notice',
  'dayton',
  'daily',
  'news',
  'rights',
  'website',
  'term',
  'term',
  'use',
  'privacy',
  'policy',
  'ccpa',
  'option',
  'ad',
  'choices',
  'careers',
  'cox',
  'enterprises.5',
  'storm',
  'ohio',
  'history',
  'storiescredit',
  'daytondailynewslocal',
  'newsby',
  'laurel',
  'pfahlermay',
  'tornado',
  'ohio',
  'event',
  'f4',
  'fujita',
  'scale',
  'damage',
  'wind',
  'speed',
  'mph',
  'summer',
  'tornado',
  'storm',
  'air',
  'history',
  'spring',
  'look',
  'tornado',
  'ohio',
  'history',
  'exploremore',
  'popular',
  'story',
  'ohio',
  'city',
  'reasons1',
  'april',
  'destruction',
  'date',
  'tornado',
  'f5',
  'strength',
  'storm',
  'greene',
  'clark',
  'hamilton',
  'county',
  'death',
  'injury',
  'property',
  'damage',
  'f5',
  'tornado',
  'xenia',
  'wind',
  'mph',
  'national',
  'weather',
  'service',
  'storm',
  'survey',
  'city',
  'city',
  'structure',
  'xenia',
  'people',
  'hospital',
  'people',
  '”after',
  'ravaging',
  'xenia',
  'tornado',
  'greene',
  'county',
  'clark',
  'county',
  'f5',
  'tornado',
  'sayler',
  'park',
  'west',
  'cincinnati',
  'p.m.',
  'people',
  'home',
  'foundation',
  'exploremore',
  'popular',
  'story',
  'fact',
  'ohio',
  'history2',
  'april',
  'wind',
  'temperature',
  'shift',
  'tornado',
  'hour',
  'time',
  'period',
  'damage',
  'national',
  'weather',
  'service',
  'storm',
  'survey',
  'f5',
  'tornado',
  'scioto',
  'lawrence',
  'gallia',
  'county',
  'p.m.',
  'damage',
  'portsmouth',
  'people',
  'size',
  'baseball',
  'vicinity',
  'tornado',
  'reported.3',
  'tornado',
  'ohio',
  'day',
  'f5',
  'tornado',
  'portage',
  'trumbull',
  'county',
  'property',
  'damage',
  'storm',
  'p.m.',
  'portage',
  'mahoning',
  'river',
  'trumbull',
  'steam',
  'people',
  'tornado',
  'f5',
  'exploremore',
  'popular',
  'stories',
  'band',
  'performer',
  'southwest',
  'ohio4',
  'april',
  'palm',
  'sunday',
  'tornado',
  'national',
  'severe',
  'storms',
  'laboratory',
  'outbreak',
  'tornado',
  'state',
  'iowa',
  'wisconsin',
  'illinois',
  'indiana',
  'michigan',
  'ohio',
  'time',
  'day',
  'tornado',
  'disaster',
  'history',
  'datum',
  'death',
  'people',
  'american',
  'red',
  'cross',
  'ohio',
  'tornado',
  'april',
  'midnight',
  'april',
  'hour',
  'period',
  'property',
  'damage',
  'f4',
  'tornado',
  'lucas',
  'lorain',
  'county',
  'p.m.',
  'people',
  'june',
  '1953a',
  'swath',
  'thunderstorm',
  'ohio',
  'tornado',
  'hour',
  'f4',
  'tornado',
  'henry',
  'wood',
  'sandusky',
  'erie',
  'lorain',
  'cuyahoga',
  'county',
  'people',
  'damage',
  'estimate',
  'range',
  'crop',
  'damage',
  'property',
  'damage',
  'cleveland',
  'plain',
  'dealer',
  'cuyahoga',
  'storm',
  'injury',
  'death',
  'f4',
  'swell',
  'p.m.',
  'aftermath',
  'ohio',
  'national',
  'guard',
  'troop',
  'cleveland',
  'looting',
  'home',
  'news1',
  'wall',
  'heals',
  'vietnam',
  'war',
  'veteran',
  'today',
  '2youth',
  'police',
  'summer',
  'camp3prosecutor',
  'man',
  'woman',
  'eye',
  'day',
  'prison',
  'release4',
  'community',
  'gem',
  'creek',
  'founder',
  'year',
  'community',
  'gem',
  'ken',
  'clarkston',
  'minister',
  'city',
  'dayton',
  'authorlaurel',
  'pfahler',
  'dayton',
  'daily',
  'news',
  'rights',
  'website',
  'term',
  'term',
  'use',
  'privacy',
  'policy',
  'ccpa',
  'option',
  'ad',
  'choices',
  'careers',
  'cox',
  'enterprises',
  'newslocalobituariesweatherohio',
  'lotterynie',
  'teacher',
  'accessnewslettersnewspaper',
  'archivescustomer',
  'servicecontact',
  'dayton',
  'daily',
  'newsour',
  'productsfeedbackfaqsdigital',
  'help',
  'centerwork',
  'heremarketplaceclassifiedsjobscars',
  'noticessubscribesubscribe',
  'nowmanage',
  'subscriptionyour',
  'profile',
  'dayton',
  'daily',
  'news',
  'rights',
  'website',
  'term',
  'term',
  'use',
  'privacy',
  'policy',
  'ccpa',
  'option',
  'ad',
  'choices',
  'careers',
  'cox',
  'enterprises'],
 ['main',
  'content',
  'sensor',
  'network',
  'maps',
  'radar',
  'severe',
  'weather',
  'news',
  'blogs',
  'mobile',
  'apps',
  'nearest',
  'station',
  'manage',
  'favorite',
  'citieslog',
  'joinsettingsaccount_box',
  'log',
  'person_add',
  'join',
  'setting',
  'settings',
  'sensor',
  'networkmaps',
  'radarsevere',
  'weathernews',
  'blogsmobile',
  'appshistorical',
  'weatherstarnews',
  'blogs',
  'category',
  'news',
  'stories',
  'infographics',
  'posters',
  'news',
  'stories',
  'category',
  'storiesinfographicsposterspublished',
  'weather',
  'company',
  'mission',
  'weather',
  'news',
  'environment',
  'importance',
  'science',
  'life',
  'story',
  'position',
  'parent',
  'company',
  'ibm.recent',
  'storiesweather',
  'articlesour',
  'appsabout',
  'uscontactcareerspws',
  'networkwundermapfeedback',
  'supportterms',
  'useprivacy',
  'policyaccessibility',
  'statementadchoicesdata',
  'vendorswe',
  'responsibility',
  'datum',
  'technology',
  'datum',
  'data',
  'vendor',
  'control',
  'datum',
  'datum',
  'rightspowered',
  'ibm',
  'cloud',
  'copyright',
  'twc',
  'product',
  'technology',
  'llc',
  'javascript',
  'application'],
 ['usjumponit',
  'dealshike',
  'weekwho',
  'hiringnewslivestreamweathersportscontact',
  'uswycihomenewslocalnationalpoliticselection',
  'resultshealth',
  'watchin',
  'gardeninvestigate',
  'tvmade',
  'vermontsuper',
  'seniorsvermont',
  'abovewildlife',
  'watchyou',
  'melatest',
  'newscastsgot',
  'story',
  'photo',
  'newscastshow',
  'wcaxtv',
  'listingsweatherclosingsradarweather',
  'camswcax',
  'weather',
  'appski',
  'board',
  'reportin',
  'gardenweather',
  'faqastronomysportsmlb',
  'wycistats',
  'predictionshow',
  'watchcontact',
  'usmeet',
  'teamsubmit',
  'story',
  'ideassubmit',
  'photos',
  'videosign',
  'newsletterorder',
  'channel',
  'news',
  'storiescommunity',
  'partnersadvertise',
  'uswork',
  'wcaxpaid',
  'internshipscommunityhow',
  'helpcommunity',
  'calendarhike',
  'weekmarketplacewyciacross',
  'fencebuy',
  'vermont',
  'firstcircle',
  'country',
  'music',
  'lifestylepowernationbusiness',
  'breakpress',
  'releases8',
  'weather',
  'alert',
  'weather',
  'alert',
  'alerts',
  'barvt',
  'official',
  'storm',
  'flood',
  'recoveryby',
  'calvin',
  'cutlerpublished',
  'jul.',
  'edtshare',
  'facebookemail',
  'linkshare',
  'twittershare',
  'pinterestshare',
  'linkedinberlin',
  'vt',
  '.',
  'wcax',
  'vermont',
  'official',
  'thursday',
  'caution',
  'round',
  'weather',
  'thursday',
  'afternoon',
  'rain',
  'wind',
  'flood',
  'area',
  'state',
  'thursday',
  'friday',
  'sunday',
  'threat',
  'flash',
  'flooding',
  'area',
  'river',
  'ground',
  'governor',
  'press',
  'briefing',
  'berlin',
  'vermonters',
  'vermont',
  'public',
  'safety',
  'commissioner',
  'jennifer',
  'morrison',
  'storm',
  'way',
  'thursday',
  'afternoon',
  'p',
  'm.',
  'hail',
  'wind',
  'tornado',
  'state',
  'water',
  'rescue',
  'team',
  'weather',
  'kind',
  'flooding',
  'week',
  'official',
  'vermonter',
  'storm',
  'flooding',
  'department',
  'health',
  'year',
  'stephen',
  'davoll',
  'wednesday',
  'barre',
  'home',
  'accident',
  'governor',
  'scott',
  'commissioner',
  'morrison',
  'people',
  'child',
  'floodwater',
  'petroleum',
  'product',
  'sewage',
  'danger',
  'governor',
  'phil',
  'scott',
  'request',
  'thursday',
  'president',
  'biden',
  'disaster',
  'declaration',
  'fema',
  'official',
  'state',
  'wednesday',
  'damage',
  'assessment',
  'president',
  'approval',
  'week',
  'vermont',
  'officials',
  'closely',
  'monitoring',
  'damsthe',
  'vermont',
  'agency',
  'natural',
  'resources',
  'waterbury',
  'wrightsville',
  'east',
  'barre',
  'dam',
  'winooski',
  'river',
  'rainfall',
  'water',
  'level',
  'datum',
  'location',
  'emergency',
  'planning',
  'purpose',
  'week',
  'concern',
  'water',
  'wrightsville',
  'dam',
  'spillway',
  'situation',
  'dam',
  'flood',
  'official',
  'dam',
  'inch',
  'rain',
  'inch',
  'rain',
  'spillover',
  'foot',
  'water',
  'flooding',
  'transportation',
  'updatevtran',
  'official',
  'state',
  'road',
  'road',
  'update',
  '511.official',
  'bridge',
  'repair',
  'route',
  'bridge',
  'vershire',
  'damage',
  'july',
  'floating',
  'bridge',
  'brookfield',
  'vtrans',
  'wednesday',
  'bridge',
  'report',
  'portion',
  'man',
  'bridge',
  'water',
  'vtrans',
  'bridge',
  'rail',
  'official',
  'track',
  'state',
  'amtrak',
  'service',
  'vermonter',
  'ethan',
  'allen',
  'express',
  'amtrak',
  'train',
  'burlington',
  'hub',
  'vermont',
  'national',
  'guard',
  'lend',
  'handthe',
  'vermont',
  'national',
  'guard',
  'soldier',
  'airman',
  'ground',
  'support',
  'state',
  'flooding',
  'response',
  'official',
  'people',
  'dog',
  'guard',
  'water',
  'woodstock',
  'ludlow',
  'marshfield',
  'morrisville',
  'assignment',
  'story',
  'vermonter',
  'access',
  'state',
  'insurance',
  'flood',
  'damagebarre',
  'auditorium',
  'shelter',
  'food',
  'residentscopyright',
  'wcax',
  'right',
  'readcolchester',
  'man',
  'motorcycle',
  'crash',
  'sinéad',
  'o’connor',
  'singer',
  'police',
  'hiker',
  'killington',
  'surprise',
  'phish',
  'money',
  'flood',
  'victim',
  'expert',
  'vermont',
  'homelessness',
  'election',
  'newport',
  'mayoral',
  'positionhealth',
  'watch',
  'mold',
  'flood',
  'zonesplattsburgh',
  'eye',
  'waterfront',
  'hotel',
  'projectjohnson',
  'drug',
  'treatment',
  'program',
  'health',
  'center',
  'client',
  'flood',
  'homeowner',
  'fema',
  'insurance',
  'loophole',
  'calendarcontact',
  'localcovid-19',
  'mapwcax30',
  'joy',
  'drivesouth',
  'burlington',
  'vt',
  'inspection',
  'filepublicfile@wcax.com',
  '6324term',
  'serviceprivacy',
  'statementfcc',
  'applicationsadvertisingdigital',
  'advertisingclosed',
  'captioning',
  'audio',
  'descriptionat',
  'gray',
  'journalist',
  'news',
  'content',
  'community',
  'approach',
  'intelligence',
  'gray',
  'media',
  'group',
  'inc.',
  'station',
  'gray',
  'television',
  'inc.'],
 ['accessibility',
  'contentdemocracy',
  'darknesssign',
  'inthe',
  'washington',
  'postdemocracy',
  'darknessclimate',
  'environmentwestern',
  'alaska',
  'damage',
  'stormthe',
  'remnant',
  'typhoon',
  'state',
  'coast',
  'underwater',
  'evacuation',
  'power',
  'failuresby',
  'taylor',
  'september',
  'p.m.',
  'september',
  'p.m.',
  'man',
  'water',
  'street',
  'nome',
  'alaska',
  'block',
  'bering',
  'sea',
  'sept.',
  'peggy',
  'fagerstrom',
  'ap)listen6',
  'mincomment',
  'storycommentgift',
  'articlesharefloodwater',
  'alaska',
  'sunday',
  'damage',
  'remnant',
  'typhoon',
  'state',
  'storm',
  'year',
  'extent',
  'storm',
  'impact',
  'day',
  'resident',
  'state',
  'coast',
  'water',
  'damage',
  'power',
  'outage',
  'hazard',
  'area',
  'mile',
  'coastline',
  'area',
  'united',
  'states',
  'jeremy',
  'zidek',
  'information',
  'officer',
  'alaska',
  'division',
  'homeland',
  'security',
  'emergency',
  'management',
  'wpget',
  'experience',
  'planarrowright“it',
  'area',
  'damage',
  'area',
  'bit',
  'zidek',
  'access',
  'area',
  '”the',
  'storm',
  'state',
  'zidek',
  'injury',
  'fatality',
  'storm',
  'alaska',
  'state',
  'trooper',
  'search',
  'boy',
  'hooper',
  'bay',
  'village',
  'remnants',
  'pacific',
  'typhoon',
  'merbok',
  'coastline',
  'alaska',
  'sept.',
  'tide',
  'wind',
  'flooding',
  'video',
  'washington',
  'post)for',
  'year',
  'scientist',
  'concern',
  'climate',
  'change',
  'stage',
  'impact',
  'cyclone',
  'alaska',
  'summer',
  'ocean',
  'loss',
  'sea',
  'ice',
  'region',
  'ocean',
  'inundation',
  'advertisementgov',
  'mike',
  'dunleavy',
  'r',
  'emergency',
  'saturday',
  'face',
  'storm',
  'community',
  'coast',
  'flooding',
  'wind',
  'road',
  'region',
  'storm',
  'surge',
  'line',
  'communication',
  'evacuation',
  'home',
  'foundation',
  'house',
  'snake',
  'river',
  'bridge.',
  'alaskastorm',
  'governor',
  'dunleavy',
  'disaster',
  'state',
  'alaska',
  'emergency',
  'operation',
  'center',
  'operation',
  'damage',
  'assessment',
  'storm',
  'water',
  'https://t.co/1050ft0lgu',
  'pic.twitter.com/jl3g5rvxlu',
  'alaska',
  'dot&pf',
  '@alaskadotpf',
  'september',
  'tide',
  'gauge',
  'nome',
  'endpoint',
  'iditarod',
  'trail',
  'sled',
  'dog',
  'race',
  'water',
  'level',
  'foot',
  'level',
  'saturday',
  'peak',
  'storm',
  'national',
  'weather',
  'service',
  'fire',
  'saturday',
  'bering',
  'sea',
  'bar',
  'grill',
  'nome',
  'wind',
  'ocean',
  'buoy',
  'wave',
  'foot',
  'hour',
  'foot',
  'wind',
  'mph',
  'hour',
  'dozen',
  'community',
  'coast',
  'challenge',
  'damage',
  'winter',
  'rick',
  'thoman',
  'climate',
  'specialist',
  'international',
  'arctic',
  'research',
  'center',
  'advertisement“all',
  'community',
  'road',
  'connection',
  'thoman',
  'setup',
  'lower',
  '48.”runway',
  'community',
  'supply',
  'thoman',
  'good',
  'air',
  'barge',
  'region',
  'power',
  'people',
  'freezer',
  'risk',
  'food',
  'season',
  'power',
  'plant',
  'power',
  'generator',
  'house',
  'thoman',
  'system',
  'alaska',
  'weekend',
  'remnant',
  'pacific',
  'typhoon',
  'merbok',
  'pair',
  'storm',
  'bering',
  'strait',
  'strip',
  'water',
  'russia',
  'alaska',
  'alaska',
  'fallout',
  'typhoon',
  'thoman',
  'path',
  'thoman',
  'texas',
  'alaska',
  'kaitlyn',
  'lardeo',
  'meteorologist',
  'national',
  'weather',
  'service',
  'fairbanks',
  'area',
  'wind',
  'mile',
  'hour',
  'people',
  'thing',
  'lardeo',
  'lot',
  'community',
  '”mark',
  'springer',
  'mayor',
  'bethel',
  'town',
  'mile',
  'bering',
  'sea',
  'flooding',
  'property',
  'damage',
  'water',
  'boot',
  'place',
  'springer',
  'village',
  'fish',
  'rack',
  'smokehouse',
  'subsistence',
  'people',
  'gear',
  'motor',
  'medium',
  'timeline',
  'picture',
  'floodwater',
  'evacuation',
  'boat',
  'mean',
  'transportation',
  'advertisement“boats',
  'tundra',
  'springer',
  'case',
  'ground',
  'snow',
  'machine',
  '”massive',
  'storm',
  'surge',
  'wave',
  'beach',
  'erosion',
  'time',
  'year',
  'fact',
  'storm',
  'september',
  'erosion',
  'risk',
  'season',
  'people',
  'wilderness',
  'access',
  'update',
  'storm',
  'grid',
  'nome',
  'council',
  'road',
  'hunter',
  'alaskans',
  'bering',
  'sea',
  'coast',
  'nome',
  'council',
  'road',
  'nome',
  'photo',
  'saturday',
  'afternoon',
  'b.',
  'marvin',
  'permission',
  'superstorm',
  '@climatologist49',
  '@knomradio',
  'pic.twitter.com/i4eeh4hhxe',
  'rick',
  'thoman',
  '@alaskawx',
  'september',
  'flooding',
  'community',
  'chevak',
  'kotlik',
  'newtok',
  'golovin',
  'shaktoolik',
  'evacuation',
  'hooper',
  'bay',
  'storm',
  'hooper',
  'bay',
  'school',
  'relief',
  '@nwsfairbank',
  'pic.twitter.com/oqvlxclnf6',
  'paul',
  'galvez',
  '@paulgalvez6',
  'september',
  'area',
  'erosion',
  'section',
  'coastline',
  'foot',
  'land',
  'sea',
  'year',
  'fourth',
  'national',
  'climate',
  'assessment',
  'climate',
  'change',
  'report',
  'impact',
  'united',
  'states',
  'sea',
  'ice',
  'season',
  'ground',
  'temperature',
  'sea',
  'level',
  'rise',
  'flooding',
  'erosion',
  'region',
  'loss',
  'habitat',
  'resource',
  'community',
  'kivalina',
  'alaska',
  'terrain',
  'report',
  'shaktoolik',
  'people',
  'berm',
  'gravel',
  'sand',
  'driftwood',
  'settlement',
  'sea',
  'anchorage',
  'daily',
  'news',
  'resident',
  'school',
  'update',
  'storm',
  'shaktoolik',
  'berm',
  'protection',
  'sea',
  'mayor',
  'lars',
  'sookiayak',
  'tonight',
  'sea',
  'coastline',
  'photo',
  'gloria',
  'andrew.https://t.co/zn4sph3njo',
  'pic.twitter.com/h0j4fqhfxj',
  'alaska',
  'public',
  'media',
  'news',
  '@akpublicnews',
  'september',
  'mayor',
  'lars',
  'sookiayak',
  'paper',
  'commentsgift',
  'articlegift',
  'articleloading',
  'view',
  'more2023',
  'heat',
  'tracker1690',
  'degree',
  'day',
  'faraverage',
  'year',
  'date23yearly',
  'average40record',
  'most67',
  'fewest7',
  'year38top',
  'storiesworld',
  'newsessential',
  'worldopinion',
  'u.s.',
  'concession',
  'north',
  'koreaopinion',
  'russia',
  'west',
  'grain',
  'appeasement',
  'appeal',
  'pacific',
  'island',
  'apocalypse',
  'preppersrefreshtry',
  'account',
  'preferencestweet',
  'post',
  'newsroom',
  'policies',
  'standards',
  'diversity',
  'inclusion',
  'careers',
  'media',
  'community',
  'relations',
  'wp',
  'creative',
  'group',
  'accessibility',
  'statement',
  'postgift',
  'subscriptions',
  'mobile',
  'apps',
  'newsletters',
  'alerts',
  'washington',
  'post',
  'live',
  'reprints',
  'permissions',
  'post',
  'store',
  'books',
  'e',
  '-',
  'book',
  'newspaper',
  'education',
  'print',
  'archives',
  'subscribers',
  'today',
  'paper',
  'public',
  'notices',
  'contact',
  'uscontact',
  'newsroom',
  'contact',
  'customer',
  'care',
  'contact',
  'opinions',
  'team',
  'advertise',
  'licensing',
  'syndication',
  'request',
  'correction',
  'news',
  'tip',
  'report',
  'vulnerability',
  'terms',
  'usedigital',
  'products',
  'terms',
  'sale',
  'print',
  'products',
  'term',
  'sale',
  'terms',
  'service',
  'privacy',
  'policy',
  'cookie',
  'settings',
  'submissions',
  'discussion',
  'policy',
  'rss',
  'terms',
  'service',
  'ad',
  'choices',
  'washington',
  'postwashingtonpost.com',
  'washington',
  'postabout',
  'post',
  'contact',
  'newsroom',
  'contact',
  'customer',
  'care',
  'request',
  'correction',
  'news',
  'tip',
  'report',
  'vulnerability',
  'download',
  'washington',
  'post',
  'app',
  'policies',
  'standards',
  'terms',
  'service',
  'privacy',
  'policy',
  'cookie',
  'settings',
  'print',
  'products',
  'terms',
  'sale',
  'digital',
  'products',
  'terms',
  'sale',
  'submissions',
  'discussion',
  'policy',
  'rss',
  'terms',
  'service',
  'ad',
  'choice'],
 ['kfor',
  'breaking',
  'event',
  'kfor',
  'skycam',
  'network',
  'video',
  'demand',
  'studio',
  'guest',
  'corner',
  'great',
  'state',
  'oklahoma',
  'politics',
  'flash',
  'point',
  'local',
  'election',
  'hq',
  'politics',
  'hill',
  'washington',
  'jan.',
  'investigation',
  'national',
  'abortion',
  'technology',
  'miss',
  'kids',
  'courage',
  'good',
  'news',
  'health',
  'news',
  'oklahoma',
  'media',
  'center',
  'business',
  'automotive',
  'news',
  'press',
  'releases',
  'service',
  'host',
  'teen',
  'driver',
  'lending',
  'library',
  'bethany',
  'boy',
  'scout',
  'troop',
  'gov',
  'law',
  'firm',
  'tribal',
  'gaming',
  'report',
  'spotlight',
  'ok',
  'co',
  'jail',
  'trust',
  'forecast',
  'oklahoma',
  'weather',
  'radar',
  'oklahoma',
  'city',
  'weather',
  'radar',
  'oklahoma',
  'weather',
  'watches',
  'warnings',
  'map',
  'weather',
  'warning',
  'oklahoma',
  'closings',
  'kfor',
  'skycam',
  'network',
  'kfor',
  'live',
  'traffic',
  'map',
  'kfor',
  'app',
  'center',
  'weather',
  'stories',
  'college',
  'ou',
  'osu',
  'thunder',
  'high',
  'school',
  'scores',
  'silver',
  'star',
  'nation',
  'high',
  'school',
  'athlete',
  'week',
  'sports',
  'illustrated',
  'nfl',
  'draft',
  'indy',
  'ap',
  'sports',
  'liv',
  'golf',
  'team',
  'oklahoma',
  'player',
  'lebron',
  'james',
  'son',
  'arrest',
  'putnam',
  'city',
  'athletics',
  'hall',
  'fame',
  'class',
  'release',
  'scheduling',
  'matrix',
  'man',
  'thunder',
  'coach',
  'mark',
  'daigneault',
  'contract',
  'extension',
  'link',
  'tv',
  'shaped',
  'life',
  'instagram',
  'program',
  'schedule',
  'united',
  'voice',
  'lottery',
  'mr.',
  'food',
  'test',
  'kitchen',
  'recipes',
  'schools',
  'shine',
  'mail',
  'clear',
  'shelters',
  'black',
  'history',
  'month',
  'sponsored',
  'women',
  'bestreviews',
  'daily',
  'deals',
  'bestreviews',
  'contests',
  'today',
  'oklahoma',
  'contact',
  'calendar',
  'kfor',
  'team',
  'kfor',
  'station',
  'history',
  'program',
  'schedule',
  'antenna',
  'tv',
  'schedule',
  'programming',
  'captioning',
  'info',
  'public',
  'file',
  'help',
  'information',
  'nexstar',
  'regional',
  'news',
  'partners',
  'bestreviews',
  'personal',
  'information',
  'expert',
  'job',
  'post',
  'job',
  'work',
  'blog',
  'storm',
  'oklahoma',
  'damage',
  'jun',
  'pm',
  'cdt',
  'jun',
  'pm',
  'cdt',
  'jun',
  'pm',
  'cdt',
  'jun',
  'pm',
  'cdt',
  'oklahoma',
  'city',
  'kfor',
  'round',
  'weather',
  'oklahoma',
  'saturday',
  'night',
  'blog',
  'event',
  'typo',
  'error(required',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'thank',
  'inbox',
  'year',
  'rattlesnake',
  'service',
  'host',
  'teen',
  'driver',
  'da',
  'rioting',
  'party',
  'arrest',
  'taxpayer',
  'dollar',
  'governor',
  'okcpd',
  'captain',
  'family',
  'toddler',
  'team',
  'ok',
  'female',
  'player',
  'man',
  'pool',
  'oak',
  'tree',
  'crash',
  'tecumseh',
  'okcps',
  'school',
  'resource',
  'officer',
  'charter',
  'school',
  'board',
  'deadline',
  'disaster',
  'assistance',
  'foundation',
  'shawnee',
  'housing',
  'ok',
  'gov.',
  'recovery',
  'fund',
  'shawnee',
  'tornado',
  'tornado',
  'debris',
  'deadline',
  'approach',
  'shawnee',
  'disaster',
  'recovery',
  'centers',
  'hour',
  'operation',
  'tornado',
  'victim',
  'child',
  'care',
  'assistance',
  'disaster',
  'recovery',
  'center',
  'holiday',
  'weekend',
  'fema',
  'disaster',
  'recovery',
  'centers',
  'red',
  'cross',
  'application',
  'tornado',
  'assistance',
  'closing',
  'tornado',
  'disaster',
  'snap',
  'assistance',
  'cleveland',
  'lowe',
  'meal',
  'cleanup',
  'supply',
  'tornado',
  'disaster',
  'assistance',
  'cleveland',
  'snap',
  'assistance',
  'storm',
  'survivor',
  'shawnee',
  'middle',
  'school',
  'class',
  'disaster',
  'recovery',
  'centers',
  'mcclain',
  'pottawatomie',
  'scam',
  'warning',
  'oklahoma',
  'tornado',
  'victim',
  'video',
  'family',
  'tunnel',
  'shawnee',
  'foreigner',
  'community',
  'renewal',
  'red',
  'cross',
  'resource',
  'location',
  'scam',
  'alert',
  'view',
  'april',
  'tornado',
  'taiwan',
  'school',
  'office',
  'typhoon',
  'bomb',
  'threat',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'russia',
  'un',
  'meeting',
  'soldier',
  'niger',
  'bluffing',
  'putin',
  'deployment',
  'nuclear',
  'elon',
  'musk',
  'tweet',
  'x',
  '’',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'taiwan',
  'school',
  'office',
  'typhoon',
  'bomb',
  'threat',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'russia',
  'un',
  'meeting',
  'soldier',
  'niger',
  'service',
  'host',
  'teen',
  'driver',
  'lending',
  'library',
  'bethany',
  'boy',
  'scout',
  'troop',
  'gov',
  'law',
  'firm',
  'tribal',
  'gaming',
  'report',
  'spotlight',
  'ok',
  'co',
  'jail',
  'trust',
  'allegations',
  'okc',
  'mechanic',
  'firefighter',
  'house',
  'fire',
  'nw',
  'okc',
  'court',
  'document',
  'light',
  'murder',
  'carney',
  'man',
  'okcpd',
  'capt',
  '.',
  'toddler',
  'team',
  'oklahoma',
  'player',
  'okc',
  'shooting',
  'update',
  'edmond',
  'pd',
  'amber',
  'alert',
  'month',
  'mother',
  'fmr',
  'transport',
  'officer',
  'detainee',
  'oklahoma',
  'tax',
  'weekend',
  'great',
  'catsby',
  'event',
  'okc',
  'oklahoma',
  'man',
  'marines',
  'car',
  'charter',
  'school',
  'board',
  'people',
  'camera',
  'animal',
  'ag',
  'drummond',
  'state',
  'lawsuit',
  'thank',
  'inbox',
  'mcconnell',
  'biden',
  'politic',
  'hill',
  'hour',
  'alpha',
  'phi',
  'alpha',
  'convention',
  'florida',
  'politic',
  'hill',
  'hour',
  'moment',
  'mcconnell',
  'question',
  'gop',
  'politics',
  'hill',
  'hour',
  'judiciary',
  'gop',
  'mayorkas',
  'impeachment',
  'conference',
  'politic',
  'hill',
  'hour',
  'point',
  'consumer',
  'pinch',
  'politic',
  'hill',
  'hour',
  'desantis',
  'rfk',
  'jr.',
  'cdc',
  'fda',
  'politics',
  'hill',
  'hour',
  'mcconnell',
  'briefing',
  'colleague',
  'fed',
  'hike',
  'interest',
  'rate',
  'year',
  'high',
  'politic',
  'hill',
  'hour',
  'hunter',
  'biden',
  'plea',
  'agreement',
  'hold',
  'judge',
  'question',
  'politic',
  'hill',
  'hour',
  'trump',
  'cornyn',
  'romney',
  'politics',
  'hill',
  'hour',
  'hunter',
  'biden',
  'plea',
  'deal',
  'tax',
  'charge',
  'judge',
  'void',
  'bowe',
  'bergdahl',
  'court',
  'martial',
  'conviction',
  'politic',
  'hill',
  'hour',
  'bookseller',
  'publisher',
  'texas',
  'ban',
  'politic',
  'hill',
  'hour',
  'violence',
  'trump',
  'politic',
  'hill',
  'day',
  'ufo',
  'uaps',
  'angel',
  'lawmaker',
  'view',
  'politic',
  'hill',
  'hour',
  'manchin',
  'tuberville',
  'bill',
  'politic',
  'hill',
  'hour',
  'grassley',
  'criticism',
  'release',
  'fbi',
  'document',
  'politic',
  'hill',
  'hour',
  'billionaire',
  'leon',
  'black',
  'm',
  'payment',
  'jeffrey',
  'politic',
  'hill',
  'day',
  'desantis',
  'campaign',
  'staff',
  'effort',
  'politic',
  'hill',
  'day',
  'court',
  'biden',
  'rule',
  'asylum',
  'politic',
  'hill',
  'day',
  'view',
  'politic',
  'hill',
  'service',
  'ok',
  'host',
  'teen',
  'driver',
  'lending',
  'library',
  'bethany',
  'boy',
  'scout',
  'troop',
  'gov',
  'law',
  'firm',
  'tribal',
  'gaming',
  'report',
  'spotlight',
  'ok',
  'co',
  'jail',
  'trust',
  'allegations',
  'okc',
  'mechanic',
  'firefighter',
  'house',
  'fire',
  'nw',
  'okc',
  'court',
  'document',
  'light',
  'murder',
  'carney',
  'man',
  'okcpd',
  'capt',
  '.',
  'toddler',
  'team',
  'oklahoma',
  'player',
  'okc',
  'shooting',
  'update',
  'edmond',
  'pd',
  'oklahoma',
  'tax',
  'weekend',
  'cookie',
  'product',
  'rock',
  'children',
  'cup',
  'lead',
  'level',
  'tesla',
  'model',
  's',
  'model',
  'x',
  'frontier',
  'airlines',
  'sale',
  'flight',
  'claussen',
  'spritz',
  'team',
  'pickle',
  'cocktail',
  'airline',
  'teen',
  'family',
  'sam',
  'club',
  'membership',
  'cost',
  'teacher',
  'recall',
  'frigidaire',
  'washer',
  'dryer',
  'combo',
  'fire',
  'mcalister',
  'deli',
  'tea',
  'july',
  'inflation',
  'rate',
  'year',
  'subway',
  'subs',
  'frontier',
  'airlines',
  'flight',
  'pass',
  'mcdonald',
  'day',
  'item',
  'menu',
  'ram',
  'pickup',
  'owner',
  'amazon',
  'prime',
  'day',
  'deal',
  'galore',
  'scam',
  'cash',
  'a&w',
  'root',
  'beer',
  'settlement',
  'children',
  'bicycle',
  'handlebar',
  'issue',
  'belvita',
  'sandwich',
  'reaction',
  'year',
  'rattlesnake',
  'service',
  'host',
  'teen',
  'driver',
  'da',
  'rioting',
  'party',
  'arrest',
  'taxpayer',
  'dollar',
  'governor',
  'court',
  'document',
  'light',
  'murder',
  'okcpd',
  'captain',
  'family',
  'toddler',
  'team',
  'ok',
  'female',
  'player',
  'year',
  'rattlesnake',
  'service',
  'host',
  'teen',
  'driver',
  'da',
  'rioting',
  'party',
  'arrest',
  'taxpayer',
  'dollar',
  'governor',
  'court',
  'document',
  'light',
  'murder',
  'okcpd',
  'captain',
  'family',
  'toddler',
  'team',
  'ok',
  'female',
  'player',
  'watch',
  'trooper',
  'kitten',
  'hero',
  'school',
  'bus',
  'driver',
  'student',
  'video',
  'student',
  'teacher',
  'aide',
  'dui',
  'driver',
  'church',
  'watch',
  'suspect',
  'car',
  'train',
  'camera',
  'suspect',
  'handbag',
  'werescue',
  'app',
  'website',
  'clear',
  'shelters',
  'day',
  'puppy',
  'stillwater',
  'church',
  'dog',
  'illinois',
  'world',
  'clear',
  'shelters',
  'week',
  'world',
  'ugliest',
  'dog',
  'competition',
  'winner',
  'clear',
  'shelters',
  'day',
  'clear',
  'shelters',
  'adoption',
  'donation',
  'campaign',
  'clear',
  'shelters',
  'day',
  'dog',
  'puppy',
  'clear',
  'shelters',
  'day',
  'california',
  'man',
  'birthday',
  'dog',
  'clear',
  'shelters',
  'hour',
  'year',
  'dog',
  'business',
  'clear',
  'shelters',
  'day',
  'photo',
  'dozen',
  'dog',
  'need',
  'home',
  'shelter',
  'pet',
  'risk',
  'overcrowding',
  'okc',
  'shelter',
  'animal',
  'day',
  'dog',
  'home',
  'oklahoma',
  'city',
  'photo',
  'cat',
  'oklahoma',
  'city',
  'shelter',
  'okc',
  'shelter',
  'clear',
  'shelters',
  'month',
  'okc',
  'shelter',
  'animal',
  'day',
  'pet',
  'support',
  'animal',
  'shelters',
  'month',
  'shelter',
  'dog',
  'adoption',
  'canine',
  'flu',
  'foundation',
  'animal',
  'shelter',
  'okc',
  'animal',
  'shelter',
  'canine',
  'flu',
  'oklahoma',
  'city',
  'shelter',
  'dozen',
  'dog',
  'flu',
  'child',
  'grief',
  'oklahoma',
  'state',
  'department',
  'health',
  'worker',
  'summer',
  'heat',
  'career',
  'night',
  'museum',
  'student',
  'student',
  'school',
  'discover',
  'oklahoma',
  'stanley',
  'rother',
  'shrine',
  'coffee',
  'health',
  'thief',
  'key',
  'car',
  'community',
  'giveaway',
  'saturday',
  'july',
  'garden',
  'plant',
  'money',
  'monday',
  'summer',
  'saving',
  'fda',
  '1st',
  'counter',
  'birth',
  'control',
  'pill',
  'okc',
  'mayor',
  'david',
  'holt',
  'opening',
  'night',
  'money',
  'monday',
  'summer',
  'fun',
  'control',
  'knee',
  'pain',
  'scotus',
  'action',
  'impact',
  'sparrow',
  'project',
  'moore',
  'great',
  'state',
  'difference',
  'year',
  'tomato',
  'air',
  'force',
  'mom',
  'author',
  ...],
 ['hunter',
  'biden',
  'plea',
  'deal',
  'ufo',
  'takeaway',
  'whistleblower',
  'congress',
  'uap',
  'sinéad',
  "o'connor",
  'grammy',
  'singer',
  'netherlands',
  'u.s.',
  'draw',
  'rematch',
  'world',
  'cup',
  'federal',
  'reserve',
  'interest',
  'rate',
  'level',
  'year',
  'niger',
  'president',
  'guard',
  'coup',
  'ohio',
  'officer',
  'k-9',
  'man',
  'hand',
  'story',
  'tic',
  'tac',
  'ufo',
  'rain',
  'road',
  'new',
  'york',
  'u.s.',
  'road',
  'weather',
  'july',
  'pm',
  'cbs',
  'news',
  'vermont',
  'flooding',
  'vermont',
  'flooding',
  'northeast',
  'section',
  'u.s.',
  'deluge',
  'storm',
  'sunday',
  'condition',
  'road',
  'flooding',
  'new',
  'york',
  'road',
  'cbs',
  'news',
  'correspondent',
  'errol',
  'barnett',
  'chunk',
  'route',
  'rainfall',
  'downpour',
  'drainage',
  'pipe',
  'dirt',
  'debris',
  'drainage',
  'pipe',
  'asphalt',
  'example',
  'storm',
  'system',
  'place',
  'view',
  'post',
  'instagram',
  'post',
  'planet',
  'cbs',
  'news',
  '@cbsnewsplanet',
  'time',
  'weather',
  'concrete',
  'temperature',
  'road',
  'summer',
  'texas',
  'highway',
  'damage',
  'digit',
  'temperature',
  'weather',
  'road',
  'u.s.',
  'weather',
  'temperature',
  'u.s.',
  'environmental',
  'protection',
  'agency',
  'nation',
  'transportation',
  'system',
  'weather',
  'climate',
  'change',
  'system',
  'time',
  'u.s.',
  'road',
  'u.s.',
  'country',
  'world',
  'mile',
  'land',
  'lot',
  'space',
  'road',
  'mile',
  'road',
  'u.s.',
  'u.s.',
  'geological',
  'survey',
  'interstate',
  'highway',
  'system',
  'agency',
  'material',
  'road',
  'maintenance',
  'tear',
  'u.s.',
  'highway',
  'layer',
  'agency',
  'soil',
  'soil',
  'inch',
  'aggregate',
  'middle',
  'inch',
  'concrete',
  'layer',
  'combinate',
  'material',
  '%',
  'aggregate',
  '%',
  'water',
  '%',
  'cement',
  '%',
  'air',
  'dr.',
  'klaus',
  'hans',
  'jacob',
  'geophysicist',
  'columbia',
  'university',
  'lamont',
  'doherty',
  'earth',
  'observatory',
  'year',
  'disaster',
  'risk',
  'management',
  'climate',
  'change',
  'cbs',
  'news',
  'road',
  'highway',
  'embankment',
  'problem',
  'stream',
  'river',
  'issue',
  'datum',
  'decade',
  'road',
  'weather',
  'climate',
  'condition',
  'climate',
  'condition',
  'road',
  'highway',
  'settlement',
  'flash',
  'flood',
  'effect',
  'climate',
  'change',
  'heat',
  'precipitation',
  'sea',
  'level',
  'risejacob',
  'cbs',
  'news',
  'atmosphere',
  'ocean',
  'moisture',
  'air',
  'precipitation',
  'moisture',
  'body',
  'water',
  'force',
  'gravel',
  'sand',
  'rock',
  'pebble',
  'road',
  'air',
  'cat',
  'dog',
  'rainfall',
  'land',
  'rate',
  'datum',
  'kind',
  'flash',
  'flood',
  'embankment',
  'bank',
  'road',
  'course',
  'sea',
  'level',
  'storm',
  'climate',
  'change',
  'toll',
  'road',
  'epa',
  'road',
  'material',
  'impact',
  'jacob',
  'result',
  'people',
  'trouble',
  'home',
  'school',
  'store',
  'appointment',
  'epa',
  'precipitation',
  'road',
  'impact',
  'storm',
  'flooding',
  'mudslide',
  'route',
  'cornwall',
  'west',
  'point',
  'pic.twitter.com/zdxmjakq7',
  'm',
  'nsfwwx',
  'july',
  'exposure',
  'flooding',
  'snow',
  'event',
  'life',
  'expectancy',
  'highway',
  'road',
  'epa',
  'road',
  'infrastructure',
  'area',
  'flooding',
  'sea',
  'level',
  'rise',
  'storm',
  'heat',
  'road',
  'road',
  'u.s.',
  'asphalt',
  'concrete',
  'material',
  'asphalt',
  'cement',
  'sand',
  'rock',
  'u.s.',
  'department',
  'transportation',
  'problem',
  'temperature',
  'pavement',
  'epa',
  'view',
  'damage',
  'parking',
  'lot',
  'rainfall',
  'new',
  'york',
  'city',
  'dozen',
  'water',
  'rescue',
  'roadway',
  'foot',
  'rain',
  'hour',
  'sunday',
  'orange',
  'county',
  'new',
  'york',
  'united',
  'states',
  'july',
  'lokman',
  'vural',
  'elibol',
  'anadolu',
  'agency',
  'getty',
  'images',
  'pavement',
  'contract',
  'temperature',
  'wisconsin',
  'department',
  'transportation',
  'video',
  'impact',
  'change',
  'heat',
  'moisture',
  'content',
  'pavement',
  'design',
  'limit',
  'pavement',
  '"jacob',
  'asphalt',
  'heat',
  'road',
  'road',
  'car',
  'truck',
  'paste',
  'heat',
  'issue',
  'u.s.',
  'year',
  'week',
  'segment',
  'interstate',
  'texas',
  'temperature',
  'texas',
  'department',
  'transporation',
  'lane',
  'traffic',
  'segment',
  'road',
  'barrier',
  'txdot',
  'crew',
  'scene',
  'segment',
  'east',
  'freeway',
  'frontage',
  'road',
  'wayside',
  'heat',
  'road',
  'wayside',
  'entrance',
  'ramp',
  'wayside',
  'detour',
  'mainlane',
  'pic.twitter.com/0k151prehk',
  'hou',
  'district',
  '@txdothouston',
  'june',
  'road',
  'emergency',
  'u.s.',
  'government',
  'accountability',
  'office',
  'report',
  'point',
  'danger',
  'road',
  'climate',
  'change',
  'u.s.',
  'road',
  'change',
  'climate',
  'route',
  'emergency',
  'evacuation',
  'disaster',
  'agency',
  'climate',
  'damage',
  'road',
  'end',
  'century',
  'jacob',
  'precipitation',
  'damage',
  'effect',
  'weather',
  'funding',
  'engineering',
  'problem',
  'issue',
  'government',
  'agency',
  'option',
  'department',
  'transportation',
  'climate',
  'resilience',
  'federal',
  'highways',
  'administration',
  'policy',
  'design',
  'standard',
  'building',
  'code',
  'climate',
  'resilience',
  'action',
  'incentive',
  'penalty',
  'jacob',
  'cement',
  'material',
  'road',
  'material',
  'expertise',
  'funding',
  'design',
  'information',
  'datum',
  'infrastructure',
  'climate',
  'change',
  'loss',
  'billion',
  'nation',
  'federal',
  'highway',
  'administration',
  'approach',
  'state',
  'road',
  'bridge',
  'event',
  'weather',
  'department',
  'biden',
  'administration',
  'emergency',
  'relief',
  'program',
  'fund',
  'state',
  'district',
  'columbia',
  'puerto',
  'rico',
  'department',
  'administration',
  'goal',
  'infrastructure',
  'bipartisan',
  'infrastructure',
  'law',
  'resiliency',
  'transportation',
  'infrastructure',
  'face',
  'climate',
  'change',
  'program',
  'eligibility',
  'promoting',
  'resilient',
  'operations',
  'transformative',
  'cost',
  'transportation',
  'protect',
  'formula',
  'discretionary',
  'grant',
  'program',
  'highway',
  'administration',
  'application',
  'grant',
  'resilience',
  'climate',
  'change',
  'impact',
  'question',
  'investment',
  'jacob',
  'issue',
  'adaptation',
  'fuel',
  'use',
  'thing',
  'future',
  'planet',
  'climate',
  'change',
  'news',
  'features',
  'greece',
  'fire',
  'july',
  'emission',
  'record',
  'week',
  'death',
  'toll',
  'wildfire',
  'char',
  'europe',
  'north',
  'africa',
  'florida',
  'ocean',
  'temperature',
  'degree',
  'fahrenheit',
  'extreme',
  'heat',
  'shift',
  'sport',
  'u.s.',
  'city',
  'heat',
  'island',
  'expert',
  'weather',
  'forecast',
  'climate',
  'change',
  'road',
  'conditions',
  'infrastructure',
  'new',
  'york',
  'li',
  'cohen',
  'media',
  'producer',
  'content',
  'writer',
  'cbs',
  'news',
  'july',
  'pm',
  'cbs',
  'interactive',
  'inc.',
  'rights',
  'thank',
  'cbs',
  'news',
  'account',
  'feature',
  'email',
  'address',
  'email',
  'address',
  'weather',
  'heat',
  'human',
  'climate',
  'change',
  'weather',
  'extreme',
  'study',
  'chicago',
  'weather',
  'alert',
  'storm',
  'threat',
  'humid',
  'thursday',
  'climate',
  'change',
  'role',
  'weather',
  'world',
  'copyright',
  'cbs',
  'interactive',
  'inc.',
  'right',
  'privacy',
  'policy',
  'california',
  'notice',
  'personal',
  'information',
  'terms',
  'use',
  'advertise',
  'captioning',
  'cbs',
  'news',
  'paramount+',
  'cbs',
  'news',
  'store',
  'site',
  'map',
  'contact',
  'browser',
  'notification',
  'news',
  'event',
  'reporting'],
 ['boston',
  'news',
  'weather',
  'sports',
  'whdh',
  '7new',
  'local',
  'regional',
  'air',
  'live',
  'stream',
  'breaking',
  'news',
  'stream',
  'world',
  'politics',
  'entertainment',
  'area',
  'traffic',
  'team',
  '7new',
  'social',
  'media',
  'video',
  'forecast',
  'interactive',
  'radar',
  'weather',
  'blog',
  'watches',
  'warning',
  'storm',
  'closings',
  'school',
  'organization',
  'closing',
  'delay',
  'cw56',
  'community',
  'calendar',
  'internships',
  'advertise',
  'employment',
  'opportunities',
  'contact',
  'news',
  'tips',
  'mobile',
  'app',
  'whdh',
  'tv',
  'listings',
  'tv',
  'storm',
  'havoc',
  'new',
  'hampshire',
  'eric',
  'kane',
  'august',
  'manchester',
  'n.h.',
  'whdh',
  'series',
  'storm',
  'new',
  'hampshire',
  'friday',
  'evening',
  'tornado',
  'warning',
  'tree',
  'road',
  'river',
  'town',
  'city',
  'new',
  'hampshire',
  'pair',
  'tornado',
  'warning',
  'effect',
  'point',
  'rain',
  'street',
  'manchester',
  'motorist',
  'pedestrian',
  'knee',
  'water',
  'wind',
  'tree',
  'home',
  'gilmanton',
  'power',
  'line',
  'hopkinton',
  'library',
  'damage',
  'lightning',
  'strike',
  'damage',
  'hopkinton',
  'nh',
  'library',
  'lightning',
  'strike',
  'evening',
  'pic.twitter.com/x3f8qc64dt',
  'eric',
  'kane',
  'august',
  '2018@7news',
  '@jackielayeron7',
  '@clamberton7',
  '@brieggers',
  'gilmanton',
  'nh',
  'pic.twitter.com/e7qhispbnx',
  'sammy',
  '@finewineo',
  'august',
  'copyright',
  'c',
  'sunbeam',
  'television',
  'rights',
  'material',
  'newsletter',
  'news',
  'inbox',
  '7weather',
  'storm',
  'way',
  'tomorrow',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'judge',
  'concern',
  'term',
  'agreement',
  'naacp',
  'national',
  'convention',
  'boston',
  'sinéad',
  'o’connor',
  'singer',
  'u',
  'media',
  'retired',
  'bruins',
  'star',
  'bergeron',
  'uber',
  'driver',
  'family',
  'jaylen',
  'brown',
  'celtics',
  'year',
  'deal',
  'nba',
  'history',
  'whdh',
  'tv',
  '7news',
  'wlvi',
  'tv',
  'cw56',
  'sunbeam',
  'television',
  'corp',
  '7',
  'bulfinch',
  'place',
  'boston',
  'ma',
  'news',
  'tips',
  'tips',
  'hank',
  'hank',
  'mobile',
  'apps',
  'news',
  'tips',
  'whdh',
  'tv',
  'listings',
  'cw56',
  'tv',
  'listing',
  'community',
  'calendar',
  'advertise',
  'contact',
  'internships',
  'employment',
  'opportunities',
  'privacy',
  'policy',
  'terms',
  'service',
  'children',
  'programming',
  'captioning',
  'concern',
  'eeo',
  'public',
  'file',
  'whdh',
  'fcc',
  'public',
  'file',
  'wlvi',
  'fcc',
  'public',
  'file',
  'content',
  'copyright',
  'whdh',
  'tv',
  'whdh',
  'programming',
  'child',
  'report',
  'fcc',
  'station',
  'outreach',
  'child',
  'public',
  'report',
  'fcc',
  'public',
  'file',
  'fcc',
  'website',
  'information',
  'site',
  'privacy',
  'policy',
  'terms',
  'service'],
 ['contentwburwbur90.0',
  'wbur',
  'boston',
  'npr',
  'news',
  'stationlocal',
  'coverage',
  'loading',
  'heart',
  'donatewburwbur90.0',
  'wbur',
  'boston',
  'npr',
  'news',
  'stationlocal',
  'coverage',
  'loading',
  'heart',
  'donatelocal',
  'coverage',
  'livesearchsectionslocal',
  'coveragearts',
  'culturebusinesseducationenvironmenthealthinvestigationscognoscentiboston',
  'news',
  'quizradioon',
  'air',
  'schedulemorning',
  'editionon',
  'pointradio',
  'bostonhere',
  'nowall',
  'things',
  'consideredways',
  'radio',
  'programspodcaststhe',
  'commonendless',
  'threadcircle',
  'seenanything',
  'selenaall',
  'calendarwatch',
  'past',
  'eventsrentalsevent',
  'newslettersupportmake',
  'donationbecome',
  'membermember',
  'servicesdonate',
  'carjoin',
  'murrow',
  'societysubscribe',
  'weekday',
  'wbur',
  'morning',
  'routinethe',
  'email',
  'address',
  'invalidit',
  'boston',
  'news',
  'fun',
  'emailthank',
  'wbur',
  'today',
  'wbur',
  'today',
  'advertisementpowerhouse',
  'storm',
  'snow',
  'gusts04:16download',
  'websiteclose×copy',
  'code',
  'wbur',
  'player',
  'site',
  'iframe',
  'width="100',
  'height="124',
  'news/2023/03/14',
  'snow',
  'gust',
  'power',
  'outage',
  'winter',
  'storm',
  'massachusetts',
  'copy',
  'march',
  'noyesfacebookemailweather',
  'resources',
  'national',
  'weather',
  'service',
  'mema',
  'power',
  'outage',
  'map',
  'mbta',
  'service',
  'logan',
  'flight',
  'status',
  'tracker',
  'amtrak',
  'service',
  'alertsa',
  'ocean',
  'storm',
  'monday',
  'momentum',
  'tuesday',
  'snow',
  'rain',
  'new',
  'england',
  'storm',
  'pressure',
  'center',
  'long',
  'island',
  'precipitation',
  'region',
  'road',
  'condition',
  'area',
  'storm',
  'pocket',
  'damage',
  'power',
  'outage',
  'snow',
  'gust',
  'massachusetts',
  'massachusetts',
  'emergency',
  'management',
  'agency',
  'customer',
  'power',
  'p.m.',
  'tuesday',
  'agency',
  'spokesperson',
  'christian',
  'cunnie',
  'utility',
  'provider',
  'massachusetts',
  'eversource',
  'national',
  'grid',
  'unitil',
  'erp',
  'emergency',
  'day',
  'power',
  'rain',
  'snow',
  'line',
  'city',
  'worcester',
  'zone',
  'morning',
  'a.m.',
  'p.m.',
  'rain',
  'snow',
  'line',
  'rain',
  'snow',
  'massachusetts',
  'community',
  'exception',
  'cape',
  'cod',
  'changeover',
  'boston',
  'noon',
  'clip',
  'burst',
  'snow',
  'p.m.',
  'p.m.',
  'snowfall',
  'rate',
  'inch',
  'hour',
  'time',
  'period',
  'visibility',
  'travel',
  'courtesy',
  'courtesy',
  'condition',
  'snow',
  'spot',
  'afternoon',
  'highway',
  'official',
  'weather',
  'road',
  'massdot',
  'highway',
  'administrator',
  'jonathan',
  'gulliver',
  'people',
  '"this',
  'situation',
  'storm',
  'storm',
  'lot',
  'element',
  'tuesday',
  'morning',
  'weather',
  'today',
  'snow',
  'condition',
  'roadway',
  'storm',
  'air',
  'sea',
  'travel',
  'flight',
  'tracking',
  'website',
  'flightaware',
  'cancellation',
  'logan',
  'international',
  'airport',
  'courtesy',
  'nbc10)mbta',
  'ferry',
  'service',
  'steamship',
  'authority',
  'trip',
  'cape',
  'cod',
  'islands',
  'tuesday',
  'remainder',
  'week',
  'melting',
  'refreeze',
  'cycle',
  'temperature',
  '40',
  'day',
  '20',
  '30',
  'spot',
  'patch',
  'snowthe',
  'jackpot',
  'zone',
  'west',
  'city',
  'i-495',
  'massachusetts',
  'new',
  'hampshire',
  'zone',
  'inch',
  'inch',
  'elevation',
  'monadnock',
  'region',
  'route',
  'corridor',
  'inch',
  'i-128',
  'i-495',
  'inch',
  'city',
  'north',
  'south',
  'shores',
  'plymouth',
  'cape',
  'cod',
  'snow',
  'round',
  'shoveling',
  'snow',
  'end',
  'snow',
  'intensity',
  'p.m.',
  'p.m.',
  'snow',
  'shower',
  'flurry',
  'pre',
  '-',
  'dawn',
  'wednesday',
  'coast',
  'accumulation',
  'windthe',
  'number',
  'damage',
  'outage',
  'day',
  'area',
  'i-495',
  'elevation',
  'snow',
  'snow',
  'nature',
  'tree',
  'powerline',
  'coast',
  'wind',
  'gust',
  'wind',
  'wind',
  'day',
  'tuesday',
  'gust',
  'mph',
  'mph',
  'gust',
  'coast',
  'wind',
  'north',
  'tuesday',
  'afternoon',
  'point',
  'period',
  'mph',
  'gust',
  'coast',
  'mph',
  'gust',
  'mph',
  'tip',
  'cape',
  'ann',
  'cape',
  'pocket',
  'damage',
  'outage',
  'evening',
  'backside',
  'storm',
  'wind',
  'north',
  'northwest',
  'wednesday',
  'time',
  'gust',
  'mph',
  'speed',
  'restoration',
  'effort',
  'courtesy',
  'nbc10)floodingmeanwhile',
  'coast',
  'area',
  'flooding',
  'beach',
  'erosion',
  'tide',
  'cycle',
  'tuesday',
  'morning',
  'tide',
  'tuesday',
  'evening',
  'wednesday',
  'morning',
  'surge',
  'foot',
  'road',
  'area',
  'basement',
  'spot',
  'gloucester',
  'revere',
  'hull',
  'scituate',
  'bay',
  'cape',
  'cod',
  'wbur',
  'samantha',
  'coetzee',
  'miriam',
  'wasser',
  'article',
  'march',
  'segment',
  'march',
  'noyes',
  'meteorologistmeteorologist',
  'danielle',
  'noyes',
  'contributor',
  'wbur.more',
  'advertisementresumelisten',
  'liveloading',
  'closewburwbur90.0',
  'wbur',
  'boston',
  'npr',
  'news',
  'stationnprcontact',
  'us(617',
  'commonwealth',
  'ave',
  'boston',
  'ma',
  '02215more',
  'way',
  'touch',
  'wburwho',
  'areinside',
  'wburcareerswbur',
  'staffcommunity',
  'advisory',
  'boardboard',
  'transparencydiversity',
  'equity',
  'inclusionlicensing',
  'wbur',
  'contentethics',
  'guidesupport',
  'donationbecome',
  'membermember',
  'servicesdonate',
  'carjoin',
  'murrow',
  'societybecome',
  'sponsorvolunteerfollowfacebook',
  'facebook',
  'instagram',
  'youtube',
  'linkedinsubscribe',
  'weekday',
  'wbur',
  'morning',
  'routinethe',
  'email',
  'address',
  'invalidit',
  'boston',
  'news',
  'fun',
  'emailthank',
  'wbur',
  'today',
  'wbur',
  'today',
  'copyright',
  'wbur',
  'statementswbur',
  'eeo',
  'applicationspublic',
  'file',
  'assistancesyndicationthis',
  'site',
  'recaptcha',
  'google',
  'privacy',
  'policy',
  'terms',
  'service'],
 ['home',
  'mail',
  'news',
  'finance',
  'sports',
  'entertainment',
  'life',
  'search',
  'shopping',
  'yahoo',
  'plus',
  'yahoo',
  'news',
  'app',
  'yahoo',
  'news',
  'yahoo',
  'news',
  'search',
  'query',
  'sign',
  'mail',
  'sign',
  'mail',
  'news',
  'politics',
  'world',
  'covid-19',
  'climate',
  'change',
  'health',
  'science',
  'originals',
  'skullduggery',
  'podcast',
  'conspiracyland',
  'contact',
  'herald',
  'leadermore',
  'weather',
  'kentucky',
  'community',
  'article',
  'graphic',
  'national',
  'weather',
  'servicechristopher',
  'leachjune',
  'min',
  'readmore',
  'storm',
  'kentucky',
  'end',
  'week',
  'day',
  'thunderstorm',
  'tornado',
  'damage',
  'county',
  'storm',
  'region',
  'thursday',
  'friday',
  'national',
  'weather',
  'service',
  'severity',
  'timeline',
  'storm',
  'wednesday',
  'morning',
  'rain',
  'wind',
  'excess',
  'mph',
  'lightning',
  'nws',
  'weather',
  'way',
  'warning',
  'nws',
  'round',
  'thunderstorm',
  'region',
  'thursday',
  'friday',
  'rainfall',
  'wind',
  'excess',
  'mph',
  'lightning',
  'weather',
  'hazard',
  'kywx',
  'inwx',
  'pic.twitter.com/oweyjyxjdz',
  'nws',
  'louisville',
  '@nwslouisville',
  'june',
  'forecast',
  'wednesday',
  'nws',
  'temperature',
  '80',
  '90',
  'day',
  'region',
  'high',
  '80',
  'condition',
  'thursday',
  'friday',
  'threat',
  'thunderstorm',
  'weather',
  'kywx',
  '',
  '',
  'inwx',
  'pic.twitter.com/j0fh3ei2hr',
  'nws',
  'louisville',
  '@nwslouisville',
  'june',
  'chief',
  'meteorologist',
  'chris',
  'bailey',
  'threat',
  'storm',
  'thursday',
  'sunday',
  'wind',
  'rain',
  'hail',
  'storm',
  'bailey',
  'nws',
  'surveyor',
  'tornado',
  'damage',
  'hardin',
  'russell',
  'county',
  'line',
  'wind',
  'damage',
  'bullitt',
  'madison',
  'grayson',
  'edmonson',
  'warren',
  'county',
  'survey',
  'wednesday',
  'thursday',
  'customer',
  'wednesday',
  'morning',
  'storm',
  'website',
  'power',
  'outage',
  'country',
  'outage',
  'grayson',
  'edmonson',
  'hart',
  'russell',
  'county',
  'storiesin',
  'know',
  'yahoohow',
  'ac',
  'heatwave',
  'genius',
  'this’as',
  'record',
  'heatwave',
  'southwest',
  'midwest',
  'northeast',
  'people',
  'tiktok',
  'hack',
  'cool.15h',
  'agothe',
  'florida',
  'times',
  'unionnational',
  'hurricane',
  'center',
  'system',
  'atlantic',
  'basin',
  'east',
  'floridasome',
  'model',
  'disturbance',
  'east',
  'coast',
  'florida',
  'week',
  'florida',
  'public',
  'radio',
  'emergency',
  'network.2d',
  'agonbc',
  'newslike',
  'tub',
  'water',
  'temperature',
  'florida',
  'degreeson',
  'monday',
  'country',
  'heat',
  'boiling',
  'milestone',
  'buoy',
  'florida',
  'jaw',
  'degree',
  'fahrenheit',
  'water',
  'temperature.1d',
  'agowftv2',
  'disturbance',
  'atlantic',
  'oceanthe',
  'national',
  'hurricane',
  'center',
  'monday',
  'disturbance',
  'atlantic',
  'ocean.2d',
  'agopalm',
  'beach',
  'daily',
  'newshere',
  'list',
  'county',
  'hurricane',
  'florida',
  'statesof',
  'county',
  'loss',
  'hurricane',
  'florida.13h',
  'agoreuterssaguaro',
  'arizona',
  'heat',
  'scientist',
  'saysarizona',
  'symbol',
  'u.s.',
  'west',
  'arm',
  'case',
  'state',
  'record',
  'streak',
  'heat',
  'scientist',
  'tuesday',
  'summer',
  'monsoon',
  'cacti',
  'desert',
  'giant',
  'ability',
  'wild',
  'city',
  'temperature',
  'degree',
  'fahrenheit',
  'celsius',
  'day',
  'phoenix',
  'tania',
  'hernandez',
  'plant',
  'heat',
  'point',
  'heat',
  'water',
  'hernandez',
  'research',
  'scientist',
  'phoenix',
  'acre',
  'hectare',
  'desert',
  'botanical',
  'garden',
  'cactus',
  'specie',
  'sahuaro',
  'foot',
  'agodetroit',
  'free',
  'pressweather',
  'service',
  'threat',
  'michigan',
  'powerfrom',
  'grand',
  'rapids',
  'saginaw',
  'thunderstorm',
  'michigan',
  'rain',
  'wind',
  'power',
  'outages.18h',
  'agothe',
  'telegraphpowerful',
  'mph',
  'wind',
  'philippineswinds',
  'excess',
  'mile',
  'hour',
  'philippines',
  'person',
  'typhoon',
  'doksuri',
  'landfall.19h',
  'agothe',
  'bergen',
  'recordtemperatures',
  'century',
  'mark',
  'north',
  'jersey',
  'brace',
  'heat',
  'wavea',
  'forecast',
  'national',
  'weather',
  'service',
  'office',
  'new',
  'york',
  'city',
  'state',
  'friday',
  'day',
  'week.21h',
  'agomiami',
  'heraldstormy',
  'weather',
  'south',
  'florida',
  'keys',
  'relief',
  'last?heat',
  'advisory',
  'effect',
  'wednesday',
  'rain',
  'bit',
  'weekend.14h',
  'agobuzzfeed13',
  'hot',
  'weather',
  'hack',
  'easy"if',
  'button',
  'second',
  'car',
  'window',
  'agola',
  'timesgiant',
  'crack',
  'santa',
  'monica',
  'pch',
  'emergency',
  'repairsa',
  'portion',
  'bluff',
  'pacific',
  'coast',
  'highway',
  'santa',
  'monica',
  'danger',
  'roadway',
  'below.2d',
  'agostylecasterhere',
  'type',
  'weather',
  'zodiac',
  'sign',
  'moods',
  'emotionsit',
  'calm',
  'storm.1d',
  'wave',
  'coast',
  'africa',
  '%',
  'chance',
  'developinga',
  'piece',
  'energy',
  'bahamas',
  'rain',
  'florida.18h',
  'agoidaho',
  'statesmanweak',
  'bobcat',
  'kitten',
  'tree',
  'search',
  'sibling“each',
  'day',
  'kitten',
  'wild',
  'mother',
  'chance',
  'survival',
  'decrease',
  '”6h',
  'agokansas',
  'city',
  'starflying',
  'squirrel',
  'missouri',
  'birdhouse',
  'face',
  'instant',
  'image',
  'state',
  'wildlife',
  'official',
  'said.11h',
  'agowhiochance',
  'thunderstorm',
  'evening',
  'heat',
  'advisory',
  'region',
  'noon',
  'thursdaymild',
  'tonight',
  'friday',
  'temperature',
  'storm',
  'center',
  'says.5h',
  'agostate',
  'college',
  'centre',
  'daily',
  'timespennsylvania',
  'explosion',
  'motion',
  'plant',
  'lookalikes.2d',
  'agocbs',
  'chicagochicago',
  'alert',
  'weather',
  'storm',
  'wednesdaycbs',
  'chief',
  'meteorologist',
  'albert',
  'ramon',
  'weather',
  'way',
  'chicago',
  'area.1d',
  'agonbc',
  'sports',
  'chicagocould',
  'rain',
  'storm',
  'crosstown',
  'classic',
  'forecastthe',
  'potential',
  'afternoon',
  'rain',
  'storm',
  'game',
  'crosstown',
  'classic',
  'stories',
  'trendingone',
  'family',
  'bottle',
  'arizona',
  'california',
  'fraud',
  'prosecutor',
  'business',
  'insider·2',
  'min',
  'read‘overwhelmed',
  'teen',
  'walks',
  'police',
  'stationthe',
  'daily',
  'beast·5',
  'min',
  'readmitch',
  'mcconnell',
  'press',
  'conference',
  'news·2',
  'min',
  'family',
  'member',
  "grid'bbc·2",
  'min',
  'readamericans',
  'visa',
  'europe',
  'yahoo',
  'news·3',
  'min',
  'popularappleton',
  'oshkosh',
  'thunderstorm',
  'lightning',
  'rain',
  'wednesday',
  'morningthe',
  'post',
  '-',
  'crescentsoutheastern',
  'sd',
  'thunderstorm',
  'watch',
  'argus',
  'leaderstrong',
  'thunderstorm',
  'chicago',
  'wednesdaychicago',
  'tribunesevere',
  'storm',
  'heat',
  'index',
  'news',
  'leaderupdate',
  'national',
  'weather',
  'service',
  'issue',
  'times',
  'herald',
  'yahoo!uspoliticsworldcovid-19climate',
  'usterms',
  'privacy',
  'policyprivacy',
  'dashboardhelpshare',
  'usabout',
  'adssite',
  'app',
  'yahoo',
  'right'],
 ['website',
  'united',
  'states',
  'government',
  'website',
  '.mil',
  'website',
  'u.s.',
  'department',
  'defense',
  'organization',
  'united',
  'states',
  'secure',
  'website',
  'https',
  'lock',
  'lock',
  'https://',
  '.mil',
  'website',
  'share',
  'information',
  'website',
  'content',
  'press',
  'enter',
  'yg824',
  '-',
  'humvees',
  'wisconsin',
  'army',
  'national',
  'guard',
  'oak',
  'creek',
  'armory',
  'feb.',
  'response',
  'assistance',
  'winter',
  'storm',
  'wisconsin',
  'guard',
  'member',
  'storm',
  'soldier',
  'winter',
  'storm',
  'duty',
  'iowa',
  'minnesota',
  'wisconsin',
  'madison',
  'wis.',
  'gov.',
  'scott',
  'walker',
  'wisconsin',
  'national',
  'guard',
  'duty',
  'winter',
  'storm',
  'inch',
  'snow',
  'rain',
  'wind',
  'mph',
  'walker',
  'emergency',
  'declaration',
  'p.m.',
  'wednesday',
  'maj',
  '.',
  'gen.',
  'don',
  'dunbar',
  'wisconsin',
  'adjutant',
  'general',
  'national',
  'guard',
  'thursday',
  'state',
  'iowa',
  'minnesota',
  'personnel',
  'number',
  'troop',
  'onslaught',
  'snow',
  'national',
  'guard',
  'bureau',
  'figure',
  'national',
  'weather',
  'service',
  'snow',
  'iowa',
  'southeast',
  'minnesota',
  'north',
  'wisconsin',
  'blizzard',
  'condition',
  'snow',
  'inch',
  'wisconsin',
  'national',
  'guard',
  'winter',
  'force',
  'package',
  'guard',
  'member',
  'equipment',
  'person',
  'team',
  'force',
  'package',
  'force',
  'package',
  'area',
  'state',
  'authority',
  'manpower',
  'mobility',
  'emergency',
  'response',
  'duty',
  'aid',
  'motorist',
  'welfare',
  'check',
  'area',
  'hour',
  'coverage',
  'hour',
  'shift',
  'kind',
  'support',
  'core',
  'responsibility',
  'dunbar',
  'contingency',
  'oklahoma',
  'guardsmen',
  'finish',
  'cyber',
  'shield',
  'guard',
  'news',
  'hour',
  'washington',
  'guard',
  'aviation',
  'crews',
  'wildfire',
  'guard',
  'news',
  'hour',
  'south',
  'dakota',
  '153rd',
  'engineer',
  'battalion',
  'trains',
  'fort',
  'mccoy',
  'guard',
  'news',
  'hour',
  'florida',
  'guard',
  'guyana',
  'partnership',
  'tradewinds23',
  'state',
  'partnership',
  'program',
  'hour',
  'alaska',
  'air',
  'guard',
  'teens',
  'motorcyclist',
  'home',
  'site',
  'map',
  'privacy',
  'security',
  'policy',
  'link',
  'disclaimer',
  'web',
  'policy',
  'dod',
  'information',
  'quality',
  'dod',
  'open',
  'government',
  'foia',
  'fear',
  'act',
  'accessibility',
  'section',
  'contact',
  'army',
  'guard',
  'careersair',
  'guard',
  'careers',
  'usa.gov',
  'defense',
  'media',
  'activity',
  'web.mil'],
 ['account',
  'sign',
  'sign',
  'facebook',
  'new',
  'mexico',
  'land',
  'climate',
  'zone',
  'desert',
  'environment',
  'condition',
  'half',
  'state',
  'north',
  'winter',
  'south',
  'high',
  '°',
  'f',
  'december',
  'february',
  'summer',
  'temperature',
  '90',
  '°',
  'f',
  'june',
  'august',
  'precipitation',
  'south',
  'summer',
  'albuquerque',
  'north',
  'state',
  'climate',
  'elevation',
  'foot',
  'foot',
  'santa',
  'fe',
  'summer',
  '80',
  '°',
  'f',
  'winter',
  '40',
  'f',
  'plenty',
  'snow',
  'mountain',
  'precipitation',
  'summer',
  'new',
  'mexico',
  'weather',
  'spring',
  'season',
  'march',
  'april',
  'fall',
  'best',
  'time',
  'new',
  'mexico',
  'season',
  'new',
  'mexico',
  'spring',
  'mid',
  '-',
  'october',
  'weather',
  'sky',
  'day',
  'temperature',
  'north',
  'winter',
  'region',
  'thank',
  'condition',
  'north',
  'santa',
  'fe',
  'taos',
  'summer',
  'fall',
  'winter',
  'plenty',
  'snow',
  'ski',
  'resort',
  'visit',
  'hiking',
  'biking',
  'rafting',
  'summer',
  'skier',
  'winter',
  'month',
  'february',
  'march',
  'powder',
  'glory',
  'scenery',
  'september',
  'october',
  'chili',
  'harvest',
  'aspen',
  'cottonwood',
  'hue',
  'hotel',
  'deal',
  'new',
  'mexico',
  'spring',
  'countries',
  'planet',
  'deserts',
  'bloom',
  'spot',
  'springtime',
  'wildflower',
  'luxury',
  'safari',
  'africa',
  'yoho',
  'national',
  'park',
  'incredible',
  'place',
  'source',
  'adventure',
  'tourism',
  'travel',
  'guide'],
 ['peacock',
  'nyc',
  'crane',
  'collapse',
  'ufo',
  'hunter',
  'biden',
  'mitch',
  'mcconnell',
  'storm',
  'team',
  'women',
  'world',
  'cup',
  'nyc',
  'restaurant',
  'week',
  'guide',
  'gilgo',
  'beach',
  'watch',
  'new',
  'york',
  'live',
  'tornado',
  'warning',
  'parts',
  'nj',
  'severe',
  'storm',
  'winter',
  'storm',
  'mid',
  '-',
  'week',
  'new',
  'york',
  'city',
  'weather',
  'bit',
  'thing',
  'week',
  'maria',
  'larosa',
  'dave',
  'price',
  'janice',
  'huff',
  'matt',
  'brickman',
  'published',
  'february',
  'february',
  'line',
  'thunderstorm',
  'tornado',
  'warning',
  'new',
  'jersey',
  'tuesday',
  'afternoon',
  'storm',
  'temperature',
  'winter',
  'summer',
  'wind',
  'thunderstorm',
  'new',
  'jersey',
  'p.m.',
  'tornado',
  'warning',
  'mercer',
  'middlesex',
  'county',
  'p.m.',
  'tornado',
  'landfall',
  'video',
  'scene',
  'siding',
  'roof',
  'building',
  'sardine',
  'score',
  'tree',
  'road',
  'yard',
  'learning',
  'center',
  'lawrence',
  'township',
  'ceiling',
  'cave',
  'water',
  'room',
  'student',
  'hour',
  'national',
  'weather',
  'service',
  'tornado',
  'fact',
  'area',
  'report',
  'injury',
  'swath',
  'destruction',
  'mercer',
  'middlesex',
  'county',
  'state',
  'area',
  'news',
  'weather',
  'forecast',
  'inbox',
  'sign',
  'nbc',
  'new',
  'york',
  'newsletter',
  'series',
  'thunderstorm',
  'warning',
  'effect',
  'ocean',
  'county',
  'sullivan',
  'county',
  'new',
  'york',
  'afternoon',
  'evening',
  'storm',
  'downpour',
  'hail',
  'precipitation',
  'evening',
  'rush',
  'weather',
  'p.m.',
  'tornado',
  'february',
  'nj',
  'records',
  'twister',
  'tornado',
  'warning',
  'thunderstorm',
  'weather',
  'potpourri',
  'mother',
  'nature',
  'day',
  'mix',
  'rain',
  'sleet',
  'snow',
  'weather',
  'alert',
  'neighborhood',
  'manhattan',
  'crane',
  'owner',
  'collapse',
  'city',
  'year',
  'mother',
  'son',
  'lyft',
  'middle',
  'nyc',
  'system',
  'tuesday',
  'night',
  'way',
  'weather',
  'wednesday',
  'morning',
  'storm',
  'wednesday',
  'afternoon',
  'tornado',
  'new',
  'jersey',
  'wind',
  'siding',
  'house',
  'roof',
  'building',
  'tuesday',
  'storm',
  'nbc',
  'new',
  'york',
  'checkey',
  'beckford',
  'afternoon',
  'system',
  'period',
  'snow',
  'flake',
  'snow',
  'new',
  'york',
  'city',
  'afternoon',
  'evening',
  'commute',
  'wednesday',
  'rain',
  'borough',
  'lull',
  'rain',
  'north',
  'new',
  'jersey',
  'new',
  'york',
  'connecticut',
  'border',
  'rain',
  'sleet',
  'snow',
  'condition',
  'zone',
  'spot',
  'ulster',
  'dutchess',
  'sullivan',
  'pike',
  'county',
  'thursday',
  'morning',
  'commute',
  'temperature',
  'morning',
  'ice',
  'look',
  'wind',
  'threat',
  'tuesday',
  'temp',
  'friday',
  'thursday',
  'cooling',
  'saturday',
  'high',
  'wind',
  'chill',
  'teen',
  'weekend',
  'day',
  'sunday',
  'temperature',
  'storm',
  'system',
  'week',
  'point',
  'area',
  'rain',
  'storm',
  'team',
  'weather',
  'development',
  'weather',
  'expectation',
  'spot',
  'record',
  'high',
  'thursday',
  'islip',
  'degree',
  'afternoon',
  'high',
  'degree',
  'nyc',
  'airport',
  'bridgeport',
  'connecticut',
  'high',
  'precipitation',
  'radar',
  'article',
  'weatherstorm',
  'team',
  'boyfriend',
  'ny',
  'mom',
  'car',
  'trunk',
  'manslaughter',
  'charge',
  'manhattan',
  'skyscraper',
  'crane',
  'collapse',
  'material',
  'home',
  'gilgo',
  'beach',
  'killer',
  'rex',
  'heuermann',
  'manhattan',
  'crane',
  'owner',
  'collapse',
  'city',
  'year',
  'shannan',
  'gilbert',
  'long',
  'tri',
  'state',
  'news',
  'tips',
  'contact',
  'wnbc',
  'nbc',
  'network',
  'archives',
  'licensing',
  'newsletters',
  'community',
  'news',
  'standards',
  'wnbc',
  'public',
  'inspection',
  'file',
  'wnbc',
  'accessibility',
  'wnbc',
  'employment',
  'information',
  'terms',
  'service',
  'fcc',
  'applications',
  'privacy',
  'policy',
  'privacy',
  'choices',
  'feedback',
  'wnbc',
  'notice',
  'ad',
  'choices',
  'advertise',
  'copyright',
  'nbcuniversal',
  'media',
  'llc',
  'right',
  'tip',
  'baquero'],
 ['83ºjoin',
  'insidersign',
  'insearchnewswatch',
  'livelocal',
  'newsfloridageorgianationalcoronavirusfluvaxjaxvote',
  '2024your',
  'voice',
  'matterspoliticsi',
  'teamtrust',
  'indexcommunitysnapjaxhealthmoneyeducationconsumerentertainmentweird',
  'newstrafficsnapjaxskycamsalertshurricanesplan',
  'preparegeorgiast',
  '.',
  'augustinesurf',
  'tidesenvironmentforecasting',
  'changenews4jax+watch',
  'livenews4jax',
  'insiderhow',
  'news4jax+download',
  'news4jax',
  'appsthe',
  'morning',
  'showriver',
  'city',
  'livepodcaststhis',
  'week',
  'jacksonvillesolutionariessomething',
  'goodtv',
  'listingssportssports',
  'videosjaguarsjaguar',
  'statsnews4jags',
  'podcastgators',
  'breakdowngators',
  'statshigh',
  'school',
  'sportsfootball',
  'fridaygoing',
  'ringside',
  'podcastv4rsity',
  'podcastall',
  'star',
  'athletefeaturesnews4jax',
  'insiderpositively',
  'jaxriver',
  'city',
  'livedeals4jaxnews4jax+look',
  'local4',
  'infotravelcommunity',
  'calendarjacksonville',
  'image',
  'awardsfood',
  'recipeslive',
  'healthpetsusay',
  'votingriver',
  'city',
  'livewatch',
  'river',
  'city',
  'liveeats',
  'treatsbeatswellnesslocal',
  'spotlightpetsshoppingjax',
  'bestfoodactivitiesshoppingplacesnewsletterssign',
  'newsletterswjxtcontact',
  'uscareers',
  'wjxt',
  'wcwjsnapjaxmeet',
  'teamadvertise',
  'uscw17cw',
  'program',
  'guidebouncenewsweathernews4jax+sportsfeaturesriver',
  'city',
  'livejax',
  'bestnewsletterswjxtcw17newsweathernews4jax+sportsfeaturesriver',
  'city',
  'livejax',
  'bestnewsletterswjxtcw17livewatch',
  "o'clock",
  'newsthe',
  'day',
  'story',
  'news',
  'weather',
  'sport',
  'news4jax',
  'team',
  "o'clock",
  'newshideweatherdavid',
  'heckard',
  'assistant',
  'chief',
  'july',
  'pmtag',
  'tropic',
  'hurricane',
  'season',
  'georgia',
  'florida',
  'jacksonvillesign',
  'news1',
  'hour',
  'agost',
  'johns',
  'county',
  'man',
  'degree',
  'murder',
  'charge',
  'downtown',
  'jacksonville',
  'shooting1',
  'hour',
  'agoembattled',
  'st.',
  'augustine',
  'doctor',
  'charge',
  'pill',
  'mill',
  'case1',
  'hour',
  'agopleasant',
  'night',
  'moon2',
  'hour',
  'agolake',
  'asbury',
  'road',
  'project',
  'resident',
  'july',
  'jaxmy',
  'petunia',
  'io',
  'appweathercolorado',
  'state',
  'university',
  'forecaster',
  'hurricane',
  'seasondavid',
  'heckard',
  'assistant',
  'chief',
  'july',
  'pmtag',
  'tropic',
  'hurricane',
  'season',
  'georgia',
  'florida',
  'jacksonvillefile',
  'photo',
  'hurricane',
  'ian',
  'international',
  'space',
  'station',
  'september',
  'colorado',
  'state',
  'scientist',
  'hurricane',
  'season',
  'atlantic',
  'nasa',
  'ap',
  'uncredited)jacksonville',
  'fla.',
  'forecaster',
  'colorado',
  'state',
  'university',
  'hurricane',
  'season',
  'forecast',
  'july',
  'season',
  'year',
  'forecastthe',
  'official',
  'forecast',
  'storm',
  'hurricane',
  'hurricane',
  'increase',
  'forecast',
  'update',
  'june',
  'forecast',
  'storm',
  'hurricane',
  'hurricane',
  'colorado',
  'st.',
  'forecaster',
  'hurricane',
  'season',
  'average',
  'atlantic',
  'basin',
  'storm',
  'hurricane',
  'hurricane',
  'atlantic',
  'storm',
  'storm',
  'forecaster',
  'storm',
  'change?scientists',
  'colorado',
  'st.',
  'water',
  'temperature',
  'atlantic',
  'storm',
  'hurricane',
  'surge',
  'water',
  'temperature',
  'wave',
  'storm',
  'hurricane',
  'water',
  'temp',
  'atlantic',
  'forecast',
  'increase',
  'development',
  'el',
  'nino',
  'pacific',
  'el',
  'nino',
  'condition',
  'tendency',
  'wind',
  'shear',
  'atlantic',
  'frequency',
  'storm',
  'hurricane',
  'july',
  'outlookdespite',
  'forecast',
  'increase',
  'month',
  'july',
  'caribbean',
  'gulf',
  'mexico',
  'water',
  'atlantic',
  'national',
  'hurricane',
  'center',
  'development',
  'mid',
  '-',
  'july',
  'range',
  'computer',
  'model',
  'possibility',
  'development',
  'mid',
  'july',
  'signal',
  'time',
  'july',
  'month',
  'atlantic',
  'storm',
  'hurricane',
  'half',
  'hurricane',
  'season',
  'colorado',
  'st.',
  'forecaster',
  'forecast',
  'update',
  'uncertainty',
  'el',
  'nino',
  'water',
  'temperature',
  'peak',
  'hurricane',
  'season',
  'august',
  'october',
  'hurricane',
  'season',
  'nov.',
  'copyright',
  'wjxt',
  'news4jax',
  'right',
  'author',
  'david',
  'heckarddavid',
  'heckard',
  'weather',
  'authority',
  'assistant',
  'chief',
  'meteorologist',
  'emailtwitterclick',
  'moment',
  'community',
  'guidelines',
  'tv',
  'listingscontact',
  'usemail',
  'newslettersrss',
  'feedscontests',
  'rulesclosed',
  'captioning',
  'audio',
  'descriptioncareers',
  'wjxt',
  'wcwjterm',
  'usewjxt',
  'public',
  'filewcwj',
  'applicationsprivacy',
  'policydo',
  'infofollow',
  'usfacebooktwitterinstagramrssget',
  'result',
  'omnefor',
  'assistance',
  'wjxt',
  'wcwj',
  'fcc',
  'inspection',
  'file',
  'news4jax.com',
  'graham',
  'digital',
  'graham',
  'media',
  'group',
  'division',
  'graham',
  'holdings'],
 ['organization',
  'quality',
  'life',
  'army',
  'z',
  'secretary',
  'secretary',
  'chief',
  'staff',
  'vice',
  'chief',
  'staff',
  'sergeant',
  'major',
  'army',
  'search',
  'news',
  'photo',
  'video',
  'army.mil',
  'weather',
  'oklahoma',
  'storm',
  'tornado',
  'threat',
  'cindy',
  'mcintyremay',
  'zac',
  'scott',
  'kswo-7',
  'meteorologist',
  'lawton',
  'okla.',
  'potential',
  'weather',
  'day',
  'storm',
  'tornado',
  'hail',
  'flood',
  'scott',
  'skywarn',
  'weather',
  'team',
  'viewer',
  'informe',
  'photo',
  'credit',
  'u.s.',
  'army',
  'fort',
  'sill',
  'okla.',
  'editor',
  'note',
  'series',
  'tornado',
  'weather',
  'preparedness',
  'thunderstorm',
  'world',
  'america',
  'nickname',
  'tornado',
  'alley',
  'convergence',
  'type',
  'condition',
  'air',
  'west',
  'air',
  'south',
  'meeting',
  'point',
  'system',
  'line',
  'weather',
  'term',
  'country',
  'line',
  'feature',
  'kansas',
  'oklahoma',
  'texas',
  'zac',
  'scott',
  'meteorologist',
  'lawton',
  'kswo',
  'tv',
  'channel',
  'convergence',
  'air',
  'atmosphere',
  'precipitation',
  'zone',
  'instability',
  'thunderstorm',
  'supercell',
  'wind',
  'shear',
  'tornado',
  'wind',
  'shear',
  'turning',
  'strengthening',
  'wind',
  'air',
  'austin',
  'bowling',
  'channel',
  'meteorologist',
  'atmosphere',
  'cake',
  'level',
  'wind',
  'southeast',
  'mile',
  'hour',
  'cake',
  'foot',
  'wind',
  'west',
  'mph',
  'rotation',
  'radar',
  'tornado',
  'sighting',
  'ground',
  'truth',
  'channel',
  'meteorologist',
  'storm',
  'chaser',
  'training',
  'storm',
  'bowling',
  'vortex',
  'tornado',
  'el',
  'reno',
  'okla.',
  'chaser',
  'scientist',
  'probe',
  'tornado',
  'direction',
  'guard',
  'ef-3',
  'tornado',
  'path',
  'destruction',
  'mile',
  'tornado',
  'tornado',
  'speed',
  'direction',
  'popularity',
  'storm',
  'traffic',
  'jam',
  'escape',
  'advice',
  'weather',
  'forecast',
  'day',
  'advance',
  'condition',
  'weather',
  'approach',
  'work',
  'home',
  'weather',
  'bowling',
  'scott',
  'bowling',
  'talk',
  'area',
  'school',
  'unit',
  'fort',
  'sill',
  'weather',
  'preparedness',
  'meteorologist',
  'forecast',
  'computer',
  'model',
  'prediction',
  'national',
  'weather',
  'service',
  'storm',
  'prediction',
  'center',
  'evaluation',
  'condition',
  'half',
  'hour',
  'today',
  'layer',
  'atmosphere',
  'time',
  'scott',
  'layer',
  'atmosphere',
  'moisture',
  'surface',
  'turning',
  'wind',
  'level',
  'support',
  'energy',
  'air',
  'surface',
  'air',
  'knowledge',
  'texoma',
  'condition',
  'account',
  'forecast',
  'rain',
  'instance',
  'ground',
  'moisture',
  'moisture',
  'thunderhead',
  'severity',
  'weather',
  'team',
  'kswo',
  'tv',
  'weather',
  'threat',
  'indication',
  'source',
  'information',
  'station',
  'medium',
  'post',
  'condition',
  'alert',
  'national',
  'weather',
  'service',
  'scott',
  'radar',
  'ham',
  'radio',
  'report',
  'storm',
  'spotter',
  'ham',
  'radio',
  'matthew',
  'dipirro',
  'katie',
  'western',
  'field',
  'bowling',
  'camera',
  'weather',
  'visual',
  'information',
  'time',
  'weather',
  'information',
  'channel',
  'skywarn',
  'noaa',
  'weather',
  'underground',
  'intellicast',
  'source',
  'radar',
  'direction',
  'travel',
  'component',
  'storm',
  'color',
  'blue',
  'drizzle',
  'rain',
  'red',
  'rain',
  'thunderstorm',
  'pink',
  'lavender',
  'hail',
  'debris',
  'ball',
  'tornado',
  'portion',
  'supercell',
  'watch',
  'warning',
  'national',
  'weather',
  'service',
  'storm',
  'prediction',
  'center',
  'channel',
  'information',
  'cell',
  'phone',
  'carrier',
  'tone',
  'subscriber',
  'phone',
  'radio',
  'tone',
  'weather',
  'bowling',
  'people',
  'weather',
  'watch',
  'warning',
  'area',
  'tornado',
  'lawton',
  'community',
  'newcomer',
  'knowledge',
  'weather',
  'report',
  'county',
  'town',
  'highway',
  'county',
  'area',
  'bowling',
  'lot',
  'county',
  'town',
  'weather',
  'report',
  'video',
  'field',
  'people',
  'storm',
  'power',
  'need',
  'shelter',
  'end',
  'responsibility',
  'plan',
  'family',
  'march',
  'global',
  'defender',
  'january',
  'guardsmen',
  'post',
  'inauguration',
  'law',
  'enforcement',
  'support',
  'army',
  'cadet',
  'command',
  'change',
  'summer',
  'training',
  'program',
  'response',
  'covid-19',
  'october',
  'army',
  'stand',
  'national',
  'depression',
  'awareness',
  'month',
  'home',
  'contact',
  'privacy',
  'terms',
  'use',
  'accessibility',
  'foia',
  'fear',
  'act'],
 ['bbc',
  'homepageskip',
  'helpyour',
  'accounthomenewssportreelworklifetravelfuturemore',
  'menumore',
  'bbchomenewssportreelworklifetravelfutureculturemusictvweathersoundsclose',
  'newsmenuhomewar',
  'ukraineclimatevideoworldus',
  'canadaukbusinesstechsciencemoreentertainment',
  'artshealthin',
  'picturesbbc',
  'verifyworld',
  'news',
  'tvnewsbeatus',
  'canadacalifornia',
  'flood',
  'wind',
  'rainpublished22',
  'marchshareclose',
  'panelshare',
  'video',
  'video',
  'javascript',
  'browser',
  'medium',
  'caption',
  'apocalyptic',
  'wind',
  'san',
  'francisco',
  'bay',
  'areaby',
  'madeline',
  'halpert',
  'brandon',
  'drenonbbc',
  'news',
  'new',
  'yorkat',
  'people',
  'california',
  'storm',
  'force',
  'wind',
  'rain',
  'flooding',
  'million',
  'people',
  'flood',
  'watch',
  'river',
  'season',
  'state',
  'customer',
  'power',
  'poweroutage.us',
  'california',
  'weather',
  'wednesday',
  'forecast',
  'storm',
  'tuesday',
  'pacific',
  'coast',
  'highway',
  'flooding',
  'rainfall',
  'level',
  'san',
  'francisco',
  'bay',
  'area',
  'national',
  'weather',
  'service',
  'cm',
  'rain',
  'region',
  'wall',
  'interstate',
  'tuesday',
  'pressure',
  'rain',
  'san',
  'francisco',
  'chronicle',
  'chunk',
  'concrete',
  'rain',
  'hill',
  'traffic',
  'delay',
  'damage',
  'week',
  'month',
  'official',
  'bay',
  'area',
  'man',
  'sewer',
  'truck',
  'wind',
  'tree',
  'vehicle',
  'cbs',
  'affiliate',
  'train',
  'passenger',
  'bay',
  'area',
  'tree',
  'flood',
  'advisory',
  'effect',
  'san',
  'francisco',
  'thursday',
  'image',
  'source',
  'reutersimage',
  'caption',
  'house',
  'san',
  'joaquin',
  'river',
  'water',
  'california',
  'town',
  'alpaugh',
  'allensworth',
  'state',
  'tulare',
  'county',
  'image',
  'source',
  'getty',
  'imagesimage',
  'caption',
  'farmland',
  'tule',
  'river',
  'californiawhile',
  'resident',
  'foot',
  'water',
  'home',
  'aftermath',
  'storm',
  'ferocity',
  'wind',
  'rain',
  'snowfall',
  'storm',
  'temperature',
  'winter',
  'weather',
  'advisory',
  'place',
  'nevada',
  'nebraska',
  'snow',
  'prediction',
  'winter',
  'storm',
  'warning',
  'effect',
  'nevada',
  'north',
  'western',
  'arizona',
  'utah',
  'national',
  'weather',
  'service',
  'flag',
  'warning',
  'texas',
  'oklahoma',
  'kansas',
  'colorado',
  'new',
  'mexico',
  'wind',
  'gust',
  'mph',
  'h).image',
  'source',
  'reutersimage',
  'caption',
  'woman',
  'dog',
  'wade',
  'san',
  'joaquin',
  'river',
  'floodedthe',
  'california',
  'rain',
  'year',
  'drought',
  'trillion',
  'gallon',
  'rainwater',
  'state',
  'storm',
  'december',
  'river',
  'southwest',
  'rocky',
  'mountains',
  'wednesday',
  'evening',
  'image',
  'source',
  'reutersimage',
  'caption',
  'resident',
  'way',
  'floodwater',
  'evacuation',
  'san',
  'joaquin',
  'valley',
  'river',
  'water',
  'air',
  'wind',
  'current',
  'sky',
  'river',
  'land',
  'rain',
  'snowfall',
  'image',
  'source',
  'getty',
  'imagesimage',
  'caption',
  'road',
  'central',
  'valley',
  'california',
  'farmland',
  'tuesdayimage',
  'source',
  'getty',
  'imagesthe',
  'flooding',
  'season',
  'california',
  'restriction',
  'water',
  'use',
  'rainfall',
  'state',
  'drought',
  'expert',
  'condition',
  'year',
  'factor',
  'flooding',
  'warming',
  'atmosphere',
  'climate',
  'change',
  'rainfall',
  'image',
  'source',
  'getty',
  'imagesimage',
  'caption',
  'allensworth',
  'california',
  'rain',
  'statescaliforniamore',
  'storyno',
  'respite',
  'california',
  'storm',
  'loomspublished13',
  'marchcalifornians',
  'break',
  'drought',
  'marchwhy',
  'california',
  'storm',
  'droughtpublished10',
  'januarytop',
  'storiesniger',
  'soldier',
  'coup',
  'tvpublished1',
  'hour',
  'singer',
  'sinãad',
  "o'connor",
  'hour',
  'agohow',
  'ukraine',
  'offensive',
  'south',
  'hour',
  'agofeaturessinãad',
  "o'connor",
  'obituary',
  'talent',
  'comparehow',
  'sinãad',
  "o'connor",
  'uhow',
  'ukraine',
  'offensive',
  'south',
  'stutteredn',
  'koreaâ\x80\x99s',
  'prisoner',
  'war',
  'plot',
  'flame',
  'buddha',
  'china',
  'videowatch',
  'flame',
  'buddha',
  'chinathe',
  'claim',
  'india',
  'violenceputin',
  'leader',
  'star',
  'role?can',
  'india',
  'chip',
  'powerhouse?world',
  'city',
  'bbcthe',
  'way',
  'homeswhy',
  'brand',
  'mediathe',
  'film',
  'usmost',
  'read1irish',
  'singer',
  'sinãad',
  "o'connor",
  'family',
  "grid'3how",
  'ukraine',
  'offensive',
  'south',
  'stuttered4niger',
  'soldier',
  'coup',
  'national',
  'tv5alien',
  'congress',
  'biden',
  'plea',
  'deal',
  'apart7mastercard',
  'bank',
  'debit',
  'weed8sinãad',
  "o'connor",
  'obituary',
  'talent',
  'koreaâ\x80\x99s',
  'prisoner',
  'war',
  'plot',
  'toy',
  'maker',
  'movie',
  'sale',
  'news',
  'mobileon',
  'news',
  'alertscontact',
  'bbc',
  'newshomenewssportreelworklifetravelfutureculturemusictvweathersoundsterms',
  'useabout',
  'bbcprivacy',
  'policycookiesaccessibility',
  'helpparental',
  'guidancecontact',
  'bbcget',
  'newsletterswhy',
  'bbcadvertise',
  'usâ',
  'bbc',
  'bbc',
  'content',
  'site',
  'approach',
  'linking'],
 ['permission',
  'article',
  'justice',
  'state',
  'emergency',
  'county',
  'wv',
  'winter',
  'storm',
  'today',
  '71f.',
  'winds',
  's',
  'mph',
  'tonight',
  '71f.',
  'winds',
  's',
  'mph',
  'july',
  'pm',
  'justice',
  'state',
  'emergency',
  'county',
  'wv',
  'winter',
  'storm',
  'charleston',
  'gov.',
  'jim',
  'justice',
  'thursday',
  'state',
  'emergency',
  'west',
  'virginia',
  'county',
  'winter',
  'storm',
  'event',
  'state',
  'day',
  'national',
  'weather',
  'service',
  'snow',
  'rain',
  'wind',
  'chill',
  'wind',
  'today',
  'week',
  'holiday',
  'weekend',
  'gov.',
  'justice',
  'proclamation',
  'friday',
  'dec.',
  'day',
  'state',
  'holiday',
  'employee',
  'employee',
  'emergency',
  'response',
  'duty',
  'supervisor',
  'west',
  'virginians',
  'impact',
  'winter',
  'storm',
  'state',
  'gov.',
  'justice',
  'west',
  'virginians',
  'attention',
  'emergency',
  'official',
  'medium',
  'outlet',
  'power',
  'outage',
  'west',
  'virginians',
  'care',
  'holiday',
  'weekend',
  'neighbor',
  '”the',
  'state',
  'emergency',
  'state',
  'agency',
  'weather',
  'event',
  'personnel',
  'vehicle',
  'equipment',
  'asset',
  'gov.',
  'justice',
  'state',
  'preparedness',
  'county',
  'week',
  'following',
  'summary',
  'preparation',
  'state',
  'agency',
  'west',
  'virginia',
  'emergency',
  'management',
  'division:“this',
  'storm',
  'travel',
  'condition',
  'emd',
  'director',
  'ge',
  'mccabe',
  'emd',
  'contact',
  'office',
  'emergency',
  'management',
  'state',
  'partner',
  'utility',
  'company',
  'representative',
  'help',
  '”coordinating',
  'agency',
  'standby',
  'state',
  'emergency',
  'operations',
  'center',
  'seoc',
  'need',
  'emergency',
  'management',
  'staff',
  'state',
  'emergency',
  'operations',
  'center',
  'seoc',
  'platform',
  'emd',
  'watch',
  'center',
  'monitoring',
  '24/7',
  'change',
  'weather',
  'development',
  'safety',
  'information',
  'agency',
  'leader',
  'action',
  'emd',
  'day',
  'briefing',
  'national',
  'weather',
  'service',
  'county',
  'emergency',
  'agency',
  'briefing',
  'forecast',
  'update',
  'information',
  'emd',
  'contact',
  'county',
  'emergency',
  'management',
  'agency',
  'request',
  'assistance',
  'unmet',
  'need',
  'time',
  'emd',
  'number',
  'county',
  'center',
  'citizen',
  'help',
  'area',
  'station',
  'assistance',
  'west',
  'virginia',
  'national',
  'guard:“at',
  'direction',
  'governor',
  'justice',
  'west',
  'virginia',
  'national',
  'guard',
  'location',
  'state',
  'west',
  'virginia',
  'shelter',
  'citizen',
  'event',
  'power',
  'outage',
  'need',
  'shelter',
  'maj',
  '.',
  'gen.',
  'bill',
  'crane',
  'adjutant',
  'general',
  'department',
  'emergency',
  'management',
  'county',
  'emergency',
  'manager',
  'facility',
  'need',
  'soldiers',
  'airmen',
  'west',
  'virginians',
  'time',
  'need',
  'virginia',
  'division',
  'highways',
  'district',
  'engineers',
  'district',
  'managers',
  'west',
  'virginia',
  'division',
  'highways',
  'doh',
  'district',
  'county',
  'administrator',
  'district',
  'county',
  'snow',
  'ice',
  'winter',
  'storm',
  'jimmy',
  'wriston',
  'secretary',
  'west',
  'virginia',
  'department',
  'transportation',
  'run',
  'october',
  'salt',
  'abrasive',
  'truck',
  'month',
  'storm',
  'sric',
  'truck',
  'snow',
  'equipment',
  'state',
  'wvdoh.doh',
  'attention',
  'weather',
  'report',
  'emergency',
  'weather',
  'forecast',
  'national',
  'weather',
  'service',
  'precipitation',
  'advance',
  'system',
  'region',
  'today',
  'rain',
  'sleet',
  'slope',
  'mountain',
  'rest',
  'region',
  'rain',
  'winter',
  'weather',
  'precipitation',
  'impact',
  'slope',
  'mountain',
  'impact',
  'friday',
  'morning',
  'transition',
  'snow',
  'location',
  'wind',
  'air',
  'snow',
  'drop',
  'temperature',
  'flash',
  'freeze',
  'friday',
  'morning',
  'combination',
  'wind',
  'air',
  'wind',
  'chill',
  'value',
  'friday',
  'weekend',
  'weather',
  'return',
  'saturday',
  'start',
  'week',
  'warming',
  'trend',
  'sunday',
  'christmas',
  'day',
  'group',
  'warming',
  'station',
  'oak',
  'hill',
  'response',
  'week',
  'weather',
  'forecast',
  'quartet',
  'organization',
  'w',
  'pet',
  'articlesfayetteville',
  'brake',
  'pump',
  'rim',
  'rotary',
  'club',
  'district',
  'club',
  'yearfayette',
  'team',
  'state',
  'dollar',
  'general',
  'dg',
  'marketbsa',
  'national',
  'jamboree',
  'arrivedhunter',
  'season',
  'changespsc',
  'emergency',
  'order',
  'armstrong',
  'psd',
  'casegreenbrier',
  'county',
  'man',
  'fraud',
  'bears',
  'brews',
  'festival',
  'saturdaypublic',
  'comment',
  'hearing',
  'charleston',
  'appalachian',
  'power',
  'fuel',
  'cost',
  'case',
  'videossorry',
  'result',
  'video',
  'commentedsorry',
  'result',
  'article',
  'amendment',
  'congress',
  'law',
  'establishment',
  'religion',
  'exercise',
  'freedom',
  'speech',
  'press',
  'right',
  'people',
  'government',
  'redress',
  'grievance',
  'main',
  'street',
  'oak',
  'hill',
  'wv',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'blox',
  'content',
  'management',
  'system',
  'blox',
  'digital'],
 ['associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'arizona',
  'tornado',
  'home',
  'power',
  'dust',
  'storm',
  'williams',
  'ariz.',
  'ap',
  'home',
  'tornado',
  'arizona',
  'monday',
  'phoenix',
  'dust',
  'storm',
  'power',
  'line',
  'fire',
  'power',
  'thousand',
  'authority',
  'national',
  'weather',
  'service',
  'line',
  'thunderstorm',
  'coconino',
  'county',
  'p.m.',
  'county',
  'official',
  'home',
  'junipine',
  'estates',
  'community',
  'mile',
  'kilometer',
  'north',
  'williams',
  'mile',
  'kilometer',
  'west',
  'flagstaff',
  'structure',
  'tree',
  'twister',
  'wind',
  'mph',
  'kilometer',
  'weather',
  'agency',
  'search',
  'rescue',
  'unit',
  'county',
  'sheriff',
  'office',
  'life',
  'property',
  'assessment',
  'community',
  'power',
  'line',
  'home',
  'roof',
  'damage',
  'dust',
  'storm',
  'rain',
  'wind',
  'phoenix',
  'area',
  'monday',
  'afternoon',
  'power',
  'line',
  'fire',
  'power',
  'thousand',
  'phoenix',
  'fire',
  'department',
  'p.m.',
  'twitter',
  'firefighter',
  'dozen',
  'fire',
  'home',
  'business',
  'salvage',
  'yard',
  'adult',
  'smoke',
  'inhalation',
  'fire',
  'people',
  'apartment',
  'official',
  'customer',
  'phoenix',
  'power',
  'storm',
  'abc15',
  'p.m.',
  'power',
  'customer',
  'storm',
  'activity',
  'east',
  'monday',
  'evening',
  'weather',
  'p.m.',
  'national',
  'weather',
  'service',
  'associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights'],
 ['home',
  'mail',
  'news',
  'finance',
  'sports',
  'entertainment',
  'life',
  'search',
  'shopping',
  'yahoo',
  'plus',
  'yahoo',
  'life',
  'newsletter',
  'yahoo',
  'lifestyle',
  'yahoo',
  'lifestyle',
  'search',
  'query',
  'sign',
  'mail',
  'sign',
  'mail',
  'life',
  'health',
  'facts',
  'life',
  'mental',
  'health',
  'resources',
  'unwind',
  'parent',
  'kid',
  'mini',
  'ways',
  'ttc',
  'style',
  'beauty',
  'good',
  'news',
  'horoscopes',
  'shopping',
  'buying',
  'guides',
  'des',
  'moines',
  'registermultiple',
  'storm',
  'iowa',
  'wednesday',
  'thousand',
  'iowa',
  'power',
  'article1noelle',
  'alviz',
  'gransee',
  'des',
  'moines',
  'registerupdated',
  'july',
  'min',
  'readas',
  'alarm',
  'morning',
  'rain',
  'round',
  'time',
  'morning',
  'commute',
  'rain',
  'wind',
  'des',
  'moines',
  'metro',
  'p.m.',
  'national',
  'weather',
  'service',
  'forecast',
  'hail',
  'wind',
  'iowa',
  'thunderstorm',
  'watch',
  'a.m.',
  'watch',
  'release',
  'tornado',
  'iowa',
  'radar',
  'update',
  'thunderstorm',
  'way',
  'state',
  'morning',
  'threat',
  'south',
  'line',
  'storm',
  'des',
  'moines',
  'hour',
  '',
  '',
  'iawx',
  'pic.twitter.com/jdm9ezpbrw',
  'nws',
  'des',
  'moines',
  '@nwsdesmoines',
  'july',
  'outage',
  'des',
  'moines',
  'council',
  'bluffs',
  'sioux',
  'city',
  'areasmidamerican',
  'energy',
  'customer',
  'des',
  'moines',
  'area',
  'dallas',
  'county',
  'adel',
  'outage',
  'storm',
  'a.m.',
  'power',
  'customer',
  'council',
  'bluffs',
  'area',
  'sioux',
  'city',
  'power',
  'noelle',
  'alviz',
  'gransee',
  'news',
  'reporter',
  'des',
  'moines',
  'register',
  'twitter',
  'nalvizgransee@registermedia.com',
  'article',
  'des',
  'moines',
  'register',
  'power',
  'outage',
  'weather',
  'car',
  'death',
  'life·7',
  'min',
  'olive',
  'oil',
  'brain',
  'health',
  'studyyahoo',
  'life·5',
  'min',
  'readbarbie',
  'death',
  'anxiety',
  'yahoo',
  'life·7',
  'min',
  'people',
  'joy',
  'frustration',
  'pronoun',
  'yahoo',
  'life·6',
  'min',
  'james',
  'lebron',
  'james',
  'year',
  'son',
  'arrest',
  'condition',
  'yahoo',
  'life·6',
  'min',
  'storiesin',
  'know',
  'yahoocan',
  'color',
  'corrector',
  'foundation?watch',
  'drive',
  'work',
  'thing',
  'sleep',
  'depression',
  'time',
  'time',
  'money',
  'people',
  'work',
  'health',
  'outcome',
  'study',
  'found.2d',
  'agoyahoo',
  'life',
  'shopping20',
  'cult',
  'fave',
  'beauty',
  'product',
  'head',
  'toe',
  'gorgeousness',
  '5shopper',
  'cream',
  'hair',
  'fix',
  'agoyahoo',
  'life',
  'shoppinghurry',
  '.',
  'crocs',
  'amazon',
  'cult',
  'clog',
  'sale.10h',
  'life',
  'bra',
  'warner',
  'style',
  'smooth',
  '%',
  'off)it',
  'figure',
  'life',
  'beach',
  'cover',
  'jean',
  '%',
  'off)the',
  'workhorse',
  'swimsuit',
  'dinner.3d',
  'lawyer',
  'haben',
  'girma',
  'accessibility',
  'yearhaben',
  'girma',
  'person',
  'harvard',
  'law',
  'school',
  'people',
  'community',
  'action',
  'accessibility',
  'month',
  'girma',
  'author',
  'speaker',
  'right',
  'lawyer',
  'disability',
  'justice',
  'people',
  'people',
  'dignity',
  'respect',
  'lot',
  'policy',
  'design',
  'people',
  'maker',
  'disability',
  'pride',
  'month',
  'history',
  'achievement',
  'experience',
  'people',
  'life',
  'shoppingthe',
  'deal',
  'amazon',
  'saturday',
  'memory',
  'foam',
  'pillow',
  'pack',
  '%',
  'massage',
  'gun',
  'saving',
  '%',
  'price.4d',
  'agoyahoo',
  'life',
  'time',
  'blouse',
  'figure',
  'shopper',
  'summer',
  'life',
  'shoppingjuicy',
  'summer',
  'deal',
  'amazon',
  'power',
  'bank',
  'pairphone',
  'thank',
  'gizmo',
  'battery',
  'life',
  'stock',
  'agomore',
  'stories',
  'twitterfacebookinstagrampinterestyoutubeyahoo!healthparentingstyle',
  'beautygood',
  'newshoroscopesshoppingterms',
  'privacy',
  'policyprivacy',
  'adssite',
  'map',
  'yahoo',
  'right'],
 ['news',
  'events',
  'maryland',
  'realtors',
  'online',
  'housing',
  'statistics',
  'association',
  'calendar',
  'events',
  'maryland',
  'realtor',
  'magazine',
  'estate',
  'podcast',
  'professional',
  'development',
  'certifications',
  'designations',
  'graduate',
  'realtor',
  'institute',
  'certified',
  'international',
  'property',
  'specialist',
  'housing',
  'opportunity',
  'certification',
  'maryland',
  'residential',
  'property',
  'management',
  'certification',
  'membership',
  'member',
  'benefits',
  'code',
  'ethics',
  'ethics',
  'complaint',
  'dispute',
  'resolution',
  'ombudsman',
  'mediation',
  'request',
  'arbitration',
  'join',
  'member',
  'volunteer',
  'industry',
  'award',
  'nominees',
  'brochures',
  'flyers',
  'webinars',
  'governance',
  'team',
  'leadership',
  'team',
  'board',
  'directors',
  'maryland',
  'realtors',
  'committees',
  'staff',
  'nar',
  'directors',
  'executive',
  'committee',
  'dei',
  'local',
  'associations',
  'boards',
  'presidents',
  'contact',
  'news',
  'events',
  'maryland',
  'realtors',
  'online',
  'articles',
  'association',
  'update',
  'maryland',
  'realtors',
  'membership',
  'professional',
  'development',
  'comment',
  'hurricane',
  'metaphor',
  'water',
  'wind',
  'flooding',
  'picture',
  'nar',
  'nxt',
  'annual',
  'conference',
  'orlando',
  'florida',
  'november',
  'storm',
  'flight',
  'tampa',
  'car',
  'eye',
  'hurricane',
  'nicole',
  'realtor',
  'tion',
  'thousand',
  'central',
  'florida',
  'education',
  'networking',
  'governance',
  'work',
  'traveling',
  'trip',
  'nar',
  'event',
  'idea',
  'work',
  'realtor',
  'idea',
  'association',
  'member',
  'brand',
  'originator',
  'nar',
  'president',
  'kenny',
  'parcell',
  'colleague',
  'brand',
  'event',
  'maryland',
  'homeownership',
  'expo',
  'june',
  'event',
  'brand',
  'consumer',
  'homeownership',
  'month',
  'nar',
  'chief',
  'economist',
  'dr.',
  'lawrence',
  'yun',
  'housing',
  'sale',
  'dr.',
  'yun',
  'remark',
  'datum',
  'perspective',
  'inventory',
  'maryland',
  'housing',
  'price',
  'economy',
  'issue',
  'finding',
  'economist',
  'thought',
  'home',
  'sale',
  'dr.',
  'yun',
  'anirban',
  'basu',
  'thought',
  'page',
  'lisa',
  'director',
  'advocacy',
  'public',
  'policy',
  'session',
  'annapolis',
  'solution',
  'maryland',
  'housing',
  'shortage',
  'support',
  'tion',
  'accessory',
  'dwelling',
  'units',
  'article',
  'voice',
  'government',
  'affairs',
  'directors',
  'gads',
  'lobby',
  'day',
  'annapolis',
  'february',
  'advice',
  'gads',
  'foot',
  'legislator',
  'member',
  'nar',
  'committee',
  'board',
  'council',
  'end',
  'cover',
  'issue',
  'magazine',
  'member',
  'impact',
  'copy',
  'member',
  'cover',
  'page',
  'hurricane',
  'metaphor',
  'nicole',
  'travel',
  'realtor',
  'orlando',
  'rain',
  'wind',
  'day',
  'florida',
  'sunshine',
  'hurricane',
  'nicole',
  'storm',
  'metaphor',
  'heading',
  'year',
  'interest',
  'rate',
  'inflation',
  'sale',
  'economist',
  'sign',
  'inflation',
  'home',
  'value',
  'percent-',
  'age',
  'point',
  'rain',
  'wind',
  'sunshine',
  'categories',
  'advocacy',
  'consumer',
  'dei',
  'ethics',
  'law',
  'legal',
  'hotline',
  'membership',
  'professional',
  'development',
  'agent',
  'services?july',
  'disappearing',
  'act',
  'middle',
  'housingjune',
  'flood',
  'insurance',
  'realtors(r',
  'client',
  'homesmay',
  'line',
  'zoningmay',
  'biasmay',
  '2023read',
  'locationaddress',
  'harry',
  's.',
  'truman',
  'pkwy',
  'annapolis',
  'md',
  'suite',
  'copyright',
  'maryland',
  'realtor',
  'terms',
  'use',
  'privacy',
  'statement'],
 ['permission',
  'article',
  'account',
  'dashboard',
  'profile',
  'item',
  'account',
  'dashboard',
  'profile',
  'item',
  'today',
  'cloud',
  '52f.',
  'wind',
  'light',
  'tonight',
  'cloud',
  '52f.',
  'wind',
  'light',
  'july',
  'pm',
  'peak',
  'winter',
  'storm',
  'season',
  'storm',
  'watcher',
  'stretch',
  'oregon',
  'coast',
  'jan',
  'feb',
  'winter',
  'month',
  'oregon',
  'coast',
  'cape',
  'arago',
  'area',
  'view',
  'storm',
  'oregon',
  'support',
  'journalism',
  'today',
  'offer',
  'heart',
  'winter',
  'oregon',
  'coast',
  'gargantuan',
  'pacific',
  'ocean',
  'swell',
  'sea',
  'wind',
  'cloud',
  'foam',
  'display',
  'peak',
  'winter',
  'storm',
  'season',
  'winter',
  'storm',
  'display',
  'oregon',
  'adventure',
  'coast',
  'coos',
  'bay',
  'north',
  'bend',
  'charleston',
  'area',
  'condition',
  'monster',
  'storm',
  'storm',
  'storm',
  'oregon',
  'coast',
  'oregon',
  'adventure',
  'coast',
  'level',
  'janice',
  'langlinais',
  'director',
  'coos',
  'bay',
  'north',
  'bend',
  'charleston',
  'visitor',
  'convention',
  'bureau',
  'oregon',
  'adventure',
  'coast',
  'cliff',
  'coastline',
  'ocean',
  'swell',
  'tide',
  'swing',
  'storm',
  'storm',
  'march',
  'time',
  'winter',
  'storm',
  'oregon',
  'adventure',
  'coast',
  'place',
  'shore',
  'acres',
  'state',
  'park',
  'charleston',
  'foot',
  'cliff',
  'shore',
  'acres',
  'jumble',
  'sandstone',
  'formation',
  'ocean',
  'storm',
  'brewing',
  'wave',
  'rock',
  'ground',
  'plume',
  'foot',
  'park',
  'area',
  'storm',
  'hut',
  'shelter',
  'view',
  'ocean',
  'vista',
  'winter',
  'storm',
  'bluff',
  'bastendorff',
  'beach',
  'sunset',
  'bay',
  'state',
  'park',
  'cape',
  'arago',
  'highway',
  'storm',
  'oregon',
  'coast',
  'weather',
  'ocean',
  'condition',
  'impact',
  'wave',
  'cliff',
  'condition',
  'ocean',
  'swell',
  'wave',
  'action',
  'swell',
  'foot',
  'spray',
  'foot',
  'air',
  'sandstone',
  'cliff',
  'shore',
  'acres',
  'storm',
  'watcher',
  'storm',
  'oregon',
  'adventure',
  'coast',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'tides',
  'currents',
  'page',
  'tide',
  'prediction',
  'ocean',
  'condition',
  'noaa',
  'forecast',
  'service',
  'oregon',
  'adventure',
  'coast',
  'facebook',
  'page',
  'storm',
  'tip',
  'surf',
  'warning',
  'sign',
  'storm',
  'information',
  'oregon',
  'adventure',
  'coast',
  'classified',
  'ad',
  'crescent',
  'city',
  'chamber',
  'commerce',
  'outside',
  'page',
  'crescent',
  'city',
  'chamber',
  'commerce',
  'inside',
  'page',
  'crescent',
  'city',
  'chamber',
  'commerce',
  'outside',
  'page',
  'evacuation',
  'plan',
  'case',
  'wildfire',
  'emergency',
  'triplicate',
  'e',
  '-',
  'edition',
  'triplicate',
  'e',
  '-',
  'edition',
  'brother',
  'jonathan',
  'shipwreck',
  'mystery',
  'plan',
  'future',
  'northwest',
  'forest',
  'climate',
  'change',
  'hughes',
  'degree',
  'murder',
  'stars',
  'stripes',
  'summer',
  'nights',
  'update',
  'wildland',
  'firefighter',
  'pay',
  'protection',
  'act',
  'electricity',
  'demand',
  '%',
  'decade',
  'photo',
  'tree',
  'sea',
  'hopelessness',
  'discussion',
  'discussion',
  'email',
  'notification',
  'discussion',
  'notification',
  'discussion',
  'bullying',
  'calling',
  'insult',
  'language',
  'threat',
  'person',
  'post',
  'report',
  'comment',
  'topic',
  'comment',
  'post',
  'abuse',
  'rule',
  'thread',
  'comment',
  'user',
  'turn',
  'caps',
  'lock',
  'discussion',
  'discussion',
  'brother',
  'jonathan',
  'shipwreck',
  'mystery',
  'plan',
  'future',
  'northwest',
  'forest',
  'climate',
  'change',
  'hughes',
  'degree',
  'murder',
  'stars',
  'stripes',
  'summer',
  'nights',
  'retired',
  'del',
  'norte',
  'teacher',
  'nun',
  'memoir',
  'update',
  'wildland',
  'firefighter',
  'pay',
  'protection',
  'act',
  'electricity',
  'demand',
  '%',
  'decade',
  'photo',
  'tree',
  'sea',
  'hopelessness',
  'abatement',
  'street',
  'ad',
  'news',
  'community',
  'news',
  'photo',
  'video',
  'crescent',
  'city',
  'chamber',
  'commerce',
  'outside',
  'page',
  'crescent',
  'city',
  'chamber',
  'commerce',
  'outside',
  'page',
  'crescent',
  'city',
  'chamber',
  'commerce',
  'inside',
  'page',
  'crescent',
  'city',
  'chamber',
  'commerce',
  'inside',
  'page',
  'articlesbrother',
  'jonathan',
  'shipwreck',
  'mystery',
  'enduresstars',
  'stripes',
  'summer',
  'nightshughes',
  'degree',
  'del',
  'norte',
  'teacher',
  'nun',
  'e',
  '-',
  'edition4th',
  'july',
  'k',
  'resultsphoto',
  'tree',
  'sea',
  'hopelessnessnew',
  'details',
  'odf',
  'increase',
  'human',
  'traffic',
  'washington',
  'blvd.2023',
  'dixon',
  'field',
  'day',
  'lake',
  'earl',
  'grange',
  'articlesbrother',
  'jonathan',
  'shipwreck',
  'mystery',
  'enduresstars',
  'stripes',
  'summer',
  'nightshughes',
  'degree',
  'del',
  'norte',
  'teacher',
  'nun',
  'e',
  '-',
  'edition4th',
  'july',
  'k',
  'resultsphoto',
  'tree',
  'sea',
  'hopelessnessnew',
  'details',
  'odf',
  'increase',
  'human',
  'traffic',
  'washington',
  'blvd.2023',
  'dixon',
  'field',
  'day',
  'lake',
  'earl',
  'grange',
  'publication',
  'today!subscribe',
  'month',
  'access',
  'subscriber',
  'h',
  'st.',
  'crescent',
  'city',
  'phone',
  'email',
  'browser',
  'date',
  'security',
  'risk',
  'browser'],
 ['skip',
  'contentplay',
  'live',
  'navigation',
  'menunavigation',
  'news',
  'sectionsmiddle',
  'eastafricaasiaus',
  'canadalatin',
  'americaeuropeasia',
  'pacificukraine',
  'warworld',
  'cupeconomyopinionvideomoreshow',
  'sectionscoronavirusclimate',
  'crisisinvestigationsinteractivesfeaturesin',
  'picturesscience',
  'technologysportspodcastsplay',
  'live',
  'click',
  'searchsearchnews',
  'weatheru',
  'biden',
  'emergency',
  'mississippi',
  'storm',
  'recoverydeath',
  'toll',
  'storm',
  'tornado',
  'state',
  'mississippi',
  'alabama.play',
  'videoplay',
  'mar',
  'mar',
  'president',
  'joe',
  'biden',
  'emergency',
  'declaration',
  'mississippi',
  'storm',
  'state',
  'people',
  'alabama',
  'biden',
  'aid',
  'supplement',
  'state',
  'recovery',
  'effort',
  'area',
  'white',
  'house',
  'statement',
  'sunday',
  'funding',
  'people',
  'county',
  'carroll',
  'humphreys',
  'monroe',
  'sharkey',
  'statement',
  'storm',
  'tornado',
  'state',
  'mississippi',
  'alabama',
  'roof',
  'car',
  'neighbourhood',
  'al',
  'jazeera',
  'mississippi',
  'emergency',
  'management',
  'agency',
  'death',
  'toll',
  'saturday',
  'dozen',
  'people',
  'alabama',
  'man',
  'trailer',
  'weather',
  'sheriff',
  'office',
  'morgan',
  'county',
  'twitter',
  'tornado',
  'ground',
  'hour',
  'path',
  'destruction',
  'km',
  'mile',
  'mississippi',
  'friday',
  'nicholas',
  'price',
  'meteorologist',
  'national',
  'weather',
  'service',
  'jackson',
  'mississippi',
  'death',
  'rolling',
  'fork',
  'town',
  'mississippi',
  'town',
  'percent',
  'fifth',
  'population',
  'poverty',
  'line',
  'united',
  'states',
  'census',
  'datum',
  'home',
  'rolling',
  'fork',
  'rubble',
  'tree',
  'trunk',
  'twig',
  'car',
  'toy',
  'town',
  'water',
  'tower',
  'ground',
  'city',
  'mayor',
  'eldridge',
  'walker',
  'cnn',
  'day',
  'michael',
  'searcy',
  'storm',
  'chaser',
  'tornado',
  'rolling',
  'fork',
  'hour',
  'rescue',
  'people',
  'vehicle',
  'vehicle',
  'building',
  'scream',
  'cry',
  'help',
  'reuters',
  'news',
  'agency',
  'group',
  'rubble',
  'people',
  'member',
  'family',
  'shelter',
  'bathroom',
  'rest',
  'house',
  'wind',
  'van',
  'home',
  'searcy',
  'silver',
  'city',
  'community',
  'resident',
  'room',
  'bathtub',
  'tornado',
  'governor',
  'tate',
  'reeves',
  'silver',
  'city',
  'saturday',
  'state',
  'emergency',
  'area',
  'scale',
  'damage',
  'loss',
  'today',
  'twitter',
  'homes',
  'business',
  'community',
  'president',
  'joe',
  'biden',
  'image',
  'mississippi',
  'statement',
  'reeves',
  'condolence',
  'support',
  'recovery',
  'storm',
  'responder',
  'emergency',
  'personnel',
  'americans',
  'biden',
  'support',
  'mississippi',
  'official',
  'emergency',
  'shelter',
  'national',
  'guard',
  'armory',
  'rolling',
  'fork',
  'federal',
  'emergency',
  'management',
  'agency',
  'director',
  'deanne',
  'criswell',
  'mississippi',
  'sunday',
  'white',
  'house',
  'mississippi',
  'weather',
  'sunday',
  'wind',
  'hail',
  'emergency',
  'management',
  'agency',
  'tornado',
  'fear',
  'storm',
  'mississippi',
  'operation',
  'rescue',
  'worker',
  'damage',
  'roof',
  'building',
  'car',
  'pile',
  'debris',
  'electricity',
  'repair',
  'power',
  'customer',
  'dark',
  'mississippi',
  'alabama',
  'volunteer',
  'town',
  'lauren',
  'hoda',
  'mile',
  'vicksburg',
  'morning',
  'people',
  'town',
  'time',
  'tornado',
  'source',
  'al',
  'jazeera',
  'news',
  'agenciesaj',
  'logoaj',
  'logoaj',
  'logoaboutshow',
  'moreabout',
  'uscode',
  'ethicsterms',
  'conditionseu',
  'eea',
  'regulatory',
  'noticeprivacy',
  'policycookie',
  'policycookie',
  'preferencessitemapcommunity',
  'guidelineswork',
  'ushr',
  'qualityconnectshow',
  'morecontact',
  'usadvertise',
  'usappschannel',
  'findertv',
  'tipour',
  'channelsshow',
  'moreal',
  'jazeera',
  'arabical',
  'jazeera',
  'englishal',
  'jazeera',
  'investigative',
  'unital',
  'jazeera',
  'mubasheral',
  'jazeera',
  'documentaryal',
  'jazeera',
  'balkansaj+our',
  'networkshow',
  'moreal',
  'jazeera',
  'centre',
  'studiesal',
  'jazeera',
  'media',
  'institutelearn',
  'arabical',
  'jazeera',
  'centre',
  'public',
  'liberties',
  'human',
  'rightsal',
  'jazeera',
  'forumal',
  'jazeera',
  'hotel',
  'partnersfollow',
  'al',
  'jazeera',
  'english',
  'facebooktwitteryoutubeinstagram',
  'al',
  'jazeera',
  'media',
  'network'],
 ['livenewsweathersportsthings',
  'docontests',
  'watch',
  'expand',
  'collapse',
  'search',
  '☰',
  'search',
  'site',
  'news',
  'local',
  'newsnational',
  'newsworld',
  'newsinvestigatorspoliticsconsumervoice',
  'news',
  'sundayweather',
  'fox',
  'weather',
  'appforecastschool',
  'closingslive',
  'weather',
  'camerastrafficfox',
  'weathersports',
  'shayne',
  'wellsgarden',
  'guyrecipesmoney',
  'personal',
  'financebusinessstock',
  'marketsmall',
  'businesssavingsshow',
  'fox',
  'showsthe',
  'jason',
  'showfox',
  'good',
  'dayenough',
  'saidvikings',
  'gameday',
  'livethe',
  'pj',
  'fleck',
  'showfox',
  'sports',
  'nowthe',
  'jason',
  'swag',
  'shopthe',
  'fox',
  'storefox',
  'town',
  'ball',
  'storeregional',
  'news',
  'milwaukee',
  'news',
  'fox',
  'newschicago',
  'news',
  'fox',
  'chicagodetroit',
  'news',
  'fox',
  'detroitabout',
  'contact',
  'uscontestspersonalitiesjobs',
  'fox',
  '9what',
  'foxadvertisefcc',
  'applicationsstay',
  'ice',
  'cream',
  'socialnewsletterfacebookinstagramtwittertiktokyoutube',
  'thunderstorm',
  'wed',
  'pm',
  'cdt',
  'thu',
  'cdt',
  'beltrami',
  'county',
  'clearwater',
  'county',
  'pennington',
  'county',
  'red',
  'lake',
  'county',
  'thunderstorm',
  'warning',
  'thu',
  'cdt',
  'beltrami',
  'county',
  'lake',
  'woods',
  'county',
  'polk',
  'county',
  'red',
  'lake',
  'county',
  'excessive',
  'heat',
  'warning',
  'thu',
  'pm',
  'cdt',
  'thu',
  'pm',
  'cdt',
  'anoka',
  'county',
  'dakota',
  'county',
  'hennepin',
  'county',
  'ramsey',
  'county',
  'scott',
  'county',
  'washington',
  'county',
  'minnesota',
  'weather',
  'rain',
  'snow',
  'tuesday',
  'night',
  'fox',
  'staff',
  'march',
  'weather',
  'fox',
  'share',
  'copy',
  'link',
  'email',
  'facebook',
  'twitter',
  'linkedin',
  'reddit',
  'tuesday',
  'forecast',
  'rain',
  'tonight',
  'high',
  '40',
  'storm',
  'area',
  'tonight',
  'tomorrow',
  'rain',
  'minneapolis',
  'fox',
  'melt',
  'day',
  'tuesday',
  'temperature',
  'precipitation',
  'forecast',
  'temperature',
  '40',
  'twin',
  'cities',
  'metro',
  'tuesday',
  'evening',
  'daylight',
  'hour',
  'stray',
  'flurry',
  'morning',
  'twin',
  'cities',
  'month',
  'snow',
  'rain',
  'sunset',
  'twin',
  'cities',
  'tenth',
  'inch',
  'minnesota',
  'snow',
  'storm',
  'area',
  'winter',
  'storm',
  'area',
  'inch',
  'snow',
  'winter',
  'weather',
  'area',
  'inch',
  'stillwater',
  'flooding',
  'st.',
  'croix',
  'river',
  'winter',
  'freeze',
  'wednesday',
  'morning',
  'spot',
  'roadway',
  'sidewalk',
  'spot',
  'temperature',
  'day',
  'twin',
  'cities',
  'high',
  'degree',
  'sky',
  'evening',
  'flake',
  'iowa',
  'border',
  'article',
  'minnesota',
  'expert',
  'mosquito',
  'vengeance',
  'thursday',
  'high',
  'degree',
  'twin',
  'cities',
  'thing',
  'weekend',
  'friday',
  'high',
  'degree',
  'saturday',
  'high',
  'degree',
  'sunday',
  'high',
  'degree',
  'news',
  'view',
  'minnesota',
  'rollerblade',
  'founder',
  'inline',
  'skate',
  'wheel',
  'fortune',
  'violent',
  'crime',
  'summit',
  'datum',
  'homicide',
  'assault',
  'trend',
  'metro',
  'fugitive',
  'minnesota',
  'murder',
  'california',
  'minnesota',
  'town',
  'ball',
  'team',
  'postseason',
  'ban',
  'rule',
  'violation',
  'golfer',
  'm',
  'open',
  'contractor',
  'minnetonka',
  'home',
  'business',
  'lightning',
  'strike',
  'house',
  'fire',
  'plymouth',
  'child',
  'minneapolis',
  'wednesday',
  'mall',
  'america',
  'shooter',
  'nike',
  'store',
  'dispute',
  'wildfire',
  'friend',
  'foe',
  'e',
  '-',
  'bike',
  'use',
  'lake',
  'minnetonka',
  'community',
  'community',
  'radio',
  'station',
  'story',
  'voice',
  'minneapolis',
  'new',
  'festival',
  'art',
  'artist',
  'color',
  'mass',
  'shooting',
  'plot',
  'year',
  'sentence',
  'zimmerman',
  'man',
  'man',
  'week',
  'minneapolis',
  'rail',
  'platform',
  'trending',
  'mall',
  'america',
  'shooter',
  'nike',
  'store',
  'dispute',
  'minnesota',
  'state',
  'fair',
  'attraction',
  'teen',
  'jet',
  'bridge',
  'msp',
  'minnesota',
  'best',
  'adventure',
  'experience',
  'list',
  'minnesota',
  'town',
  'ball',
  'team',
  'postseason',
  'ban',
  'rule',
  'violation',
  'daily',
  'newsletter',
  'news',
  'day',
  'sign',
  'privacy',
  'policy',
  'terms',
  'service',
  'stream',
  'smart',
  'tv',
  'fox',
  'fox',
  'streaming',
  'app',
  'fox',
  'fox',
  'streaming',
  'app',
  'roku',
  'apple',
  'tv',
  'amazon',
  'firetv',
  'google',
  'android',
  'tv',
  'cable',
  'subscription',
  'login',
  'news',
  'local',
  'newsnational',
  'newsworld',
  'newsinvestigatorspoliticsconsumervoice',
  'news',
  'sundayweather',
  'fox',
  'weather',
  'appforecastschool',
  'closingslive',
  'weather',
  'camerastrafficfox',
  'weathersports',
  'shayne',
  'wellsgarden',
  'guyrecipesmoney',
  'personal',
  'financebusinessstock',
  'marketsmall',
  'businesssavingsshow',
  'fox',
  'showsthe',
  'jason',
  'showfox',
  'good',
  'dayenough',
  'saidvikings',
  'gameday',
  'livethe',
  'pj',
  'fleck',
  'showfox',
  'sports',
  'nowthe',
  'jason',
  'swag',
  'shopthe',
  'fox',
  'storefox',
  'town',
  'ball',
  'storeregional',
  'news',
  'milwaukee',
  'news',
  'fox',
  'newschicago',
  'news',
  'fox',
  'chicagodetroit',
  'news',
  'fox',
  'detroitabout',
  'contact',
  'uscontestspersonalitiesjobs',
  'fox',
  '9what',
  'foxadvertisefcc',
  'applicationsstay',
  'ice',
  'cream',
  'socialnewsletterfacebookinstagramtwittertiktokyoutube',
  'facebooktwitteremail',
  'new',
  'privacy',
  'policyterms',
  'serviceyour',
  'privacy',
  'choicesfcc',
  'public',
  'filejobs',
  'fox',
  '9contact',
  'material',
  'fox',
  'television',
  'stations'],
 ['search',
  'fox',
  'weather',
  'fox',
  'weather',
  'app',
  'podcast',
  'weather',
  'news',
  'november',
  'est',
  'condition',
  'north',
  'dakota',
  'season',
  'winter',
  'storm',
  'winter',
  'storm',
  'season',
  'plains',
  'condition',
  'power',
  'line',
  'travel',
  'hillary',
  'andrews',
  'aaron',
  'barker',
  'source',
  'fox',
  'weather',
  'facebook',
  'twitter',
  'email',
  'copy',
  'link',
  'blizzard',
  'mile',
  'inch',
  'ice',
  'foot',
  'snow',
  'mess',
  'north',
  'dakota',
  'accident',
  'state',
  'nd',
  'dot',
  'section',
  'visibility',
  'wreck',
  'bismarck',
  'n.d.',
  'coating',
  'ice',
  'snow',
  'north',
  'dakota',
  'authority',
  'travel',
  'region',
  'thursday',
  'plains',
  'winter',
  'storm',
  'season',
  'wednesday',
  'night',
  'rain',
  'rain',
  'contact',
  'road',
  'bridge',
  'glaze',
  'inch',
  'place',
  'rain?fox',
  'weather',
  'max',
  'gorden',
  'trouble',
  'bismarck',
  'north',
  'dakota',
  'storm',
  'concern',
  'runway',
  'airport',
  'ice',
  'snow',
  'national',
  'weather',
  'service',
  'rate',
  'inch',
  'hour',
  'wind',
  'mph',
  'snow',
  'visibility',
  'quarter',
  'mile',
  'condition',
  'travel',
  'nightmare',
  'winter',
  'storm',
  'season',
  'plains',
  'home',
  'north',
  'dakota',
  'official',
  'driver',
  'half',
  'inch',
  'ice',
  'foot',
  'snow',
  'state',
  'north',
  'dakota',
  'department',
  'transportation',
  'travel',
  'advisories',
  'state',
  'bismarck',
  'road',
  'pile',
  'interstate',
  'fox',
  'chain',
  'reaction',
  'pile',
  'highway',
  'patrol',
  'trooper',
  'car',
  'o.k.',
  'north',
  'dakota',
  'highway',
  'patrol',
  'fox',
  'weather)snow',
  'plow',
  'driver',
  'road',
  'responder',
  'plow',
  'driver',
  'emergency',
  'route',
  'bismarck',
  'snow',
  'gorden',
  'road',
  '"zero',
  'visibility',
  'stretch',
  'u.s.',
  'highway',
  'u.s.',
  'highway',
  'ice',
  'snow',
  'power',
  'line',
  'branch',
  'home',
  'business',
  'darkness',
  'height',
  'storm',
  'poweroutage.us',
  'number',
  'thursday',
  'evening',
  'ice',
  'knock',
  'power',
  'damage',
  'foot',
  'snow',
  'north',
  'dakota',
  'snow',
  'night',
  'blizzard',
  'warning',
  'effect',
  'half',
  'state',
  'midnight',
  'snow',
  'weather',
  'thursday',
  'day',
  'record',
  'bismarck',
  'year',
  'recordkeeping',
  'airport',
  'inch',
  'thursday',
  'evening',
  'storm',
  'snow',
  'fox',
  'weather',
  'center',
  'temperature',
  'weekend',
  'storm',
  'criterion',
  'blizzard',
  'wind',
  'mph',
  'visibility',
  'quarter',
  'mile',
  'hour',
  'tag',
  'winter',
  'dakotatransportationextreme',
  'weather',
  'fox',
  'weather',
  'app',
  'available',
  'android',
  'weather',
  'news',
  'loading',
  'fox',
  'weather',
  'app',
  'privacy',
  'policy',
  'terms',
  'condition',
  'privacy',
  'choices',
  'media',
  'relations',
  'corporate',
  'information',
  'facebook',
  'twitter',
  'instagram',
  'youtube',
  'linkedin',
  'tiktok',
  'rss',
  'download',
  'app',
  'store',
  'google',
  'play',
  'material',
  'fox',
  'news',
  'network',
  'llc',
  'right'],
 ['july',
  'newsoregon',
  'housing',
  'shortagesuperintendent',
  'resortammon',
  'bundyprison',
  'nurse',
  'sasquatch',
  'celebrationsnake',
  'river',
  'sloughthousand',
  'power',
  'storm',
  'rain',
  'wind',
  'oregonby',
  'opb',
  'staffdec',
  '.',
  'p.m.',
  'dec.',
  'a.m.',
  'crews',
  'oregon',
  'silver',
  'falls',
  'state',
  'park',
  'work',
  'tree',
  'tuesday',
  'courtesy',
  'oregon',
  'state',
  'parksmonster',
  'wave',
  'wind',
  'tide',
  'oregon',
  'washington',
  'coast',
  'tuesday',
  'storm',
  'monday',
  'night',
  'tree',
  'power',
  'line',
  'oregon',
  'southwest',
  'washington',
  'thank',
  'sponsorthirty',
  'foot',
  'wave',
  'oregon',
  'coast',
  'national',
  'weather',
  'service',
  'wave',
  'height',
  'foot',
  'north',
  'coast',
  'wind',
  'warning',
  'effect',
  'coast',
  'gust',
  'mph',
  'nws',
  'portland',
  'metro',
  'area',
  'gust',
  'mph',
  'line',
  'tree',
  'portland',
  'art',
  'museum',
  'downtown',
  'situation',
  'people',
  'beach',
  'brian',
  'nieuwenhuis',
  'meteorologist',
  'nws',
  'medford',
  'office',
  'beach',
  'infrastructure',
  'surf',
  'zone',
  'pressure',
  'oregon',
  'coast',
  'burst',
  'wind',
  'afternoon',
  'wind',
  'warning',
  'effect',
  'willamette',
  'valley',
  'clark',
  'county',
  'washington',
  'wind',
  'mph',
  'gust',
  'mph',
  'nws',
  'portland',
  '@nwsportland',
  'december',
  'motorist',
  'tree',
  'vehicle',
  'highway',
  'katu',
  'oregon',
  'state',
  'police',
  'osp',
  'news',
  'outlet',
  'scene',
  'investigation',
  'tree',
  'area',
  'hazard',
  'tuesday',
  'afternoon',
  'oregon',
  'country',
  'state',
  'number',
  'power',
  'outage',
  'customer',
  'tracker',
  'poweroutage',
  'utility',
  'company',
  'portland',
  'general',
  'electric',
  'outage',
  'customer',
  'p.m.',
  'tuesday',
  'utility',
  'company',
  'pacific',
  'power',
  'field',
  'support',
  'personnel',
  'service',
  'crew',
  'state',
  'damage',
  'wind',
  'wind',
  'max',
  'train',
  'portland',
  'area',
  'mph',
  'tuesday',
  'delay',
  'trimet.org/alert',
  'info',
  'meteorologist',
  'winter',
  'pressure',
  'system',
  'season',
  'band',
  'air',
  'region',
  'rain',
  'flood',
  'warning',
  'grays',
  'river',
  'washington',
  'stream',
  'river',
  'time',
  'columbia',
  'river',
  'gorge',
  'rain',
  'national',
  'weather',
  'service',
  'flood',
  'watch',
  'portion',
  'oregon',
  'coast',
  'range',
  'northwest',
  'oregon',
  'north',
  'oregon',
  'coast',
  'watch',
  'effect',
  'tuesday',
  'night',
  'rain',
  'landslide',
  'area',
  'terrain',
  'debris',
  'area',
  'wildfire',
  'information',
  'thank',
  'sponsorrelated',
  'southwest',
  'flight',
  'hour',
  'meltdown’coastal',
  'flooding',
  'wind',
  'advisory',
  'effect',
  'washington',
  'state',
  'record',
  'tide',
  'foot',
  'state',
  'capital',
  'olympia',
  'life',
  'city',
  'street',
  'official',
  'shoreline',
  'street',
  'olympia',
  'water',
  'resources',
  'director',
  'eric',
  'christensen',
  'woman',
  'budd',
  'inlet',
  '”other',
  'area',
  'puget',
  'sound',
  'seattle',
  'corner',
  'state',
  'flooding',
  'car',
  'building',
  'people',
  'washington',
  'state',
  'power',
  'outage',
  'tuesday',
  'afternoon',
  'state',
  'poweroutage',
  'weather',
  'condition',
  'closure',
  'oregon',
  'state',
  'park',
  'time',
  'whale',
  'watcher',
  'holiday',
  'tourist',
  'coast',
  'oregon',
  'state',
  'parks',
  'emergency',
  'closure',
  'ecola',
  'cape',
  'meares',
  'wind',
  'potential',
  'tree',
  'day',
  'use',
  'area',
  'sunset',
  'bay',
  'state',
  'park',
  'coos',
  'bay',
  'tide',
  'flooding',
  'cape',
  'meares',
  'site',
  'oregon',
  'whale',
  'watch',
  'week',
  'person',
  'year',
  'time',
  'pandemic',
  'event',
  'wednesday',
  'sunday',
  'volunteer',
  'visitor',
  'whale',
  'migration',
  'park',
  'wednesday',
  'people',
  'week',
  'oregon',
  'state',
  'parks',
  'spokesperson',
  'stefanie',
  'knowlton',
  'safety',
  'location',
  'whale',
  'watch',
  'area',
  'visitor',
  'agency',
  'people',
  'silver',
  'falls',
  'state',
  'park',
  'cape',
  'lookout',
  'state',
  'park',
  'trip',
  'power',
  'park',
  'trailhead',
  'silver',
  'falls',
  'wind',
  'tree',
  'agency',
  'condition',
  'effort',
  'people',
  'holiday',
  'people',
  'portland',
  'international',
  'airport',
  'delay',
  'winter',
  'weather',
  'country',
  'pdx',
  'official',
  'traveler',
  'flight',
  'status',
  'traveler',
  'plan',
  'holiday',
  'weekend',
  'ice',
  'snow',
  'northwest',
  'nation',
  'weather',
  'service',
  'weather',
  'region',
  'wednesday',
  'evening',
  'coastline',
  'rain',
  'official',
  'water',
  'level',
  'region',
  'stream',
  'river',
  'level',
  'foot',
  'people',
  'snow',
  'cascades',
  'material',
  'associated',
  'press',
  'report',
  'thank',
  'sponsorthanks',
  'sponsoropb',
  'news',
  'culture',
  'northwest',
  'inbox',
  'day',
  'week',
  'emailplease',
  'field',
  'blanksign',
  'uptags',
  'weather',
  'oregon',
  'washingtonopb',
  'reporting',
  'program',
  'power',
  'member',
  'support',
  'it!become',
  'sustainer',
  'nowtv',
  'radio',
  'schedulessponsorshiphelp\uf013manage',
  'membershipcontact',
  'usnotificationsprivacy',
  'policyfcc',
  'public',
  'filesfcc',
  'applicationsterms',
  'useeditorial',
  'policysms',
  'opb',
  'news',
  'stream',
  'window)streaming',
  'nowour',
  'body',
  'politicshow',
  'switch',
  'stream',
  'stream',
  'opb',
  'newslisten',
  'opb',
  'news',
  'stream',
  'window)kmhdlisten',
  'kmhd',
  'stream',
  'window'],
 ['main',
  'content',
  'sensor',
  'network',
  'maps',
  'radar',
  'severe',
  'weather',
  'news',
  'blogs',
  'mobile',
  'apps',
  'nearest',
  'station',
  'manage',
  'favorite',
  'citieslog',
  'joinsettingsaccount_box',
  'log',
  'person_add',
  'join',
  'setting',
  'settings',
  'sensor',
  'networkmaps',
  'radarsevere',
  'weathernews',
  'blogsmobile',
  'appshistorical',
  'weatherstarnews',
  'blogs',
  'category',
  'news',
  'stories',
  'infographics',
  'posters',
  'news',
  'stories',
  'category',
  'storiesinfographicsposterspublished',
  'weather',
  'company',
  'mission',
  'weather',
  'news',
  'environment',
  'importance',
  'science',
  'life',
  'story',
  'position',
  'parent',
  'company',
  'ibm.recent',
  'storiesweather',
  'articlesour',
  'appsabout',
  'uscontactcareerspws',
  'networkwundermapfeedback',
  'supportterms',
  'useprivacy',
  'policyaccessibility',
  'statementadchoicesdata',
  'vendorswe',
  'responsibility',
  'datum',
  'technology',
  'datum',
  'data',
  'vendor',
  'control',
  'datum',
  'datum',
  'rightspowered',
  'ibm',
  'cloud',
  'copyright',
  'twc',
  'product',
  'technology',
  'llc',
  'javascript',
  'application'],
 ['blizzard',
  'snowstorm',
  'wind',
  'mph',
  'cleveland',
  'winter',
  'snowstorm',
  'proximity',
  'lake',
  'erie',
  'lake',
  'effect',
  'snow',
  'cleveland',
  'blizzard',
  'national',
  'weather',
  'service',
  'record',
  'nov.',
  'nov.',
  'jan.',
  'blizzard',
  'cleveland',
  'suburb',
  'storm',
  'canadian',
  'northwest',
  'cleveland',
  'georgia',
  'new',
  'york',
  'great',
  'lakes',
  'rain',
  'sunday',
  'nov.',
  'night',
  'mph',
  'wind',
  'window',
  'fire',
  'hour',
  'barometer',
  'record',
  'time',
  'wire',
  'horse',
  'trolley',
  'communication',
  'city',
  'plowing',
  'snow',
  'day',
  'storm',
  'great',
  'lakes',
  'ship',
  'sailor',
  'storm',
  'tuesday',
  'food',
  'fuel',
  'delivery',
  'city',
  'good',
  'e.',
  '55th',
  'w.',
  'street',
  'thaw',
  'thursday',
  'temperature',
  'degree',
  'condition',
  'friday',
  'weather',
  'bureau',
  'storm',
  'record',
  'blizzard',
  'traffic',
  'west',
  'street',
  'day',
  'thanksgiving',
  'blizzard',
  'arctic',
  'air',
  'mass',
  'temperature',
  'degree',
  'day',
  'nov.',
  'pressure',
  'virginia',
  'ohio',
  'blizzard',
  'wind',
  'snow',
  'airport',
  'mayor',
  'thomas',
  'burke',
  'national',
  'guard',
  'snow',
  'removal',
  'equipment',
  'snow',
  'storm',
  'snow',
  'car',
  'effort',
  'burke',
  'state',
  'emergency',
  'travel',
  'downtown',
  'business',
  'hour',
  'transit',
  'burden',
  'car',
  'downtown',
  'storm',
  'monday',
  'area',
  'school',
  'storm',
  'guardsman',
  'wednesday',
  'cleveland',
  'school',
  'week',
  'child',
  'transit',
  'line',
  'auto',
  'ban',
  'cts',
  'line',
  'saturday',
  'parking',
  'problem',
  'police',
  'traffic',
  'condition',
  'temperature',
  'degree',
  'storm',
  'area',
  'week',
  'life',
  'blizzard',
  'cleveland',
  'history',
  'thursday',
  'jan.',
  'pressure',
  'mississippi',
  'valley',
  'ohio',
  'pressure',
  'great',
  'lakes',
  'cyclone',
  'wind',
  'pressure',
  'eye',
  'cleveland',
  'a.m.',
  'barometer',
  'record',
  'temperature',
  'degree',
  'hour',
  'wind',
  'mph',
  'mph',
  'gust',
  'wind',
  'chill',
  '-100deg',
  'f',
  'snow',
  'hopkins',
  'airport',
  'visibility',
  'illuminating',
  'co.',
  'crew',
  'line',
  'wind',
  'branch',
  'greater',
  'cleveland',
  'home',
  'power',
  'blizzard',
  'storm',
  'winter',
  'u.s.',
  'mayor',
  'dennis',
  'kucinich',
  'return',
  'washington',
  'dc',
  'finance',
  'director',
  'joseph',
  'tegreene',
  'command',
  'post',
  'mayor',
  'national',
  'guard',
  'gov.',
  'james',
  'rhodes',
  'emergency',
  'storm',
  'worker',
  'job',
  'rta',
  'demand',
  'bus',
  'service',
  'bus',
  'line',
  'road',
  'area',
  'freeway',
  'storm',
  'ohio',
  'turnpike',
  'time',
  'condition',
  'day',
  'hopkins',
  'airport',
  'highway',
  'turnpike',
  'east',
  'elyria',
  'food',
  'supply',
  'weekend',
  'winter',
  'city',
  'case',
  'western',
  'reserve',
  'university'],
 ['contentskip',
  'navigationskip',
  'navigationprint',
  'subscription',
  'sign',
  'insearch',
  'jobssearchus',
  'editionus',
  'editionuk',
  'editionaustralia',
  'guardian',
  'guardiannewsopinionsportculturelifestyleshowmoreshow',
  'morenewsview',
  'newsus',
  'newsworld',
  'politicsbusinesstechsciencenewslettersfight',
  'democracyopinionview',
  'opinionthe',
  'guardian',
  'viewcolumnistslettersopinion',
  'videoscartoonssportview',
  'sportsoccernfltennismlbmlsnbanhlf1golfcultureview',
  'culturefilmbooksmusicart',
  'designtv',
  'radiostageclassicalgameslifestyleview',
  'lifestylefashionfoodrecipeslove',
  'sexhome',
  'gardenhealth',
  'fitnessfamilytravelmoneysearch',
  'input',
  'google',
  'search',
  'searchsupport',
  'usprint',
  'subscriptionsus',
  'editionuk',
  'editionaustralia',
  'editionsearch',
  'jobsdigital',
  'archiveguardian',
  'puzzles',
  'licensingthe',
  'guardian',
  'guardianguardian',
  'weeklycrosswordswordiplycorrectionsfacebooktwittersearch',
  'jobsdigital',
  'archiveguardian',
  'puzzles',
  'licensingusworldenvironmentsoccerus',
  'democracy',
  'snowplow',
  'patrol',
  'colorado',
  'saturday',
  'hour',
  'winter',
  'storm',
  'meteorologist',
  'foot',
  'snow',
  'state',
  'photograph',
  'kevin',
  'mohatt',
  'reutersa',
  'snowplow',
  'patrol',
  'colorado',
  'saturday',
  'hour',
  'winter',
  'storm',
  'meteorologist',
  'foot',
  'snow',
  'state',
  'photograph',
  'kevin',
  'mohatt',
  'reutersus',
  'weather',
  'article',
  'year',
  'oldpowerful',
  'snow',
  'storm',
  'wind',
  'usthis',
  'article',
  'year',
  'oldblizzard',
  'warning',
  'wyoming',
  'nebraska',
  'ft',
  'snow',
  'colorado',
  'weekendreuterssat',
  'mar',
  'estlast',
  'sun',
  'mar',
  'edta',
  'spring',
  'snow',
  'storm',
  'day',
  'rockies',
  'plain',
  'forecaster',
  'condition',
  'power',
  'outage',
  'avalanche',
  'national',
  'weather',
  'service',
  'nws',
  'blizzard',
  'warning',
  'wyoming',
  'nebraska',
  'snowfall',
  'ft',
  'cm',
  'wind',
  'mph',
  'km',
  'hour',
  'condition',
  'saturday',
  'monday',
  'weather',
  'service',
  'traveler',
  'road',
  'emergency',
  'supply',
  'flashlight',
  'wind',
  'snow',
  'damage',
  'tree',
  'power',
  'line',
  '“we’re',
  'winter',
  'storm',
  'east',
  'wyoming',
  'mark',
  'gordon',
  'wyoming',
  'governor',
  'twitter',
  'option',
  'road',
  'weekend',
  'south',
  'colorado',
  'condition',
  'day',
  'saturday',
  'i-25',
  'corridor',
  'people',
  'city',
  'denver',
  'ft',
  'snow',
  'mph',
  'wind',
  'weekend',
  'denver',
  'rain',
  'snow',
  'saturday',
  'morning',
  'temperature',
  'freezing',
  'air',
  'pattern',
  'city',
  'afternoon',
  'rate',
  'snowfall',
  'nws',
  'twitter',
  'snow',
  'afternoon',
  'evening',
  'sunday',
  'weather',
  'service',
  'denver',
  'airport',
  'weekend',
  'flight',
  'nation',
  'airport',
  'storm',
  'aviation',
  'tracking',
  'web',
  'site',
  'flight',
  'aware',
  'utility',
  'company',
  'xcel',
  'energy',
  'week',
  'number',
  'crew',
  'power',
  'outage',
  'snow',
  'nws',
  'traveler',
  'skier',
  'elevation',
  'avalanche',
  'snow',
  'total',
  'jared',
  'polis',
  'colorado',
  'governor',
  'state',
  'guard',
  'search',
  'rescue',
  'request',
  'weekend',
  'viewedusworldenvironmentsoccerus',
  'politicsbusinesstechsciencenewslettersfight',
  'reporting',
  'analysis',
  'guardian',
  'ushelpcomplaint',
  'correctionssecuredropwork',
  'usprivacy',
  'policycookie',
  'policyterms',
  'conditionscontact',
  'usall',
  'topicsall',
  'newspaper',
  'archivefacebookyoutubeinstagramlinkedintwitternewslettersadvertise',
  'labssearch',
  'guardian',
  'news',
  'media',
  'limited',
  'company',
  'right'],
 ['cart',
  'checkout',
  'aresamaritan',
  'purseabout',
  'samaritan',
  'pursehistorystatement',
  'faithcomfort',
  'wake',
  'stormboard',
  'directors',
  'key',
  'employeesworldwide',
  'officesfinancial',
  'accountabilitymedia',
  'resourceslegal',
  'permissionscontact',
  'usfranklin',
  'grahamfranklin',
  'grahamfestivalsbiographybibliography',
  'doministry',
  'projectsinternational',
  'crisis',
  'responseoperation',
  'christmas',
  'childthe',
  'greatest',
  'journeyu.s.',
  'disaster',
  'reliefworld',
  'medical',
  'missiongreta',
  'home',
  'academychildren',
  'heart',
  'projectoperation',
  'heal',
  'patriots',
  'crisis',
  'responseu.s.',
  'disaster',
  'reliefoperation',
  'christmas',
  'childoperation',
  'patriotsmedical',
  'ministriesdiscipleship',
  'educationanimals',
  'agricultureconstruction',
  'projectswater',
  'hygienewomen',
  'childrenfeeding',
  'programs',
  'involvedvolunteeru.s.',
  'disaster',
  'reliefconstructionoperation',
  'christmas',
  'childworld',
  'medical',
  'missionemploymentcareer',
  'opportunitiesoperation',
  'christmas',
  'child',
  'processing',
  'center',
  'seasonaldisaster',
  'assistance',
  'response',
  'team',
  'dart)internship',
  'programapprenticeship',
  'programpost',
  'residency',
  'programpartner',
  'uschurch',
  'connectionscreate',
  'fundraising',
  'page',
  '†',
  'gift',
  'mail',
  'samaritan',
  'purse',
  'po',
  'box',
  'boone',
  'nc',
  'gift',
  'catalogrecurring',
  'donationssupport',
  'physicianbookssolicitation',
  'disclosureiras',
  'stocks',
  'willsdonor',
  'fundsmemorial',
  'givingworkplace',
  'givingmatching',
  'cash',
  'givingcryptocurrency',
  'donation',
  'total',
  'samaritan',
  'purse',
  'responds',
  'storm',
  'marked',
  'tree',
  'arkansasjune',
  'united',
  'states',
  'disaster',
  'relief',
  'unit',
  'marked',
  'tree',
  'arkansas',
  'samaritan',
  'purse',
  'jesus',
  'storm',
  'marked',
  'tree',
  'arkansas',
  'corner',
  'state',
  'u.s.',
  'disaster',
  'relief',
  'marked',
  'tree',
  'community',
  'tree',
  'debris',
  'damage',
  'power',
  'temperature',
  'digit',
  'samaritan',
  'purse',
  'disaster',
  'relief',
  'unit',
  'tractor',
  'trailer',
  'relief',
  'equipment',
  'supply',
  'volunteer',
  'team',
  'homeowner',
  'tree',
  'debris',
  'removal',
  'baptist',
  'church',
  'marked',
  'tree',
  'host',
  'church',
  'response',
  'arkansas',
  'family',
  'storm',
  'help',
  'volunteering',
  'hand',
  'foot',
  'jesus',
  'christ',
  'arkansas',
  'volunteer',
  'arkansas',
  'work',
  'marked',
  'tree',
  'response',
  'tulsa',
  'county',
  'oklahoma',
  'homeowner',
  'storm',
  'samaritan',
  'purse',
  'volunteer',
  'staff',
  'jesus',
  'u.s.',
  'disaster',
  'relief',
  'samaritan',
  'purse',
  'thousand',
  'volunteer',
  'emergency',
  'aid',
  'u.s.',
  'victim',
  'wildfire',
  'flood',
  'tornado',
  'hurricane',
  'disaster',
  'aftermath',
  'storm',
  'house',
  'people',
  'help',
  'u.s.',
  'disaster',
  'relief',
  'checkout',
  'u.s.',
  'disaster',
  'relief',
  'new',
  'home',
  'strengthened',
  'faith',
  'tornado',
  'community',
  'mississippi',
  'samaritan',
  'purse',
  'u.s.',
  'disaster',
  'relief',
  'edward',
  'graham',
  'new',
  'yorkers',
  'army',
  'ranger',
  'wife',
  'kristy',
  'homeowner',
  'samaritan',
  'u.s.',
  'disaster',
  'relief',
  'sharing',
  'hope',
  'christ',
  'vermont',
  'homeowners',
  'gospel',
  'jesus',
  'christ',
  'life',
  'vermont',
  'samaritan',
  'purse',
  'samaritan',
  'purse',
  'staff',
  'equipment',
  'thousand',
  'volunteer',
  'emergency',
  'aid',
  'victim',
  'tornado',
  'hurricane',
  'wildfire',
  'flood',
  'disaster',
  'united',
  'states',
  'response',
  'house',
  'family',
  'storiessharing',
  'hope',
  'christ',
  'vermont',
  'homeowners',
  'floodingrestoring',
  'families',
  'futures',
  'new',
  'livelihoodsresponding',
  'new',
  'york',
  'vermontstarting',
  'overedward',
  'graham',
  'mike',
  'pence',
  'samaritan',
  'purse',
  'work',
  'ukraine',
  'copyright',
  'samaritan',
  'purse',
  'right',
  'samaritan',
  'purse',
  'po',
  'box',
  'boone',
  'nc',
  'solicitation',
  'disclosure',
  'privacy',
  'policy',
  'opt',
  'advertising',
  'statement',
  'faith',
  'mission',
  'statement',
  'employment',
  'franklin',
  'graham',
  'worldwide',
  'offices',
  'contact',
  'samaritan',
  'purse',
  'tax',
  'charity',
  'contribution',
  'project',
  'project',
  'percent',
  'gift',
  'contribution',
  'project',
  'project',
  'fund',
  'need',
  'sign',
  'email',
  'update',
  'work',
  'samaritan',
  'purse',
  'prayer',
  'alert',
  'volunteer',
  'opportunity',
  'family',
  'copy',
  'god',
  'word',
  'bible',
  'literature',
  'family',
  'need',
  'christmas',
  'catalog',
  'child',
  'greatest',
  'journey',
  'lesson',
  'book',
  'bible',
  'boy',
  'girl',
  'discipleship',
  'program',
  'samaritan',
  'purse',
  'website',
  'samaritan',
  'purse',
  'united',
  'states',
  'affiliate',
  'site',
  'samaritan',
  'purse',
  'australia',
  'new',
  'zealand',
  'samaritan',
  'purse',
  'canada',
  'samaritan',
  'purse',
  'germany',
  'samaritan',
  'purse',
  'korea',
  'samaritan',
  'purse',
  'united',
  'kingdom'],
 ['skip',
  'navigationwatchlivemarketspre',
  'marketsu.s.',
  'marketscurrenciescryptocurrencyfutures',
  'commoditiesbondsfunds',
  'etfsbusinesseconomyfinancehealth',
  'sciencemediareal',
  'estateenergyclimatetransportationindustrialsretailwealthlifesmall',
  'financefintechfinancial',
  'advisorsoptions',
  'actionetf',
  'streetbuffett',
  'archiveearningstrader',
  'talktechcybersecurityenterpriseinternetmediamobilesocial',
  'mediacnbc',
  'disruptor',
  'tvlive',
  'tvlive',
  'audiobusiness',
  'day',
  'showsentertainment',
  'episodeslatest',
  'videotop',
  'interviewscnbc',
  'worlddigital',
  'originalslive',
  'tv',
  'clubtrust',
  'portfolioanalysistrade',
  'videoshomestretchjim',
  'newspro',
  'livemarket',
  'forecastsubscribesign',
  'inmenumake',
  'itselectall',
  'selectcredit',
  'cards',
  'loans',
  'banking',
  'mortgages',
  'insurance',
  'credit',
  'monitoring',
  'personal',
  'finance',
  'small',
  'business',
  'taxes',
  'help',
  'low',
  'credit',
  'scores',
  'investing',
  'selectall',
  'credit',
  'cardsfind',
  'credit',
  'card',
  'youbest',
  'credit',
  'cardsbest',
  'rewards',
  'credit',
  'cardsbest',
  'travel',
  'credit',
  'cardsbest',
  '%',
  'apr',
  'credit',
  'cardsbest',
  'balance',
  'transfer',
  'credit',
  'cash',
  'credit',
  'cardsbest',
  'credit',
  'card',
  'welcome',
  'bonusesbest',
  'credit',
  'cards',
  'loansfind',
  'best',
  'personal',
  'loan',
  'youbest',
  'personal',
  'loansbest',
  'debt',
  'consolidation',
  'loansbest',
  'loans',
  'refinance',
  'credit',
  'card',
  'debtbest',
  'loans',
  'fast',
  'fundingbest',
  'small',
  'personal',
  'loansbest',
  'large',
  'personal',
  'loansbest',
  'personal',
  'loans',
  'onlinebest',
  'student',
  'loan',
  'bankingfind',
  'savings',
  'account',
  'youbest',
  'high',
  'yield',
  'savings',
  'accountsbest',
  'big',
  'bank',
  'savings',
  'accountsbest',
  'big',
  'bank',
  'checking',
  'accountsbest',
  'fee',
  'checking',
  'accountsno',
  'overdraft',
  'fee',
  'checking',
  'accountsbest',
  'checking',
  'account',
  'bonusesbest',
  'money',
  'market',
  'accountsbest',
  'credit',
  'unionsselectall',
  'mortgagesbest',
  'mortgagesbest',
  'mortgages',
  'small',
  'paymentbest',
  'mortgage',
  'paymentbest',
  'mortgage',
  'origination',
  'feebest',
  'mortgages',
  'credit',
  'scoreadjustable',
  'rate',
  'mortgagesaffording',
  'insurancebest',
  'life',
  'insurancebest',
  'homeowners',
  'insurancebest',
  'renters',
  'insurancebest',
  'car',
  'insurancetravel',
  'insuranceselectall',
  'credit',
  'monitoringbest',
  'credit',
  'monitoring',
  'servicesbest',
  'identity',
  'theft',
  'protectionhow',
  'credit',
  'scorecredit',
  'repair',
  'servicesselectall',
  'personal',
  'financebest',
  'budgeting',
  'appsbest',
  'expense',
  'tracker',
  'appsbest',
  'money',
  'transfer',
  'appsbest',
  'resale',
  'apps',
  'sitesbuy',
  'bnpl',
  'appsbest',
  'debt',
  'reliefselectall',
  'small',
  'businessbest',
  'small',
  'business',
  'savings',
  'accountsbest',
  'small',
  'business',
  'checking',
  'accountsbest',
  'credit',
  'cards',
  'small',
  'businessbest',
  'small',
  'business',
  'loansbest',
  'tax',
  'software',
  'taxesbest',
  'tax',
  'softwarebest',
  'tax',
  'software',
  'businessestax',
  'help',
  'low',
  'credit',
  'scoresbest',
  'credit',
  'cards',
  'bad',
  'creditbest',
  'personal',
  'loans',
  'bad',
  'creditbest',
  'debt',
  'consolidation',
  'loans',
  'bad',
  'creditpersonal',
  'loans',
  'creditbest',
  'credit',
  'cards',
  'building',
  'creditpersonal',
  'loans',
  'credit',
  'score',
  'lowerpersonal',
  'loans',
  'credit',
  'score',
  'lowerbest',
  'mortgages',
  'bad',
  'creditbest',
  'hardship',
  'loanshow',
  'credit',
  'scoreselectall',
  'investingbest',
  'ira',
  'accountsbest',
  'roth',
  'ira',
  'accountsbest',
  'investing',
  'appsbest',
  'free',
  'stock',
  'trading',
  'platformsbest',
  'robo',
  'advisorsindex',
  'fundsmutual',
  'fundsetfsbondsusaintlwatchlivesearch',
  'quote',
  'news',
  'videoswatchlistsign',
  'increate',
  'clubpromenuweather',
  'natural',
  'disastersat',
  'ice',
  'storm',
  'south',
  'travel',
  'chaos',
  'd',
  'feb',
  'estupdated',
  'd',
  'feb',
  'pm',
  'estchantal',
  'da',
  'silvawatch',
  'liveofficial',
  'accident',
  'wheeler',
  'sh',
  'texas',
  'austin',
  'texas',
  'ice',
  'storm',
  'tuesday',
  'jan.',
  'american',
  'statesman',
  'apa',
  'ice',
  'storm',
  'south',
  'chaos',
  'road',
  'death',
  'flight',
  'cancellation',
  'power',
  'outage',
  'duration',
  'winter',
  'storm',
  'sleet',
  'rain',
  'texas',
  'tennessee',
  'thursday',
  'national',
  'weather',
  'service',
  'wednesday',
  'death',
  'storm',
  'monday',
  'year',
  'man',
  'vehicle',
  'control',
  'ice',
  'overpass',
  'arlington',
  'texas',
  'police',
  'hospital',
  'evening',
  'year',
  'woman',
  'vehicle',
  'tree',
  'eldorado',
  'texas',
  'texas',
  'department',
  'public',
  'safety',
  'woman',
  'sherry',
  'lynn',
  'taylor',
  'control',
  'truck',
  'road',
  'austin',
  'person',
  'weather',
  'vehicle',
  'collision',
  'austin',
  'travis',
  'county',
  'emergency',
  'medical',
  'services',
  'death',
  'state',
  'texas',
  'driver',
  'benton',
  'county',
  'arkansas',
  'monday',
  'truck',
  'spot',
  'pole',
  'road',
  'flight',
  'cancellationsthe',
  'storm',
  'travel',
  'chaos',
  'road',
  'airport',
  'week',
  'news',
  'conference',
  'tuesday',
  'texas',
  'gov.',
  'greg',
  'abbott',
  'resident',
  'road',
  'icing',
  'road',
  'state',
  'icing',
  'road',
  'texas',
  'hour',
  'thing',
  'ice',
  'weather',
  'service',
  'fort',
  'worth',
  'light',
  'rain',
  'texas',
  'county',
  'wednesday',
  'contact',
  'ice',
  'road',
  'tonight',
  'tomorrow',
  'tweet',
  'weather',
  'thousand',
  'flight',
  'cancellation',
  'delay',
  'week',
  'wednesday',
  'flight',
  'united',
  'states',
  'flight',
  'tracker',
  'flightaware',
  'flight',
  'cancellation',
  'dallas',
  'fort',
  'worth',
  'international',
  'airport',
  'dallas',
  'love',
  'field',
  'austin',
  'bergstrom',
  'international',
  'airport',
  'nbc',
  'news',
  'new',
  'york',
  'city',
  'record',
  'snowfall',
  'dozen',
  'squirrel',
  'monkey',
  'louisiana',
  'zoo',
  'official',
  'sayalex',
  'murdaugh',
  'murder',
  'charge',
  'summary',
  'airline',
  'american',
  'airlines',
  'carrier',
  'region',
  'majority',
  'cancellation',
  'southwest',
  'flight',
  'wednesday',
  'american',
  'airlines',
  'cancellation',
  'flightaware',
  'national',
  'basketball',
  'association',
  'game',
  'washington',
  'wizards',
  'detroit',
  'pistons',
  'wednesday',
  'night',
  'travel',
  'issue',
  'weather',
  'condition',
  'dallas',
  'area',
  'pistons',
  'detroit',
  'game',
  'monday',
  'american',
  'airlines',
  'center',
  'nba',
  'power',
  'outagesresident',
  'texas',
  'power',
  'outage',
  'midst',
  'storm',
  'utility',
  'customer',
  'power',
  'wednesday',
  'outage',
  'tracker',
  'poweroutage.us',
  'news',
  'conference',
  'tuesday',
  'utility',
  'official',
  'state',
  'grid',
  'gas',
  'supply',
  'course',
  'weather',
  'event',
  'public',
  'utility',
  'commission',
  'chairman',
  'peter',
  'lake',
  'texans',
  'power',
  'provider',
  'winter',
  'weather',
  'icing',
  'condition',
  'power',
  'outage',
  'weather',
  'continueabbott',
  'people',
  'north',
  'west',
  'region',
  'state',
  'weather',
  'thursday',
  'texas',
  'flash',
  'flooding',
  'wednesday',
  'thursday',
  'condition',
  'wednesday',
  'texas',
  'majority',
  'mid',
  '-',
  'south',
  'weather',
  'service',
  'ice',
  'accumulation',
  'half',
  'inch',
  'texas',
  'arkansas',
  'quarter',
  'inch',
  'ice',
  'accretion',
  'area',
  'oklahoma',
  'arkansas',
  'tennessee',
  'ice',
  'accretion',
  'travel',
  'possibility',
  'tree',
  'damage',
  'power',
  'outage',
  'ice',
  'storm',
  'warning',
  'winter',
  'storm',
  'warning',
  'winter',
  'weather',
  'advisory',
  'effect',
  'area',
  'resident',
  'road',
  'condition',
  'caution',
  'delivery',
  'service',
  'grubhub',
  'doordash',
  'nbc',
  'news',
  'wednesday',
  'service',
  'area',
  'weather',
  'cnbc',
  'prolicensing',
  'councilsselect',
  'financecnbc',
  'peacockjoin',
  'cnbc',
  'panelsupply',
  'chain',
  'valuesselect',
  'shoppingclosed',
  'captioningdigital',
  'productsnews',
  'releasesinternshipscorrectionsabout',
  'cnbcad',
  'choicessite',
  'mappodcastscareershelpcontactnews',
  'tipsgot',
  'news',
  'tip',
  'touchadvertise',
  'usplease',
  'contact',
  'uscnbc',
  'newsletterssign',
  'newsletter',
  'cnbc',
  'inboxsign',
  'nowget',
  'inbox',
  'info',
  'product',
  'service',
  'privacy',
  'policy',
  'information',
  'notice',
  'terms',
  'service',
  'cnbc',
  'llc',
  'rights',
  'division',
  'nbcuniversaldata',
  'time',
  'snapshot',
  'data',
  'minute',
  'global',
  'business',
  'financial',
  'news',
  'stock',
  'quotes',
  'market',
  'data',
  'analysis',
  'market',
  'data',
  'terms',
  'use',
  'disclaimersdata'],
 ['nowcast',
  'kmbc',
  'news',
  'kcwe',
  'pm',
  'search',
  'homepage',
  'local',
  'news',
  'state',
  'addiction',
  'national',
  'news',
  'alert',
  'weather',
  'radar',
  'alerts',
  'map',
  'room',
  'future',
  'kmbc',
  'investigates',
  'heart',
  'matter',
  'community',
  'traffic',
  'sports',
  'chiefs',
  'draft',
  'kc',
  'royals',
  'high',
  'school',
  'sports',
  'politic',
  'fact',
  'fact',
  'local',
  'entertainment',
  'cw',
  'community',
  'news',
  'love',
  'news',
  'team',
  'editorial',
  'contests',
  'metv',
  'advertise',
  'kmbc',
  'advertise',
  'kcwe',
  'privacy',
  'notice',
  'terms',
  'use',
  'press',
  'type',
  'search',
  'storm',
  'morning',
  'kansas',
  'missouri',
  'national',
  'weather',
  'service',
  'severe',
  'thunderstorm',
  'watch',
  'updated',
  'cdt',
  'jul',
  'storm',
  'morning',
  'kansas',
  'missouri',
  'national',
  'weather',
  'service',
  'severe',
  'thunderstorm',
  'watch',
  'updated',
  'cdt',
  'jul',
  'severe',
  'thunderstorms',
  'severe',
  'thunderstorm',
  'watch',
  'issued',
  'kansas',
  'city',
  'area',
  'west',
  'central',
  'northwestern',
  'missouri',
  'kansas',
  'noon',
  'storms',
  'damaging',
  'wind',
  'hail',
  'main',
  'threats',
  'concerned',
  'morning',
  'alert',
  'radar',
  'severe',
  'thunderstorms',
  'moving',
  'severe',
  'thunderstorm',
  'watch',
  'northwestern',
  'missouri',
  'big',
  'cluster',
  'thunderstorms',
  'severe',
  'thunderstorm',
  'county',
  'communities',
  'fairfax',
  'tokyo',
  'mound',
  'city',
  'oregon',
  'skidmore',
  'area',
  'severe',
  'weather',
  'oregon',
  'maitland',
  'skidmore',
  'savannah',
  'king',
  'city',
  'albany',
  'maysville',
  'saint',
  'joseph',
  'storms',
  'east',
  'kansas',
  'city',
  'later',
  'morning',
  'time',
  'severe',
  'weather',
  'noon',
  'northwest',
  'kansas',
  'city',
  'closer',
  'metro',
  'later',
  'morning',
  'wind',
  'hail',
  'likely',
  'threats',
  'morning',
  'umbrella',
  'rain',
  'jacket',
  'kmbc',
  'app',
  'severe',
  'door',
  'humid',
  'instability',
  'storms',
  'intensity',
  'southeast',
  'forecast',
  'today',
  'kansas',
  'city',
  'highest',
  'chance',
  'thunderstorms',
  'severe',
  'morning',
  'noon',
  'kansas',
  'city',
  'clear',
  'afternoon',
  'you’re',
  'heat',
  'humidity',
  'big',
  'impact',
  'remainder',
  'week',
  'weekend',
  'alert',
  'day',
  'forecast',
  'extended',
  'heat',
  'wave',
  'day',
  'daytime',
  'highs',
  'upper',
  'near',
  'heat',
  'index',
  'values',
  'overnight',
  'lows',
  'drop',
  'degrees',
  'kansas',
  'city',
  'night',
  'lot',
  'relief',
  'couple',
  'rogue',
  'thunderstorm',
  'cluster',
  'week',
  'possibly',
  'friday',
  'saturdays',
  'likely',
  'chance',
  'alerts',
  'breaking',
  'update',
  'email',
  'inbox',
  'storm',
  'morning',
  'kansas',
  'missouri',
  'national',
  'weather',
  'service',
  'severe',
  'thunderstorm',
  'watch',
  'updated',
  'cdt',
  'jul',
  'shower',
  'thunderstorm',
  'plan',
  'today',
  'noon',
  'storm',
  'hail',
  'wind',
  'cloud',
  'afternoon',
  'temperature',
  '90',
  'heat',
  'wave',
  'tuesday',
  'weekend',
  'time',
  'morning',
  'low',
  '70',
  '80',
  'afternoon',
  'high',
  '90',
  'heat',
  'index',
  'value',
  'rain',
  'storm',
  'chance',
  'remainder',
  'week',
  '%',
  'rogue',
  'cluster',
  'thunderstorm',
  'time',
  'shower',
  'thunderstorm',
  'plan',
  'today',
  'noon',
  'storm',
  'hail',
  'wind',
  'cloud',
  'afternoon',
  'temperature',
  '90',
  'heat',
  'wave',
  'tuesday',
  'weekend',
  'time',
  'morning',
  'low',
  '70',
  '80',
  'afternoon',
  'high',
  '90',
  'heat',
  'index',
  'value',
  'rain',
  'storm',
  'chance',
  'remainder',
  'week',
  '%',
  'rogue',
  'cluster',
  'thunderstorm',
  'time',
  'contact',
  'news',
  'team',
  'apps',
  'social',
  'email',
  'alerts',
  'careers',
  'internships',
  'advertise',
  'kmbc',
  'advertise',
  'kcwe',
  'digital',
  'advertising',
  'terms',
  'conditions',
  'broadcast',
  'terms',
  'conditions',
  'rss',
  'eeo',
  'captioning',
  'contact',
  'kmbc',
  'public',
  'inspection',
  'file',
  'kcwe',
  'public',
  'inspection',
  'file',
  'public',
  'file',
  'assistance',
  'fcc',
  'applications',
  'news',
  'policy',
  'statements',
  'hearst',
  'television',
  'affiliate',
  'marketing',
  'program',
  'commission',
  'product',
  'link',
  'retailer',
  'site',
  'hearst',
  'television',
  'inc.',
  'behalf',
  'kmbc',
  'tv',
  'privacy',
  'notice',
  'california',
  'privacy',
  'rights',
  'interest',
  'ads',
  'terms',
  'use',
  'site',
  'map'],
 ['marine',
  'nc',
  'gas',
  'station',
  'carbon',
  'monoxide',
  'poisoning',
  'official',
  'pony',
  'assateague',
  'channel',
  'chincoteague',
  'pony',
  'swim',
  'forecast',
  'heat',
  'high',
  '°',
  'air',
  'funnel',
  'u.s.',
  'capitol',
  'traffic',
  'storm',
  'challenge',
  'outer',
  'banks',
  'north',
  'carolina',
  'weekend',
  'wind',
  'advisory',
  'hatteras',
  'island',
  'a.m.',
  'saturday',
  'p.m.',
  'sunday',
  'edt',
  'april',
  'edt',
  'april',
  'hatteras',
  'n.c.',
  'storm',
  'system',
  'east',
  'coast',
  'impact',
  'north',
  'carolina',
  'highway',
  'outer',
  'banks',
  'weekend',
  'spokesperson',
  'dare',
  'county',
  'sheriff',
  'office',
  'gale',
  'force',
  'wind',
  'outer',
  'banks',
  'wind',
  'advisory',
  'hatteras',
  'island',
  'a.m.',
  'saturday',
  'p.m.',
  'edt',
  'sunday',
  'wind',
  'mph',
  'mph',
  'surf',
  'wind',
  'ocean',
  'overwash',
  'duck',
  'hatteras',
  'saturday',
  'monday',
  'beach',
  'erosion',
  'overwash',
  'area',
  'spokesperson',
  'inundation',
  'level',
  'ground',
  'ocean',
  'overwash',
  'impact',
  'section',
  'nc12',
  'north',
  'end',
  'roanoke',
  'island',
  'hatteras',
  'island',
  'tide',
  'sheriff',
  'office',
  'storm',
  'inch',
  'rainfall',
  'north',
  'carolina',
  'friday',
  'rainfall',
  'saturday',
  'sunday',
  'people',
  'road',
  'condition',
  'outer',
  'banks',
  'drivenc',
  'twitter',
  'page',
  'highway',
  'ocracoke',
  'ocean',
  'tide',
  'sand',
  'house',
  'resident',
  'home',
  'ocean',
  'ncdot',
  'nc12',
  'outer',
  'banks',
  'ocean',
  'example',
  'video',
  'title',
  'video',
  'news',
  'suffolk',
  'crash',
  'tractor',
  'trailer',
  'suv',
  'lane',
  'whalleyville',
  'boulevard',
  'eeo',
  'public',
  'file',
  'report',
  'fcc',
  'online',
  'public',
  'inspection',
  'file',
  'closed',
  'caption',
  'procedure',
  'personal',
  'information',
  'wvec',
  'tv',
  'rights',
  'wvec',
  'notification',
  'news',
  'weather',
  'notification',
  'browser',
  'setting'],
 ['discover',
  'thomson',
  'reutersdirectory',
  '-',
  'phone',
  'onlyfor',
  'tablet',
  'portrait',
  'upfor',
  'tablet',
  'landscape',
  'upfor',
  'desktop',
  'desktop',
  'flood',
  'nebraska',
  'bomb',
  'cyclone',
  'stormby',
  'gabriella',
  'borter3',
  'min',
  'read(reuters',
  'nebraska',
  'u.s.',
  'central',
  'plains',
  'saturday',
  'winter',
  'bomb',
  'cyclone',
  'storm',
  'flooding',
  'missouri',
  'platte',
  'river',
  'death',
  'home',
  'roadway',
  'national',
  'weather',
  'service',
  'flooding',
  'weekend',
  'nebraska',
  'west',
  'iowa',
  'missouri',
  'river',
  'flooding',
  'situation',
  'nebraska',
  'mike',
  'wight',
  'spokesman',
  'nebraska',
  'emergency',
  'management',
  'agency',
  'phone',
  'interview',
  'nebraska',
  'flood',
  'fatality',
  'week',
  'wight',
  'person',
  'home',
  'cause',
  'death',
  'authority',
  'car',
  'tractor',
  'missouri',
  'river',
  'saturday',
  'evening',
  'tv',
  'station',
  'kmtv',
  'crest',
  'foot',
  'tuesday',
  'brownville',
  'nebraska',
  'mile',
  'omaha',
  'corner',
  'state',
  'foot',
  'wight',
  'flooding',
  'wake',
  'meteorologist',
  'bomb',
  'cyclone',
  'winter',
  'hurricane',
  'pressure',
  'millibar',
  'hour',
  'storm',
  'rockies',
  'central',
  'plains',
  'week',
  'slideshow',
  'image',
  'water',
  'store',
  'home',
  'chunk',
  'highway',
  'bridge',
  'photo',
  'twitter',
  'nebraska',
  'governor',
  'pete',
  'ricketts',
  'rancher',
  'image',
  'medium',
  'cattle',
  'snowdrift',
  'field',
  'flooding',
  'access',
  'community',
  'river',
  'drinking',
  'water',
  'flood',
  'wight',
  'ricketts',
  'community',
  'saturday',
  'twitter',
  'devastation',
  'state',
  'nebraskaflood',
  'nebraskastrong',
  'governor',
  'reporting',
  'gabriella',
  'borter',
  'richard',
  'changour',
  'standards',
  'thomson',
  'reuters',
  'trust',
  'principles',
  'appsnewslettersadvertise',
  'usadvertising',
  'guidelinescookiesterms',
  'useprivacydo',
  'informationall',
  'quote',
  'minimum',
  'minute',
  'list',
  'exchange',
  'delay',
  'reuters',
  'rights',
  'reserved.for',
  'phone',
  'onlyfor',
  'tablet',
  'portrait',
  'upfor',
  'tablet',
  'landscape',
  'upfor',
  'desktop',
  'desktop'],
 ['owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'account',
  'dashboard',
  'profile',
  'item',
  'wsil',
  'tv',
  'news',
  'app',
  'wsil',
  'storm',
  'track',
  'weather',
  'app',
  'log',
  'account',
  'log',
  'account',
  'sign',
  'today',
  'account',
  'dashboard',
  'profile',
  'item',
  'heat',
  'advisory',
  'wed',
  'cdt',
  'sat',
  'pm',
  'cdt',
  'wind',
  'advisory',
  'effect',
  'morning',
  'pm',
  'cdt',
  'evening',
  'heat',
  'advisory',
  'effect',
  'morning',
  'heat',
  'index',
  'value',
  'southwest',
  'wind',
  'excess',
  'mph',
  'portions',
  'mo',
  'il',
  'pm',
  'today',
  'lake',
  'wind',
  'advisory',
  '*',
  'impact',
  'temperature',
  'humidity',
  'heat',
  'illness',
  'area',
  'lake',
  'gusty',
  'southwest',
  'wind',
  'plenty',
  'fluid',
  'air',
  'room',
  'sun',
  'relative',
  'neighbor',
  'child',
  'pet',
  'vehicle',
  'circumstance',
  'precaution',
  'time',
  'activity',
  'morning',
  'evening',
  'sign',
  'symptom',
  'heat',
  'exhaustion',
  'heat',
  'stroke',
  'clothing',
  'risk',
  'work',
  'occupational',
  'safety',
  'health',
  'administration',
  'rest',
  'break',
  'air',
  'environment',
  'heat',
  'location',
  'heat',
  'stroke',
  'emergency',
  'lake',
  'wind',
  'advisory',
  'wind',
  'chop',
  'area',
  'lake',
  'boat',
  'storm',
  'damage',
  'western',
  'kentucky',
  'southern',
  'illinois',
  'apr',
  'apr',
  'murray',
  'ky.',
  'community',
  'kentucky',
  'county',
  'damage',
  'storm',
  'area',
  'wednesday',
  'afternoon',
  'national',
  'weather',
  'service',
  'paducah',
  'storm',
  'report',
  'emergency',
  'management',
  'carlisle',
  'county',
  'tree',
  'trailer',
  'church',
  'roof',
  'damage',
  'tree',
  'carport',
  'truck',
  'carport',
  'lifting',
  'air',
  'house',
  'power',
  'pole',
  'thunderstorm',
  'storm',
  'report',
  'home',
  'roof',
  'damage',
  'tree',
  'hickman',
  'county',
  'ky.',
  'calloway',
  'county',
  'law',
  'enforcement',
  'tornado',
  'ground',
  'p.m.',
  'fenton',
  'kentucky',
  'lake',
  'roof',
  'vanderbilt',
  'chemical',
  'plant',
  'murray',
  'hamilton',
  'county',
  'emergency',
  'manager',
  'shed',
  'aluminum',
  'building',
  'wsil',
  'news',
  'weather',
  'app',
  'story',
  'alert',
  'device',
  'drug',
  'event',
  'place',
  'saturday',
  'people',
  'hospital',
  'collision',
  'traffic',
  'restrictions',
  'place',
  'tornado',
  'recovery',
  'work',
  'ky',
  'saturday',
  'cairo',
  'man',
  'deputy',
  'finger',
  'new',
  'scam',
  'business',
  'portion',
  'road',
  'water',
  'installation',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'copyright',
  'allen',
  'media',
  'broadcasting',
  'country',
  'aire',
  'dr.',
  'carterville',
  'il',
  'term',
  'use',
  'blox',
  'content',
  'management',
  'system',
  'blox',
  'digital'],
 ['morning',
  'edition',
  'npr',
  'morning',
  'edition',
  'listener',
  'country',
  'world',
  'hour',
  'story',
  'commentary',
  'challenge',
  'morning',
  'edition',
  'news',
  'radio',
  'program',
  'country',
  'philly',
  'pa.',
  'politics',
  'elections',
  'planphilly',
  'urban',
  'planning',
  'gun',
  'violence',
  'prevention',
  'n.j.',
  'del.',
  'education',
  'arts',
  'culture',
  'health',
  'science',
  'live',
  'tv',
  'whyy',
  'tv',
  'schedule',
  'demand',
  'whyy',
  'passport',
  'sign',
  'pbs',
  'account',
  'activation',
  'assistance',
  'faq',
  'free',
  'pbs',
  'video',
  'app',
  'whyy',
  'passport',
  'member',
  'email',
  'alert',
  'update',
  'event',
  'contact',
  'pbs',
  'learningmedia',
  'pbs',
  'kids',
  'online',
  'whyy',
  'learning',
  'shorts',
  'learning',
  'school',
  'learning',
  'community',
  'youth',
  'media',
  'toolkit',
  'youth',
  'media',
  'awards',
  'field',
  'student',
  'pathway',
  'media',
  'careers',
  'student',
  'work',
  'whyy',
  'media',
  'labs',
  'whyy',
  'passport',
  'museums',
  'education',
  'discounts',
  'music',
  'theater',
  'discounts',
  'food',
  'dining',
  'discounts',
  'retail',
  'discount',
  'national',
  'weather',
  'service',
  'sunday',
  'tornado',
  'cinnaminson',
  'jackson',
  'township',
  'howell',
  'township',
  'new',
  'jersey',
  'bybeccah',
  'hendrickson',
  '6abc',
  'digital',
  'staff',
  'sharifa',
  'jackson',
  'story',
  'cleanup',
  'new',
  'jersey',
  'tornado',
  'neighborhood',
  'tree',
  'root',
  'telephone',
  'pole',
  'national',
  'weather',
  'service',
  'sunday',
  'tornado',
  'cinnaminson',
  'jackson',
  'township',
  'sea',
  'grit',
  'howell',
  'township',
  'whyy',
  'sponsor',
  'whyy',
  'sponsor',
  'tornado',
  'storm',
  'damage',
  'area',
  'pennsylvania',
  'new',
  'jersey',
  'delaware',
  'thunderstorms',
  'weather',
  'way',
  'area',
  'pennsylvania',
  'new',
  'jersey',
  'delaware',
  'tornado',
  'howell',
  'township',
  'nj',
  'area',
  'jackson',
  'nj',
  'tornado',
  'gap',
  'damage',
  'path',
  'information',
  'link',
  'https://t.co/x61cix5ka8',
  'njwx',
  'nws',
  'mount',
  'holly',
  'april',
  'tree',
  'jean',
  'rath',
  'cinnaminson',
  'minute',
  'brenda',
  'charest',
  'cinnaminson',
  'war',
  'zone',
  'weather',
  'customer',
  'power',
  'sunday',
  'morning',
  'customer',
  'power',
  'cinnaminson',
  'palmyra',
  'delran',
  'pse&g',
  'power',
  'line',
  'neighbor',
  'yard',
  'whyy',
  'sponsor',
  'whyy',
  'sponsor',
  'cinnaminson',
  'neighbor',
  'matter',
  'hand',
  'caution',
  'tape',
  'resident',
  'portion',
  'buttonwood',
  'lane',
  'street',
  'tree',
  'power',
  'line',
  'mess',
  'house',
  'cleanup',
  'damage',
  'carrie',
  'kershaw',
  'tree',
  'yard',
  'wedgewood',
  'drive',
  'national',
  'weather',
  'service',
  'tornado',
  'bridgeville',
  'delaware',
  'viewer',
  'video',
  'funnel',
  'cloud',
  'storm',
  'tornado',
  'sussex',
  'county',
  'delaware',
  'house',
  'collapse',
  'delaware',
  'state',
  'police',
  'damage',
  'county',
  'tornado',
  'home',
  'pile',
  'debris',
  'person',
  'home',
  'official',
  'ineishia',
  'corbett',
  'sussex',
  'county',
  'delaware',
  'cloud',
  'tornado',
  'funnel',
  'dirt',
  'air',
  'resident',
  'south',
  'jersey',
  'shelter',
  'light',
  'damage',
  'rowe',
  'hill',
  'cinnaminson',
  'neighbor',
  'power',
  'official',
  'cleanup',
  'effort',
  'week',
  'injury',
  'new',
  'jersey',
  'tornado',
  'stream',
  'whyy',
  'fm',
  'story',
  'whyy',
  'news',
  'podcast',
  'whyy',
  'digital',
  'studios',
  'whyy',
  'source',
  'fact',
  'depth',
  'journalism',
  'information',
  'organization',
  'support',
  'reader',
  'today',
  'nws',
  'tornado',
  'mercer',
  'county',
  'damage',
  'west',
  'windsor',
  'lawrence',
  'township',
  'drought',
  'watch',
  'state',
  'new',
  'jersey',
  'resident',
  'water',
  'use',
  'condition',
  'official',
  'declaration',
  'drought',
  'warning',
  'drought',
  'emergency',
  'gov.',
  'phil',
  'murphy',
  'state',
  'emergency',
  'n.j.',
  'nor’easter',
  'monday',
  'night',
  'state',
  'emergency',
  'effect',
  'p.m.',
  'county',
  'garden',
  'state',
  'whyy',
  'sponsor',
  'whyy',
  'sponsor',
  'whyy',
  'sponsor',
  'whyy',
  'sponsor',
  'bucks',
  'county',
  'ground',
  'health',
  'treatment',
  'center',
  'proposition',
  'property',
  'zillow',
  'listing',
  'eyebrow',
  'west',
  'philly',
  'philly',
  'heat',
  'health',
  'emergency',
  'thursday',
  'saturday',
  'temp',
  'digest',
  'whyy',
  'program',
  'event',
  'story',
  'newsletter',
  '%',
  'whyy',
  'year',
  'goal',
  'whyy',
  'fact',
  'news',
  'information',
  'world',
  'class',
  'entertainment',
  'community',
  'whyy',
  'voice',
  'platform',
  'story',
  'foundation',
  'learner',
  'space',
  'news',
  'social',
  'responsibility',
  'whyy',
  'programs',
  'albie',
  'elevator',
  'billy',
  'penn',
  'check',
  'philly',
  'community',
  'conversations',
  'connection',
  'delishtory',
  'flicks',
  'fresh',
  'air',
  'good',
  'souls',
  'infinite',
  'art',
  'hunt',
  'movers',
  'makers',
  'stage',
  'curtis',
  'planphilly',
  'pulse',
  'real',
  'black',
  'history',
  'schooled',
  'stateimpact',
  'statue',
  'frisk',
  'revisit',
  'studio',
  'thing',
  'voice',
  'family',
  'oughta',
  'young',
  'creators',
  'democracy',
  'newsroom',
  'press',
  'room',
  'question',
  'whyy',
  'productions',
  'whyy',
  'whyy',
  'news',
  'style',
  'guide',
  'social',
  'responsibility',
  'whyy',
  'employment',
  'submissions',
  'history',
  'directions',
  'coverage',
  'area',
  'financial',
  'statements',
  'board',
  'executives',
  'internships',
  'community',
  'advisory',
  'board',
  'whyy',
  'community',
  'report',
  'supporters',
  'privacy',
  'meet',
  'newsroom',
  'employment',
  'lifelong',
  'learning',
  'award',
  'n.i.c.e.',
  'initiative',
  'contact',
  'sponsorship',
  'directions',
  'fcc',
  'public',
  'files',
  'fcc',
  'applications',
  'privacy',
  'policy',
  'terms',
  'use',
  'whyy.org'],
 ['messi',
  'mania',
  'extreme',
  'heat',
  'hurricane',
  'season',
  'camera',
  'new',
  'favorite',
  'futbolista',
  'tip',
  'newsletters',
  'tropical',
  'storms',
  'alex',
  'arlene',
  'soak',
  'south',
  'florida',
  'hurricane',
  'seasons',
  'june',
  'june',
  'pm',
  'year',
  'tropical',
  'cyclone',
  'storm',
  'tropical',
  'storm',
  'alex',
  'june',
  'alex',
  'rain',
  'miami',
  'upper',
  'keys',
  'post',
  '-',
  'tropical',
  'cyclone',
  'arlene',
  'north',
  'ptc',
  'year',
  'south',
  'south',
  'cuba',
  'south',
  'florida',
  'news',
  'weather',
  'forecast',
  'entertainment',
  'story',
  'inbox',
  'sign',
  'nbc',
  'south',
  'florida',
  'newsletter',
  'plenty',
  'rain',
  'rain',
  'rain',
  'system',
  'west',
  'coast',
  'south',
  'article',
  'floridahurricane',
  'season',
  'marine',
  'biologist',
  'video',
  'orca',
  'key',
  'largo',
  'miami',
  'dade',
  'police',
  'director',
  'resignation',
  'mayor',
  'father',
  'aunt',
  'month',
  'baby',
  'car',
  'broward',
  'miami',
  'dade',
  'police',
  'director',
  'union',
  'president',
  'ynw',
  'melly',
  'case',
  'mistrial',
  'nbc',
  'news',
  'standards',
  'tips',
  'investigations',
  'newsletters',
  'contact',
  'public',
  'inspection',
  'file',
  'wtvj',
  'accessibility',
  'wtvj',
  'employment',
  'information',
  'fcc',
  'applications',
  'terms',
  'service',
  'advertise',
  'feedback',
  'privacy',
  'policy',
  'privacy',
  'choices',
  'notice',
  'ad',
  'choice',
  'copyright',
  'nbcuniversal',
  'media',
  'llc',
  'right'],
 ['website',
  'commonwealth',
  'massachusetts',
  'website',
  'website',
  'government',
  'organization',
  'massachusetts',
  'website',
  'https',
  'certificate',
  'lock',
  'icon',
  'https://',
  'website',
  'share',
  'information',
  'website',
  'site',
  'service',
  'state',
  'sub',
  'topic',
  'living',
  'sub',
  'topic',
  'working',
  'sub',
  'topic',
  'learning',
  'sub',
  'topic',
  'visiting',
  'exploring',
  'sub',
  'topic',
  'government',
  'site',
  'service',
  'state',
  'safety',
  'tips',
  'specific',
  'threats',
  'hazards',
  'page',
  'level',
  'topic',
  'page',
  'level',
  'button',
  'access',
  'level',
  'page',
  'winter',
  'storm',
  'safety',
  'tips',
  'winter',
  'storm',
  'new',
  'england',
  'rain',
  'ice',
  'snowfall',
  'hour',
  'blizzard',
  'condition',
  'wind',
  'snow',
  'day',
  'table',
  'content',
  'table',
  'contentsx',
  'table',
  'content',
  'section',
  'winter',
  'storm',
  'winter',
  'storm',
  'snow',
  'accumulation',
  'temperature',
  'flooding',
  'beach',
  'erosion',
  'snow',
  'ice',
  'winter',
  'weather',
  'region',
  'roof',
  'collapse',
  'communication',
  'disruption',
  'power',
  'outage',
  'storm',
  'storm',
  'death',
  'automobile',
  'accident',
  'heart',
  'attack',
  'overexertion',
  'freezing',
  'death',
  'carbon',
  'monoxide',
  'incident',
  'danger',
  'winter',
  'storm',
  'safety',
  'precaution',
  'family',
  'national',
  'weather',
  'service',
  'issue',
  'warning',
  'winter',
  'storm',
  'blizzard',
  'public',
  'winter',
  'storm',
  'difference',
  'warning',
  'winter',
  'storm',
  'watch',
  'winter',
  'storm',
  'warning',
  'blizzard',
  'warning',
  'ice',
  'storm',
  'warning',
  'criterion',
  'condition',
  'storm',
  'winter',
  'storm',
  'snow',
  'hour',
  'period',
  'snow',
  'hour',
  'period',
  'hour',
  'blizzard',
  'warning',
  'wind',
  'mph',
  'falling',
  'snow',
  'visibility',
  'mile',
  'hour',
  'ice',
  'storm',
  'warning',
  '½',
  'inch',
  'rain',
  'alert',
  'warning',
  'safety',
  'information',
  'emergency',
  'family',
  'emergency',
  'plan',
  'dialysis',
  'treatment',
  'home',
  'health',
  'care',
  'service',
  'provider',
  'care',
  'service',
  'home',
  'period',
  'time',
  'emergency',
  'kit',
  'supply',
  'emergency',
  'kit',
  'winter',
  'clothing',
  'blanket',
  'instruction',
  'safety',
  'official',
  'power',
  'outage',
  'cellphone',
  'laptop',
  'device',
  'storm',
  'power',
  'outage',
  'equipment',
  'electricity',
  'health',
  'care',
  'provider',
  'utility',
  'company',
  'support',
  'network',
  'option',
  'power',
  'outage',
  'assistance',
  'outage',
  'family',
  'friend',
  'support',
  'network',
  'generator',
  'power',
  'outage',
  'manufacturer',
  'instruction',
  'outage',
  'home',
  'emergency',
  'tree',
  'branch',
  'home',
  'injury',
  'damage',
  'rain',
  'gutter',
  'water',
  'home',
  'snow',
  'ice',
  'gutter',
  'debris',
  'smoke',
  'carbon',
  'monoxide',
  'alarm',
  'battery',
  'heating',
  'equipment',
  'chimney',
  'year',
  'home',
  'weather',
  'strip',
  'door',
  'window',
  'air',
  'storm',
  'window',
  'window',
  'plastic',
  'inside',
  'insulation',
  'heating',
  'fuel',
  'heating',
  'option',
  'fireplace',
  'woodstove',
  'vehicle',
  'winter',
  'driving',
  'gas',
  'tank',
  'winter',
  'emergency',
  'car',
  'kit',
  'trunk',
  'activity',
  'mema',
  'winter',
  'safety',
  'tip',
  'pet',
  'winter',
  'pet',
  'safety',
  'tips',
  'dress',
  'season',
  'element',
  'dress',
  'layer',
  'clothing',
  'layer',
  'garment',
  'water',
  'hat',
  'mitten',
  'glove',
  'boot',
  'extremity',
  'mouth',
  'scarf',
  'lung',
  'weather',
  'safety',
  'tip',
  'sign',
  'frostbite',
  'hypothermia',
  'medium',
  'emergency',
  'information',
  'instruction',
  'safety',
  'official',
  'emergency',
  'power',
  'line',
  'gas',
  'leak',
  'authority',
  'location',
  'warming',
  'center',
  'shelter',
  'storm',
  'question',
  'event',
  'power',
  'outage',
  'weather',
  'warming',
  'center',
  'emergency',
  'shelter',
  'report',
  'power',
  'outage',
  'utility',
  'company',
  'utility',
  'wire',
  'power',
  'line',
  'street',
  'road',
  'snow',
  'caution',
  'break',
  'snow',
  'overexertion',
  'overexertion',
  'heart',
  'attack',
  'cause',
  'death',
  'winter',
  'exhaust',
  'vent',
  'vent',
  'gas',
  'furnace',
  'system',
  'carbon',
  'monoxide',
  'poisoning',
  'carbon',
  'monoxide',
  'detector',
  'killer',
  'snow',
  'vehicle',
  'exhaust',
  'pipe',
  'vehicle',
  'carbon',
  'monoxide',
  'poisoning',
  'emergency',
  'generator',
  'heating',
  'system',
  'fume',
  'carbon',
  'monoxide',
  'generator',
  'safety',
  'tips',
  'fire',
  'hydrant',
  'storm',
  'neighborhood',
  'snow',
  'sidewalk',
  'property',
  'curb',
  'cut',
  'access',
  'wheelchair',
  'user',
  'regulation',
  'requirement',
  'homeowner',
  'business',
  'sidewalk',
  'community',
  'sidewalk',
  'travel',
  'property',
  'owner',
  'business',
  'snow',
  'walkway',
  'entrance',
  'access',
  'ramp',
  'parking',
  'spot',
  'roof',
  'snow',
  'roof',
  'collapse',
  'corner',
  'safety',
  'vehicle',
  'plow',
  'child',
  'street',
  'snowdrift',
  'parent',
  'child',
  'operation',
  'traffic',
  'neighbor',
  'family',
  'friend',
  'neighbor',
  'condition',
  'assistance',
  'mass.gov',
  'feedback',
  'webpage',
  'suggestion',
  'website',
  'page',
  'contact',
  'information',
  'response',
  'feedback',
  'website',
  'assistance',
  'massachusetts',
  'emergency',
  'management',
  'agency',
  'input',
  'character',
  'contact',
  'information',
  'datum',
  'feedback',
  'assistance',
  'massachusetts',
  'emergency',
  'management',
  'agency',
  'page',
  'contact',
  'information',
  'datum',
  'feedback',
  'assistance',
  'massachusetts',
  'emergency',
  'management',
  'agency',
  'website',
  'feedback',
  'information',
  'page',
  'mass.gov',
  'user',
  'panel',
  'feature',
  'site',
  'commonwealth',
  'massachusetts',
  'mass.gov',
  'service',
  'mark',
  'commonwealth',
  'massachusetts',
  'mass.gov',
  'privacy',
  'policy'],
 ['day',
  'woman',
  'birth',
  'hospital',
  'heart',
  'attack',
  'seizure',
  'kidney',
  'failure',
  'blood',
  'transfusion',
  'problem',
  'death',
  'human',
  'trafficking',
  'sports',
  'entertainment',
  'life',
  'money',
  'tech',
  'travel',
  'opinion',
  'obituariesonly',
  'usa',
  'today',
  'newsletters',
  'subscribers',
  'archives',
  'crossword',
  'enewspaper',
  'magazines',
  'investigations',
  'weather',
  'forecast',
  'video',
  'humankind',
  'curiousbest',
  'booklist',
  'pets',
  'food',
  'reviewed',
  'coupons',
  'blueprint',
  'best',
  'auto',
  'insurance',
  'best',
  'pet',
  'insurance',
  'best',
  'travel',
  'insurance',
  'best',
  'credit',
  'cards',
  'best',
  'cd',
  'rate',
  'best',
  'personal',
  'loans',
  'topic3',
  'oklahoma',
  'tornado',
  'm',
  'weather',
  'threatjordan',
  'mendoza',
  'grace',
  'hauck',
  'doyle',
  'riceusa',
  'todaythree',
  'people',
  'tornado',
  'oklahoma',
  'americans',
  'risk',
  'weather',
  'thursday',
  'forecaster',
  'day',
  'tornado',
  'storm',
  'watch',
  'effect',
  'tornado',
  'watch',
  'thursday',
  'afternoon',
  'portion',
  'midwest',
  'chicago',
  'metro',
  'area',
  'tornado',
  'watch',
  'weather',
  'condition',
  'tornado',
  'plains',
  'region',
  'point',
  'weather',
  'week',
  'wednesday',
  'night',
  'storm',
  'tornado',
  'oklahoma',
  'injury',
  'addition',
  'death',
  'u.s.',
  'thursday',
  'weather',
  'risk',
  'flooding',
  'wildfire',
  'snow',
  'east',
  'south',
  'resident',
  'temperature',
  'flooding',
  'concern',
  'east',
  'flag',
  'warning',
  'west',
  'precipitation',
  'north',
  'america',
  'river',
  'waterway',
  'riskhere',
  'weather',
  'forecast',
  'thursday',
  'oklahoma',
  'tornadothe',
  'town',
  'cole',
  'oklahoma',
  'people',
  'tornado',
  'mcclain',
  'county',
  'deputy',
  'sheriff',
  'scott',
  'gibbon',
  'nbc',
  'today',
  '"official',
  'home',
  'people',
  'person',
  'scene',
  'heart',
  'issue',
  'hospital',
  'person',
  'tornado',
  'authority',
  'person',
  'oklahomans',
  'degree',
  'tornado',
  'devastation',
  'tornado',
  'area',
  'video',
  'tornado',
  'cole',
  'storm',
  'oklahoma',
  'severe',
  'storm',
  'tornado',
  'wisconsin',
  'texasthere',
  'risk',
  'weather',
  'portion',
  'plains',
  'mississippi',
  'valley',
  'thursday',
  'night',
  'national',
  'weather',
  'service',
  'tornado',
  'watch',
  'thursday',
  'afternoon',
  'illinois',
  'wisconsin',
  'portion',
  'iowa',
  'watch',
  'illinois',
  'chicago',
  'metro',
  'area',
  'possibility',
  'thunderstorm',
  'hail',
  'downpour',
  'tornado',
  'wisconsin',
  'texas',
  'accuweather',
  'area',
  'weather',
  'thursday',
  'southern',
  'missourimost',
  'illinoisnearly',
  'arkansas',
  'little',
  'rockeastern',
  'oklahomawestern',
  'louisiananortheast',
  'texas',
  'dallas',
  'thunderstorm',
  'houston',
  'thursday',
  'night',
  '"severe',
  'wind',
  'hail',
  'tornado',
  'incident',
  'flash',
  'flooding',
  'region',
  'thursday',
  'evening',
  'friday',
  'morning',
  'nws',
  'year',
  'people',
  'tornado',
  'storm',
  'prediction',
  'center',
  'year',
  'storm',
  'march',
  'storm',
  'tornado',
  'people',
  'arkansas',
  'delaware',
  'day',
  'tornado',
  'missouri',
  'mississippi',
  'alabama',
  'tornado',
  'march',
  'storm',
  'path',
  'destruction',
  'deep',
  'south',
  'year',
  'number',
  'tornado',
  'path',
  'death',
  'destruction',
  'climate',
  'change',
  'flash',
  'flood',
  'texas',
  'louisianaalong',
  'area',
  'risk',
  'weather',
  'u.s.',
  'flash',
  'flooding',
  'thursday',
  'night',
  'texaslouisianaarkansasnorthwest',
  'mississippi',
  'western',
  'tennesseesoutheast',
  'arkansaswestern',
  'kentuckysouthern',
  'illinoissouthern',
  'indiana"localized',
  'flash',
  'flooding',
  'possibility',
  'thursday',
  'night',
  'friday',
  'night',
  'area',
  'drainage',
  'location',
  'accuweather',
  'flag',
  'warning',
  'southwest',
  'midwestred',
  'flag',
  'warning',
  'state',
  'thursday',
  'morning',
  'area',
  'country',
  'risk',
  'fire',
  'new',
  'mexico',
  'area',
  'flag',
  'warning',
  'week',
  'news',
  'thursday',
  'day',
  'fire',
  'weather',
  'condition',
  'region',
  'dryline',
  'southern',
  'high',
  'plains',
  'wind',
  'weather',
  'fire',
  'weather',
  'risk',
  'storm',
  'prediction',
  'center',
  'new',
  'mexico',
  'texas',
  'oklahoma',
  'panhandles',
  'region',
  'colorado',
  'kansas',
  'oklahoma',
  'nws',
  'flag',
  'warning',
  'area',
  'fire',
  'wind',
  'environment',
  'flag',
  'warning',
  'ohio',
  'indiana',
  'kentucky',
  'tennessee',
  'flag',
  'flag',
  'warning',
  'temperature',
  'humidity',
  'level',
  'wind',
  'risk',
  'fire',
  'danger',
  'nws.the',
  'nws',
  'americans',
  'fire',
  'fire',
  'cigarette',
  'match',
  'vehicle',
  'area',
  'barrel',
  'metal',
  'cover',
  'hole',
  'inch',
  'nws',
  'flag',
  'warning',
  'map',
  'snow',
  'north',
  'dakota',
  'minnesotathere',
  'potential',
  'snowfall',
  'north',
  'dakota',
  'minnesota',
  'minnesota',
  'washington',
  'state',
  'thursday',
  'morning',
  'afternoon',
  'nws',
  'winter',
  'storm',
  'friday',
  'morning',
  'rain',
  'snow',
  'precipitation',
  'type',
  'thursday',
  'snow',
  'thursday',
  'night',
  'nws',
  'snow',
  'winter',
  'storm',
  'map',
  'east',
  'coast',
  'upthe',
  'roller',
  'coaster',
  'temperature',
  'east',
  'region',
  'weather',
  'cooldown',
  'week',
  'temperature',
  'rise',
  'southeast',
  'heat',
  'north',
  'virginia',
  'degree',
  'thursday',
  'forecast',
  'high',
  'east',
  'washington',
  'd.c.',
  'virginia',
  'new',
  'york',
  'weather',
  'watch',
  'weather',
  'jordan',
  'mendoza',
  'twitter',
  'weekly',
  'adabout',
  'newsroom',
  'staff',
  'ethical',
  'principles',
  'correction',
  'press',
  'accessibility',
  'sitemap',
  'subscription',
  'terms',
  'conditions',
  'terms',
  'service',
  'california',
  'privacy',
  'rights',
  'privacy',
  'policy',
  'privacy',
  'policydo',
  'sell',
  'share',
  'target',
  'infocookie',
  'settingscontact',
  'account',
  'feedback',
  'home',
  'delivery',
  'enewspaper',
  'usa',
  'today',
  'shop',
  'usa',
  'today',
  'print',
  'editions',
  'licensing',
  'reprints',
  'advertise',
  'careers',
  'internships',
  'businessnews',
  'tips',
  'letter',
  'editor',
  'newsletters',
  'mobile',
  'app',
  'facebook',
  'twitter',
  'instagram',
  'linkedin',
  'pinterest',
  'youtube',
  'reddit',
  'flipboard',
  'jobs',
  'sports',
  'betting',
  'sports',
  'weekly',
  'studio',
  'gannett',
  'classifieds',
  'coupons',
  'blueprint',
  'auto',
  'insurance',
  'pet',
  'insurance',
  'travel',
  'insurance',
  'credit',
  'cards',
  'banking',
  'personal',
  'loans',
  'usa',
  'today',
  'division',
  'gannett',
  'satellite',
  'information',
  'network',
  'llc'],
 ['permission',
  'article',
  'account',
  'dashboard',
  'profile',
  'item',
  'log',
  'account',
  'log',
  'account',
  'sign',
  'today',
  'account',
  'dashboard',
  'profile',
  'item',
  'photo',
  'submission',
  'pet',
  'day',
  'tree',
  'week',
  'photo',
  'heat',
  'advisory',
  'effect',
  'thursday',
  'midnight',
  'edt',
  'friday',
  'night',
  'heat',
  'index',
  'value',
  'portion',
  'north',
  'southwest',
  'indiana',
  'thursday',
  'midnight',
  'edt',
  'friday',
  'night',
  'impact',
  'temperature',
  'humidity',
  'heat',
  'illness',
  'detail',
  'heat',
  'index',
  'value',
  'friday',
  'plenty',
  'fluid',
  'air',
  'room',
  'sun',
  'relative',
  'neighbor',
  'child',
  'pet',
  'vehicle',
  'circumstance',
  'precaution',
  'time',
  'activity',
  'morning',
  'evening',
  'sign',
  'symptom',
  'heat',
  'exhaustion',
  'heat',
  'stroke',
  'clothing',
  'risk',
  'work',
  'occupational',
  'safety',
  'health',
  'administration',
  'rest',
  'break',
  'air',
  'environment',
  'heat',
  'location',
  'heat',
  'stroke',
  'emergency',
  'air',
  'quality',
  'alert',
  'effect',
  'midnight',
  'tonight',
  'midnight',
  'edt',
  'thursday',
  'night',
  'official',
  'indiana',
  'department',
  'environmental',
  'management',
  'air',
  'action',
  'quality',
  'day',
  'effect',
  'midnight',
  'tonight',
  'midnight',
  'edt',
  'thursday',
  'night',
  'air',
  'quality',
  'action',
  'day',
  'ozone',
  'ozone',
  'level',
  'unhealthy',
  'sensitive',
  'groups',
  'child',
  'adult',
  'people',
  'disease',
  'asthma',
  'exposure',
  'action',
  'public',
  'walk',
  'bike',
  'carpool',
  'transportation',
  'drive',
  'errand',
  'trip',
  'vehicle',
  'gasoline',
  'lawn',
  'equipment',
  'pm',
  'engine',
  'second',
  'energy',
  'light',
  'air',
  'conditioner',
  'degree',
  'information',
  'idem',
  'smog',
  'page',
  'insurance',
  'storm',
  'damage',
  'indiana',
  'viewer',
  'photo',
  'aaron',
  'brenneman',
  'june',
  'storm',
  'ind.',
  'community',
  'week',
  'weather',
  'indiana',
  'damage',
  'insurance',
  'company',
  'size',
  'softball',
  'wind',
  'gust',
  'mile',
  'hour',
  'greenwood',
  'sunday',
  'afternoon',
  'amy',
  'mccall',
  'son',
  'tornado',
  'direction',
  'place',
  'month',
  'roof',
  'roof',
  'section',
  'amy',
  'ceiling',
  'pole',
  'house',
  'place',
  'insurance',
  'roofing',
  'company',
  'repair',
  'aaron',
  'christie',
  'founder',
  'roof',
  'company',
  'damage',
  'hail',
  'roof',
  'life',
  'expectancy',
  'half',
  'professional',
  'property',
  'claim',
  'state',
  'farm',
  'claim',
  'day',
  'spokesperson',
  'heather',
  'paul',
  'thing',
  'people',
  'tarp',
  'tree',
  'removal',
  'receipt',
  'thing',
  'policy',
  'tip',
  'state',
  'farms',
  'site',
  'wlfi',
  'news',
  'tippecanoe',
  'county',
  'million',
  'dollar',
  'state',
  'public',
  'health',
  'funding',
  'lafayette',
  'man',
  'year',
  'child',
  'pornography',
  'exploitation',
  'case',
  'march',
  'weather',
  'forecast',
  'update',
  'rain',
  'sleet',
  'snow',
  'today',
  'snow',
  'way',
  'saturday',
  'night',
  'ihsaa',
  'girl',
  'pairing',
  'purdue',
  'women',
  'soccer',
  'michigan',
  'big',
  'game',
  'fbi',
  'shooting',
  'indiana',
  'officer',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'copyright',
  'allen',
  'media',
  'broadcasting',
  'yeager',
  'road',
  'west',
  'lafayette',
  'term',
  'use',
  'blox',
  'content',
  'management',
  'system',
  'blox',
  'digital'],
 ['contentsearchshopgamespuzzlesactionfunny',
  'fill',
  'invideosamazing',
  'animalsweird',
  'true!party',
  'animalstry',
  'this!animalsmammalsbirdsprehistoricreptilesamphibiansinvertebratesfishexplore',
  'statesweird',
  'true!subscribemenutornadoe',
  'oklahoma',
  'form',
  'air',
  'air',
  'photograph',
  'john',
  'finney',
  'photography',
  'getty',
  'imagesplease',
  'copyright',
  'use',
  'tornadoesfind',
  'twister',
  'bylaura',
  'goertzela',
  'greenish',
  'tinge',
  'sky',
  'storm',
  'cloud',
  'wind',
  'cat',
  'couch',
  'dog',
  'tornado',
  'twister',
  'tornado',
  'funnel',
  'column',
  'air',
  'thundercloud',
  'way',
  'ground',
  'wind',
  'tornado',
  'mile',
  'hour',
  'race',
  'car',
  'gust',
  'building',
  'bridge',
  'train',
  'car',
  'bark',
  'tree',
  'water',
  'riverbed',
  'tornado',
  'saint',
  'louis',
  'missouri',
  'home',
  'thousand',
  'power',
  'injury',
  'storm',
  'advance',
  'warning',
  'people',
  'time',
  'safety.photograph',
  'gino',
  'santa',
  'maria',
  'shutterstockplease',
  'copyright',
  'use',
  'tornado',
  'planet',
  'united',
  'states',
  'world',
  'strength',
  'number',
  'storm',
  'twister',
  'year',
  'argentina',
  'bangladesh',
  'u.s.',
  'storm',
  'system',
  'death',
  'year',
  'damage',
  'tornado',
  'air',
  'air',
  'air',
  'air',
  'updraft',
  'change',
  'wind',
  'direction',
  'photographer',
  'image',
  'twister',
  'strength',
  'wray',
  'colorado',
  'photograph',
  'cammie',
  'czuchnicki',
  'shutterstockplease',
  'copyright',
  'use',
  'wind',
  'thunderstorm',
  'speed',
  'direction',
  'updraft',
  'updraft',
  'air',
  'thunderstorm',
  'rotation',
  'speed',
  'increase',
  'funnel',
  'cloud',
  'twister',
  'strength',
  'funnel',
  'funnel',
  'dirt',
  'debris',
  'rotation',
  'ground',
  'tornado',
  'supercell',
  'scientist',
  'thunderstorm',
  'wind',
  'rotation',
  'thunderstorm',
  'supercell',
  'supercell',
  'tornado',
  'lightning',
  'form',
  'severy',
  'kansas',
  'tornado',
  'area',
  'photograph',
  'gavin',
  'adobe',
  'stockplease',
  'copyright',
  'use',
  'power',
  'tornado',
  'minute',
  'hour',
  'twister',
  'ground',
  'cloud',
  'tri',
  'state',
  'tornado',
  'record',
  'time',
  'distance',
  'tornado',
  'state',
  'missouri',
  'illinois',
  'indiana',
  'tornado',
  'half',
  'hour',
  'mile',
  'tri',
  'state',
  'tornado',
  'length',
  'path',
  'destruction',
  'minute',
  'twister',
  'town',
  'illinois.photograph',
  'science',
  'history',
  'images',
  'alamyplease',
  'copyright',
  'use',
  'tornado',
  'formalthough',
  'tornado',
  'u.s.',
  'state',
  'form',
  'region',
  'tornado',
  'alley',
  'zone',
  'midwest',
  'texas',
  'ohio',
  'iowa',
  'kansas',
  'south',
  'dakota',
  'oklahoma',
  'nebraska',
  'state',
  'path',
  'air',
  'gulf',
  'mexico',
  'air',
  'rocky',
  'mountains',
  'airstreams',
  'meet',
  'tornado',
  'storm',
  'time',
  'year',
  'tornado',
  'season',
  'texas',
  'oklahoma',
  'kansas',
  'june',
  'north',
  'south',
  'dakota',
  'nebraska',
  'iowa',
  'minnesota',
  'tornado',
  'june',
  'july',
  'tracking',
  'tornadoesduring',
  'thunderstorm',
  'meteorologist',
  'weather',
  'satellite',
  'weather',
  'balloon',
  'buoy',
  'datum',
  'wind',
  'speed',
  'temperature',
  'datum',
  'supercomputer',
  'scientist',
  'twister',
  'researcher',
  'weather',
  'balloon',
  'norman',
  'oklahoma',
  'storm',
  'instrument',
  'balloon',
  'time',
  'datum',
  'wind',
  'temperature',
  'humidity',
  'photograph',
  'christiaan',
  'patterson',
  'ou',
  'cimms',
  'noaanssl',
  'noaaplease',
  'copyright',
  'use',
  'weather',
  'condition',
  'tornado',
  'expert',
  'tornado',
  'watch',
  'region',
  'county',
  'state',
  'tornado',
  'way',
  'meteorologist',
  'watch',
  'people',
  'tornado',
  'weather',
  'radar',
  'scientist',
  'tornado',
  'area',
  'town',
  'city',
  'people',
  'cover',
  'expert',
  'area',
  'storm',
  'vehicle',
  'science',
  'equipment',
  'measure',
  'thing',
  'temperature',
  'humidity',
  'air',
  'pressure',
  'meteorologist',
  'weather',
  'service',
  'headquarters',
  'information',
  'tornado',
  'chaser',
  'scientist',
  'science',
  'tornado',
  'storm',
  'scientist',
  'truck',
  'datum',
  'strength',
  'location',
  'roof',
  'rack',
  'windshield',
  'cage',
  'vehicle',
  'modification',
  'equipment',
  'people',
  'photograph',
  'nssl',
  'noaaplease',
  'copyright',
  'use',
  'thank',
  'tool',
  'meteorologist',
  'tornado',
  'people',
  'twister',
  'path',
  'time',
  'shelter',
  'instance',
  '1980',
  'people',
  'minute',
  'warning',
  'tornado',
  'hit',
  '2000',
  'warning',
  'time',
  'minute',
  'tornadobefore',
  'weather',
  'report',
  'tornado',
  'warnings.•',
  'windows.•',
  'room',
  'basement',
  'room',
  'center',
  'house',
  'apartment',
  'building',
  'wall',
  'window',
  'window',
  'closet',
  'bathroom',
  'room',
  'blanket',
  'pillow',
  'sleeping',
  'bag',
  'family',
  'emergency',
  'kit',
  'water',
  'food',
  'flashlight',
  'radio).•',
  'emergency',
  'safety',
  'plan',
  'trailer',
  'home',
  'tornado•',
  'stay',
  'attempt',
  'window',
  'tornado',
  'injury',
  'debris',
  'window',
  'pillow',
  'blanket',
  'sleeping',
  'bag',
  'piece',
  'furniture',
  'table',
  'head',
  'neck',
  'arms.•',
  'shelter',
  'ditch',
  'gulley',
  'piece',
  'ground',
  'tree',
  'car',
  'head',
  'neck',
  'arm',
  'bridge',
  'tornado•',
  'shelter',
  'authority',
  'ok',
  'instructions.•',
  'debris',
  'tornado',
  'report',
  'place',
  'tornado',
  'national',
  'geographic',
  'tornado',
  'safety',
  'tip',
  'nat',
  'geo',
  'kids',
  'book',
  'extreme',
  'weather',
  'thomas',
  'kostigen',
  'rachel',
  'buchholzlegalterm',
  'useprivacy',
  'policyyour',
  'california',
  'privacy',
  'rightschildren',
  'online',
  'privacy',
  'policyinterest',
  'adsabout',
  'nielsen',
  'measurementdo',
  'infoour',
  'sitesnational',
  'geographicnational',
  'geographic',
  'educationshop',
  'nat',
  'geocustomer',
  'servicejoin',
  'subscription',
  'copyright',
  'national',
  'geographic',
  'societycopyright',
  'national',
  'geographic',
  'partners',
  'llc',
  'right'],
 ['month',
  '99¢/month',
  'subscribe',
  'red',
  'river',
  'valley',
  'month',
  '99¢/month',
  'subscribe',
  'month',
  '99¢/month',
  'subscribe',
  'april',
  'snowstorm',
  'hurdle',
  'north',
  'dakota',
  'state',
  'leader',
  'gov.',
  'doug',
  'burgum',
  'agency',
  'chief',
  'resident',
  'travel',
  'plan',
  'north',
  'dakota',
  'gov.',
  'doug',
  'burgum',
  'state',
  'response',
  'season',
  'blizzard',
  'bismarck',
  'tuesday',
  'april',
  'jeremy',
  'turley',
  'forum',
  'news',
  'service',
  'april',
  'pm',
  'news',
  'reporting',
  'fact',
  'reporter',
  'source',
  'bismarck',
  'blizzard',
  'north',
  'dakota',
  'week',
  'foot',
  'snow',
  'state',
  'leader',
  'bismarck',
  'season',
  'storm',
  'flooding',
  'gov.',
  'doug',
  'burgum',
  'press',
  'conference',
  'tuesday',
  'april',
  'north',
  'dakota',
  'emergency',
  'management',
  'state',
  'agency',
  'road',
  'emergency',
  'day',
  'snowplow',
  'department',
  'transportation',
  'garage',
  'governor',
  'agency',
  'chief',
  'resident',
  'travel',
  'plan',
  'winter',
  'world',
  'track',
  'snowstorm',
  'race',
  'road',
  'storm',
  'burgum',
  'finish',
  'line',
  'corner',
  'week',
  'hurdle',
  'inch',
  'snow',
  'accumulation',
  'tuesday',
  'wednesday',
  'grand',
  'forks',
  'inch',
  'wday',
  'meteorologist',
  'inch',
  'snow',
  'fargo',
  'inch',
  'snowfall',
  'capital',
  'city',
  'record',
  'territory',
  'winter',
  'jamestown',
  'inch',
  'snow',
  'dickinson',
  'inch',
  'wind',
  'gust',
  'state',
  'burgum',
  'north',
  'dakotans',
  'car',
  'travel',
  'snowplow',
  'operator',
  'state',
  'mile',
  'road',
  'people',
  'app',
  'travel',
  'advisory',
  'department',
  'transportation',
  'dot',
  'director',
  'ron',
  'henke',
  'driver',
  'snowplow',
  'car',
  'plow',
  'winter',
  'chance',
  'piece',
  'equipment',
  'lane',
  'time',
  'room',
  'henke',
  'henke',
  'agency',
  'snow',
  'highway',
  'plow',
  'operator',
  'city',
  'half',
  'state',
  'north',
  'dakota',
  'national',
  'guard',
  'adjutant',
  'general',
  'alan',
  'dohrmann',
  'power',
  'outage',
  'grid',
  'operator',
  'home',
  'dohrmann',
  'resident',
  'battery',
  'radio',
  'case',
  'power',
  'resident',
  'gas',
  'meter',
  'home',
  'food',
  'water',
  'medicine',
  'dohrmann',
  'neighbor',
  'blizzard',
  'law',
  'tuesday',
  'emergency',
  'snow',
  'removal',
  'grant',
  'city',
  'township',
  'county',
  'government',
  'quarter',
  'money',
  'locality',
  'budget',
  'snow',
  'removal',
  'cost',
  'october',
  'december',
  'bill',
  'sen.',
  'terry',
  'wanzek',
  'r',
  'jamestown',
  'winter',
  'record',
  'book',
  'book',
  'burgum',
  'dohrmann',
  'flood',
  'level',
  'red',
  'river',
  'valley',
  'spring',
  'state',
  'government',
  'plan',
  'place',
  'impact',
  'resident',
  'snow',
  'state',
  'water',
  'soil',
  'winter',
  'dohrmann',
  'warming',
  'temperature',
  'bolt',
  'blue',
  'flooding',
  'snow',
  'million',
  'dollar',
  'state',
  'leader',
  'flood',
  'mitigation',
  'decade',
  'year',
  'dohrmann',
  'flood',
  'flood',
  'state',
  'response',
  'news',
  'reporting',
  'fact',
  'reporter',
  'source',
  'jeremy',
  'turley',
  'bismarck',
  'reporter',
  'forum',
  'news',
  'service',
  'news',
  'coverage',
  'publication',
  'forum',
  'communications',
  'company',
  'yoga',
  'class',
  'advantage',
  'summer',
  'heat',
  'broadway',
  'square',
  'north',
  'dakota',
  'state',
  'fair',
  'livestock',
  'participant',
  'animal',
  'tiktok',
  'badlands',
  'trail',
  'ride',
  'medora',
  'severe',
  'thunderstorm',
  'rain',
  'wind',
  'damage',
  'west',
  'minnesota',
  'man',
  'cousin',
  'becker',
  'county',
  'west',
  'fargo',
  'comedian',
  'amber',
  'preston',
  'dueling',
  'pianos',
  'fargo',
  'inforum',
  'forum',
  'communications',
  'company',
  'street',
  'north',
  'fargo',
  'nd',
  'javascript',
  'javascript',
  'page',
  'news',
  'message',
  'error',
  'customer',
  'support',
  'team'],
 ['news',
  'headlines',
  'crime',
  'public',
  'safety',
  'photos',
  'videos',
  'elections',
  'weather',
  'capitol',
  'ideas',
  'education',
  'pennsylvania',
  'news',
  'coronavirus',
  'sports',
  'high',
  'school',
  'sports',
  'college',
  'sports',
  'philadelphia',
  'phillies',
  'athlete',
  'week',
  'philadelphia',
  'eagles',
  'outdoors',
  'golf',
  'nhl',
  'thing',
  'entertainment',
  'restaurants',
  'food',
  'drink',
  'nightcrawler',
  'music',
  'concerts',
  'theater',
  'lehigh',
  'valley',
  'insider',
  'movies',
  'tv',
  'streaming',
  'death',
  'notice',
  'listings',
  'place',
  'death',
  'notice',
  'branded',
  'content',
  'advertising',
  'ascend',
  'paid',
  'partner',
  'content',
  'paid',
  'content',
  'brandpoint',
  'storms',
  'pennsylvania',
  'twitter',
  'opens',
  'window)click',
  'facebook',
  'opens',
  'window',
  'search',
  'month',
  'family',
  'bucks',
  'county',
  'flash',
  'flood',
  'mean',
  'july',
  'pm',
  'storm',
  'pennsylvania',
  'weather',
  'pattern',
  'twitter',
  'opens',
  'window)click',
  'facebook',
  'opens',
  'window',
  'nabil',
  'k.',
  'mark',
  'ap',
  'lightning',
  'mount',
  'nittany',
  'state',
  'college',
  'pa.',
  'photo',
  'pennsylvania',
  'outbreak',
  'weather',
  'week',
  'april',
  'month',
  'period',
  'year',
  'weather',
  'outbreak',
  'united',
  'states',
  'stephanie',
  'sigafoos',
  '',
  '',
  'april',
  'weather',
  'pennsylvania',
  'mid',
  'region',
  'month',
  'spring',
  'pattern',
  'mix',
  'ingredient',
  'weather',
  'analyst',
  'pattern',
  'surprise',
  'expert',
  'april',
  'month',
  'period',
  'year',
  'weather',
  'outbreak',
  'united',
  'states',
  'weather',
  'watcher',
  'datum',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'noaa',
  'year',
  'year',
  'increase',
  'weather',
  'event',
  'state',
  'tuesday',
  'instance',
  'tornado',
  'hail',
  'wind',
  'damage',
  'year',
  'instance',
  'time',
  'period',
  'comparison',
  'year',
  'year',
  'datum',
  'perspective',
  'john',
  'hart',
  'forecaster',
  'operation',
  'branch',
  'noaa',
  'storm',
  'prediction',
  'center',
  'trend',
  'datum',
  'pattern',
  'storm',
  'pennsylvania',
  'state',
  'period',
  'pattern',
  'year',
  'spring',
  'empire',
  'weather',
  'meteorologist',
  'ed',
  'vallee',
  'forecast',
  'morning',
  'setup',
  'weather',
  'time',
  'year',
  'heat',
  'humidity',
  'vallee',
  'weather',
  'pattern',
  'country',
  'day',
  'air',
  'season',
  'airmass',
  'air',
  'atmosphere',
  'cloud',
  'storm',
  'factor',
  'storm',
  'summer',
  'month',
  'instability',
  'vallee',
  'cape',
  'weather',
  'weather',
  'pattern',
  'acronym',
  'cape',
  'superhero',
  'convective',
  'available',
  'potential',
  'energy',
  'cape',
  'fuel',
  'thunderstorm',
  'vallee',
  'instability',
  'atmosphere',
  'temperature',
  'altitude',
  'moisture',
  'weather',
  'official',
  'potential',
  'thunderstorm',
  'storm',
  'fuel',
  'analogy',
  'vallee',
  'match',
  'case',
  'airmass',
  'fuel',
  'cape',
  'thing',
  'boom',
  'pattern',
  'forecaster',
  'time',
  'weather',
  'approach',
  'forecaster',
  'race',
  'datum',
  'warning',
  'life',
  'national',
  'weather',
  'service',
  'warning',
  'weather',
  'time',
  'storm',
  'purpose',
  'life',
  'property',
  'focus',
  'meteorologist',
  'sector',
  'graphic',
  'national',
  'weather',
  'service',
  'thunderstorm',
  'risk',
  'category',
  'lot',
  'time',
  'system',
  'technology',
  'vallee',
  'weather',
  'outlook',
  'day',
  'advance',
  'weather',
  'watch',
  'storm',
  'area',
  'warning',
  'weather',
  'spotter',
  'radar',
  'vallee',
  'timing',
  'watch',
  'warning',
  'setup',
  'storm',
  'resident',
  'storm',
  'state',
  'weather',
  'radio',
  'government',
  'alert',
  'smartphone',
  'technology',
  'storm',
  'hart',
  'weather',
  'outbreak',
  'pennsylvania',
  'pattern',
  'june',
  'weather',
  'area',
  'tag',
  'weather',
  'serviceregion',
  'nationally',
  'thing',
  'step',
  'plane',
  'collision',
  'feetthe',
  'business',
  'strip',
  'club',
  'colorado',
  'dancer',
  'way',
  'uncertainties‘funnel',
  'cloud',
  'tree',
  'brooklyn',
  'power',
  'outage',
  'staten',
  'island',
  'nursing',
  'hometaylor',
  'swift',
  'album',
  'swiftie',
  '.',
  'guide',
  'tip',
  'search',
  'month',
  'family',
  'bucks',
  'county',
  'flash',
  'flood',
  'mean',
  'heat',
  'advisory',
  'lehigh',
  'valley',
  'condition',
  'week',
  'update',
  'thunderstorm',
  'watch',
  'lehigh',
  'valley',
  'tuesday',
  'temperature',
  'lehigh',
  'valley',
  'week',
  'record',
  'chicago',
  'tribune',
  'baltimore',
  'sun',
  'sun',
  'sentinel',
  'fla.',
  'daily',
  'press',
  'va.',
  'daily',
  'meal',
  'new',
  'york',
  'daily',
  'news',
  'orlando',
  'sentinel',
  'hartford',
  'courant',
  'virginian',
  'pilot',
  'studio',
  'place',
  'ad',
  'classifieds',
  'local',
  'print',
  'ads',
  'job',
  'ads',
  'subscriber',
  'terms',
  'conditions',
  'terms',
  'service',
  'privacy',
  'policy',
  'cookie',
  'policy',
  'cookie',
  'preferences',
  'notice',
  'collection',
  'notice',
  'financial',
  'incentive',
  'share',
  'information'],
 ['businesscelebrationscrime',
  'safetyeducationelectionenvironmenthealthhousingobituariesreal',
  'estateweathernews',
  'region',
  'arts',
  'entertainmentbest',
  'summitcalendar',
  'eventsexplore',
  'summit',
  'magazinefood',
  'drink',
  'hikingwinter',
  'sportsprep',
  'sportsbike',
  'guidepeak',
  'performersmountain',
  'cams',
  'eventsadd',
  'music',
  'eventsfood',
  'eventssport',
  'outdoors',
  'eventsbreckenridge',
  'mountain',
  'eventsdillon',
  'eventsfrisco',
  'eventskeystone',
  'event',
  'education',
  'dividedface',
  'hopeflashpointprosperity',
  'disparitystill',
  'standingthe',
  'longevity',
  'projectwhiteout',
  'estateautosservice',
  'directoryall',
  'classifiedsplace',
  'monsoon',
  'storm',
  'weather',
  'pattern',
  'colorado',
  'monsoon',
  'season',
  'news',
  'news',
  'jun',
  'rain',
  'band',
  'buffalo',
  'mountain',
  'sun',
  'july',
  'storm',
  'summit',
  'county',
  'week',
  'national',
  'weather',
  'service',
  'andrew',
  'maciejewski',
  'summit',
  'daily',
  'news',
  'storm',
  'monsoon',
  'season',
  'rain',
  'weather',
  'system',
  'oreo',
  'colorado',
  'middle',
  'meteorologist',
  'national',
  'weather',
  'service',
  'meteorologist',
  'aisha',
  'wilkinson',
  'pressure',
  'system',
  'rocky',
  'mountain',
  'state',
  'chocolate',
  'cookie',
  'oreo',
  'filling',
  'stuff',
  'colorado',
  'precipitation',
  'rate',
  'meteorologist',
  'flash',
  'flood',
  'watch',
  'warning',
  'week',
  'summit',
  'county',
  'forecaster',
  'way',
  'denver',
  'water',
  'runoff',
  'season',
  'year',
  'dillon',
  'reservoir',
  'spill',
  'string',
  'storm',
  'colorado',
  'outflow',
  'rate',
  'flow',
  'foot',
  'second',
  'denver',
  'water',
  'report',
  'tuesday',
  'gallon',
  'beer',
  'keg',
  'outlet',
  'second',
  'dillon',
  'reservoir',
  'inch',
  'precipitation',
  'inch',
  'precipitation',
  'year',
  'continental',
  'divide',
  'range',
  'denver',
  'rainiest',
  'record',
  'national',
  'weather',
  'service',
  'spell',
  'thank',
  'level',
  'system',
  'wilkinson',
  'precipitation',
  'state',
  'pattern',
  'weekend',
  'week',
  'day',
  'weather',
  'outlook',
  'southwest',
  'monsoon',
  'wilkinson',
  'level',
  'pattern',
  'wilkinson',
  'rain',
  'afternoon',
  'storm',
  'monsoon',
  'season',
  'week',
  'month',
  'monsoon',
  'pattern',
  'pattern',
  'lightning',
  'hail',
  'monsoon',
  'pattern',
  'pressure',
  'system',
  'region',
  'moisture',
  'rainstorm',
  'mountain',
  'state',
  'moisture',
  'shower',
  'hail',
  'rainfall',
  'shower',
  'lot',
  'water',
  'content',
  'wilkinson',
  'downpour',
  'date',
  'thing',
  'summit',
  'county',
  'story',
  'inbox',
  'morning',
  'sign',
  'summitdaily.com/newsletter',
  'weather',
  'station',
  'summit',
  'county',
  'storm',
  'noon',
  'day',
  'wednesday',
  'june',
  'temperature',
  'county',
  'snowpack',
  '%',
  'year',
  'median',
  'year',
  'mark',
  'rain',
  'potential',
  'snowpack',
  'rate',
  'wilkinson',
  'case',
  'year',
  'temperature',
  'spring',
  'sky',
  'snow',
  'river',
  'rate',
  'snowpack',
  'june',
  'year',
  'median',
  'range',
  'forecast',
  'summit',
  'county',
  'promise',
  'colorado',
  'temperature',
  'week',
  'outlook',
  'month',
  'outlook',
  'month',
  'outlook',
  'temperature',
  'precipitation',
  'year',
  'monsoon',
  'season',
  'summit',
  'county',
  'climate',
  'area',
  'drought',
  'status',
  'level',
  'precipitation',
  'year',
  'expert',
  'folk',
  'river',
  'swiftwater',
  'year',
  'people',
  'river',
  'accident',
  'western',
  'slope',
  'wine',
  'jazz',
  'festival',
  'keystone',
  'man',
  'police',
  'summit',
  'cove',
  'gun',
  'subject',
  'law',
  'enforcement',
  'hour',
  'sheriff',
  'denver',
  'zoo',
  'app',
  'citizen',
  'scientist',
  'research',
  'colorado',
  'mountain',
  'specie',
  'video',
  'colorado',
  'wildflower',
  'season',
  'guide',
  'fourth',
  'july',
  'festivities',
  'summit',
  'county',
  'support',
  'local',
  'journalism',
  'summit',
  'daily',
  'news',
  'reader',
  'work',
  'summit',
  'daily',
  'project',
  'archive',
  'public',
  'partnership',
  'colorado',
  'historic',
  'newspapers',
  'collection',
  'project',
  'donation',
  'project',
  'contribution',
  'size',
  'difference',
  'donate',
  'summit',
  'county',
  'governmentjob',
  'opportunities',
  'breckenridge',
  'co',
  'employment',
  'opportunities',
  'summit',
  'county',
  'government',
  'equal',
  'employment',
  'opportunity',
  'employer',
  'list',
  'employment',
  'opportunity',
  'review',
  'summit',
  'sky',
  'ranch',
  'hoashort',
  'term',
  'rental',
  'operations',
  'manager',
  'marketing',
  'liason',
  'rental',
  'program',
  'silverthorne',
  'co',
  'summit',
  'sky',
  'ranch',
  'hoa',
  'silverthorne',
  'time',
  'staff',
  'member',
  'summit',
  'stagedrivers',
  'frisco',
  'co',
  'driver',
  'bonus',
  'year',
  'summit',
  'stage',
  'time',
  'year',
  'round',
  'bus',
  'town',
  'dillonfinance',
  'director',
  'dillon',
  'co',
  'town',
  'dillon',
  'finance',
  'director',
  'experience',
  'ski',
  'snowboard',
  'club',
  'vailsscv',
  'alpine',
  'seasonal',
  'coaches',
  'vail',
  'co',
  'ski',
  'snowboard',
  'club',
  'vail',
  'coach',
  'program',
  'individual',
  'love',
  'colorado',
  'mountain',
  'collegeemergency',
  'medical',
  'services',
  'ems',
  'paramedic',
  'faculty',
  'edwards',
  'co',
  'emergency',
  'medical',
  'services',
  'ems',
  'paramedic',
  'faculty',
  'colorado',
  'mountain',
  'college',
  'vail',
  'valley',
  'edwards',
  'time',
  'faculty',
  'position',
  'january',
  'colorado',
  'mountain',
  'collegefacilities',
  'maintenance',
  'technician',
  'edwards',
  'co',
  'facilities',
  'maintenance',
  'technician',
  'colorado',
  'mountain',
  'college',
  'vail',
  'valley',
  'edwards',
  'facilities',
  'manager',
  'facilities',
  'maintenance',
  'technicia',
  'mobilityfield',
  'technician',
  'vail',
  'co',
  'time',
  'time',
  'position',
  'vail',
  'breckenridge',
  'colorado',
  'equal',
  'opportunity',
  'employer',
  'prohibits',
  'colorado',
  'mountain',
  'collegecollege',
  'counselor',
  'dillon',
  'co',
  'college',
  'counselor',
  'colorado',
  'mountain',
  'college',
  'summit',
  'campus',
  'college',
  'counselor',
  'campus',
  'leader',
  'interperson',
  'breckenridge',
  'property',
  'mgmt',
  'companyfull',
  'time',
  'property',
  'manager',
  'breckenridge',
  'co',
  'breckenridge',
  'property',
  'management',
  'company',
  'time',
  'property',
  'manager',
  'discounted',
  'housing',
  'available',
  'company',
  'vehicle',
  'cell',
  'phone',
  'time',
  'background',
  'daily',
  'newsletter',
  'sign',
  'news',
  'headline',
  'manage',
  'subscription',
  'subscribe',
  'information',
  'winter',
  'park',
  'granby',
  'grand',
  'county',
  'terms',
  'use',
  '',
  'privacy',
  'comment',
  'policy',
  '',
  'term',
  'conditions',
  '',
  'careers',
  ''],
 ['state',
  'fair',
  'daily',
  'calendar',
  'events',
  'kx',
  'conversation',
  'kx',
  'finance',
  'business',
  'beat',
  'crime',
  'tracker',
  'daily',
  'pledge',
  'local',
  'politics',
  'politics',
  'hill',
  'world',
  'news',
  'russia',
  'ukraine',
  'conflict',
  'national',
  'day',
  'calendar',
  'bestreviews',
  'bestreviews',
  'daily',
  'deals',
  'automotive',
  'news',
  'press',
  'kx',
  'birthday',
  'club',
  'day',
  'stories',
  'inbox',
  'north',
  'dakota',
  'county',
  'north',
  'dakota',
  'state',
  'fair',
  'event',
  'thursday',
  'july',
  'struggle',
  'ndsf',
  'vendor',
  'journey',
  'lemonade',
  'lasso',
  'state',
  'fair',
  'forecast',
  'fair',
  'weather',
  'forecast',
  'weather',
  'interactive',
  'radar',
  'weather',
  'almanac',
  'weather',
  'weather',
  'alerts',
  'hey',
  'taylor',
  'weather',
  'kx',
  'cams',
  'kx',
  'storm',
  'team',
  'weather',
  'app',
  'weather',
  'photos',
  'local',
  'sports',
  'local',
  'college',
  'sports',
  'whistle',
  'national',
  'sports',
  'baseball',
  'chief',
  'day',
  'class',
  'aa',
  'state',
  'baseball',
  'class',
  'b',
  'state',
  'tournament',
  'action',
  'baseball',
  'bismarck',
  'minot',
  'advance',
  'class',
  'aa',
  'state',
  'baseball',
  'hazen',
  'astros',
  'place',
  'baseball',
  'husky',
  'larks',
  'baseball',
  'burlington',
  'trip',
  'carrington',
  'state',
  'fair',
  'daily',
  'calendar',
  'events',
  'kx',
  'birthday',
  'club',
  'hunger',
  'heroes',
  'destination',
  'dakota',
  'weekend',
  'brb',
  'kx',
  'daily',
  'pledge',
  'local',
  'jobs',
  'contests',
  'promotions',
  'kx',
  'town',
  'kx',
  'sport',
  'community',
  'calendar',
  'lottery',
  'daily',
  'horoscopes',
  'viewer',
  'photo',
  'guest',
  'best',
  'reviews',
  'brewday',
  'brick',
  'oven',
  'minute',
  'brick',
  'oven',
  'bakery',
  'business',
  'spotlight',
  'coffee',
  'talk',
  'community',
  'dakota',
  'zoo',
  'news',
  'dakota',
  'zoo',
  'dancin',
  'day',
  'northern',
  'plains',
  'dance',
  'explore',
  'coldspring',
  'glow',
  'grillin',
  'time',
  'meat',
  'healthy',
  'living',
  'inreach',
  'physical',
  'therapy',
  'home',
  'improvement',
  'arrow',
  'service',
  'team',
  'national',
  'day',
  'calendar',
  'affinity',
  'federal',
  'credit',
  'union',
  'parent',
  'panel',
  'real',
  'estate',
  'jeff',
  'bravera',
  'bank',
  'review',
  'day',
  'polished',
  'dental',
  'smile',
  'day',
  'smile',
  'studio',
  'studio',
  'entertainment',
  'starion',
  'bank',
  'trivia',
  'treat',
  'brick',
  'oven',
  'bakery',
  'tune',
  'time',
  'pure',
  'barre',
  'kx',
  'news',
  'videos',
  'kx',
  'cams',
  'kx',
  'kx',
  'news',
  'town',
  'halls',
  'north',
  'dakota',
  'politics',
  'whistle',
  'cbs',
  'news',
  'live',
  'feed',
  'tv',
  'schedule',
  'contact',
  'team',
  'daily',
  'breaking',
  'news',
  'emails',
  'online',
  'services',
  'advertise',
  'work',
  'bestreviews',
  'winter',
  'storm',
  'vector',
  'stock',
  'illustration',
  'getty',
  'images',
  'winter',
  'storm',
  'vector',
  'stock',
  'illustration',
  'getty',
  'imagesread',
  'north',
  'dakota',
  'april',
  'blizzard',
  'nick',
  'jachim',
  'morgan',
  'devries',
  'keith',
  'darnay',
  'apr',
  'pm',
  'cdt',
  'apr',
  'pm',
  'cdt',
  'winter',
  'storm',
  'vector',
  'stock',
  'illustration',
  'getty',
  'images',
  'winter',
  'storm',
  'vector',
  'stock',
  'illustration',
  'getty',
  'images',
  'read',
  'nick',
  'jachim',
  'morgan',
  'devries',
  'keith',
  'darnay',
  'apr',
  'pm',
  'cdt',
  'apr',
  'pm',
  'cdt',
  'kxnet',
  'update',
  'day',
  'kx',
  'storm',
  'team',
  'april',
  'blizzard',
  'closing',
  'area',
  'storm',
  'closing',
  'delay',
  'cancellation',
  'nd',
  'roads',
  'kx',
  'forecast',
  'kx',
  'weather',
  'radar',
  'kx',
  'weather',
  'cams',
  'nd',
  'highway',
  'cams',
  'april',
  'area',
  'snow',
  'report',
  'yesterday',
  'night',
  'system',
  'report',
  'afternoon',
  'medina',
  'east',
  'wednesday',
  'morning',
  'image',
  'nddot',
  'highway',
  'cam',
  'april',
  'winter',
  'storm',
  'state',
  'highway',
  'snow',
  'north',
  'dakota',
  'department',
  'transportation',
  'bismarck',
  'fargo',
  'bismarck',
  'dickinson',
  'travel',
  'warning',
  'u.s.',
  'bismarck',
  'washburn',
  'travel',
  'warning',
  'washburn',
  'minot',
  'u.s.',
  'ice',
  'i-29',
  'south',
  'dakota',
  'canada',
  'hour',
  'load',
  'north',
  'dakota',
  'highways',
  'snow',
  'area',
  'north',
  'dakota',
  'snow',
  'issue',
  'kx',
  'storm',
  'team',
  'wind',
  'issue',
  'today',
  'gust',
  'mile',
  'hour',
  'snow',
  'storm',
  'system',
  'state',
  'thursday',
  'friday',
  'weekend',
  'spring',
  'temperature',
  '40',
  '50',
  'relief',
  'sight',
  'april',
  'p.m.',
  'trending',
  'east',
  'datum',
  'storm',
  'bit',
  'projection',
  'fact',
  'county',
  'nd',
  'blizzard',
  'warning',
  'trend',
  'wind',
  'bit',
  'wind',
  'tonight',
  'tomorrow',
  'bismarck',
  'snowfall',
  'record',
  'lot',
  'room',
  'error',
  'snow',
  'point',
  'west',
  'wind',
  'snow',
  'season',
  'snow',
  'snow',
  'april',
  'a.m.',
  'satellite',
  'radar',
  'area',
  'snowfall',
  'portion',
  'state',
  'snow',
  'southcentral',
  'snowfall',
  'area',
  'state',
  'morning',
  'hour',
  'state',
  'afternoon',
  'tonight',
  'tom',
  'facebook',
  'p.m.',
  'question',
  'winter',
  'storm',
  'meteorologist',
  'amy',
  'metz',
  'blizzard',
  'conditions',
  'tuesday',
  'thursday',
  'april',
  'p.m.',
  'county',
  'blizzard',
  'warning',
  'impact',
  'blizzard',
  'snow',
  'wind',
  'mph',
  'time',
  'travel',
  'condition',
  'state',
  'snow',
  'digit',
  'county',
  'reason',
  'uncertainty',
  'track',
  'storm',
  'stage',
  'development',
  'change',
  'track',
  'storm',
  'difference',
  'minot',
  'inch',
  'inch',
  'southcentral',
  'bismarck',
  'snow',
  'foot',
  'snow',
  'wind',
  'april',
  'a.m.',
  'blizzard',
  'warning',
  'county',
  'cdt',
  'threat',
  'inch',
  'snow',
  'west',
  'inch',
  'east',
  'wind',
  'mph',
  'travel',
  'thank',
  'inbox',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'amazon',
  'school',
  'deal',
  'schooler',
  'school',
  'corner',
  'amazon',
  'supply',
  'school',
  'deal',
  'supply',
  'schooler',
  'august',
  'vegetable',
  'flower',
  'flower',
  'plant',
  'hour',
  'soil',
  'air',
  'temperature',
  'sunshine',
  'august',
  'month',
  'planting',
  'chemical',
  'guys',
  'kit',
  'car',
  'car',
  'care',
  'hour',
  'chemical',
  'guys',
  'car',
  'wash',
  'kit',
  'time',
  'deal',
  'bomb',
  'threat',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'russia',
  'un',
  'meeting',
  'cambodia',
  'hun',
  'sen',
  'asia',
  'leader',
  'case',
  'alzheimer',
  'nd',
  'county',
  'bluffing',
  'putin',
  'deployment',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'taiwan',
  'school',
  'office',
  'typhoon',
  'bomb',
  'threat',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'stock',
  'market',
  'today',
  'share',
  'federal',
  'russia',
  'un',
  'meeting',
  'soldier',
  'niger',
  'uswnt',
  'test',
  'truths',
  'sport',
  'illustrated',
  'min',
  'angels',
  'trade',
  'white',
  'sox',
  'duo',
  'hour',
  'sport',
  'illustrated',
  'min',
  'lindsey',
  'horan',
  'goal',
  'uswnt',
  'left',
  'sports',
  'sport',
  'illustrated',
  'hour',
  'benches',
  'clear',
  'adolis',
  'garcia',
  'grand',
  'slam',
  'rangers',
  'astros',
  'sport',
  'illustrated',
  'hour',
  'video',
  'surfaces',
  'june',
  'incident',
  'tyreek',
  'sport',
  'illustrated',
  'hour',
  'ezekiel',
  'elliott',
  'message',
  'cowboy',
  'sport',
  'illustrated',
  'hour',
  'dodgers',
  'upgrade',
  'swap',
  'big',
  'names',
  'yesteryear',
  'sports',
  'illustrated',
  'hour',
  'jim',
  'irsay',
  'comment',
  'market',
  'draw',
  'sport',
  'illustrated',
  'hour',
  'sampling',
  'feed',
  'nutritional',
  'value',
  'state',
  'fair',
  'calendar',
  'event',
  'miss',
  'week',
  'ja',
  'rule',
  'lil',
  'kim',
  'ticket',
  'giveaway',
  'pledge',
  'allegiance',
  'video',
  'case',
  'alzheimer',
  'nd',
  'county',
  'state',
  'news',
  'hour',
  'north',
  'dakota',
  'state',
  'fair',
  'event',
  'thursday',
  'july',
  'stories',
  'hour',
  'ndsf',
  'vendor',
  'journey',
  'fairgrounds',
  'stories',
  'hour',
  'lemonade',
  'lasso',
  'state',
  'fair',
  'local',
  'news',
  'hour',
  'kx',
  'conversation',
  'hour',
  'highlights',
  'kx',
  'news',
  'co',
  '-',
  'op',
  'day',
  'stories',
  'hour',
  'glory',
  'state',
  'parade',
  'champions',
  'story',
  'hour',
  'livestock',
  'life',
  'quality',
  'north',
  'dakota',
  'news',
  'hour',
  'stories',
  'hour',
  'local',
  'news',
  'hour',
  'baseball',
  'chief',
  'day',
  'class',
  'aa',
  'state',
  'local',
  'sports',
  'hour',
  'baseball',
  'class',
  'b',
  'state',
  'tournament',
  'action',
  'local',
  'sports',
  'hour',
  'baseball',
  'bismarck',
  'minot',
  'advance',
  'class',
  'aa',
  'state',
  'local',
  'sports',
  'day',
  'baseball',
  'hazen',
  'astros',
  'place',
  'local',
  'sports',
  'day',
  'baseball',
  'husky',
  'larks',
  'local',
  'sports',
  'day',
  'baseball',
  'burlington',
  'trip',
  'carrington',
  'local',
  'sports',
  'day',
  'whistle',
  'kate',
  'herzog',
  'growth',
  'djga',
  'whistle',
  'day',
  'whistle',
  'madden',
  'thorson',
  'whistle',
  'day',
  'whistle',
  'cade',
  'feeney',
  'journey',
  'whistle',
  'day',
  'whistle',
  'look',
  'star',
  'whistle',
  'day',
  'case',
  'alzheimer',
  'nd',
  'county',
  'state',
  'news',
  'hour',
  'north',
  'dakota',
  'state',
  'fair',
  'event',
  'thursday',
  'july',
  'stories',
  'hour',
  'ndsf',
  'vendor',
  'journey',
  'fairgrounds',
  'stories',
  'hour',
  'lemonade',
  'lasso',
  'state',
  'fair',
  'local',
  'news',
  'hour',
  'kx',
  'conversation',
  'hour',
  'highlights',
  'kx',
  'news',
  'co',
  '-',
  'op',
  'day',
  'stories',
  'hour',
  'glory',
  'state',
  'parade',
  'champions',
  'story',
  'hour',
  'livestock',
  'life',
  'quality',
  'north',
  'dakota',
  'news',
  'hour',
  'stories',
  'hour',
  'local',
  'news',
  'hour',
  'transgender',
  'intersex',
  'people',
  'national',
  'news',
  'hour',
  'millipede',
  'specie',
  'leg',
  'national',
  'news',
  'hour',
  'samsung',
  'smartphone',
  'bet',
  'national',
  'news',
  'hour',
  'national',
  'news',
  'hour',
  'people',
  'high',
  'arizona',
  'national',
  'news',
  'hour',
  'arizona',
  'girl',
  'montana',
  'national',
  'news',
  'hour',
  'attorney',
  'm',
  'settlement',
  'water',
  'national',
  'news',
  'hour',
  'wnba',
  'player',
  'charge',
  'national',
  'news',
  'hour',
  'mississippi',
  'teen',
  'death',
  'poultry',
  'plant',
  'child',
  'national',
  'news',
  'hour',
  'ohio',
  'officer',
  'k-9',
  'man',
  'national',
  'news',
  'hour',
  'north',
  'dakota',
  'state',
  'fair',
  'event',
  'thursday',
  'july',
  'ndsf',
  'vendor',
  'journey',
  'fairgrounds',
  'lemonade',
  'lasso',
  'state',
  'fair',
  'highlights',
  'kx',
  'news',
  'co',
  '-',
  'op',
  'day',
  'crowning',
  'glory',
  'state',
  'parade',
  'champions',
  'livestock',
  'life',
  'quality',
  'plane',
  ...],
 ['seahawks',
  'training',
  'camp',
  'stadium',
  'district',
  'downtown',
  'ambassadors',
  'pierce',
  'county',
  'pond',
  'turtle',
  'comeback',
  'weather',
  'storm',
  'impact',
  'homes',
  'business',
  'washington',
  'heavy',
  'rain',
  'wind',
  'community',
  'washington',
  'tuesday',
  'example',
  'video',
  'title',
  'video',
  'pst',
  'december',
  'pm',
  'pst',
  'december',
  'seattle',
  'temperature',
  'snow',
  'washington',
  'christmas',
  'weekend',
  'rain',
  'wind',
  'issue',
  'community',
  'puget',
  'sound',
  'storm',
  'system',
  'rain',
  'tuesday',
  'king',
  'people',
  'shoreline',
  'skagit',
  'whatcom',
  'clallam',
  'san',
  'juan',
  'island',
  'county',
  'community',
  'rain',
  'flood',
  'condition',
  'olympia',
  'record',
  'tide',
  'tuesday',
  'morning',
  'foot',
  'olympia',
  'water',
  'resources',
  'director',
  'eric',
  'christensen',
  'tide',
  'pressure',
  'surge',
  'king',
  'tide',
  'flooding',
  'street',
  'downtown',
  'olympia',
  'seattle',
  'public',
  'utilities',
  'flooding',
  'south',
  'park',
  'neighborhood',
  'duwamish',
  'river',
  'bank',
  'sea',
  'level',
  'south',
  'park',
  'flooding',
  'south',
  'park',
  'district',
  'foot',
  'flood',
  'water',
  'midday',
  'vehicle',
  'business',
  'seattle',
  'fire',
  'department',
  'father',
  'son',
  'car',
  'floodwater',
  'scene',
  'water',
  'car',
  'crew',
  'door',
  'pair',
  'welding',
  'business',
  'fourth',
  'avenue',
  'seattle',
  'fire',
  'building',
  'power',
  'source',
  'foot',
  'water',
  'city',
  'light',
  'material',
  'team',
  'water',
  'worker',
  'area',
  'rain',
  'king',
  'tide',
  'sewer',
  'issue',
  'neighborhood',
  'matter',
  'block',
  'home',
  'duwamish',
  'river',
  'backyard',
  'resident',
  'job',
  'man',
  'inch',
  'water',
  'basement',
  'year',
  'foot',
  'water',
  'basement',
  'tuesday',
  'flooding',
  'pump',
  'water',
  'hose',
  'door',
  'street',
  'water',
  'andy',
  'cenarrusa',
  'basement',
  'living',
  'room',
  'bedroom',
  'music',
  'room',
  'pool',
  'water',
  'furniture',
  'water',
  'knee',
  'alll',
  'wall',
  'cenarrusa',
  'nightmare',
  'example',
  'video',
  'title',
  'video',
  'seattle',
  'public',
  'utilities',
  'department',
  'flooding',
  'emergency',
  'housing',
  'department',
  'drainage',
  'issue',
  'area',
  'sewer',
  'protection',
  'equipment',
  'home',
  'sewer',
  'backup',
  'year',
  'stormwater',
  'infrastructure',
  'project',
  'stormwater',
  'infrastructure',
  'south',
  'cloverdale',
  'street',
  'fifth',
  'avenue',
  'south',
  'south',
  'park',
  'drainage',
  'roadway',
  'partnership',
  'seattle',
  'department',
  'transportation',
  'project',
  'second',
  'avenue',
  'south',
  'eighth',
  'avenue',
  'south',
  'south',
  'holden',
  'street',
  'south',
  'monroe',
  'street',
  'north',
  'seattle',
  'mountlake',
  'terrace',
  '216th',
  'street',
  'avenue',
  'water',
  'level',
  'official',
  'washington',
  'state',
  'patrol',
  'trooper',
  'sergeant',
  'snohomish',
  'county',
  'today',
  'emergency',
  'trooper',
  'kelsey',
  'harding',
  'p.m.',
  'county',
  'service',
  'collision',
  'vehicle',
  'water',
  'roadway',
  'harding',
  'factor',
  'driver',
  'road',
  'sign',
  'driver',
  'wheel',
  'drive',
  'bit',
  'flow',
  'car',
  'pick',
  'stream',
  'vehicle',
  'exit',
  'roadway',
  'harding',
  'example',
  'video',
  'title',
  'video',
  'des',
  'moines',
  'car',
  'water',
  'tuesday',
  'morning',
  'king',
  'tide',
  'area',
  'pressure',
  'parking',
  'lot',
  'whaler',
  'village',
  'condominium',
  'des',
  'moines',
  'resident',
  'whalers',
  'village',
  'car',
  'water',
  'king',
  'tide',
  'jerry',
  'pluger',
  'complex',
  'pluger',
  'cup',
  'water',
  'car',
  'water',
  'lot',
  'people',
  'car',
  'pluger',
  'middle',
  'water',
  'resident',
  'year',
  'tide',
  'parking',
  'lot',
  'flooding',
  'situation',
  'sign',
  'entrance',
  'parking',
  'lot',
  'resident',
  'flooding',
  'risk',
  'example',
  'video',
  'title',
  'video',
  'pluger',
  'neighbor',
  'whalers',
  'village',
  'car',
  'waist',
  'water',
  'jessica',
  'deboer',
  'amelia',
  'jones',
  'resident',
  'couple',
  'people',
  'car',
  'deboer',
  'couple',
  'vehicle',
  'people',
  'situation',
  'neighbor',
  'water',
  'condo',
  'parking',
  'lot',
  'area',
  'home',
  'day',
  'island',
  'university',
  'place',
  'tuesday',
  'morning',
  'king',
  'tide',
  'crew',
  'area',
  'a.m.',
  'resident',
  'wheelchair',
  'ground',
  'team',
  'west',
  'pierce',
  'fire',
  'rescue',
  'pierce',
  'county',
  'sheriff',
  'department',
  'door',
  'door',
  'knee',
  'water',
  'resident',
  'sheriff',
  'department',
  'example',
  'video',
  'title',
  'video',
  'rescue',
  'floodwater',
  'afternoon',
  'west',
  'pierce',
  'fire',
  'rescue',
  'assistant',
  'chief',
  'scott',
  'adams',
  'adams',
  'flooding',
  'day',
  'island',
  'king',
  'tide',
  'resident',
  'concern',
  'power',
  'adams',
  'propane',
  'tank',
  'pet',
  'thing',
  'people',
  'way',
  'fire',
  'agency',
  'red',
  'cross',
  'help',
  'resident',
  'flooding',
  'damage',
  'adams',
  'gig',
  'harbor',
  'tide',
  'tuesday',
  'morning',
  'washington',
  'state',
  'department',
  'natural',
  'resources',
  'video',
  'day',
  'way',
  'water',
  'day',
  'way',
  'water',
  'pic.twitter.com/nxd7iuiyjg',
  'washington',
  'state',
  'dept',
  '.',
  'natural',
  'resources',
  '@wadnr',
  'december',
  'kingtides',
  'purdy/',
  'gig',
  'harbor',
  'area',
  'morning',
  'pic.twitter.com/j1ufh2xach',
  'chris',
  'egan',
  'tv',
  '@chrisegan5',
  'december',
  'gig',
  'harbor',
  'police',
  'fire',
  'department',
  'image',
  'water',
  'level',
  'gig',
  'harbor',
  'fire',
  'location',
  'flooding',
  'fire',
  'bridgeway',
  'market',
  'purdy',
  'pic.twitter.com/t7j5hhhn8u',
  '@gigharborfire',
  'december',
  'whidbey',
  'island',
  'home',
  'coast',
  'tide',
  'house',
  'state',
  'route',
  'hood',
  'canal',
  'area',
  'flooding',
  'olalla',
  'bay',
  'market',
  'landing',
  'kitsap',
  'peninsula',
  'floodwater',
  'tuesday',
  'morning',
  'market',
  'flooding',
  'mind',
  'damage',
  'flooding',
  'fire',
  'renovation',
  'market',
  'august',
  'october',
  'market',
  'owner',
  'store',
  'christmastime',
  'credit',
  'olalla',
  'bay',
  'market',
  'landing',
  'floodwaters',
  'olalla',
  'bay',
  'market',
  'landing',
  'kitsap',
  'peninsula',
  'dec.',
  'p.m.',
  'tuesday',
  'customer',
  'power',
  'state',
  'outage',
  'tracker',
  'poweroutage.us',
  'majority',
  'customer',
  'clark',
  'county',
  'pud',
  'seattle',
  'city',
  'light',
  'customer',
  'power',
  'puget',
  'sound',
  'energy',
  'power',
  'company',
  'puget',
  'sound',
  'weather',
  'week',
  'power',
  'company',
  'outage',
  'eeo',
  'public',
  'file',
  'report',
  'fcc',
  'online',
  'public',
  'inspection',
  'file',
  'closed',
  'caption',
  'procedure',
  'personal',
  'information',
  'king',
  'tv',
  'rights',
  'king',
  'notification',
  'news',
  'weather',
  'notification',
  'browser',
  'setting'],
 ['germantown',
  'resident',
  'water',
  'consultant',
  'answer',
  'contamination',
  'crisis',
  'germantown',
  'resident',
  'irrigation',
  'system',
  'resident',
  'lack',
  'information',
  'weather',
  'memphis',
  'area',
  'heat',
  'index',
  'local',
  'news',
  'entergy',
  'issue',
  'letter',
  'customer',
  'storm',
  'mississippi',
  'energy',
  'company',
  'outage',
  'service',
  'area',
  'hurricane',
  'katrina',
  'pm',
  'cdt',
  'june',
  'pm',
  'cdt',
  'june',
  'hernando',
  'miss',
  'power',
  'resident',
  'hernando',
  'mississippi',
  'storm',
  'area',
  'sunday',
  'energy',
  'supplier',
  'entergy',
  'weather',
  'event',
  'county',
  'place',
  'crew',
  'outage',
  'service',
  'area',
  'hurricane',
  'katrina',
  'customer',
  'power',
  'home',
  'business',
  'mile',
  'memphis',
  'ceo',
  'president',
  'entergy',
  'haley',
  'fisazrkerly',
  'letter',
  'customer',
  'week',
  'entergy',
  'mississippi',
  'customer',
  'series',
  'storm',
  'tornado',
  'wind',
  'outage',
  'service',
  'area',
  'hurricane',
  'katrina',
  'event',
  'score',
  'storm',
  'cell',
  'mph',
  'wind',
  'path',
  'service',
  'area',
  'weather',
  'day',
  'day',
  'area',
  'damage',
  'power',
  'grid',
  'half',
  'pole',
  'wire',
  'transformer',
  'week',
  'storm',
  'storm',
  'year',
  'history',
  'hurricane',
  'storm',
  'case',
  'scenario',
  'power',
  'restoration',
  'lift',
  'crew',
  'area',
  'work',
  'mid',
  '-',
  'restoration',
  'storm',
  'line',
  'storm',
  'damage',
  'credit',
  'ap',
  'prayer',
  'book',
  'parking',
  'barrier',
  'debris',
  'sunday',
  'night',
  'tornado',
  'louin',
  'miss.',
  'monday',
  'june',
  'ap',
  'photo',
  'rogelio',
  'v.',
  'solis',
  'week',
  'crew',
  'day',
  'storm',
  'cell',
  'damage',
  'matter',
  'crew',
  'state',
  'state',
  'damage',
  'workforce',
  'mississippi',
  'state',
  'work',
  'hero',
  'power',
  'quarter',
  'customer',
  'half',
  'customer',
  'base',
  'june',
  'pole',
  'mile',
  'power',
  'line',
  'matter',
  'day',
  'distance',
  'jackson',
  'grenada',
  'line',
  'neighborhood',
  'area',
  'county',
  'tennessee',
  'louisiana',
  'border',
  'customer',
  'look',
  'work',
  'people',
  'partner',
  'power',
  'customer',
  'power',
  'day',
  'customer',
  'power',
  'man',
  'woman',
  'company',
  'customer',
  'electricity',
  'customer',
  'credit',
  'ap',
  'weather',
  'central',
  'mississippi',
  'billboard',
  'ridgeland',
  'miss.',
  'friday',
  'june',
  'ap',
  'photo',
  'rogelio',
  'v.',
  'solis',
  'week',
  'entergy',
  'mississippi',
  'employee',
  'power',
  'parent',
  'child',
  'friend',
  'neighbor',
  'power',
  'middle',
  'june',
  'responsibility',
  'weather',
  'event',
  'level',
  'destruction',
  'facility',
  'weather',
  'condition',
  'entergy',
  'mississippi',
  'response',
  'time',
  'outage',
  'work',
  'customer',
  'customer',
  'communication',
  'look',
  'performance',
  'system',
  'information',
  'tool',
  'power',
  'customer',
  'decision',
  'family',
  'frustration',
  'discomfort',
  'outage',
  'restoration',
  'process',
  'story',
  'crew',
  'customer',
  'light',
  'air',
  'conditioning',
  'time',
  'behalf',
  'employee',
  'entergy',
  'mississippi',
  'thank',
  'customer',
  'patience',
  'weather',
  'event',
  'restoration',
  'customer',
  'severity',
  'storm',
  'state',
  'man',
  'woman',
  'entergy',
  'mississippi',
  'life',
  'mlgw',
  'power',
  'customer',
  'sunday',
  'storm',
  'sunday',
  'morning',
  'storm',
  'wind',
  'mid',
  '-',
  'example',
  'video',
  'title',
  'video',
  'eeo',
  'public',
  'file',
  'report',
  'fcc',
  'online',
  'public',
  'inspection',
  'file',
  'closed',
  'caption',
  'procedure',
  'personal',
  'information',
  'watn',
  'tv',
  'rights',
  'watn',
  'notification',
  'news',
  'weather',
  'notification',
  'browser',
  'setting'],
 ['browser',
  'experience',
  'chrome',
  'firefox',
  'edge',
  'safari',
  'place',
  'regions',
  'southwest',
  'va',
  'blue',
  'ridge',
  'highlands',
  'abingdon',
  'blacksburg',
  'bristol',
  'galax',
  'smyth',
  'central',
  'virginia',
  'appomattox',
  'charlottesville',
  'farmville',
  'lynchburg',
  'petersburg',
  'richmond',
  'wintergreen',
  'chesapeake',
  'bay',
  'white',
  'stone',
  'irvington',
  'urbanna',
  'kilmarnock',
  'tappahannock',
  'coastal',
  'va',
  'eastern',
  'shore',
  'cape',
  'charles',
  'chincoteague',
  'island',
  'onancock',
  'tangier',
  'island',
  'coastal',
  'va',
  'hampton',
  'roads',
  'hampton',
  'newport',
  'news',
  'norfolk',
  'portsmouth',
  'smithfield',
  'virginia',
  'beach',
  'williamsburg',
  'yorktown',
  'charles',
  'city',
  'county',
  'franklin',
  'southampton',
  'southern',
  'virginia',
  'danville',
  'martinsville',
  'south',
  'hill',
  'clarksville',
  'northern',
  'virginia',
  'alexandria',
  'arlington',
  'culpeper',
  'fairfax',
  'fredericksburg',
  'leesburg',
  'manassas',
  'middleburg',
  'falls',
  'church',
  'purcellville',
  'lovettsville',
  'shenandoah',
  'valley',
  'harrisonburg',
  'lexington',
  'luray',
  'staunton',
  'augusta',
  'waynesboro',
  'southwest',
  'va',
  'heart',
  'appalachia',
  'town',
  'tazewell',
  'big',
  'stone',
  'gap',
  'st.',
  'paul',
  'coeburn',
  'virginia',
  'mountains',
  'roanoke',
  'bath',
  'county',
  'cities',
  'towns',
  'trendy',
  'neighborhood',
  'guides',
  'town',
  'lovework',
  'scenic',
  'drives',
  'byways',
  'road',
  'trip',
  'byways',
  'scenic',
  'skyline',
  'drive',
  'blue',
  'ridge',
  'parkway',
  'motorcycle',
  'riding',
  'blue',
  'ridge',
  'parkway',
  'blue',
  'ridge',
  'parkway',
  'activities',
  'blue',
  'ridge',
  'parkway',
  'camping',
  'blue',
  'ridge',
  'parkway',
  'home',
  'virginia',
  'thing',
  'attraction',
  'theme',
  'parks',
  'water',
  'parks',
  'adventure',
  'parks',
  'ziplines',
  'zoos',
  'aquariums',
  'museums',
  'exhibits',
  'aerospace',
  'art',
  'children',
  'museums',
  'history',
  'military',
  'kind',
  'science',
  'natural',
  'history',
  'museums',
  'interactive',
  'museums',
  'kids',
  'lighthouses',
  'thing',
  'trails',
  'outdoors',
  'national',
  'parks',
  'shenandoah',
  'national',
  'park',
  'shenandoah',
  'national',
  'park',
  'hiking',
  'trails',
  'historic',
  'national',
  'parks',
  'monuments',
  'memorials',
  'state',
  'parks',
  'national',
  'forests',
  'recreation',
  'areas',
  'george',
  'washington',
  'jefferson',
  'national',
  'forests',
  'mount',
  'rogers',
  'national',
  'recreation',
  'area',
  'waterfalls',
  'caverns',
  'mountains',
  'parks',
  'gardens',
  'hiking',
  'bucket',
  'list',
  'hikes',
  'appalachian',
  'trail',
  'biking',
  'mountain',
  'biking',
  'rail',
  'trails',
  'horseback',
  'riding',
  'wildlife',
  'observation',
  'history',
  'heritage',
  'colonial',
  'williamsburg',
  'jamestown',
  'jamestown',
  'discovery',
  'trail',
  'black',
  'history',
  'black',
  'history',
  'attractions',
  'virginia',
  'freedom',
  'seekers',
  'richmond',
  'liberty',
  'trail',
  'historic',
  'homes',
  'american',
  'revolution',
  'civil',
  'war',
  'national',
  'battlefield',
  'parks',
  'thing',
  'kids',
  'cool',
  'places',
  'kids',
  'food',
  'drink',
  'breweries',
  'craft',
  'beer',
  'craft',
  'beer',
  'trails',
  'wineries',
  'wine',
  'tours',
  'wine',
  'trails',
  'distilleries',
  'cider',
  'restaurants',
  'virginia',
  'oysters',
  'oyster',
  'watermen',
  'tours',
  'regional',
  'oyster',
  'flavors',
  'local',
  'dining',
  'guides',
  'food',
  'drink',
  'tours',
  'farmers',
  'markets',
  'traditional',
  'virginia',
  'foods',
  'water',
  'activities',
  'beaches',
  'lakes',
  'smith',
  'mountain',
  'lake',
  'rivers',
  'swimming',
  'boating',
  'fishing',
  'water',
  'sports',
  'sports',
  'recreation',
  'baseball',
  'golf',
  'courses',
  'atv',
  'spearhead',
  'trails',
  'shooting',
  'winter',
  'sports',
  'arts',
  'entertainment',
  'artisans',
  'crafts',
  'artisan',
  'trails',
  'drive',
  'ins',
  'filmed',
  'virginia',
  'big',
  'stone',
  'gap',
  'cold',
  'mountain',
  'dirty',
  'dancing',
  'experience',
  'hamilton',
  'virginia',
  'harriet',
  'homeland',
  'john',
  'adams',
  'lincoln',
  'mercy',
  'street',
  'good',
  'lord',
  'bird',
  'dead',
  'world',
  'transformers',
  'revenge',
  'turn',
  'wonder',
  'woman',
  'dopesick',
  'swagger',
  'raymond',
  'ray',
  'music',
  'music',
  'venue',
  'crooked',
  'road',
  'community',
  'event',
  'legends',
  'luthiers',
  'fiddle',
  'makers',
  'today',
  'musicians',
  'nightlife',
  'performing',
  'arts',
  'theater',
  'shopping',
  'malls',
  'outlets',
  'spas',
  'wellness',
  'romance',
  'farms',
  'agriculture',
  'pick',
  'farms',
  'apple',
  'picking',
  'corn',
  'mazes',
  'pumpkin',
  'patches',
  'tree',
  'farms',
  'tours',
  'ghosts',
  'haunted',
  'tours',
  'event',
  'festival',
  'fairs',
  'summer',
  'festivals',
  'fall',
  'festival',
  'spring',
  'festivals',
  'virginia',
  'film',
  'festivals',
  'virginia',
  'state',
  'fair',
  'county',
  'fairs',
  'concerts',
  'live',
  'music',
  'music',
  'festivals',
  'history',
  'heritage',
  'events',
  'history',
  'events',
  'tours',
  'juneteenth',
  'virginia',
  'historic',
  'garden',
  'week',
  'national',
  'holiday',
  'observances',
  'valentine',
  'day',
  '4th',
  'july',
  'fireworks',
  'festivals',
  'parade',
  'halloween',
  'christmas',
  'holiday',
  'season',
  'light',
  'handmade',
  'holiday',
  'gifts',
  'christmas',
  'holiday',
  'events',
  'food',
  'event',
  'event',
  'event',
  'antique',
  'flea',
  'markets',
  'motorsports',
  'event',
  'nascar',
  'horse',
  'racing',
  'dressage',
  'polo',
  'shows',
  'workshops',
  'classes',
  'place',
  'hotels',
  'motels',
  'luxury',
  'resorts',
  'mountain',
  'resorts',
  'family',
  'friendly',
  'resorts',
  'golf',
  'resorts',
  'cottages',
  'cabins',
  'cozy',
  'cabin',
  'rentals',
  'bed',
  'breakfasts',
  'beach',
  'vacation',
  'rentals',
  'camping',
  'rv',
  'parks',
  'trip',
  'trip',
  'ideas',
  'virginia',
  'fast',
  'fact',
  'virginia',
  'state',
  'symbols',
  'seal',
  'emblems',
  'presidents',
  'famous',
  'athletes',
  'musicians',
  'historical',
  'virginians',
  'black',
  'virginians',
  'writers',
  'journalists',
  'artists',
  'entertainers',
  'educators',
  'inventors',
  'transportation',
  'amtrak',
  'virginia',
  'welcome',
  'centers',
  'international',
  'visitor',
  'canada',
  'visiteurs',
  'canadiens',
  'arts',
  'et',
  'culture',
  'cuisine',
  'locale',
  'golf',
  'lgbt',
  'magasinage',
  'micro',
  '-',
  'brasseries',
  'et',
  'cidreries',
  'artisanales',
  'musique',
  'parcs',
  'd’attraction',
  'plages',
  'route',
  'des',
  'huîtres',
  'routes',
  'de',
  'moto',
  'sites',
  'historiques',
  'sports',
  'et',
  'plein',
  'air',
  'vins',
  'et',
  'vignobles',
  'united',
  'kingdom',
  'germany',
  'france',
  'japan',
  'china',
  'india',
  'australia',
  'lgbtq+',
  'travel',
  'black',
  'travel',
  'virginia',
  'heart',
  'soul',
  'mike',
  'spurlock',
  'xavier',
  'duckett',
  'selah',
  'marie',
  'paris',
  'sutherlin',
  'matt',
  'harmon',
  'jarrell',
  'williams',
  'virginia',
  'black',
  'heritage',
  'trail',
  'central',
  'richmond',
  'rich',
  'black',
  'history',
  'charlottesville',
  'lot',
  'coastal',
  'hampton',
  'roads',
  'northern',
  'virginia',
  'history',
  'weekend',
  'fredericksburg',
  'virginia',
  'mountains',
  'shenandoah',
  'valley',
  'harrisonburg',
  'friendly',
  'city',
  'coastal',
  'chesapeake',
  'bay',
  'blue',
  'ridge',
  'highlands',
  'abingdon',
  'gateway',
  'southwest',
  'virginia',
  'green',
  'book',
  'virginia',
  'sustainable',
  'travel',
  'green',
  'attractions',
  'green',
  'wineries',
  'green',
  'events',
  'green',
  'breweries',
  'distilleries',
  'green',
  'lodging',
  'virginia',
  'green',
  'pet',
  'friendly',
  'travel',
  'seasons',
  'climate',
  'spring',
  'spring',
  'break',
  'summer',
  'fall',
  'apple',
  'picking',
  'corn',
  'mazes',
  'pumpkin',
  'patches',
  'fall',
  'foliage',
  'report',
  'fall',
  'winter',
  'deal',
  'packages',
  'romance',
  'weekend',
  'getaway',
  'outdoor',
  'recreation',
  'fall',
  'foliage',
  'package',
  'girlfriend',
  'getaway',
  'history',
  'lovers',
  'winter',
  'holiday',
  'spring',
  'summer',
  'wine',
  'lovers',
  'accommodations',
  'dining',
  'family',
  'fun',
  'golf',
  'deals',
  'history',
  'heritage',
  'military',
  'resorts',
  'spa',
  'places',
  'regions',
  'southwest',
  'va',
  'blue',
  'ridge',
  'highlands',
  'abingdon',
  'blacksburg',
  'bristol',
  'galax',
  'smyth',
  'central',
  'virginia',
  'appomattox',
  'charlottesville',
  'farmville',
  'lynchburg',
  'petersburg',
  'richmond',
  'wintergreen',
  'chesapeake',
  'bay',
  'white',
  'stone',
  'irvington',
  'urbanna',
  'kilmarnock',
  'tappahannock',
  'coastal',
  'va',
  'eastern',
  'shore',
  'cape',
  'charles',
  'chincoteague',
  'island',
  'onancock',
  'tangier',
  'island',
  'coastal',
  'va',
  'hampton',
  'roads',
  'hampton',
  'newport',
  'news',
  'norfolk',
  'portsmouth',
  'smithfield',
  'virginia',
  'beach',
  'williamsburg',
  'yorktown',
  'charles',
  'city',
  'county',
  'franklin',
  'southampton',
  'southern',
  'virginia',
  'danville',
  'martinsville',
  'south',
  'hill',
  'clarksville',
  'northern',
  'virginia',
  'alexandria',
  'arlington',
  'culpeper',
  'fairfax',
  'fredericksburg',
  'leesburg',
  'manassas',
  'middleburg',
  'falls',
  'church',
  'purcellville',
  'lovettsville',
  'shenandoah',
  'valley',
  'harrisonburg',
  'lexington',
  'luray',
  'staunton',
  'augusta',
  'waynesboro',
  'southwest',
  'va',
  'heart',
  'appalachia',
  'town',
  'tazewell',
  'big',
  'stone',
  'gap',
  'st.',
  'paul',
  'coeburn',
  'virginia',
  'mountains',
  'roanoke',
  'bath',
  'county',
  'cities',
  'towns',
  'trendy',
  'neighborhood',
  'guides',
  'town',
  'lovework',
  'scenic',
  'drives',
  'byways',
  'road',
  'trip',
  'byways',
  'scenic',
  'skyline',
  'drive',
  'blue',
  'ridge',
  'parkway',
  'motorcycle',
  'riding',
  'blue',
  'ridge',
  'parkway',
  'blue',
  'ridge',
  'parkway',
  'activities',
  'blue',
  'ridge',
  'parkway',
  'camping',
  'blue',
  'ridge',
  'parkway',
  'home',
  'virginia',
  'thing',
  'attraction',
  'theme',
  'parks',
  'water',
  'parks',
  'adventure',
  'parks',
  'ziplines',
  'zoos',
  'aquariums',
  'museums',
  'exhibits',
  'aerospace',
  'art',
  'children',
  'museums',
  'history',
  'military',
  'kind',
  'science',
  'natural',
  'history',
  'museums',
  'interactive',
  'museums',
  'kids',
  'lighthouses',
  'thing',
  'trails',
  'outdoors',
  'national',
  'parks',
  'shenandoah',
  'national',
  'park',
  'shenandoah',
  'national',
  'park',
  'hiking',
  'trails',
  'historic',
  'national',
  'parks',
  'monuments',
  'memorials',
  'state',
  'parks',
  'national',
  'forests',
  'recreation',
  'areas',
  'george',
  'washington',
  'jefferson',
  'national',
  'forests',
  'mount',
  'rogers',
  'national',
  'recreation',
  'area',
  'waterfalls',
  'caverns',
  'mountains',
  'parks',
  'gardens',
  'hiking',
  'bucket',
  'list',
  'hikes',
  'appalachian',
  'trail',
  'biking',
  'mountain',
  'biking',
  'rail',
  'trails',
  'horseback',
  'riding',
  'wildlife',
  'observation',
  'history',
  'heritage',
  'colonial',
  'williamsburg',
  'jamestown',
  'jamestown',
  'discovery',
  'trail',
  'black',
  'history',
  'black',
  'history',
  'attractions',
  'virginia',
  'freedom',
  'seekers',
  'richmond',
  'liberty',
  'trail',
  'historic',
  'homes',
  'american',
  'revolution',
  'civil',
  'war',
  'national',
  'battlefield',
  'parks',
  'thing',
  'kids',
  'cool',
  'places',
  'kids',
  'food',
  'drink',
  'breweries',
  'craft',
  'beer',
  'craft',
  'beer',
  'trails',
  'wineries',
  'wine',
  'tours',
  'wine',
  'trails',
  'distilleries',
  'cider',
  'restaurants',
  'virginia',
  'oysters',
  'oyster',
  'watermen',
  'tours',
  'regional',
  'oyster',
  'flavors',
  'local',
  'dining',
  'guides',
  'food',
  'drink',
  'tours',
  'farmers',
  'markets',
  'traditional',
  'virginia',
  'foods',
  'water',
  'activities',
  'beaches',
  'lakes',
  'smith',
  'mountain',
  'lake',
  'rivers',
  'swimming',
  ...],
 ['associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'maryland',
  'eastern',
  'shore',
  'beachfront',
  'snow',
  'wind',
  'salisbury',
  'md.',
  'ap',
  'winter',
  'storm',
  'lot',
  'snow',
  'wind',
  'maryland',
  'eastern',
  'shore',
  'oceanfront',
  'saturday',
  'travel',
  'motorist',
  'road',
  'crew',
  'snowfall',
  'total',
  'foot',
  'portion',
  'worcester',
  'county',
  'ocean',
  'city',
  'inch',
  'centimeter',
  'time',
  'storm',
  'region',
  'saturday',
  'afternoon',
  'national',
  'weather',
  'service',
  'wicomico',
  'somerset',
  'county',
  'inch',
  'centimeter',
  'snow',
  'spot',
  'worcester',
  'county',
  'blizzard',
  'warning',
  'half',
  'saturday',
  'wind',
  'gust',
  'mph',
  'kph',
  'portion',
  'delaware',
  'foot',
  'snow',
  'accomack',
  'northampton',
  'county',
  'eastern',
  'shore',
  'virginia',
  'inch',
  'weather',
  'service',
  'snowfall',
  'total',
  'place',
  'richmond',
  'virginia',
  'baltimore',
  'washington',
  'nor’easter',
  'precipitation',
  'coastline',
  'sentencing',
  'arizona',
  'mother',
  'murder',
  'child',
  'abuse',
  'starvation',
  'son',
  'bluffing',
  'putin',
  'deployment',
  'weapon',
  'belarus',
  'saber',
  'england',
  'home',
  'crowd',
  'women',
  'world',
  'cup',
  'australia',
  'governor',
  'maryland',
  'virginia',
  'delaware',
  'state',
  'emergency',
  'storm',
  'friday',
  'night',
  'national',
  'guard',
  'member',
  'cleanup',
  'personnel',
  'delaware',
  'road',
  'state',
  'county',
  'order',
  'gov.',
  'john',
  'carney',
  'motorist',
  'road',
  'caution',
  'maryland',
  'state',
  'police',
  'trooper',
  'service',
  'crash',
  'mid',
  '-',
  'morning',
  'saturday',
  'report',
  'storm',
  'death',
  'power',
  'outage',
  'david',
  'bowling',
  'salisbury',
  'ocean',
  'city',
  'waterfront',
  'snow',
  'son',
  'liam',
  'daughter',
  'kaylee',
  'time',
  'snow',
  'beach',
  'bowling',
  'water',
  'bowling',
  'sedan',
  'snow',
  'parking',
  'lot',
  'car',
  'snow',
  'help',
  'motorist',
  'shovel',
  'wind',
  'maryland',
  'snowplow',
  'road',
  'snow',
  'minute',
  'state',
  'highway',
  'administration',
  'snow',
  'reading',
  'inch',
  'centimeter',
  'delaware',
  'community',
  'bethany',
  'beach',
  'millsboro',
  'inch',
  'centimeter',
  'lewes',
  'weather',
  'service',
  'north',
  'area',
  'wilmington',
  'inch',
  'centimeter',
  'snow',
  'stretch',
  'virginia',
  'northern',
  'neck',
  'tidewater',
  'community',
  'norfolk',
  'virginia',
  'beach',
  'inch',
  'centimeter',
  'snow',
  'storm',
  'region',
  'saturday',
  'morning',
  'weather',
  'advisory',
  'sunday',
  'eastern',
  'shore',
  'region',
  'temperature',
  'digit',
  'teen',
  'sunday',
  'morning',
  'wind',
  'chill',
  'advisory',
  'associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights'],
 ['subscriber',
  'services',
  'manage',
  'account',
  'today',
  'digital',
  'edition',
  'digital',
  'edition',
  'subscription',
  'rewards',
  'dashboard',
  'puzzle',
  'answers',
  'online',
  'puzzles',
  'page',
  'reprints',
  'newspaper',
  'archives',
  'newsletters',
  'contact',
  'subscriber',
  'benefit',
  'classifieds',
  'carrier',
  'jobs',
  'news',
  'business',
  'news',
  'coronavirus',
  'community',
  'crime',
  'courts',
  'iowa',
  'education',
  'environmental',
  'news',
  'government',
  'politics',
  'health',
  'legal',
  'notices',
  'nation',
  'world',
  'photos',
  'time',
  'machine',
  'search',
  'archive',
  'videos',
  'journalists',
  'emily',
  'andersen',
  'tom',
  'barton',
  'erin',
  'jordan',
  'grace',
  'king',
  'trish',
  'mehaffey',
  'brittney',
  'j.',
  'miller',
  'vanessa',
  'miller',
  'erin',
  'murphy',
  'marissa',
  'payne',
  'izabela',
  'zaluska',
  'fact',
  'checker',
  'team',
  'sports',
  'iowa',
  'hawkeyes',
  'iowa',
  'football',
  'iowa',
  'basketball',
  'prep',
  'sports',
  'prep',
  'football',
  'iowa',
  'state',
  'cyclones',
  'uni',
  'panthers',
  'minor',
  'league',
  'sports',
  'outdoors',
  'sports',
  'desk',
  'mike',
  'hlas',
  'nathan',
  'ford',
  'jeff',
  'johnson',
  'jeff',
  'linder',
  'j.r.',
  'ogden',
  'k.j.',
  'pilcher',
  'john',
  'steppe',
  'opinion',
  'fact',
  'checker',
  'guide',
  'editorial',
  'commentary',
  'guest',
  'columnists',
  'letters',
  'editor',
  'political',
  'cartoons',
  'staff',
  'columnists',
  'staff',
  'editorials',
  'letter',
  'column',
  'columnists',
  'todd',
  'dorman',
  'althea',
  'cole',
  'editorial',
  'fellows',
  'david',
  'chung',
  'sofia',
  'demartino',
  'chris',
  'espersen',
  'food',
  'drink',
  'chew',
  'recipe',
  'restaurants',
  'business',
  'agriculture',
  'business',
  'notes',
  'columns',
  'companies',
  'personal',
  'finance',
  'economy',
  'employment',
  'energy',
  'manufacturing',
  'openings',
  'closures',
  'real',
  'estate',
  'restaurants',
  'retail',
  'small',
  'business',
  'transportation',
  'obituaries',
  'memory',
  'obituary',
  'podcasts',
  'daily',
  'news',
  'podcast',
  'fact',
  'checker',
  'podcast',
  'iowa',
  'politics',
  'hawk',
  'press',
  'iowa',
  'prep',
  'sports',
  'pinning',
  'combination',
  'careers',
  'coffee',
  'entertainment',
  'art',
  'books',
  'comedy',
  'museums',
  'galleries',
  'music',
  'puzzles',
  'games',
  'theater',
  'thing',
  'hoopla',
  'event',
  'living',
  'health',
  'wellness',
  'home',
  'garden',
  'milestones',
  'people',
  'places',
  'pets',
  'animals',
  'recreation',
  'religion',
  'belief',
  'travel',
  'photos',
  'videos',
  'iowa',
  'photo',
  'news',
  'photo',
  'galleries',
  'sports',
  'photo',
  'galleries',
  'video',
  'galleries',
  'photojournalists',
  'jim',
  'slosiarek',
  'savannah',
  'blake',
  'nick',
  'rohlman',
  'geoff',
  'stellfox',
  'bailey',
  'cichon',
  'multimedia',
  'journalist',
  'gazette',
  'visual',
  'milestones',
  'anniversaries',
  'day',
  'engagement',
  'holiday',
  'remembrance',
  'new',
  'arrivals',
  'yous',
  'wedding',
  'milestone',
  'data',
  'data',
  'center',
  'salaries',
  'interactive',
  'maps',
  'charts',
  'coronavirus',
  'data',
  'legal',
  'notices',
  'gazette',
  'classifieds',
  'corridor',
  'careers',
  'garage',
  'sales',
  'gazette',
  'gazette',
  'print',
  'services',
  'gazette',
  'rewards',
  'gazette',
  'store',
  'green',
  'gazette',
  'holiday',
  'light',
  'finder',
  'hoopla',
  'iowa',
  'wedding',
  'experience',
  'iowa',
  'ideas',
  'photo',
  'store',
  'link',
  'gazette',
  'search',
  'gazette',
  'archives',
  'article',
  'removal',
  'business',
  'directory',
  'cr',
  'database',
  'legal',
  'notices',
  'mobile',
  'app',
  'carrier',
  'customer',
  'care',
  'order',
  'issues',
  'privacy',
  'policies',
  'puzzle',
  'answers',
  'sponsorship',
  'request',
  'letter',
  'weather',
  'manage',
  'account',
  'today',
  'digital',
  'edition',
  'digital',
  'edition',
  'subscription',
  'rewards',
  'dashboard',
  'puzzle',
  'answers',
  'online',
  'puzzles',
  'page',
  'reprints',
  'newspaper',
  'archives',
  'newsletters',
  'contact',
  'subscriber',
  'benefit',
  'classifieds',
  'carrier',
  'jobs',
  'news',
  'business',
  'news',
  'coronavirus',
  'community',
  'crime',
  'courts',
  'iowa',
  'education',
  'environmental',
  'news',
  'government',
  'politics',
  'health',
  'legal',
  'notices',
  'nation',
  'world',
  'photos',
  'time',
  'machine',
  'search',
  'archive',
  'videos',
  'emily',
  'andersen',
  'tom',
  'barton',
  'erin',
  'jordan',
  'grace',
  'king',
  'trish',
  'mehaffey',
  'brittney',
  'j.',
  'miller',
  'vanessa',
  'miller',
  'erin',
  'murphy',
  'marissa',
  'payne',
  'izabela',
  'zaluska',
  'fact',
  'checker',
  'team',
  'sports',
  'iowa',
  'hawkeyes',
  'iowa',
  'football',
  'iowa',
  'basketball',
  'prep',
  'sports',
  'prep',
  'football',
  'iowa',
  'state',
  'cyclones',
  'uni',
  'panthers',
  'minor',
  'league',
  'sports',
  'outdoors',
  'mike',
  'hlas',
  'nathan',
  'ford',
  'jeff',
  'johnson',
  'jeff',
  'linder',
  'j.r.',
  'ogden',
  'k.j.',
  'pilcher',
  'john',
  'steppe',
  'opinion',
  'fact',
  'checker',
  'guide',
  'editorial',
  'commentary',
  'guest',
  'columnists',
  'letters',
  'editor',
  'political',
  'cartoons',
  'staff',
  'columnists',
  'staff',
  'editorials',
  'letter',
  'column',
  'todd',
  'dorman',
  'althea',
  'cole',
  'editorial',
  'fellows',
  'david',
  'chung',
  'sofia',
  'demartino',
  'chris',
  'espersen',
  'food',
  'drink',
  'chew',
  'recipe',
  'restaurants',
  'business',
  'agriculture',
  'business',
  'notes',
  'columns',
  'companies',
  'personal',
  'finance',
  'economy',
  'employment',
  'energy',
  'manufacturing',
  'openings',
  'closures',
  'real',
  'estate',
  'restaurants',
  'retail',
  'small',
  'business',
  'transportation',
  'obituaries',
  'memory',
  'obituary',
  'podcasts',
  'daily',
  'news',
  'podcast',
  'fact',
  'checker',
  'podcast',
  'iowa',
  'politics',
  'hawk',
  'press',
  'iowa',
  'prep',
  'sports',
  'pinning',
  'combination',
  'careers',
  'coffee',
  'entertainment',
  'art',
  'books',
  'comedy',
  'museums',
  'galleries',
  'music',
  'puzzles',
  'games',
  'theater',
  'thing',
  'hoopla',
  'event',
  'living',
  'health',
  'wellness',
  'home',
  'garden',
  'milestones',
  'people',
  'places',
  'pets',
  'animals',
  'recreation',
  'religion',
  'belief',
  'travel',
  'photos',
  'videos',
  'iowa',
  'photo',
  'news',
  'photo',
  'galleries',
  'sports',
  'photo',
  'galleries',
  'video',
  'galleries',
  'jim',
  'slosiarek',
  'savannah',
  'blake',
  'nick',
  'rohlman',
  'geoff',
  'stellfox',
  'bailey',
  'cichon',
  'multimedia',
  'journalist',
  'gazette',
  'visual',
  'milestones',
  'anniversaries',
  'day',
  'engagement',
  'holiday',
  'remembrance',
  'new',
  'arrivals',
  'yous',
  'wedding',
  'milestone',
  'data',
  'center',
  'salaries',
  'interactive',
  'maps',
  'charts',
  'coronavirus',
  'data',
  'legal',
  'notices',
  'classifieds',
  'corridor',
  'careers',
  'garage',
  'sales',
  'gazette',
  'gazette',
  'print',
  'services',
  'gazette',
  'rewards',
  'gazette',
  'store',
  'green',
  'gazette',
  'holiday',
  'light',
  'finder',
  'hoopla',
  'iowa',
  'wedding',
  'experience',
  'iowa',
  'ideas',
  'photo',
  'store',
  'gazette',
  'search',
  'gazette',
  'archives',
  'article',
  'removal',
  'business',
  'directory',
  'cr',
  'database',
  'legal',
  'notices',
  'mobile',
  'app',
  'carrier',
  'customer',
  'care',
  'order',
  'issues',
  'privacy',
  'policies',
  'puzzle',
  'answers',
  'sponsorship',
  'request',
  'letter',
  'weather',
  'mayor',
  'cedar',
  'rapids',
  'school',
  'facility',
  'plan',
  'city',
  'corea',
  'iowa',
  'state',
  'fair',
  'food',
  'unknown',
  'gambling',
  'probe',
  'number',
  'football',
  'player',
  'involvedgrassley',
  'biden',
  'impeachment',
  'inquiry',
  'storm',
  'wind',
  'hail',
  'tree',
  'eastern',
  'iowa',
  'kat',
  'russell',
  'aug.',
  'pm',
  'aug.',
  'thunderstorm',
  'tuesday',
  'central',
  'eastern',
  'iowa',
  'hail',
  'wind',
  'building',
  'tree',
  'national',
  'weather',
  'service',
  'storm',
  'weather',
  'state',
  'west',
  'story',
  'city',
  'north',
  'des',
  'moines',
  'east',
  'bellevue',
  'iowa',
  'illinois',
  'border',
  'storm',
  'report',
  'wind',
  'mph',
  'hail',
  'size',
  'quarter',
  'inch',
  'inch',
  'diameter',
  'report',
  'fayette',
  'county',
  'wind',
  'damage',
  'portion',
  'county',
  'national',
  'weather',
  'service',
  'fayette',
  'count',
  'sheriff',
  'office',
  'roof',
  'damage',
  'oelwein',
  'grain',
  'bin',
  'highway',
  'v62',
  'hog',
  'confinement',
  'building',
  'highway',
  'manchester',
  'storm',
  'report',
  'downtown',
  'area',
  'tree',
  'building',
  'roof',
  'damage',
  'damage',
  'report',
  'pole',
  'barn',
  'town',
  'jesup',
  'mile',
  'waterloo',
  'rain',
  'flooding',
  'storm',
  'town',
  'people',
  'inch',
  'rain',
  'minute',
  'damage',
  'report',
  'power',
  'line',
  'rockford',
  'tree',
  'tree',
  'highway',
  'williamstown',
  'mph',
  'wind',
  'crop',
  'tree',
  'mile',
  'west',
  'readlyn',
  'tree',
  'semi',
  'tripoli',
  'downed',
  'tree',
  'power',
  'line',
  'road',
  'hazelton',
  'tree',
  'hopkinton',
  'worthington',
  'comment',
  'photo',
  'fayette',
  'county',
  'sheriff',
  'office',
  'roof',
  'damage',
  'tuesday',
  'building',
  'oelwein',
  'string',
  'thunderstorm',
  'iowa',
  'photo',
  'photo',
  'fayette',
  'county',
  'sheriff',
  'office',
  'roof',
  'damage',
  'tuesday',
  'hog',
  'containment',
  'building',
  'highway',
  'fayette',
  'county',
  'photo',
  'photo',
  'fayette',
  'county',
  'sheriff',
  'office',
  'roof',
  'damage',
  'tuesday',
  'grain',
  'bin',
  'highway',
  'v62',
  'fayette',
  'county',
  'photo',
  'safety',
  'reporter',
  'gazette',
  'volunteer',
  'hot',
  'cider',
  'hustle',
  'half',
  'marathon',
  '5khiawatha',
  'library',
  'expansion',
  'door',
  'programming',
  'possibilitieshuman',
  'iowa',
  'boy',
  'mayammo',
  'shortage',
  'hunter',
  'seller',
  'police',
  'jail',
  'inmate',
  'covid-19',
  'case',
  'article',
  'kat',
  'mayor',
  'tiffany',
  'o’donnell',
  'cedar',
  'rapids',
  'school',
  'facility',
  'plan',
  'iowa',
  'girls',
  'coaches',
  'association',
  'state',
  'softball',
  'team',
  'iowa',
  'football',
  'preseason',
  'depth',
  'chart',
  'opinion',
  'iowa',
  'session',
  'opinion',
  'iowa',
  'session',
  'happenedalthea',
  'cole',
  'staff',
  'columnists',
  'jul.',
  'am9d',
  'nature',
  'alarm',
  'iowa',
  'wildlifebrittney',
  'j.',
  'miller',
  'environmental',
  'news',
  'jul.',
  'am5d',
  'opinion',
  'iowans',
  'school',
  'choice',
  'student',
  'loan',
  'forgiveness?althea',
  'cole',
  'staff',
  'columnists',
  'jul.',
  'am17d',
  'heat',
  'dome',
  'eastern',
  'iowa',
  'weekbrittney',
  'j.',
  'miller',
  'weather',
  'jul.',
  'am11h',
  'midwest',
  'ag',
  'shippingbrittney',
  'j.',
  'miller',
  'weather',
  'jul.',
  'question',
  'summer',
  'wildfire',
  'smoke',
  'brittney',
  'j.',
  'miller',
  'environmental',
  'news',
  'jun.',
  'am27d',
  'mayor',
  'cedar',
  'rapids',
  'school',
  'facility',
  'plan',
  'city',
  'coregrace',
  'king',
  'k-12',
  'education',
  '3h',
  'ago3h',
  'iowa',
  'state',
  'senator',
  'misdemeanor',
  'ragbraiap',
  'government',
  'politics',
  'ago4h',
  'grassley',
  'biden',
  'impeachment',
  'mccullough',
  'gazette',
  'lee',
  'des',
  'moines',
  'bureau',
  'federal',
  'government',
  'ago4h',
  'kirk',
  'ferentz',
  'hope',
  'ol',
  'coach',
  'george',
  'barnettjohn',
  'steppe',
  'iowa',
  'football',
  'ago4h',
  'unknown',
  'gambling',
  'probe',
  'number',
  'football',
  'player',
  'steppe',
  'iowa',
  'football',
  'jul.',
  'pm5h',
  'iowa',
  'girls',
  'coaches',
  'association',
  'state',
  'softball',
  'teamsjeff',
  'linder',
  'prep',
  'baseball',
  'prep',
  ...],
 ['discover',
  'thomson',
  'reutersdirectory',
  '-',
  'phone',
  'onlyfor',
  'tablet',
  'portrait',
  'upfor',
  'tablet',
  'landscape',
  'upfor',
  'desktop',
  'desktop',
  'south',
  'carolina',
  'dorian',
  'storm',
  'surgeby',
  'nick',
  'carey4',
  'min',
  'readcharleston',
  's.c.',
  'reuters',
  'screen',
  'highway',
  'charleston',
  'south',
  'carolina',
  'warning',
  'resident',
  'wednesday',
  'hurricane',
  'dorian',
  'leave',
  'now.”file',
  'photo',
  'people',
  'waterfront',
  'arrival',
  'hurricane',
  'dorian',
  'charleston',
  'south',
  'carolina',
  'u.s.',
  'september',
  'reuters',
  'randall',
  'hill',
  'file',
  'number',
  'people',
  'warning',
  'gasoline',
  'station',
  'city',
  'outskirt',
  'driver',
  'snack',
  'fuel',
  'journey',
  'storm',
  'dorian',
  'year',
  'chance',
  'family',
  'coast',
  'george',
  'wilson',
  'candy',
  'chocolate',
  'child',
  'thousand',
  'resident',
  'charleston',
  'storm',
  'dorian',
  'bahamas',
  'people',
  'scope',
  'destruction',
  'focus',
  'wednesday',
  'storm',
  'wind',
  'speed',
  'tuesday',
  'category',
  'storm',
  'step',
  'saffir',
  'simpson',
  'intensity',
  'scale',
  'level',
  'wednesday',
  'forecaster',
  'south',
  'carolina',
  'official',
  'storm',
  'surge',
  'foot',
  'metre',
  'gust',
  'mile',
  'hour',
  'kph',
  'thursday',
  'people',
  'coast',
  'dorian',
  'business',
  'owner',
  'resident',
  'shop',
  'wednesday',
  'charleston',
  'district',
  'hurricane',
  'occurrence',
  'ritual',
  'micah',
  'elliott',
  'co',
  '-',
  'founder',
  'charleston',
  'home',
  'business',
  'client',
  'elliot',
  'kevin',
  'leprince',
  'artist',
  'art',
  'gallery',
  'district',
  'leprince',
  'gallery',
  'storm',
  'surge',
  'flooding',
  'rain',
  'artwork',
  'waterfront',
  'mark',
  'huske',
  'sandbag',
  'window',
  'architect',
  'office',
  'huske',
  'storm',
  'surge',
  'office',
  'house',
  '”‘seen',
  'crowd',
  'tourist',
  'resident',
  'charleston',
  'waterfront',
  'rain',
  'photograph',
  'dolphin',
  'ashley',
  'river',
  'danny',
  'davis',
  'wife',
  'octavia',
  'umbrella',
  'view',
  'waterfront',
  'water',
  'supply',
  'preparation',
  'dorian',
  'dorian',
  'danny',
  'davis',
  'charleston',
  'damage',
  'number',
  'storm',
  'year',
  'hurricane',
  'irma',
  'hurricane',
  'matthew',
  'battering',
  'hurricane',
  'hugo',
  'owner',
  'ink',
  'ivy',
  'bar',
  'district',
  'dorian',
  'bar',
  'wednesday',
  'afternoon',
  'bartender',
  'gregory',
  'wilder',
  'crowd',
  'evening',
  'power',
  'city',
  'spokesman',
  'jack',
  'o’toole',
  'city',
  'threat',
  'wind',
  'storm',
  'surge',
  'flooding',
  '”“it',
  'people',
  'o’toole',
  'message',
  'resident',
  'hatch',
  'nick',
  'carey',
  'peter',
  'cooneyour',
  'standards',
  'thomson',
  'reuters',
  'trust',
  'principles',
  'appsnewslettersadvertise',
  'usadvertising',
  'guidelinescookiesterms',
  'useprivacydo',
  'informationall',
  'quote',
  'minimum',
  'minute',
  'list',
  'exchange',
  'delay',
  'reuters',
  'rights',
  'reserved.for',
  'phone',
  'onlyfor',
  'tablet',
  'portrait',
  'upfor',
  'tablet',
  'landscape',
  'upfor',
  'desktop',
  'desktop'],
 ['contentadchoicescanadaworldbusinessinvestingwatchlistpersonal',
  'financeopinionpoliticssportslifeartsdrivereal',
  'estatepodcastscalifornia',
  'storm',
  'death',
  'flooding',
  'bounty',
  'snow',
  'drought',
  'statenathan',
  'january',
  'january',
  'article',
  'month',
  'information',
  'photo',
  'gallery',
  'san',
  'diego',
  'firefighter',
  'humberto',
  'maciel',
  'dog',
  'home',
  'merced',
  'calif.',
  'jan.',
  'edelson',
  'afp',
  'getty',
  'imagessharebookmarkplease',
  'story',
  'increate',
  'free',
  'accountmore',
  'dozen',
  'people',
  'california',
  'rain',
  'hail',
  'state',
  'tree',
  'road',
  'home',
  'power',
  'line',
  'car',
  'sink',
  'hole',
  'thousand',
  'area',
  'mudslide',
  'flood',
  'watch',
  'warning',
  'home',
  'cent',
  'californians',
  'weather',
  'emergency',
  'hope',
  'state',
  'water',
  'shortage',
  'record',
  'weather',
  'bounty',
  'snow',
  'sierra',
  'nevadas',
  'mountain',
  'range',
  'meltwater',
  'tap',
  'people',
  'california',
  'monitoring',
  'u.s.',
  'department',
  'agriculture',
  'snow',
  'quantity',
  'sierra',
  'nevadas',
  'basin',
  'level',
  'winter',
  'precipitation',
  'snow',
  'water',
  'equivalent',
  '”for',
  'drought',
  'mind',
  'heaven',
  'jack',
  'schmidt',
  'scientist',
  'utah',
  'state',
  'university',
  'quarter',
  'century',
  'drought',
  'u.s.',
  'southwest',
  'region',
  'utah',
  'snowfall',
  'basin',
  'colorado',
  'river',
  'waterway',
  'flow',
  'alarm',
  'u.s.',
  'snowpack',
  'level',
  'cent',
  'median',
  'time',
  'year',
  'arizona',
  'mountain',
  'phoenix',
  'cent',
  'precipitation',
  'foreboding',
  'decade',
  'drought',
  'region',
  'record',
  'year',
  'volume',
  'lake',
  'mead',
  'lake',
  'powell',
  'colorado',
  'river',
  'reservoir',
  'shore',
  'symbol',
  'water',
  'emergency',
  'million',
  'americans',
  'number',
  'people',
  'fruit',
  'vegetable',
  'nut',
  'land',
  'arizona',
  'california',
  'new',
  'mexico',
  'winter',
  'february',
  'march',
  'quantity',
  'snow',
  'moisture',
  'atmosphere',
  'snowmelt',
  'runoff',
  'precipitation',
  'glimmer',
  'optimism',
  'prof.',
  'schmidt',
  'cliff',
  '”the',
  'river',
  'california',
  'havoc',
  'coast',
  'elevation',
  'los',
  'angeles',
  'water',
  'pedestrian',
  'tunnel',
  'union',
  'station',
  'city',
  'rail',
  'subway',
  'nexus',
  'metre',
  'wave',
  'beach',
  'city',
  'school',
  'learning',
  'landslide',
  'flooding',
  'road',
  'day',
  'precipitation',
  'forecast',
  'centimetre',
  'jan.',
  'globe',
  'mail',
  'source',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'day',
  'precipitation',
  'forecast',
  'centimetre',
  'jan.',
  'globe',
  'mail',
  'source',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'day',
  'precipitation',
  'forecast',
  'centimetre',
  'jan.',
  'globe',
  'mail',
  'source',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'san',
  'francisco',
  'authority',
  'flash',
  'flood',
  'warning',
  'entirety',
  'downtown',
  'video',
  'city',
  'medium',
  'lashing',
  'rain',
  'hail',
  'blizzard',
  'dozen',
  'lightning',
  'strike',
  'area',
  'tornado',
  'warning',
  'kilometre',
  'ryan',
  'hollister',
  'san',
  'joaquin',
  'valley',
  'temperature',
  'area',
  'rainfall',
  'rate',
  'wind',
  'mr.',
  'hollister',
  'earth',
  'science',
  'california',
  'state',
  'university',
  'stanislaus',
  'modesto',
  'junior',
  'college',
  'san',
  'francisco',
  'centimetre',
  'rainfall',
  'boxing',
  'day',
  'year',
  'worth',
  'precipitation',
  'week',
  'city',
  'soggiest',
  'day',
  'record',
  'state',
  'people',
  'electricity',
  'blow',
  'reservoir',
  'flood',
  'capacity',
  'drought',
  'mr.',
  'hollister',
  'river',
  'flooding',
  'mountain',
  'mound',
  'snow',
  'tuesday',
  'morning',
  'mammoth',
  'mountain',
  'ski',
  'resort',
  'kilometre',
  'san',
  'francisco',
  'centimetre',
  'snowfall',
  'storm',
  'system',
  'january',
  'resort',
  'year',
  'snowfall',
  'mammoth',
  'lakes',
  'calif.',
  'pile',
  'snow',
  'john',
  'wentworth',
  'driveway',
  'metre',
  'event',
  'mr.',
  'wentworth',
  'mayor',
  'mammoth',
  'lakes',
  'climate',
  'adaptation',
  'resiliency',
  'body',
  'california',
  'governor',
  'gavin',
  'newsom',
  'storm',
  'water',
  'anxiety',
  'trend',
  'trend',
  'bit',
  'buzzkill',
  '”globally',
  'year',
  'record',
  'european',
  'union',
  'copernicus',
  'climate',
  'change',
  'service',
  'tuesday',
  'week',
  'research',
  'intervention',
  'utah',
  'salt',
  'lake',
  'year',
  'colorado',
  'basin',
  'drought',
  'banner',
  'year',
  'water',
  'loss',
  'winter',
  'start',
  'steven',
  'fassnacht',
  'snow',
  'hydrologist',
  'colorado',
  'state',
  'university',
  'impact',
  'year',
  'lot',
  'water',
  'bounty',
  'precipitation',
  'winter',
  'reach',
  'colorado',
  'march',
  'april',
  'snow',
  'accumulation',
  'deluge',
  'kind',
  'risk',
  'time',
  'fear',
  'water',
  'crisis',
  'effort',
  'drought',
  'decade',
  'year',
  'temptation',
  'year',
  'problem',
  'prof.',
  'schmidt',
  'effort',
  'consumption',
  'river',
  'system',
  'quarter',
  'water',
  'city',
  'farmer',
  'california',
  'deluge',
  'water',
  'reality',
  'governor',
  'newsom',
  'summer',
  'drought',
  'response',
  'plan',
  'state',
  'california',
  'time',
  'precipitation',
  'need',
  'climate',
  'change',
  'intensity',
  'use',
  'california',
  'water',
  'sea',
  'money',
  'drain',
  'charles',
  'hillyer',
  'irrigation',
  'specialist',
  'california',
  'water',
  'institute',
  'california',
  'state',
  'university',
  'fresno',
  'state',
  'drought',
  'response',
  'plan',
  'way',
  'resource',
  'idea',
  'irrigation',
  'canal',
  'flood',
  'water',
  'field',
  'ground',
  'aquifer',
  'concept',
  'way',
  'california',
  '“the',
  'climate',
  'response',
  'prof.',
  'hillyer',
  'nathan',
  'vanderklippe',
  'twitter',
  '@nvanderklippeopen',
  'windowreport',
  'code',
  'globebuild',
  'news',
  'feedmore',
  'author',
  'article',
  'nathan',
  'vanderklippefollowyou',
  'increate',
  'accountfollow',
  'topic',
  'article',
  'californiafollowyou',
  'increate',
  'accountdroughtfollowyou',
  'increate',
  'increate',
  'accountwaterfollowyou',
  'increate',
  'accountweatherfollowyou',
  'increate',
  'globebuild',
  'news',
  'feedmore',
  'author',
  'article',
  'nathan',
  'vanderklippefollowyou',
  'increate',
  'accountfollow',
  'topic',
  'article',
  'californiafollowyou',
  'increate',
  'accountdroughtfollowyou',
  'increate',
  'increate',
  'accountwaterfollowyou',
  'increate',
  'accountweatherfollowyou',
  'increate',
  'articlesterm',
  'conditionscommunity',
  'guidelinesprivacy',
  'footer',
  'home',
  'deliverydigital',
  'accessglobe2gothe',
  'new',
  'york',
  'timesglobe',
  'email',
  'newslettersgift',
  'subscriptionbusiness',
  'servicesadvertise',
  'usgroup',
  'subscriptionsglobe',
  'campuscontent',
  'business',
  'event',
  'usaddress',
  'phone',
  'numberpublic',
  'editorstaffstaff',
  'pgp',
  'directorysecuredropsubmit',
  'articlereader',
  'servicesaccount',
  'settingstechnical',
  'support',
  'privacy',
  'advertising',
  'preferencesmember',
  'benefitsabout',
  'informationwork',
  'globeaccessibilityeditorial',
  'code',
  'conductsustainabilitylicensing',
  'permissionselection',
  'advertising',
  'home',
  'deliverydigital',
  'accessglobe2gothe',
  'new',
  'york',
  'timesglobe',
  'email',
  'newslettersgift',
  'subscriptionbusiness',
  'servicesadvertise',
  'usgroup',
  'subscriptionsglobe',
  'campuscontent',
  'business',
  'event',
  'usaddress',
  'phone',
  'numberpublic',
  'editorstaffstaff',
  'pgp',
  'directorysecuredropsubmit',
  'articlereader',
  'servicesaccount',
  'settingstechnical',
  'support',
  'privacy',
  'advertising',
  'preferencesmember',
  'benefitsabout',
  'informationwork',
  'globeaccessibilityeditorial',
  'code',
  'conductsustainabilitylicensing',
  'permissionselection',
  'advertising',
  'registryreturn',
  'footer',
  'navigation',
  'copyright',
  'globe',
  'mail',
  'inc.',
  'right',
  'reserved.351',
  'king',
  'street',
  'east',
  'suite',
  'toronto',
  'canada',
  'm5a',
  'crawley',
  'publisher'],
 ['permission',
  'video',
  'fcc',
  'public',
  'inspection',
  'file',
  'ktvn',
  'log',
  'account',
  'log',
  'account',
  'sign',
  'today',
  'account',
  'dashboard',
  'profile',
  'item',
  'oh',
  'ohio',
  'west',
  'virginia',
  'storm',
  'damage',
  'oh',
  'power',
  'restoration',
  'effort',
  'damage',
  'assessment',
  'weather',
  'red',
  'flag',
  'warning',
  'effect',
  'noon',
  'today',
  'pm',
  'pdt',
  'evening',
  'gusty',
  'wind',
  'low',
  'humidity',
  'desert',
  'northeast',
  'california',
  'portions',
  'northwest',
  'nevada',
  'national',
  'weather',
  'service',
  'reno',
  'red',
  'flag',
  'warning',
  'wind',
  'humidity',
  'effect',
  'noon',
  'today',
  'pm',
  'pdt',
  'evening',
  'fire',
  'weather',
  'watch',
  'effect',
  'changes',
  'fire',
  'weather',
  'watch',
  'red',
  'flag',
  'warning',
  'area',
  'fire',
  'weather',
  'zone',
  'surprise',
  'valley',
  'california',
  'fire',
  'weather',
  'zone',
  'eastern',
  'lassen',
  'county',
  'fire',
  'weather',
  'zone',
  'northern',
  'sierra',
  'carson',
  'city',
  'douglas',
  'storey',
  'southern',
  'washoe',
  'western',
  'lyon',
  'far',
  'southern',
  'lassen',
  'counties',
  'fire',
  'weather',
  'zone',
  'west',
  'humboldt',
  'basin',
  'pershing',
  'county',
  'fire',
  'weather',
  'zone',
  'northern',
  'washoe',
  'county',
  'wind',
  'southwest',
  'mph',
  'gust',
  'mph',
  'ridgelines',
  'gust',
  'mph',
  'impact',
  'combination',
  'wind',
  'humidity',
  'fire',
  'size',
  'intensity',
  'responder',
  'activity',
  'spark',
  'vegetation',
  'yard',
  'work',
  'target',
  'shooting',
  'campfire',
  'fire',
  'restriction',
  'update',
  'livingwithfire.info',
  'preparedness',
  'tip',
  'wind',
  'advisory',
  'effect',
  'noon',
  'pm',
  'pdt',
  'wednesday',
  'southwest',
  'wind',
  'mph',
  'gust',
  'mph',
  'wave',
  'height',
  'pyramid',
  'lake',
  'foot',
  'washoe',
  'pyramid',
  'lahontan',
  'rye',
  'patch',
  'noon',
  'pm',
  'pdt',
  'wednesday',
  'impact',
  'boat',
  'kayak',
  'paddle',
  'board',
  'lake',
  'water',
  'condition',
  'lake',
  'condition',
  'increase',
  'wind',
  'wave',
  'height',
  'activity',
  'lake',
  'day',
  'wind',
  'news',
  'community',
  'nevada',
  'congressman',
  'heat',
  'protections',
  'worker',
  'city',
  'reno',
  'wolf',
  'pack',
  'fridays',
  'wcsd',
  'sex',
  'ed',
  'curriculum',
  'reno',
  'place',
  'study',
  'step',
  'copy',
  'news',
  'story',
  'info',
  'energy',
  'way',
  'reno',
  'nv',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'blox',
  'content',
  'management',
  'system',
  'blox',
  'digital',
  'minute',
  'news',
  'device'],
 ['accessibility',
  'contentdemocracy',
  'darknesssign',
  'inthe',
  'washington',
  'postdemocracy',
  'darknessweatherclimate',
  'extreme',
  'weather',
  'capital',
  'weather',
  'gang',
  'environment',
  'climate',
  'lab',
  'weatherclimate',
  'extreme',
  'weather',
  'capital',
  'weather',
  'gang',
  'environment',
  'climate',
  'lab',
  'heat',
  'wave',
  'phoenix',
  'southwest',
  'everit',
  'heat',
  'record',
  'risk',
  'week',
  'ian',
  'livingstonupdated',
  'july',
  'p.m.',
  'july',
  'p.m.',
  'edta',
  'woman',
  'bicycle',
  'grand',
  'canal',
  'day',
  'phoenix',
  'thursday',
  'dario',
  'lopez',
  'mills',
  'ap)listen6',
  'mincomment',
  'storycommentgift',
  'articlesharethe',
  'southwest',
  'united',
  'states',
  'heat',
  'wave',
  'history',
  'intensity',
  'longevity',
  'heat',
  'wave',
  'arizona',
  'new',
  'mexico',
  'california',
  'half',
  'week',
  'national',
  'weather',
  'service',
  'office',
  'phoenix',
  'heat',
  'wave',
  'area',
  'experience',
  'planarrowrightwhile',
  'region',
  'week',
  'heat',
  'computer',
  'model',
  'weather',
  'day',
  'future',
  'end',
  'heat',
  'wave',
  'weather',
  'service',
  'discussion',
  'duration',
  'heat',
  'wave',
  'summer',
  'region',
  'las',
  'vegas',
  'june',
  'record',
  'streak',
  'century',
  'mark',
  'heat',
  'day',
  'phoenix',
  'degree',
  'thursday',
  'fourth',
  'july',
  'temperature',
  'death',
  'valley',
  'calif.',
  'week',
  'advertisementskip',
  'carouselhow',
  'heat',
  'risk',
  'you?(the',
  'washington',
  'post)we’re',
  'heat',
  'wave',
  'united',
  'states',
  'city',
  'heat',
  'risk',
  'end',
  'carouselan',
  'heat',
  'warning',
  'place',
  'july',
  'arizona',
  'phoenix',
  'tucson',
  'addition',
  'week',
  'day',
  'heat',
  'temperature',
  'night',
  'relief',
  'health',
  'risk',
  'access',
  'air',
  'conditioning',
  'life',
  'heat',
  'condition',
  'week',
  'heat',
  'precaution',
  'heat',
  'illness',
  'weather',
  'service',
  'heat',
  'humidity',
  'july',
  'region',
  'temperature',
  'wildfire',
  'risk',
  'land',
  'surface',
  'flag',
  'warning',
  'fire',
  'danger',
  'arizona',
  'corners',
  'region',
  'concern',
  'potential',
  'blaze',
  'land',
  'record',
  'heat',
  'florida',
  'heat',
  'worsttucson',
  'phoenix',
  'mesa',
  'arizona',
  'city',
  'lower',
  'state',
  'washington',
  'post',
  'heat',
  'tracker',
  'digit',
  'temperature',
  'phoenix',
  'day',
  'future',
  'degree',
  'heat',
  'half',
  'week',
  'phoenix',
  'tuesday',
  'rest',
  'week',
  'temperature',
  'region',
  'weather',
  'service',
  'phoenix',
  'day',
  'history',
  'degree',
  'day',
  'june',
  'degree',
  'forecast',
  'degree',
  'wednesday',
  'weather',
  'service',
  'computer',
  'model',
  'possibility',
  'degree',
  'temperature',
  'area',
  'north',
  'temperature',
  'las',
  'vegas',
  'degree',
  'middle',
  'week',
  'degree',
  'death',
  'valley',
  'weather',
  'service',
  'office',
  'las',
  'vegas',
  'temperature',
  'degree',
  'southern',
  'california',
  'desert',
  'week',
  'central',
  'valley',
  'level',
  'heat',
  'half',
  'new',
  'mexico',
  'mexico',
  'terrain',
  'sierra',
  'nevada',
  'weather',
  'remnant',
  'record',
  'winter',
  'snowpack',
  'flooding',
  'heat',
  'region',
  'start',
  'monsoon',
  'season',
  'june',
  'sept.',
  'monsoon',
  'moisture',
  'cloud',
  'storm',
  'southwest',
  'cap',
  'temperature',
  'mid',
  '-',
  'july',
  'record',
  'record',
  'temperature',
  'streak',
  'weather',
  'week',
  'advertisementphoenix',
  'degree',
  'day',
  'row',
  'record',
  'day',
  'june',
  'number',
  'tucson',
  'calendar',
  'day',
  'record',
  'high',
  'period',
  'degree',
  'middle',
  'week',
  'phoenix',
  'calendar',
  'day',
  'record',
  'wednesday',
  'high',
  'record',
  'degree',
  'low',
  'degree',
  'record',
  'night',
  'week',
  'death',
  'valley',
  'degree',
  'wednesday',
  'degree',
  'july',
  '2.imperial',
  'calif.',
  'mexico',
  'border',
  'degree',
  'wednesday',
  'streak',
  'record',
  'record',
  'half',
  'week',
  'heat',
  'coverage',
  'intensity',
  'record',
  'heat',
  'region',
  'los',
  'angeles',
  'albuquerque',
  'july',
  'weather',
  'record',
  'temperature',
  'video',
  'john',
  'farrell',
  'washington',
  'end',
  'sight',
  'heat',
  'wave',
  'heat',
  'dome',
  'region',
  'limit',
  'forecast',
  'heat',
  'wave',
  'monsoon',
  'season',
  'forecaster',
  'near-',
  'monsoon',
  'season',
  'year',
  'time',
  'year',
  'arizona',
  'june',
  'july',
  'graph',
  'day',
  'degree',
  'phoenix',
  'july',
  'august',
  'cloud',
  'rain',
  'monsoon',
  'heat',
  'humidity',
  'monsoon',
  'season',
  'phoenix',
  'weather',
  'mid',
  '-',
  'july',
  'day',
  'record',
  'high',
  'degree',
  'caveat',
  'course',
  'norm',
  'climate',
  'jason',
  'samenow',
  'report',
  'warming',
  'climate',
  'u.s.',
  'summer',
  'week',
  'july',
  'earth',
  'month',
  'record',
  'heat',
  'wave',
  'earth',
  'spot',
  'heat',
  'limit',
  'survival',
  'tracker',
  'city',
  'heat',
  'risk',
  'look',
  'heat',
  'body',
  'heat',
  'guide',
  'heat',
  'wave',
  'tip',
  'air',
  'conditioning',
  'animal',
  'safety',
  'heat',
  'heat',
  'wave',
  'science',
  'zone',
  'pressure',
  'heat',
  'dome',
  'fuel',
  'heat',
  'wave',
  'link',
  'weather',
  'disaster',
  'climate',
  'change',
  'leader',
  'u.s.',
  'europe',
  'heat',
  'commentsgift',
  'articlegift',
  'articleloading',
  'view',
  'moretop',
  'news',
  'weather',
  'sport',
  'event',
  'restaurant',
  'morenational',
  'streak',
  'patrick',
  'corbin',
  'player',
  'start',
  'josh',
  'harris',
  'commanders',
  'tenurein',
  'harrisburg',
  'nationals',
  'prospect',
  'account',
  'post',
  'newsroom',
  'policies',
  'standards',
  'diversity',
  'inclusion',
  'careers',
  'media',
  'community',
  'relations',
  'wp',
  'creative',
  'group',
  'accessibility',
  'statement',
  'postgift',
  'subscriptions',
  'mobile',
  'apps',
  'newsletters',
  'alerts',
  'washington',
  'post',
  'live',
  'reprints',
  'permissions',
  'post',
  'store',
  'books',
  'e',
  '-',
  'book',
  'newspaper',
  'education',
  'print',
  'archives',
  'subscribers',
  'today',
  'paper',
  'public',
  'notices',
  'contact',
  'uscontact',
  'newsroom',
  'contact',
  'customer',
  'care',
  'contact',
  'opinions',
  'team',
  'advertise',
  'licensing',
  'syndication',
  'request',
  'correction',
  'news',
  'tip',
  'report',
  'vulnerability',
  'terms',
  'usedigital',
  'products',
  'terms',
  'sale',
  'print',
  'products',
  'term',
  'sale',
  'terms',
  'service',
  'privacy',
  'policy',
  'cookie',
  'settings',
  'submissions',
  'discussion',
  'policy',
  'rss',
  'terms',
  'service',
  'ad',
  'choices',
  'washington',
  'postwashingtonpost.com',
  'washington',
  'postabout',
  'post',
  'contact',
  'newsroom',
  'contact',
  'customer',
  'care',
  'request',
  'correction',
  'news',
  'tip',
  'report',
  'vulnerability',
  'download',
  'washington',
  'post',
  'app',
  'policies',
  'standards',
  'terms',
  'service',
  'privacy',
  'policy',
  'cookie',
  'settings',
  'print',
  'products',
  'terms',
  'sale',
  'digital',
  'products',
  'terms',
  'sale',
  'submissions',
  'discussion',
  'policy',
  'rss',
  'terms',
  'service',
  'ad',
  'choice'],
 ['weather',
  'time',
  'year',
  'vacation',
  'article',
  'utah',
  'weather',
  'winter',
  'time',
  'year',
  'place',
  'utah',
  'winter',
  'weather',
  'temperature',
  'thing',
  'weather',
  'temperature',
  'southern',
  'utah',
  'elevation',
  'snow',
  'temperature',
  'elevation',
  'degree',
  'lot',
  'place',
  'utah',
  'winter',
  'snow',
  'sport',
  'skiing',
  'snowshoeing',
  'activity',
  'hiking',
  'biking',
  'national',
  'state',
  'parks',
  'state',
  'utah',
  'packing',
  'list',
  'clothing',
  'gear',
  'winter',
  'jacket',
  'hat',
  'glove',
  'packing',
  'checklist',
  'image',
  'link',
  'site',
  'affiliate',
  'link',
  'link',
  'commission',
  'cost',
  'disclosure',
  'policy',
  'photo',
  'tour',
  'utah',
  'national',
  'parks',
  'tour',
  'utah',
  'national',
  'parks',
  'landscape',
  'utah',
  'weather',
  'winter',
  'weather',
  'temperature',
  'utah',
  'winter',
  'month',
  'december',
  'january',
  'february',
  'month',
  'location',
  'state',
  'winter',
  'offseason',
  'utah',
  'national',
  'parks',
  'time',
  'crowd',
  'heat',
  'time',
  'year',
  'mind',
  'service',
  'operating',
  'hour',
  'attention',
  'road',
  'weather',
  'condition',
  'utah',
  'winter',
  'utah',
  'weather',
  'december',
  'utah',
  'december',
  'weather',
  'temperature',
  'time',
  'snow',
  'storm',
  'temperature',
  'northern',
  'utah',
  'salt',
  'lake',
  'city',
  'degree',
  'f.',
  'temperature',
  'southern',
  'utah',
  'st.',
  'george',
  'degree',
  'f.',
  'northern',
  'utah',
  'snowfall',
  'december',
  'salt',
  'lake',
  'city',
  'day',
  'inch',
  'logan',
  'day',
  'inch',
  'provo',
  'day',
  'inch',
  'alta',
  'day',
  'inch',
  'park',
  'city',
  'day',
  'inch',
  'southern',
  'utah',
  'snowfall',
  'december',
  'moab',
  'arches',
  'canyonlands',
  'day',
  'inch',
  'bryce',
  'canyon',
  'day',
  'inch',
  'capitol',
  'reef',
  'day',
  'inch',
  'cedar',
  'city',
  'day',
  'inch',
  'zion',
  'day',
  'inch',
  'st.',
  'george',
  'day',
  'inch',
  'utah',
  'weather',
  'january',
  'temperature',
  'snow',
  'utah',
  'january',
  'north',
  'winter',
  'activity',
  'snow',
  'skiing',
  'snowshoeing',
  'snowmobiling',
  'south',
  'activity',
  'hiking',
  'biking',
  'time',
  'weather',
  'temperature',
  'temperature',
  'northern',
  'utah',
  'salt',
  'lake',
  'city',
  'degree',
  'f.',
  'temperature',
  'southern',
  'utah',
  'st.',
  'george',
  'degree',
  'f.',
  'northern',
  'utah',
  'snowfall',
  'january',
  'salt',
  'lake',
  'city',
  'day',
  'inch',
  'logan',
  'day',
  'inch',
  'provo',
  'day',
  'inch',
  'alta',
  'day',
  'inch',
  'park',
  'city',
  'day',
  'inch',
  'southern',
  'utah',
  'snowfall',
  'january',
  'moab',
  'arches',
  'canyonlands',
  'day',
  'inch',
  'bryce',
  'canyon',
  'day',
  'inch',
  'capitol',
  'reef',
  'day',
  'inch',
  'cedar',
  'city',
  'day',
  'inch',
  'zion',
  'day',
  'inch',
  'st.',
  'george',
  'day',
  'inch',
  'utah',
  'weather',
  'february',
  'weather',
  'utah',
  'february',
  'january',
  'temperature',
  'northern',
  'utah',
  'salt',
  'lake',
  'city',
  'degree',
  'f.',
  'temperature',
  'southern',
  'utah',
  'st.',
  'george',
  'degree',
  'f.',
  'northern',
  'utah',
  'snowfall',
  'february',
  'salt',
  'lake',
  'city',
  'day',
  'inch',
  'logan',
  'day',
  'inch',
  'provo',
  'day',
  'inch',
  'alta',
  'day',
  'inch',
  'park',
  'city',
  'day',
  'inch',
  'southern',
  'utah',
  'snowfall',
  'february',
  'moab',
  'arches',
  'canyonlands',
  'day',
  'inch',
  'bryce',
  'canyon',
  'day',
  'inch',
  'capitol',
  'reef',
  'day',
  'inch',
  'cedar',
  'city',
  'day',
  'inch',
  'zion',
  'day',
  'inch',
  'st.',
  'george',
  'day',
  'inch',
  'turret',
  'arch',
  'snow',
  'utah',
  'national',
  'parks',
  'winter',
  'weather',
  'weather',
  'forecast',
  'temperature',
  'utah',
  'national',
  'parks',
  'winter',
  'arches',
  'national',
  'park',
  'winter',
  'weather',
  'temperature',
  'arches',
  'national',
  'park',
  'winter',
  'season',
  'weather',
  'activity',
  'winter',
  'time',
  'crowd',
  'winter',
  'weather',
  'arch',
  'december',
  'high',
  '',
  '',
  'degree',
  'f',
  'arches',
  'january',
  'high',
  '',
  '',
  'degree',
  'f',
  'arches',
  'february',
  'high',
  '',
  '',
  'degree',
  'f',
  'arches',
  'national',
  'park',
  'photography',
  'winter',
  'photographer',
  'glove',
  'rechargeable',
  'hand',
  'warmer',
  'bryce',
  'canyon',
  'winter',
  'bryce',
  'canyon',
  'national',
  'park',
  'winter',
  'weather',
  'elevation',
  'bryce',
  'canyon',
  'winter',
  'crowd',
  'park',
  'beauty',
  'snow',
  'red',
  'orange',
  'hoodoo',
  'bryce',
  'canyon',
  'december',
  'high',
  'degree',
  'f',
  '',
  '',
  'degree',
  'f',
  'bryce',
  'canyon',
  'january',
  'high',
  'degree',
  'f',
  '',
  '',
  'degree',
  'f',
  'bryce',
  'canyon',
  'february',
  'high',
  'degree',
  'f',
  '',
  '',
  'degree',
  'f',
  'temperature',
  'winter',
  'clothe',
  'gear',
  'trip',
  'bryce',
  'canyon',
  'winter',
  'month',
  'snow',
  'activity',
  'snowshoeing',
  'sledding',
  'skiing',
  'bryce',
  'canyon',
  'winter',
  'month',
  'canyonland',
  'winter',
  'canyonlands',
  'national',
  'park',
  'winter',
  'weather',
  'canyonlands',
  'national',
  'park',
  'winter',
  'drawback',
  'mind',
  'visitor',
  'service',
  'self',
  'winter',
  'winter',
  'weather',
  'canyonland',
  'december',
  'high',
  '',
  '',
  'degree',
  'f',
  'canyonlands',
  'january',
  'high',
  '',
  '',
  'degree',
  'f',
  'canyonlands',
  'february',
  'high',
  '',
  '',
  'degree',
  'f',
  'road',
  'snow',
  'storm',
  'canyonlands',
  'island',
  'sky',
  'needles',
  'canyonlands',
  'website',
  'condition',
  'capitol',
  'reef',
  'drive',
  'capitol',
  'reef',
  'national',
  'park',
  'winter',
  'weather',
  'temperature',
  'capitol',
  'reef',
  'national',
  'park',
  'winter',
  'season',
  'weather',
  'activity',
  'winter',
  'time',
  'crowd',
  'capitol',
  'reef',
  'december',
  'high',
  'degree',
  'f',
  'capitol',
  'reef',
  'january',
  'high',
  'degree',
  'f',
  'capitol',
  'reef',
  'february',
  'high',
  '',
  '',
  'degree',
  'f',
  'capitol',
  'reef',
  'national',
  'park',
  'weather',
  'year',
  'round',
  'hydration',
  'pack',
  'water',
  'bottle',
  'backpack',
  'sun',
  'sunscreen',
  'lip',
  'uv',
  'protection',
  'winter',
  'hiking',
  'zion',
  'zion',
  'national',
  'park',
  'winter',
  'weather',
  'temperature',
  'zion',
  'national',
  'park',
  'winter',
  'season',
  'weather',
  'activity',
  'winter',
  'time',
  'crowd',
  'zion',
  'december',
  'high',
  'degree',
  'f',
  'zion',
  'january',
  'high',
  '',
  '',
  'degree',
  'f',
  'zion',
  'february',
  'high',
  '',
  '',
  'degree',
  'f',
  'winter',
  'zion',
  'national',
  'park',
  'shuttle',
  'car',
  'zion',
  'canyon',
  'exception',
  'week',
  'christmas',
  'new',
  'year',
  'day',
  'december',
  'mlk',
  'weekend',
  'january',
  'president',
  'weekend',
  'february',
  'utah',
  'winter',
  'weather',
  'winter',
  'clothing',
  'essential',
  'base',
  'layer',
  'fleece',
  'jacket',
  'jacket',
  'wool',
  'hat',
  'winter',
  'glove',
  'boot',
  'traction',
  'device',
  'place',
  'utah',
  'coolest',
  'hotels',
  'utahplaces',
  'near',
  'arches',
  'national',
  'parkbryce',
  'canyon',
  'places',
  'staywhere',
  'near',
  'canyonlandsplaces',
  'capitol',
  'reef',
  'national',
  'parkplaces',
  'zion',
  'national',
  'park',
  'utah',
  'bucket',
  'list',
  'trip',
  'list',
  'activity',
  'utah',
  'bucket',
  'list',
  'thing',
  'state',
  'download',
  'graphic',
  'post',
  'tag',
  'utah',
  'weather',
  'december',
  'utah',
  'weather',
  'february',
  'utah',
  'weather',
  'january',
  'utah',
  'winter',
  'utah',
  'winter',
  'weather',
  'utah',
  'post',
  'navigation',
  'previoustravel',
  'guide',
  'visiting',
  'monument',
  'valleynextcontinue',
  'frame',
  'photo',
  'ideas',
  'landscape',
  'photography',
  'utah',
  'national',
  'parks',
  'fall',
  'list',
  'moab',
  'utah',
  'hiking',
  'trails',
  'utah',
  'national',
  'parks',
  'september',
  'thing',
  'photograph',
  'travel',
  'guide',
  'visiting',
  'utah',
  'december',
  'reply',
  'cancel',
  'email',
  'address',
  'field',
  'comment',
  '*',
  'email',
  'website',
  'dave',
  'jamie',
  'husband',
  'wife',
  'team',
  'salt',
  'lake',
  'city',
  'utah',
  'travel',
  'photography',
  'hand',
  'hand',
  'site',
  'adventure',
  'wow',
  'photo',
  'camera',
  'picture',
  'memory',
  'photo',
  'jeepers',
  'participant',
  'affiliate',
  'program',
  'amazon',
  'associate',
  'site',
  'purchase',
  'site',
  'privacy',
  'disclosure',
  'policy',
  'cart',
  'shop',
  'home',
  'national',
  'parks',
  'travel',
  'destinations',
  'travel',
  'photography',
  'resources',
  'travel',
  'tips',
  'resources',
  'shopexpand',
  'child'],
 ['cart',
  'checkout',
  'aresamaritan',
  'purseabout',
  'samaritan',
  'pursehistorystatement',
  'faithcomfort',
  'wake',
  'stormboard',
  'directors',
  'key',
  'employeesworldwide',
  'officesfinancial',
  'accountabilitymedia',
  'resourceslegal',
  'permissionscontact',
  'usfranklin',
  'grahamfranklin',
  'grahamfestivalsbiographybibliography',
  'doministry',
  'projectsinternational',
  'crisis',
  'responseoperation',
  'christmas',
  'childthe',
  'greatest',
  'journeyu.s.',
  'disaster',
  'reliefworld',
  'medical',
  'missiongreta',
  'home',
  'academychildren',
  'heart',
  'projectoperation',
  'heal',
  'patriots',
  'crisis',
  'responseu.s.',
  'disaster',
  'reliefoperation',
  'christmas',
  'childoperation',
  'patriotsmedical',
  'ministriesdiscipleship',
  'educationanimals',
  'agricultureconstruction',
  'projectswater',
  'hygienewomen',
  'childrenfeeding',
  'programs',
  'involvedvolunteeru.s.',
  'disaster',
  'reliefconstructionoperation',
  'christmas',
  'childworld',
  'medical',
  'missionemploymentcareer',
  'opportunitiesoperation',
  'christmas',
  'child',
  'processing',
  'center',
  'seasonaldisaster',
  'assistance',
  'response',
  'team',
  'dart)internship',
  'programapprenticeship',
  'programpost',
  'residency',
  'programpartner',
  'uschurch',
  'connectionscreate',
  'fundraising',
  'page',
  '†',
  'gift',
  'mail',
  'samaritan',
  'purse',
  'po',
  'box',
  'boone',
  'nc',
  'gift',
  'catalogrecurring',
  'donationssupport',
  'physicianbookssolicitation',
  'disclosureiras',
  'stocks',
  'willsdonor',
  'fundsmemorial',
  'givingworkplace',
  'givingmatching',
  'cash',
  'givingcryptocurrency',
  'donation',
  'total',
  'samaritan',
  'purse',
  'responds',
  'storm',
  'marked',
  'tree',
  'arkansasjune',
  'united',
  'states',
  'disaster',
  'relief',
  'unit',
  'marked',
  'tree',
  'arkansas',
  'samaritan',
  'purse',
  'jesus',
  'storm',
  'marked',
  'tree',
  'arkansas',
  'corner',
  'state',
  'u.s.',
  'disaster',
  'relief',
  'marked',
  'tree',
  'community',
  'tree',
  'debris',
  'damage',
  'power',
  'temperature',
  'digit',
  'samaritan',
  'purse',
  'disaster',
  'relief',
  'unit',
  'tractor',
  'trailer',
  'relief',
  'equipment',
  'supply',
  'volunteer',
  'team',
  'homeowner',
  'tree',
  'debris',
  'removal',
  'baptist',
  'church',
  'marked',
  'tree',
  'host',
  'church',
  'response',
  'arkansas',
  'family',
  'storm',
  'help',
  'volunteering',
  'hand',
  'foot',
  'jesus',
  'christ',
  'arkansas',
  'volunteer',
  'arkansas',
  'work',
  'marked',
  'tree',
  'response',
  'tulsa',
  'county',
  'oklahoma',
  'homeowner',
  'storm',
  'samaritan',
  'purse',
  'volunteer',
  'staff',
  'jesus',
  'u.s.',
  'disaster',
  'relief',
  'samaritan',
  'purse',
  'thousand',
  'volunteer',
  'emergency',
  'aid',
  'u.s.',
  'victim',
  'wildfire',
  'flood',
  'tornado',
  'hurricane',
  'disaster',
  'aftermath',
  'storm',
  'house',
  'people',
  'help',
  'u.s.',
  'disaster',
  'relief',
  'checkout',
  'u.s.',
  'disaster',
  'relief',
  'new',
  'home',
  'strengthened',
  'faith',
  'tornado',
  'community',
  'mississippi',
  'samaritan',
  'purse',
  'u.s.',
  'disaster',
  'relief',
  'edward',
  'graham',
  'new',
  'yorkers',
  'army',
  'ranger',
  'wife',
  'kristy',
  'homeowner',
  'samaritan',
  'u.s.',
  'disaster',
  'relief',
  'sharing',
  'hope',
  'christ',
  'vermont',
  'homeowners',
  'gospel',
  'jesus',
  'christ',
  'life',
  'vermont',
  'samaritan',
  'purse',
  'samaritan',
  'purse',
  'staff',
  'equipment',
  'thousand',
  'volunteer',
  'emergency',
  'aid',
  'victim',
  'tornado',
  'hurricane',
  'wildfire',
  'flood',
  'disaster',
  'united',
  'states',
  'response',
  'house',
  'family',
  'storiessharing',
  'hope',
  'christ',
  'vermont',
  'homeowners',
  'floodingrestoring',
  'families',
  'futures',
  'new',
  'livelihoodsresponding',
  'new',
  'york',
  'vermontstarting',
  'overedward',
  'graham',
  'mike',
  'pence',
  'samaritan',
  'purse',
  'work',
  'ukraine',
  'copyright',
  'samaritan',
  'purse',
  'right',
  'samaritan',
  'purse',
  'po',
  'box',
  'boone',
  'nc',
  'solicitation',
  'disclosure',
  'privacy',
  'policy',
  'opt',
  'advertising',
  'statement',
  'faith',
  'mission',
  'statement',
  'employment',
  'franklin',
  'graham',
  'worldwide',
  'offices',
  'contact',
  'samaritan',
  'purse',
  'tax',
  'charity',
  'contribution',
  'project',
  'project',
  'percent',
  'gift',
  'contribution',
  'project',
  'project',
  'fund',
  'need',
  'sign',
  'email',
  'update',
  'work',
  'samaritan',
  'purse',
  'prayer',
  'alert',
  'volunteer',
  'opportunity',
  'family',
  'copy',
  'god',
  'word',
  'bible',
  'literature',
  'family',
  'need',
  'christmas',
  'catalog',
  'child',
  'greatest',
  'journey',
  'lesson',
  'book',
  'bible',
  'boy',
  'girl',
  'discipleship',
  'program',
  'samaritan',
  'purse',
  'website',
  'samaritan',
  'purse',
  'united',
  'states',
  'affiliate',
  'site',
  'samaritan',
  'purse',
  'australia',
  'new',
  'zealand',
  'samaritan',
  'purse',
  'canada',
  'samaritan',
  'purse',
  'germany',
  'samaritan',
  'purse',
  'korea',
  'samaritan',
  'purse',
  'united',
  'kingdom'],
 ['site',
  'theme',
  'toggle',
  'switch',
  'light',
  'mode',
  'site',
  'theme',
  'toggle',
  'switch',
  'light',
  'mode',
  'tv',
  'programs',
  'global',
  'nationalwest',
  'blockthe',
  'morning',
  'showvideo',
  'centremore',
  'page',
  'email',
  'heavy',
  'snow',
  'flight',
  'storm',
  'u.s.',
  'trouble',
  'midwest',
  'northeast',
  'official',
  'north',
  'dakota',
  'south',
  'dakota',
  'minnesota',
  'iowa',
  'people',
  'saturday',
  'canadian',
  'europe',
  'permit',
  'visa',
  'singer',
  'sinéad',
  'o’connor',
  'pest',
  'mouse',
  'video',
  'tim',
  'hortons',
  'ontario',
  'mummified',
  'body',
  'rockies',
  'family',
  'grid',
  'justin',
  'trudeau',
  'cabinet',
  'dwayne',
  'rock',
  'johnson',
  'figure',
  'donation',
  'actor',
  'westjet',
  'airline',
  'ticket',
  'europe',
  'trudeau',
  'cabinet',
  'shuffle',
  'preview',
  'bronny',
  'james',
  'son',
  'nba',
  'star',
  'lebron',
  'james',
  'arrest',
  'workout',
  'obamas',
  'chef',
  'martha',
  'vineyard',
  'pond',
  'trudeau',
  'energy',
  'cabinet',
  'paris',
  'olympics',
  'organizer',
  'heat',
  'athlete',
  'staff',
  'canadian',
  'europe',
  'permit',
  'visa',
  'singer',
  'sinéad',
  'o’connor',
  'pest',
  'mouse',
  'video',
  'tim',
  'hortons',
  'ontario',
  'mummified',
  'body',
  'rockies',
  'family',
  'grid',
  'justin',
  'trudeau',
  'cabinet',
  'dwayne',
  'rock',
  'johnson',
  'figure',
  'donation',
  'actor',
  'westjet',
  'airline',
  'ticket',
  'europe',
  'trudeau',
  'cabinet',
  'shuffle',
  'preview',
  'bronny',
  'james',
  'son',
  'nba',
  'star',
  'lebron',
  'james',
  'arrest',
  'workout',
  'obamas',
  'chef',
  'martha',
  'vineyard',
  'pond',
  'trudeau',
  'energy',
  'cabinet',
  'paris',
  'olympics',
  'organizer',
  'heat',
  'athlete',
  'staff',
  'aboutprinciples',
  'practicesbranded',
  'contentcontact',
  'homeadvertiser',
  'election',
  'registryglobal',
  'news',
  'licensing',
  'requests',
  'privacy',
  'policycopyrightterm',
  'standards',
  'termscorus',
  'entertainmentaccessibility'],
 ['accessibility',
  'link',
  'content',
  'keyboard',
  'shortcut',
  'player',
  'books',
  'movies',
  'television',
  'pop',
  'culture',
  'food',
  'art',
  'design',
  'performing',
  'arts',
  'life',
  'kit',
  'gaming',
  'podcasts',
  'shows',
  'expand',
  'collapse',
  'submenu',
  'podcast',
  "nor'easter",
  'snow',
  'new',
  'york',
  'massachusetts',
  'vermont',
  'new',
  'hampshire',
  'outage',
  'new',
  'hampshire',
  'new',
  'york',
  'vermont',
  'massachusetts',
  'storm',
  'snow',
  'week',
  'day',
  'spring',
  'storm',
  'havoc',
  'u.s.',
  'coast',
  "nor'easter",
  'new',
  'england',
  'march',
  'et',
  'march',
  'pm',
  'et',
  'traffic',
  'snow',
  'route',
  'south',
  'londonderry',
  'n.h.',
  'tuesday',
  'storm',
  'wednesday',
  'plow',
  'traffic',
  'snow',
  'route',
  'south',
  'londonderry',
  'n.h.',
  'tuesday',
  'storm',
  'wednesday',
  'state',
  'storm',
  'foot',
  'snow',
  'place',
  'quarter',
  'customer',
  'power',
  'tuesday',
  'evening',
  'storm',
  'northeast',
  'weather',
  'system',
  'u.s.',
  'coast',
  'california',
  'rain',
  'tuesday',
  'quarter',
  'customer',
  'power',
  'state',
  'forecaster',
  "nor'easter",
  'season',
  'wednesday',
  'morning',
  'meantime',
  'million',
  'people',
  'region',
  'winter',
  'alert',
  'p.m.',
  'et',
  'national',
  'weather',
  'service',
  'rate',
  'snowfall',
  'area',
  'hour',
  'inch',
  'inch',
  'hour',
  'combination',
  'wind',
  'nature',
  'snow',
  'power',
  'outage',
  'tree',
  'damage',
  'tuesday',
  'winter',
  'key',
  'messages',
  'update',
  "nor'easter",
  'gulf',
  'maine',
  'tonight',
  'pic.twitter.com/g5ombghmsl',
  'nws',
  'weather',
  'prediction',
  'center',
  '@nwswpc',
  'march',
  'new',
  'york',
  'new',
  'england',
  'snowfall',
  'inch',
  'nws',
  'power',
  'outage',
  'high',
  'household',
  'new',
  'york',
  'massachusetts',
  'new',
  'hampshire',
  'vermont',
  'maine',
  'connecticut',
  'pennsylvania',
  'tuesday',
  'afternoon',
  'poweroutage',
  'company',
  'service',
  'p.m.',
  'household',
  'dark',
  'town',
  'marlboro',
  'vt',
  '.',
  'colrain',
  'mass.',
  'moriah',
  'n.y.',
  'stony',
  'creek',
  'n.y.',
  'palenville',
  'n.y.',
  'foot',
  'snow',
  'tuesday',
  'night',
  'a.m.',
  'et',
  'windsor',
  'mass.',
  'inch',
  'snow',
  'national',
  'weather',
  'service',
  'office',
  'albany',
  'n.y.',
  'p.m.',
  'et',
  'total',
  'electricity',
  'customer',
  'snowfall',
  'total',
  'inch',
  'portion',
  'new',
  'england',
  'upstate',
  'new',
  'york',
  'national',
  'weather',
  'service',
  'inch',
  'snow',
  'area',
  'weather',
  'california',
  'river',
  'flood',
  'winter',
  'storm',
  'effect',
  'mph',
  'wind',
  'gust',
  'flooding',
  'snow',
  'forecaster',
  'snow',
  'northeast',
  'storm',
  'thing',
  'skier',
  'npr',
  'tovia',
  'smith',
  'mount',
  'snow',
  'vermont',
  'foot',
  'wind',
  'chair',
  'precipitation',
  'monday',
  'tuesday',
  'area',
  'rain',
  'snow',
  'road',
  'condition',
  'foot',
  'snow',
  'new',
  'hampshire',
  'hillsborough',
  'county',
  'inch',
  'francestown',
  'nws',
  'office',
  'portland',
  'maine',
  'beth',
  'reilly',
  'background',
  'ski',
  'child',
  'noah',
  'middle',
  'annelies',
  'snowstorm',
  'waterbury',
  'vt',
  '.',
  'tuesday',
  'beth',
  'reilly',
  'background',
  'ski',
  'child',
  'noah',
  'middle',
  'annelies',
  'snowstorm',
  'waterbury',
  'vt',
  '.',
  'tuesday',
  'tuesday',
  'night',
  'nws',
  'snow',
  'rate',
  'inch',
  'hour',
  'wind',
  'massachusetts',
  'state',
  'speed',
  'limit',
  'mph',
  'stretch',
  'interstate',
  'piece',
  'equipment',
  'snow',
  'ice',
  'state',
  'storm',
  'disruption',
  'snow',
  'power',
  'outage',
  'day',
  'maine',
  'public',
  'radio',
  'john',
  'palmer',
  'national',
  'weather',
  'service',
  'office',
  'gray',
  'tree',
  'limb',
  'weight',
  'wind',
  'palmer',
  'people',
  'power',
  'water',
  'outage',
  'precaution',
  'bathtub',
  'water',
  'toilet',
  'container',
  'drinking',
  'water',
  'connecticut',
  'public',
  'radio',
  'people',
  'battery',
  'candle',
  'match',
  'hand',
  'flashlight',
  'radio',
  'plot',
  'snowfall',
  'report',
  'hour',
  'elevation',
  'report',
  'link',
  'report',
  'https://t.co/nvgeslome0',
  'pic.twitter.com/to3afi4jbn',
  'nws',
  'boston',
  '@nwsboston',
  'march',
  'new',
  'york',
  'state',
  'emergency',
  'gov.',
  'kathy',
  'hochul',
  'emergency',
  'team',
  'place',
  'storm',
  'national',
  'guard',
  'aid',
  'recovery',
  'new',
  'yorkers',
  'duration',
  "nor'easter",
  'syracuse',
  'delta',
  'jet',
  'syracuse',
  'hancock',
  'international',
  'airport',
  'a.m.',
  'et',
  'flight',
  'la',
  'guardia',
  'taxiway',
  'ground',
  'member',
  'station',
  'wrvo',
  'plane',
  'passenger',
  'luggage',
  'terminal',
  'airport',
  'dozen',
  'flight',
  "nor'easter",
  'storm',
  'northeast',
  'u.s.',
  'tuesday',
  'foot',
  'snow',
  'area',
  "nor'easter",
  'storm',
  'northeast',
  'u.s.',
  'tuesday',
  'foot',
  'snow',
  'area',
  "nor'easter",
  'fire',
  'hose',
  'jet',
  'stream',
  'gulf',
  'stream',
  'northeast',
  'coast',
  'snow',
  'rain',
  'wind',
  'winter',
  'jet',
  'stream',
  'arctic',
  'air',
  'southward',
  'u.s.',
  'atlantic',
  'ocean',
  'nws',
  'force',
  'energy',
  'area',
  'gulf',
  'stream',
  'coast',
  'air',
  'water',
  'temperature',
  'weather',
  'california',
  'snow',
  'cow',
  'emergency',
  'hay',
  'difference',
  'temperature',
  'air',
  'water',
  'arctic',
  'air',
  'land',
  'fuel',
  "nor'easter",
  'nws',
  'storm',
  'georgia',
  'new',
  'jersey',
  'mile',
  'west',
  'east',
  'coast',
  'intensity',
  'new',
  'england',
  'storm',
  'surface',
  'pressure',
  'system',
  'north',
  'carolina',
  'coast',
  'monday',
  'night',
  'tuesday',
  'new',
  'england',
  'climate',
  'climate',
  'sierra',
  'nevada',
  'zombie',
  'forest',
  "or'easter",
  'september',
  'april',
  'storm',
  'march',
  'ash',
  'wednesday',
  'storm',
  'march',
  'march',
  'storm',
  'century',
  'billion',
  'dollar',
  'damage',
  'dozen',
  'death',
  'support',
  'public',
  'radio',
  'sponsor',
  'npr',
  'npr',
  'careers',
  'npr',
  'shop',
  'npr',
  'event',
  'npr',
  'term',
  'use',
  'privacy',
  'privacy',
  'choices',
  'text'],
 ['livenewsweathersportsthings',
  'docontests',
  'watch',
  'expand',
  'collapse',
  'search',
  '☰',
  'search',
  'site',
  'news',
  'local',
  'newsnational',
  'newsworld',
  'newsinvestigatorspoliticsconsumervoice',
  'news',
  'sundayweather',
  'fox',
  'weather',
  'appforecastschool',
  'closingslive',
  'weather',
  'camerastrafficfox',
  'weathersports',
  'shayne',
  'wellsgarden',
  'guyrecipesmoney',
  'personal',
  'financebusinessstock',
  'marketsmall',
  'businesssavingsshow',
  'fox',
  'showsthe',
  'jason',
  'showfox',
  'good',
  'dayenough',
  'saidvikings',
  'gameday',
  'livethe',
  'pj',
  'fleck',
  'showfox',
  'sports',
  'nowthe',
  'jason',
  'swag',
  'shopthe',
  'fox',
  'storefox',
  'town',
  'ball',
  'storeregional',
  'news',
  'milwaukee',
  'news',
  'fox',
  'newschicago',
  'news',
  'fox',
  'chicagodetroit',
  'news',
  'fox',
  'detroitabout',
  'contact',
  'uscontestspersonalitiesjobs',
  'fox',
  '9what',
  'foxadvertisefcc',
  'applicationsstay',
  'ice',
  'cream',
  'socialnewsletterfacebookinstagramtwittertiktokyoutube',
  'thunderstorm',
  'wed',
  'pm',
  'cdt',
  'thu',
  'cdt',
  'beltrami',
  'county',
  'clearwater',
  'county',
  'pennington',
  'county',
  'red',
  'lake',
  'county',
  'thunderstorm',
  'warning',
  'thu',
  'cdt',
  'beltrami',
  'county',
  'lake',
  'woods',
  'county',
  'polk',
  'county',
  'red',
  'lake',
  'county',
  'excessive',
  'heat',
  'warning',
  'thu',
  'pm',
  'cdt',
  'thu',
  'pm',
  'cdt',
  'anoka',
  'county',
  'dakota',
  'county',
  'hennepin',
  'county',
  'ramsey',
  'county',
  'scott',
  'county',
  'washington',
  'county',
  'minnesota',
  'weather',
  'rain',
  'snow',
  'tuesday',
  'night',
  'fox',
  'staff',
  'march',
  'weather',
  'fox',
  'share',
  'copy',
  'link',
  'email',
  'facebook',
  'twitter',
  'linkedin',
  'reddit',
  'tuesday',
  'forecast',
  'rain',
  'tonight',
  'high',
  '40',
  'storm',
  'area',
  'tonight',
  'tomorrow',
  'rain',
  'minneapolis',
  'fox',
  'melt',
  'day',
  'tuesday',
  'temperature',
  'precipitation',
  'forecast',
  'temperature',
  '40',
  'twin',
  'cities',
  'metro',
  'tuesday',
  'evening',
  'daylight',
  'hour',
  'stray',
  'flurry',
  'morning',
  'twin',
  'cities',
  'month',
  'snow',
  'rain',
  'sunset',
  'twin',
  'cities',
  'tenth',
  'inch',
  'minnesota',
  'snow',
  'storm',
  'area',
  'winter',
  'storm',
  'area',
  'inch',
  'snow',
  'winter',
  'weather',
  'area',
  'inch',
  'stillwater',
  'flooding',
  'st.',
  'croix',
  'river',
  'winter',
  'freeze',
  'wednesday',
  'morning',
  'spot',
  'roadway',
  'sidewalk',
  'spot',
  'temperature',
  'day',
  'twin',
  'cities',
  'high',
  'degree',
  'sky',
  'evening',
  'flake',
  'iowa',
  'border',
  'article',
  'minnesota',
  'expert',
  'mosquito',
  'vengeance',
  'thursday',
  'high',
  'degree',
  'twin',
  'cities',
  'thing',
  'weekend',
  'friday',
  'high',
  'degree',
  'saturday',
  'high',
  'degree',
  'sunday',
  'high',
  'degree',
  'news',
  'view',
  'minnesota',
  'rollerblade',
  'founder',
  'inline',
  'skate',
  'wheel',
  'fortune',
  'violent',
  'crime',
  'summit',
  'datum',
  'homicide',
  'assault',
  'trend',
  'metro',
  'fugitive',
  'minnesota',
  'murder',
  'california',
  'minnesota',
  'town',
  'ball',
  'team',
  'postseason',
  'ban',
  'rule',
  'violation',
  'golfer',
  'm',
  'open',
  'contractor',
  'minnetonka',
  'home',
  'business',
  'lightning',
  'strike',
  'house',
  'fire',
  'plymouth',
  'child',
  'minneapolis',
  'wednesday',
  'mall',
  'america',
  'shooter',
  'nike',
  'store',
  'dispute',
  'wildfire',
  'friend',
  'foe',
  'e',
  '-',
  'bike',
  'use',
  'lake',
  'minnetonka',
  'community',
  'community',
  'radio',
  'station',
  'story',
  'voice',
  'minneapolis',
  'new',
  'festival',
  'art',
  'artist',
  'color',
  'mass',
  'shooting',
  'plot',
  'year',
  'sentence',
  'zimmerman',
  'man',
  'man',
  'week',
  'minneapolis',
  'rail',
  'platform',
  'trending',
  'mall',
  'america',
  'shooter',
  'nike',
  'store',
  'dispute',
  'minnesota',
  'state',
  'fair',
  'attraction',
  'teen',
  'jet',
  'bridge',
  'msp',
  'minnesota',
  'best',
  'adventure',
  'experience',
  'list',
  'minnesota',
  'town',
  'ball',
  'team',
  'postseason',
  'ban',
  'rule',
  'violation',
  'daily',
  'newsletter',
  'news',
  'day',
  'sign',
  'privacy',
  'policy',
  'terms',
  'service',
  'stream',
  'smart',
  'tv',
  'fox',
  'fox',
  'streaming',
  'app',
  'fox',
  'fox',
  'streaming',
  'app',
  'roku',
  'apple',
  'tv',
  'amazon',
  'firetv',
  'google',
  'android',
  'tv',
  'cable',
  'subscription',
  'login',
  'news',
  'local',
  'newsnational',
  'newsworld',
  'newsinvestigatorspoliticsconsumervoice',
  'news',
  'sundayweather',
  'fox',
  'weather',
  'appforecastschool',
  'closingslive',
  'weather',
  'camerastrafficfox',
  'weathersports',
  'shayne',
  'wellsgarden',
  'guyrecipesmoney',
  'personal',
  'financebusinessstock',
  'marketsmall',
  'businesssavingsshow',
  'fox',
  'showsthe',
  'jason',
  'showfox',
  'good',
  'dayenough',
  'saidvikings',
  'gameday',
  'livethe',
  'pj',
  'fleck',
  'showfox',
  'sports',
  'nowthe',
  'jason',
  'swag',
  'shopthe',
  'fox',
  'storefox',
  'town',
  'ball',
  'storeregional',
  'news',
  'milwaukee',
  'news',
  'fox',
  'newschicago',
  'news',
  'fox',
  'chicagodetroit',
  'news',
  'fox',
  'detroitabout',
  'contact',
  'uscontestspersonalitiesjobs',
  'fox',
  '9what',
  'foxadvertisefcc',
  'applicationsstay',
  'ice',
  'cream',
  'socialnewsletterfacebookinstagramtwittertiktokyoutube',
  'facebooktwitteremail',
  'new',
  'privacy',
  'policyterms',
  'serviceyour',
  'privacy',
  'choicesfcc',
  'public',
  'filejobs',
  'fox',
  '9contact',
  'material',
  'fox',
  'television',
  'stations'],
 ['contentboston',
  'masubscribenews',
  'feedneighbor',
  'postslocal',
  'end',
  'newsbeacon',
  'hill',
  'newsback',
  'bay',
  'newscharlestown',
  'newssouth',
  'end',
  'newsfenway',
  'newscambridge',
  'newssomerville',
  'newsjamaica',
  'plain',
  'newsbrookline',
  'newslocal',
  'newscommunity',
  'cornercrime',
  'safetypolitics',
  'governmentschoolstraffic',
  'transitobituariespersonal',
  'financebest',
  'ofseasonal',
  'holidaysweatherarts',
  'entertainmentbusinesshealth',
  'wellnesshome',
  'gardensportstravelkids',
  'familypetsrestaurants',
  'barslocalstreamneighbor',
  'postslocal',
  'businesseseventsreal',
  'estatereal',
  'estate',
  'listingsreal',
  'estate',
  'newssee',
  'communitiesnorth',
  'end',
  'mabeacon',
  'hill',
  'maback',
  'bay',
  'macharlestown',
  'masouth',
  'end',
  'mafenway',
  'macambridge',
  'masomerville',
  'majamaica',
  'plain',
  'mabrookline',
  'mastate',
  'editionmassachusettsnational',
  'editiontop',
  'national',
  'newssee',
  'weather',
  'bomb',
  'cyclone',
  "nor'easter",
  'slow',
  'upthe',
  'storm',
  'start',
  'massachusetts',
  'mike',
  'carraggi',
  'patch',
  'staffposted',
  'd',
  'oct',
  'd',
  'oct',
  'pm',
  'etreply',
  'bomb',
  'cyclone',
  'storm',
  'ton',
  'rain',
  'wind',
  'massachusetts',
  'nws',
  'boston)the',
  'bomb',
  'cyclone',
  'storm',
  'massachusetts',
  'forecaster',
  'arrival',
  'forecast',
  'flooding',
  'wind',
  'gust',
  'tap',
  'night',
  'morning',
  'hour',
  'handful',
  'power',
  'outage',
  'p.m.',
  'weather',
  'rain',
  'wind',
  'greater',
  'boston',
  'massachusetts',
  'weather',
  'outlook',
  'wind',
  'advisory',
  'coast',
  'cape',
  'islands',
  'wind',
  'warning',
  'gust',
  'mile',
  'hour',
  'storm',
  'inch',
  'rain',
  'western',
  'massachusetts',
  'state',
  'bostonwith',
  'time',
  'update',
  'patch',
  'subscribeit',
  'wednesday',
  'thursday',
  'nws',
  'confidence',
  'storm',
  'dud',
  'week',
  "nor'easter",
  'coast',
  'patch',
  'day',
  'patch',
  'information',
  'storm',
  'damage',
  'power',
  'outage',
  'bostonwith',
  'time',
  'update',
  'patch',
  'subscribeboston',
  'area',
  'forecast',
  'nws',
  'today',
  'cloud',
  'wind',
  'mph',
  'tonight',
  'rain',
  'thunderstorm',
  'storm',
  'rainfall',
  'fog',
  'midnight',
  'breezy',
  'wind',
  'mph',
  'gust',
  'mph',
  'chance',
  'precipitation',
  '%',
  'rainfall',
  'inch',
  'thursday',
  'rain',
  'chance',
  'shower',
  'noon',
  'fog',
  'breezy',
  'wind',
  'mph',
  'gust',
  'mph',
  'chance',
  'precipitation',
  '%',
  'precipitation',
  'quarter',
  'inch',
  'thursday',
  'night',
  'chance',
  'shower',
  'pm',
  'wind',
  'mph',
  'gust',
  'mph',
  'chance',
  'precipitation',
  'northwest',
  'mph',
  'gust',
  'mph',
  'friday',
  'night',
  'northwest',
  'mph',
  'saturday',
  'northwest',
  'mph',
  'saturday',
  'night',
  'west',
  'wind',
  'sunday',
  '-sunny',
  'wind',
  'mph',
  'afternoon',
  'sunday',
  'night',
  'light',
  'wind',
  'monday',
  'light',
  'wind',
  'mph',
  'morning',
  'monday',
  'night',
  'showers',
  'mph',
  'chance',
  'precipitation',
  '%',
  'tuesday',
  'shower',
  'wind',
  'mph',
  'chance',
  'precipitation',
  '60%.get',
  'news',
  'inbox',
  'sign',
  'patch',
  'newsletter',
  'alert',
  'thankreply',
  'weather',
  'bomb',
  'cyclone',
  "nor'easter",
  'slow',
  'upthe',
  'rule',
  'space',
  'discussion',
  'language',
  'claim',
  'reply',
  'topic',
  'patch',
  'community',
  'guidelines',
  'reply',
  'tom',
  'brady',
  'worn',
  'relic',
  'rookie',
  'day',
  'auction',
  'sports',
  '1dboston',
  'bruins',
  'time',
  'great',
  'patrice',
  'bergeron',
  'retires',
  'seasonscrime',
  'safety',
  '2dboston',
  'man',
  'woman',
  "morning'featured",
  'eventsjul',
  'free',
  'online',
  'mindfulness',
  'session',
  'building',
  'self',
  'trustjul',
  'afternoon',
  'spiritual',
  'adventure+',
  'eventfeatured',
  'classifiedsannouncement',
  'summer',
  'special',
  'comforters',
  'bedspreads',
  'news',
  'nearbyboston',
  'ma',
  "news'they're",
  'vicious',
  'aggressive',
  'seagulls',
  'force',
  'sullivan',
  'castle',
  'island',
  'outdoor',
  'diningacross',
  'massachusetts',
  'ma',
  'newsmassachusetts',
  'salmonella',
  'outbreak',
  'ground',
  'beef',
  'boston',
  'ma',
  'newsboston',
  'area',
  'real',
  'estate',
  'roundupboston',
  'ma',
  "news'earliest",
  'known',
  'tom',
  'brady',
  'worn',
  'relic',
  'rookie',
  'day',
  'auction',
  'boston',
  'ma',
  'newsboston',
  'bruins',
  'time',
  'great',
  'patrice',
  'bergeron',
  'retires',
  'seasonsbest',
  'bostonboston',
  'restaurants',
  'barsmother',
  'day',
  'brunch',
  'spot',
  'massachusetts',
  'eateries',
  'america',
  'yourcommunity',
  'patch',
  'appcorporate',
  'infoabout',
  'patchcareerspartnershipsadvertise',
  'patchsupportfaqscontact',
  'patchcommunity',
  'guidelinesposting',
  'instructionsterms',
  'useprivacy',
  'policy',
  'patch',
  'media',
  'rights'],
 ['messi',
  'mania',
  'extreme',
  'heat',
  'hurricane',
  'season',
  'camera',
  'new',
  'favorite',
  'futbolista',
  'tip',
  'newsletters',
  'ian',
  'costliest',
  'hurricane',
  'florida',
  'history',
  '112b',
  'damage',
  'noaa',
  'ian',
  'category',
  'hurricane',
  'florida',
  'landfall',
  'noaa',
  'report',
  'published',
  'april',
  'april',
  'pm',
  'hurricane',
  'ian',
  'category',
  'status',
  'category',
  'storm',
  'september',
  'florida',
  'damage',
  'u.s.',
  'death',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'monday',
  'report',
  'noaa',
  'storm',
  'ian',
  'hurricane',
  'florida',
  'history',
  'u.s.',
  'addition',
  'florida',
  'ian',
  'georgia',
  'virginia',
  'carolinas',
  'cuba',
  'oct.',
  'farewell',
  'fiona',
  'ian',
  'hurricanes',
  'names',
  'retire',
  'technology',
  'quick',
  'way',
  'debris',
  'hurricane',
  'ian',
  'noaa',
  'report',
  'ian',
  'cyclone',
  'record',
  'category',
  'wind',
  'mph',
  'sept.',
  'dry',
  'tortugas',
  'island',
  'category',
  'storm',
  'florida',
  'day',
  'wind',
  'mph',
  'storm',
  'list',
  'monster',
  'camille',
  'hugo',
  'andrew',
  'katrina',
  'wilma',
  'michael',
  'south',
  'florida',
  'news',
  'weather',
  'forecast',
  'entertainment',
  'story',
  'inbox',
  'sign',
  'nbc',
  'south',
  'florida',
  'newsletter',
  'addition',
  'wind',
  'ian',
  'storm',
  'surge',
  'gulf',
  'coast',
  'florida',
  'example',
  'peak',
  'storm',
  'surge',
  'fort',
  'myers',
  'beach',
  'foot',
  'ground',
  'level',
  'sanibel',
  'surge',
  'foot',
  'ian',
  'landfall',
  'region',
  'storm',
  'surge',
  'noaa',
  'report',
  'florida',
  'storm',
  'surge',
  'wind',
  'swath',
  'destruction',
  'storm',
  'surge',
  'drowning',
  'cause',
  'death',
  'storm',
  'death',
  'fatality',
  'flooding',
  'florida',
  'death',
  'florida',
  'storm',
  'noaa',
  'world',
  'meteorological',
  'organization',
  'wednesday',
  'hurricane',
  'fiona',
  'hurricane',
  'ian',
  'hurricane',
  'list',
  'u.s.',
  'total',
  'fatality',
  'death',
  'heart',
  'attack',
  'electrocution',
  'power',
  'line',
  'inability',
  'help',
  'vehicle',
  'accident',
  'florida',
  'victim',
  'age',
  'year',
  'age',
  'storm',
  'death',
  'noaa',
  'reflection',
  'demographic',
  'county',
  'florida',
  'hurricane',
  'landfall',
  'rate',
  'report',
  'customer',
  'people',
  'power',
  'u.s.',
  'hurricane',
  'ian',
  'sept.',
  'oct.',
  'noaa',
  'florida',
  'way',
  'power',
  'outage',
  'customer',
  'thousand',
  'south',
  'carolina',
  'north',
  'carolina',
  'virginia',
  'storm',
  'damage',
  'florida',
  'structure',
  'lee',
  'county',
  'flooding',
  'river',
  'record',
  'level',
  'building',
  'florida',
  'county',
  'road',
  'recovery',
  'hurricane',
  'south',
  'florida',
  'nbc',
  'kristin',
  'sanchez',
  'rainfall',
  'total',
  'hurricane',
  'ian',
  'inch',
  'grove',
  'city',
  'florida',
  'landfall',
  'location',
  'cayo',
  'costa',
  'rainfall',
  'inch',
  'florida',
  'hurricane',
  'ian',
  'forecast',
  'noaa',
  'track',
  'error',
  'year',
  'period',
  'difficulty',
  'location',
  'landfall',
  'question',
  'storm',
  'warning',
  'people',
  'time',
  'storm',
  'coastline',
  'change',
  'heading',
  'difference',
  'landfall',
  'location',
  'noaa',
  'report',
  'ian',
  'example',
  'challenge',
  'intensification',
  'noaa',
  'area',
  'forecast',
  'error',
  'year',
  'storm',
  'surge',
  'watch',
  'hour',
  'onset',
  'storm',
  'fort',
  'myers',
  'beach',
  'prediction',
  'peak',
  'surge',
  'maximum',
  'foot',
  'foot',
  'day',
  'ian',
  'landfall',
  'noaa',
  'forecaster',
  'medium',
  'interview',
  'week',
  'september',
  'national',
  'hurricane',
  'center',
  'website',
  'time',
  'storm',
  'period',
  'marine',
  'biologist',
  'video',
  'orca',
  'key',
  'largo',
  'miami',
  'dade',
  'police',
  'director',
  'resignation',
  'mayor',
  'father',
  'aunt',
  'month',
  'baby',
  'car',
  'broward',
  'miami',
  'dade',
  'police',
  'director',
  'union',
  'president',
  'ynw',
  'melly',
  'case',
  'mistrial',
  'nbc',
  'news',
  'standards',
  'tips',
  'investigations',
  'newsletters',
  'contact',
  'public',
  'inspection',
  'file',
  'wtvj',
  'accessibility',
  'wtvj',
  'employment',
  'information',
  'fcc',
  'applications',
  'terms',
  'service',
  'advertise',
  'feedback',
  'privacy',
  'policy',
  'privacy',
  'choices',
  'notice',
  'ad',
  'choice',
  'copyright',
  'nbcuniversal',
  'media',
  'llc',
  'right'],
 ['news',
  'home',
  'local',
  'news',
  'national',
  'news',
  'crime',
  'stoppers',
  'natalie',
  'everyday',
  'heroes',
  'racine',
  'sunday',
  'morning',
  'special',
  'report',
  'hometown',
  'capitol',
  'connection',
  'weather',
  'home',
  'weather',
  'blog',
  'radar',
  'traffic',
  'closing',
  'tornado',
  'home',
  'job',
  'opening',
  'weigel',
  'broadcasting',
  'milwaukee',
  'download',
  'app',
  'team',
  'contact',
  'tv',
  'schedule',
  'advertise',
  'spotlight',
  'tip',
  'news',
  'link',
  'tip',
  'news',
  'link',
  'news',
  'home',
  'local',
  'news',
  'national',
  'news',
  'crime',
  'stoppers',
  'natalie',
  'everyday',
  'heroes',
  'racine',
  'sunday',
  'morning',
  'special',
  'report',
  'hometown',
  'capitol',
  'connection',
  'weather',
  'home',
  'weather',
  'blog',
  'radar',
  'traffic',
  'closing',
  'tornado',
  'home',
  'job',
  'opening',
  'weigel',
  'broadcasting',
  'milwaukee',
  'download',
  'app',
  'team',
  'contact',
  'tv',
  'schedule',
  'advertise',
  'spotlight',
  'storm',
  'rain',
  'snow',
  'wisconsin',
  'dec',
  'cdt',
  'video',
  'javascript',
  'web',
  'browser',
  'html5',
  'video',
  'storm',
  'rain',
  'snow',
  'southeast',
  'wisconsin',
  'milwaukee',
  'ovp',
  'teen',
  'victim',
  'gun',
  'violence',
  'school',
  'official',
  'judge',
  'year',
  'mother',
  'twitter',
  'x',
  'look',
  'milwaukee',
  'nation',
  'pre',
  '-',
  'trial',
  'milwaukee',
  'police',
  'officer',
  'michael',
  'grammy',
  'regina',
  'spektor',
  'milwaukee',
  'afternoon',
  'update',
  'storm',
  'threat',
  'winding',
  'milwaukee',
  'teen',
  'crash',
  'sister',
  'change',
  'wisconsin',
  'state',
  'fair',
  'basket',
  'cbs',
  'ramirez',
  'family',
  'foundation',
  'cardinal',
  'stritch',
  'campus',
  'historical',
  'pleasant',
  'valley',
  'church',
  'sunday',
  'jazz',
  'concert',
  'storm',
  'rain',
  'snow',
  'southeast',
  'wisconsin',
  'milwaukee',
  'ovp',
  'teen',
  'victim',
  'gun',
  'violence',
  'school',
  'official',
  'judge',
  'year',
  'mother',
  'twitter',
  'x',
  'look',
  'milwaukee',
  'nation',
  'pre',
  '-',
  'trial',
  'milwaukee',
  'police',
  'officer',
  'michael',
  'grammy',
  'regina',
  'spektor',
  'milwaukee',
  'afternoon',
  'update',
  'storm',
  'threat',
  'winding',
  'milwaukee',
  'teen',
  'crash',
  'sister',
  'change',
  'wisconsin',
  'state',
  'fair',
  'basket',
  'cbs',
  'ramirez',
  'family',
  'foundation',
  'cardinal',
  'stritch',
  'campus',
  'historical',
  'pleasant',
  'valley',
  'church',
  'sunday',
  'jazz',
  'concert',
  'weather',
  'story',
  'winter',
  'storm',
  'country',
  'tuesday',
  'morning',
  'storm',
  'blizzard',
  'condition',
  'north',
  'dakota',
  'tornado',
  'warning',
  'oklahoma',
  'texas',
  'southeast',
  'wisconsin',
  'lull',
  'storm',
  'tuesday',
  'morning',
  'rain',
  'mix',
  'tuesday',
  'evening',
  'rain',
  'half',
  'storm',
  'rain',
  'time',
  'tuesday',
  'night',
  'day',
  'wednesday',
  'snow',
  'rain',
  'tuesday',
  'evening',
  'overnight',
  'wednesday',
  'air',
  'wednesday',
  'night',
  'precip',
  'snow',
  'wednesday',
  'night',
  'thursday',
  'morning',
  'chance',
  'snow',
  'southeast',
  'wisconsin',
  'impact',
  'storm',
  'plenty',
  'warning',
  'watch',
  'advisory',
  'region',
  'upper',
  'midwest',
  'winter',
  'storm',
  'winter',
  'weather',
  'advisory',
  'place',
  'wisconsin',
  'area',
  'snow',
  'wind',
  'advisory',
  'iowa',
  'winter',
  'storm',
  'dakotas',
  'minnesota',
  'ice',
  'storm',
  'sioux',
  'falls',
  'blizzard',
  'warning',
  'south',
  'dakota',
  'nebraska',
  'half',
  'storm',
  'rain',
  'rain',
  'time',
  'tuesday',
  'evening',
  'wednesday',
  'thursday',
  'morning',
  'inch',
  'inch',
  'rain',
  'area',
  'rain',
  'thursday',
  'morning',
  'cbs',
  'ready',
  'weather',
  'app',
  'rain',
  'snow',
  'radar',
  'afternoon',
  'update',
  'storm',
  'threat',
  'today',
  'ramirez',
  'family',
  'foundation',
  'cardinal',
  'stritch',
  'campus',
  'm',
  'milwaukee',
  'teen',
  'crash',
  'sister',
  'plea',
  'koch',
  'manke',
  'court',
  'charge',
  'imprisoning',
  'boy',
  'm',
  'milwaukee',
  'ovp',
  'teen',
  'victim',
  'gun',
  'violence',
  'school',
  'official',
  'school',
  'aid',
  'year',
  'judge',
  'year',
  'mother',
  'trial',
  'adult',
  'aaron',
  'rodgers',
  'pay',
  'cut',
  'year',
  'deal',
  'jet',
  'cbs',
  'pet',
  'week',
  'atlas',
  'pasta',
  'star',
  'semolina',
  'mke',
  'social',
  'stream',
  'contact',
  'privacy',
  'policy',
  'terms',
  'use',
  'information',
  's.',
  '60th',
  'st',
  'milwaukee',
  'wi',
  'news',
  'tip',
  'hotline',
  'info',
  'fax',
  'metv',
  '41.1/58.2',
  'wmlw',
  'telemundo',
  '63.1/58.4',
  'start',
  '58.5/63.2',
  'movie',
  '49.2/63.3',
  'h&i',
  'catchy',
  'comedy',
  'content',
  'copyright',
  'wdjt',
  'rights',
  'wdjt',
  'fcc',
  'public',
  'file',
  'fcc',
  'license',
  'renewal',
  'eeo',
  'report',
  'children',
  'programming',
  'report',
  'ad',
  'choice'],
 ['braxton',
  'county',
  'boone',
  'county',
  'cabell',
  'county',
  'calhoun',
  'county',
  'clay',
  'county',
  'fayette',
  'county',
  'jackson',
  'county',
  'kanawha',
  'county',
  'lincoln',
  'county',
  'logan',
  'county',
  'mason',
  'county',
  'mingo',
  'county',
  'nicholas',
  'county',
  'putnam',
  'county',
  'roane',
  'county',
  'wayne',
  'county',
  'webster',
  'county',
  'wirt',
  'county',
  'wood',
  'county',
  'athens',
  'county',
  'gallia',
  'county',
  'jackson',
  'county',
  'lawrence',
  'county',
  'meigs',
  'county',
  'pike',
  'county',
  'scioto',
  'county',
  'vinton',
  'county',
  'boyd',
  'county',
  'carter',
  'county',
  'elliott',
  'county',
  'greenup',
  'county',
  'floyd',
  'county',
  'johnson',
  'county',
  'lawrence',
  'county',
  'lewis',
  'county',
  'pike',
  'county',
  'politics',
  'hill',
  'automotive',
  'news',
  'washington',
  'dc',
  'bureau',
  'world',
  'press',
  'releases',
  'man',
  'kanawha',
  'river',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'senate',
  'gop',
  'leader',
  'mcconnell',
  'news',
  'conference',
  'samsung',
  'smartphone',
  'bet',
  'soldier',
  'niger',
  'journalist',
  'year',
  'prison',
  'video',
  'tv',
  'schedule',
  'west',
  'virginia',
  'politics',
  'good',
  'day',
  'look',
  'daily',
  'forecast',
  'vipir',
  'radar',
  'day',
  'forecast',
  'free',
  'stormtracker',
  'app',
  'stormtracker',
  'weather',
  'camera',
  'network',
  'weather',
  'alerts',
  'closings',
  'delays',
  'station',
  'heat',
  'tri',
  'state',
  'heat',
  'west',
  'virginia',
  'kentucky',
  'ohio',
  'storm',
  'tree',
  'power',
  'line',
  'meigs',
  'co',
  'storm',
  'tree',
  'power',
  'huntington',
  'heat',
  'wave',
  'west',
  'virginia',
  'ohio',
  'kentucky',
  'hot',
  'week',
  'west',
  'virginia',
  'ohio',
  'kentucky',
  'sports',
  'zone',
  'high',
  'school',
  'sports',
  'scores',
  'high',
  'school',
  'sports',
  'winfield',
  'youth',
  'baseball',
  'local',
  'sports',
  'gold',
  'blue',
  'nation',
  'marshall',
  'sports',
  'college',
  'sports',
  'black',
  'gold',
  'today',
  'masters',
  'report',
  'nfl',
  'big',
  'game',
  'nascar',
  'monahan',
  'pga',
  'tour',
  'rollback',
  'coach',
  'wildcat',
  'month',
  'contact',
  'colorado',
  'guardians',
  'trade',
  'amed',
  'rosario',
  'dodgers',
  'aaron',
  'rodgers',
  'pay',
  'cut',
  'year',
  'person',
  'tri',
  'state',
  'bestreviews',
  'local',
  'election',
  'hq',
  'bestreviews',
  'daily',
  'deals',
  'contest',
  'half',
  'hump',
  'day',
  'deal',
  'press',
  'releases',
  'calendar',
  'wowk',
  'news',
  'app',
  'meet',
  'team',
  'contact',
  'newsletter',
  'sign',
  'advertise',
  'wowk',
  'tv',
  'schedule',
  'contests',
  'jobs',
  'regional',
  'news',
  'partners',
  'information',
  'bestreviews',
  'round',
  'storm',
  'west',
  'virginia',
  'kentucky',
  'ohio',
  'jun',
  'pm',
  'edt',
  'jun',
  'pm',
  'edt',
  'jun',
  'pm',
  'edt',
  'jun',
  'pm',
  'edt',
  'pm',
  'saturday',
  'forecast',
  'track',
  'potential',
  'thunderstorm',
  'area',
  'tonight',
  'predictor',
  'model',
  'storm',
  'storm',
  'risk',
  'day',
  'area',
  'risk',
  'thunderstorm',
  'threat',
  'area',
  'wind',
  'hail',
  'storm',
  'cell',
  'wowk',
  'storm',
  'round',
  'thursday',
  'night',
  'weekend',
  'news',
  'viewing',
  'area',
  'round',
  'thursday',
  'area',
  'kentucky',
  'round',
  'wowk',
  'area',
  'area',
  'friday',
  'model',
  'output',
  'storm',
  'friday',
  'morning',
  'round',
  'storm',
  'point',
  'afternoon',
  'midwest',
  'southeast',
  'area',
  'model',
  'output',
  'storm',
  'friday',
  'evening',
  'storm',
  'prediction',
  'center',
  'norman',
  'oklahoma',
  'sight',
  'risk',
  'storm',
  'region',
  'friday',
  'category',
  'risk',
  'scale',
  'chance',
  'day',
  'event',
  'storm',
  'smoke',
  'fire',
  'air',
  'quality',
  'area',
  'potential',
  'wind',
  'risk',
  'kind',
  'storm',
  'model',
  'round',
  'storm',
  'saturday',
  'evening',
  'sunday',
  'evening',
  'storm',
  'area',
  'spot',
  'flooding',
  'place',
  'day',
  'safety',
  'action',
  'storm',
  'plan',
  'house',
  'storm',
  'case',
  'power',
  'stormtracker',
  'weather',
  'app',
  'storm',
  'alert',
  'section',
  'type',
  'location',
  'service',
  'notification',
  'way',
  'storm',
  'warning',
  'location',
  'link',
  'severe',
  'weather',
  'strike',
  'second',
  'matter',
  'stormtracker',
  'app',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'putnam',
  'county',
  'prosecutor',
  'september',
  'thank',
  'inbox',
  'amazon',
  'school',
  'deal',
  'schooler',
  'school',
  'corner',
  'amazon',
  'supply',
  'school',
  'deal',
  'supply',
  'schooler',
  'august',
  'vegetable',
  'flower',
  'flower',
  'plant',
  'hour',
  'soil',
  'air',
  'temperature',
  'sunshine',
  'august',
  'month',
  'planting',
  'chemical',
  'guys',
  'kit',
  'car',
  'car',
  'care',
  'hour',
  'chemical',
  'guys',
  'car',
  'wash',
  'kit',
  'time',
  'deal',
  'man',
  'kanawha',
  'river',
  'putnam',
  'county',
  'prosecutor',
  'wv',
  'angler',
  'fishing',
  'record',
  'year',
  'row',
  'mu',
  'bag',
  'policy',
  'event',
  'boxing',
  'event',
  'debate',
  'youth',
  'competitor',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'senate',
  'gop',
  'leader',
  'mcconnell',
  'news',
  'conference',
  'samsung',
  'smartphone',
  'bet',
  'soldier',
  'niger',
  'journalist',
  'year',
  'prison',
  'putnam',
  'county',
  'prosecutor',
  'ocean',
  'heat',
  'people',
  'high',
  'arizona',
  'wowk',
  'news',
  'app',
  'putnam',
  'county',
  'prosecutor',
  'complaint',
  'philadelphia',
  'man',
  'robbing',
  'west',
  'virginia',
  'democrats',
  'session',
  'community',
  'west',
  'virginia',
  'dumpster',
  'fire',
  'vista',
  'view',
  'apartments',
  'west',
  'virginia',
  'state',
  'trooper',
  'maryland',
  'man',
  'remain',
  'car',
  'greenup',
  'dunbar',
  'babysitter',
  'court',
  'death',
  'year',
  'putnam',
  'county',
  'animal',
  'shelter',
  'board',
  'public',
  'service',
  'commission',
  'opinion',
  'phone',
  'line',
  'dunbar',
  'police',
  'department',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'judge',
  'dems',
  'session',
  'correction',
  'shortage',
  'wv',
  'teacher',
  'aide',
  'hearing',
  'community',
  'trooper',
  'sgt',
  '.',
  'vehicle',
  'crash',
  'motorcycle',
  'vehicle',
  'network',
  'wv',
  'requirement',
  'governor',
  'west',
  'virginia',
  'resort',
  'human',
  'remain',
  'mingo',
  'county',
  'vehicle',
  'crash',
  'motorcycle',
  'wv',
  'angler',
  'fishing',
  'record',
  'year',
  'row',
  'singer',
  'sinead',
  'o’connor',
  'gift',
  'summer',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'home',
  'depot',
  'foot',
  'skeleton',
  'halloween',
  'deal',
  'day',
  'prime',
  'day',
  'favorite',
  'wowk',
  'news',
  'stormtracker',
  'apps',
  'new',
  'stormtracker',
  'vipir',
  'real',
  'time',
  'radar',
  'wowk',
  'amazon',
  'alexa',
  'ads',
  'eeo',
  'fcc',
  'public',
  'file',
  'nexstar',
  'cc',
  'certification',
  'android',
  'app',
  'google',
  'play',
  'android',
  'weather',
  'app',
  'google',
  'play',
  'personal',
  'information',
  'personal',
  'information',
  'nexstar',
  'media',
  'inc.',
  'rights'],
 ['site',
  'browser',
  'server',
  'script',
  'page',
  'informedbe',
  'informedsign',
  'alertsknow',
  'threatsknow',
  'communityready',
  'pa',
  'newsletteremergency',
  'preparedness',
  'guidebe',
  'preparedbe',
  'preparedmake',
  'planbuild',
  'kitplan',
  'needsbe',
  'involvedbe',
  'involvedways',
  'volunteernational',
  'preparedness',
  'volunteersyouth',
  'preparedness',
  'councilafter',
  'emergencyafter',
  'emergencyrecover',
  'rebuildafter',
  'disaster',
  'guidesearch',
  'sign',
  'alert',
  'threat',
  'community',
  'ready',
  'pa',
  'newsletter',
  'emergency',
  'preparedness',
  'guide',
  'plan',
  'kit',
  'plan',
  'need',
  'way',
  'volunteer',
  'national',
  'preparedness',
  'month',
  'servpa',
  'volunteers',
  'youth',
  'preparedness',
  'council',
  'emergency',
  'recover',
  'disaster',
  'guide',
  'ready',
  'pa',
  'pa',
  'article',
  'tag',
  'emergency',
  'management',
  'preparedness',
  'severe',
  'weather',
  'snow',
  'squall',
  'safety',
  'weather',
  'safety',
  'winter',
  'weather',
  'month',
  'veteran',
  'family',
  'time',
  'thanksgiving',
  'start',
  'winter',
  'indicator',
  'pennsylvania',
  'winter',
  'december',
  'february',
  'weather',
  'pa',
  'wetter',
  'weather',
  'pa',
  'region',
  'signal',
  'temperature',
  'precipitation',
  'pattern',
  'average',
  'month',
  'winter',
  'season',
  'weather',
  'snow',
  'sleet',
  'ice',
  'storm',
  'winter',
  'winter',
  'season',
  'time',
  'winter',
  'weather',
  'terminology',
  'start',
  'eye',
  'detail',
  'pema',
  'facebook',
  'twitter',
  'page',
  'nws',
  'office',
  'facebook',
  'twitter',
  'page',
  'website',
  'pa',
  'winter',
  'weather',
  'awareness',
  'snow',
  'squall',
  'awareness',
  'weeks',
  'weather',
  'terminologyblizzard',
  'wind',
  'gust',
  'mph',
  'snow',
  'snow',
  'visibility',
  'quarter',
  'mile',
  'hour',
  'snow',
  'wind',
  'snow',
  'visibility',
  'snow',
  'snow',
  'snow',
  'ground',
  'wind',
  'snow',
  'squalls',
  'brief',
  'snow',
  'shower',
  'wind',
  'accumulation',
  'snow',
  'showers',
  'snow',
  'intensity',
  'period',
  'time',
  'accumulation',
  'flurry',
  'light',
  'snow',
  'duration',
  'accumulation',
  'rain',
  'rain',
  'object',
  'ground',
  'coating',
  'ice',
  'road',
  'walkway',
  'tree',
  'power',
  'line',
  'sleet',
  'rain',
  'ice',
  'pellet',
  'ground',
  'sleet',
  'moisture',
  'road',
  'storm',
  'day',
  'winter',
  'storm',
  'watch',
  'possibility',
  'blizzard',
  'snow',
  'rain',
  'sleet',
  'wind',
  'chill',
  'watch',
  'possibility',
  'wind',
  'chill',
  'temperature',
  'life',
  'minute',
  'exposure',
  'storm',
  'day',
  'winter',
  'weather',
  'advisories',
  'accumulation',
  'snow',
  'rain',
  'drizzle',
  'sleet',
  'inconvenience',
  'caution',
  'life',
  'situation',
  'winter',
  'storm',
  'warning',
  'winter',
  'weather',
  'form',
  'snow',
  'rain',
  'sleet',
  'ice',
  'storm',
  'warning',
  'icing',
  'utility',
  'tree',
  'travel',
  'blizzard',
  'warning',
  'wind',
  'mph',
  'snow',
  'visibility',
  '¼',
  'mile',
  'condition',
  'hour',
  'lake',
  'effect',
  'snow',
  'warning',
  'lake',
  'snow',
  'squall',
  'snow',
  'shower',
  'snowfall',
  'accumulation',
  'hour',
  'wind',
  'chill',
  'warning',
  'wind',
  'chill',
  'temperature',
  'life',
  'minute',
  'exposure',
  'pennsylvanians',
  'information',
  'resource',
  'emergency',
  'disaster',
  'preparedness',
  'recovery',
  'blog',
  'tag',
  'fire',
  'safe',
  'pa',
  'burn',
  'prevention',
  'safety',
  'covid-19',
  'cybersecurity',
  'safety',
  'emergency',
  'management',
  'financial',
  'capability',
  'financial',
  'literacy',
  'fireworks',
  'safety',
  'flooding',
  'holiday',
  'safety',
  'lightning',
  'safety',
  'national',
  'preparedness',
  'month',
  'power',
  'outage',
  'preparedness',
  'school',
  'safety',
  'severe',
  'weather',
  'snow',
  'squall',
  'safety',
  'vaccine',
  'weather',
  'safety',
  'winter',
  'weather',
  'post',
  'veterinarian',
  'pets',
  'heat',
  'safety',
  'thunder',
  'indoors',
  'hurricane',
  'season',
  'mart',
  'mart',
  'recovery',
  'meteorologist',
  'ready',
  'pa',
  'newsletter',
  'subscribe',
  'ready',
  'pa',
  'newsletter',
  'commonwealth',
  'pennsylvania',
  'keystone',
  'state',
  'place',
  'tolerance',
  'freedom',
  'services',
  'register',
  'votefind',
  'dmvget',
  'birth',
  'certificatejoin',
  'veterans',
  'registryvisit',
  'law',
  'government',
  'governor',
  'josh',
  'shapirodirectorystate',
  'housestate',
  'governor',
  'austin',
  'davisattorney',
  'generalauditor',
  'generaltreasurer',
  'arepennsylvania',
  'facebookpennsylvania',
  'twitterstate',
  'symbolsnewssocial',
  'mediaappscareers',
  'internships',
  'accessibilityprivacy',
  'disclaimerstranslation',
  'disclaimersecurity',
  'copyright',
  'commonwealth',
  'pennsylvania',
  'right'],
 ['advertisementskip',
  'main',
  'contentaccessibility',
  'helpthe',
  'weather',
  'channeltype',
  'character',
  'auto',
  'complete',
  'location',
  'search',
  'query',
  'option',
  'arrow',
  'selection',
  'search',
  'city',
  'zip',
  'codesearchrecentsyou',
  'locationsglobeus',
  '°',
  'farrow',
  '°',
  'f',
  '°',
  'chybridimperial',
  'f',
  'mph',
  'mile',
  'inchesamericasarrow',
  'downantigua',
  'barbuda',
  'englishargentina',
  'españolbahamas',
  'englishbarbados',
  'englishbelize',
  'englishbolivia',
  'españolbrazil',
  'portuguêscanada',
  'englishcanada',
  'françaischile',
  'españolcolombia',
  'españolcosta',
  'rica',
  'españoldominica',
  'englishdominican',
  'republic',
  '',
  '',
  'españolecuador',
  'españolel',
  'salvador',
  '',
  '',
  'españolgrenada',
  'englishguatemala',
  'españolguyana',
  'englishhaiti',
  'françaishonduras',
  'españoljamaica',
  'englishmexico',
  'españolnicaragua',
  'españolpanama',
  'españolpanama',
  'englishparaguay',
  'españolperu',
  '',
  '',
  'españolst',
  'kitts',
  'nevis',
  'englishst',
  'lucia',
  '',
  '',
  'englishst',
  'vincent',
  'grenadines',
  'englishsuriname',
  'nederlandstrinidad',
  'tobago',
  'englishuruguay',
  'españolunited',
  'states',
  'englishunited',
  'states',
  'españolvenezuela',
  'españolafricaarrow',
  'downalgeria',
  'françaisangola',
  'portuguêsbenin',
  'françaisburkina',
  'faso',
  'françaisburundi',
  'françaiscameroon',
  '',
  '',
  'françaiscameroon',
  '',
  '',
  'englishcape',
  'verde',
  'portuguêscentral',
  'african',
  'republic',
  'françaischad',
  'françaischad',
  'العربيةcomoro',
  'françaiscomoros',
  '',
  '',
  'العربيةdemocratic',
  'republic',
  'congo',
  '',
  '',
  'françaisrepublic',
  'congo',
  'françaiscôte',
  "d'ivoire",
  'françaisdjibouti',
  'françaisdjibouti',
  'العربيةegypt',
  'العربيةequatorial',
  'guinea',
  'españoleritrea',
  'françaisgambia',
  'englishghana',
  'englishguinea',
  'françaisguinea',
  'bissau',
  'portuguêskenya',
  'englishlesotho',
  'englishliberia',
  'englishlibya',
  'العربيةmadagascar',
  'françaismali',
  'françaismauritania',
  'العربيةmauritius',
  '',
  '',
  'englishmauritius',
  'françaismorocco',
  '',
  '',
  'françaismozambique',
  'portuguêsnamibia',
  'englishniger',
  'françaisnigeria',
  'englishrwanda',
  'françaisrwanda',
  'englishsao',
  'tome',
  'principe',
  'portuguêssenegal',
  'françaissierra',
  'leone',
  'englishsomalia',
  'africa',
  'englishsouth',
  'sudan',
  'englishsudan',
  '',
  '',
  'englishtanzania',
  'françaistunisia',
  'العربيةuganda',
  'englishasia',
  'pacificarrow',
  'downaustralia',
  'englishbangladesh',
  'বাংলাbrunei',
  'bahasa',
  'melayuchina',
  'kong',
  'sar',
  '',
  '',
  'timor',
  'portuguêsfiji',
  'englishindia',
  'english',
  'englishindia',
  'hindi',
  'हिन्दीindonesia',
  'bahasa',
  'indonesiajapan',
  'englishsouth',
  'korea',
  '한국어kyrgyzstan',
  'русскийmalaysia',
  'bahasa',
  'melayumarshall',
  'islands',
  'englishmicronesia',
  'englishnew',
  'zealand',
  'englishpalau',
  'englishphilippines',
  'englishphilippines',
  'tagalogsamoa',
  'englishsingapore',
  'englishsingapore',
  '',
  '',
  '中文solomon',
  'islands',
  'englishtaiwan',
  '中文thailand',
  'ไทยtonga',
  'englishtuvalu',
  'englishvanuatu',
  'englishvanuatu',
  'françaisvietnam',
  'tiếng',
  'việteuropearrow',
  'downandorra',
  'catalàandorra',
  'françaisaustria',
  'deutschbelarus',
  'русскийbelgium',
  'dutchbelgium',
  'françaisbosnia',
  'herzegovina',
  'hrvatskicroatia',
  'hrvatskicyprus',
  'ελληνικάczech',
  'republic',
  'češtinadenmark',
  'danskestonia',
  'русскийestonia',
  'eestifinland',
  'suomifrance',
  'françaisgermany',
  'deutschgreece',
  'ελληνικάhungary',
  'magyarireland',
  'englishitaly',
  'italianoliechtenstein',
  'deutschluxembourg',
  'françaismalta',
  'englishmonaco',
  'françaisnetherlands',
  'nederlandsnorway',
  'norskpoland',
  'polskiportugal',
  'portuguêsromania',
  'românărussia',
  'русскийsan',
  'marino',
  'italianoslovakia',
  'slovenčinaspain',
  'españolspain',
  'catalàsweden',
  'svenskaswitzerland',
  'deutschturkey',
  'turkçeukraine',
  'українськаunited',
  'kingdom',
  'englishstate',
  'vatican',
  'city',
  'holy',
  'italianomiddle',
  'eastarrow',
  'downbahrain',
  'فارسىiraq',
  'العربيةisrael',
  'עִבְרִיתjordan',
  '',
  '',
  'العربيةlebanon',
  'العربيةpakistan',
  'اردوpakistan',
  'englishqatar',
  'arabia',
  'العربيةsyria',
  'arab',
  'emirates',
  'العربيةweathertoday',
  'forecasthourly',
  'forecastweekend',
  'forecastmonthly',
  'forecastnational',
  'forecastnational',
  'newsalmanacradarweather',
  'motionradar',
  'mapsclassic',
  'weather',
  'mapsregional',
  'satelliteseveresevere',
  'alertssafety',
  'preparednesshurricane',
  'centralaccountsign',
  'upgo',
  'premiumlog',
  'inget',
  'newsletterweb',
  'notificationsnewvideo',
  'photostop',
  'storiesvideophotosclimate',
  'newsexternal',
  'linkaward',
  'investigationsexternal',
  'linkhealth',
  'activitiesallergy',
  'trackercold',
  'fluair',
  'quality',
  'forecasttv',
  'weatheralexa',
  'skillexternal',
  'linkwatch',
  'liveexternal',
  'linkpersonalitiesexternal',
  'linkweather',
  'productsalexa',
  'skillexternal',
  'linkseasonal',
  'dealsprivacyreview',
  'privacy',
  'ad',
  'settingsdata',
  'rightsprivacy',
  'policyarrow',
  'leftarrow',
  'righttodayhourly10',
  'dayweekendmonthlyradarvideovideomore',
  'forecastsmorearrow',
  'forecastsyesterday',
  'weatherexternal',
  'linkallergy',
  'trackercold',
  'fluair',
  'quality',
  'forecastadvertisementwinter',
  'storm',
  'blizzard',
  'dump',
  'foot',
  'snow',
  'utah',
  'minnesota',
  'record',
  'snowstorm',
  'casper',
  'linda',
  'lamapril',
  'glancea',
  'winter',
  'storm',
  'area',
  'rockies',
  'northern',
  'plains',
  'april',
  'snowfall',
  'total',
  'inch',
  'idaho',
  'utah',
  'wyoming',
  'time',
  'snowstorm',
  'record',
  'casper',
  'wyoming',
  'blizzard',
  'condition',
  'wyoming',
  'dakotas',
  'road',
  'stretch',
  'interstate',
  'morning',
  'brief',
  'email',
  'newsletter',
  'update',
  'weather',
  'channel',
  'meteorologist',
  'winter',
  'storm',
  'northern',
  'plains',
  'blizzard',
  'condition',
  'foot',
  'snow',
  'country',
  'idaho',
  'utah',
  'minnesota',
  'april',
  'winter',
  'storm',
  'vanessa',
  'weather',
  'channel',
  'mountain',
  'pacific',
  'northwest',
  'rockies',
  'gear',
  'rockies',
  'april',
  'snowfall',
  'april',
  'april',
  'a.m.',
  'edt',
  'winter',
  'storm',
  'vanessa',
  'west',
  'northern',
  'plains',
  'noaa)the',
  'salt',
  'lake',
  'city',
  'metro',
  'area',
  'inch',
  'snow',
  'april',
  'snow',
  'total',
  'wasatch',
  'alta',
  'inch',
  'utah',
  'snowpack',
  'year',
  'concern',
  'spring',
  'flooding',
  'snowpack',
  'i\u200bn',
  'southeast',
  'idaho',
  'pocatello',
  'inch',
  'snow',
  'storm',
  'i\u200bn',
  'wyoming',
  'casper',
  'time',
  'calendar',
  'day',
  'snowfall',
  'april',
  'inch',
  'snow',
  'city',
  'wyoming',
  'city',
  'step',
  'inch',
  'snow',
  'day',
  'inch',
  'day',
  'storm',
  'total',
  'city',
  'snowstorm',
  'record',
  'record',
  'blizzard',
  'inch',
  'dec.',
  '24).a\u200bt',
  'time',
  'blizzard',
  'warning',
  'wyoming',
  'dakota',
  'northwest',
  'minnesota',
  'south',
  'dakota',
  'north',
  'dakota',
  'northwest',
  'minnesota',
  'inch',
  'snow',
  'wind',
  'gust',
  'mph',
  'blizzard',
  'condition',
  'condition',
  'stretch',
  'interstates',
  'dakota',
  'vehicle',
  'interstate',
  'murdo',
  'south',
  'dakota',
  'road',
  'storm',
  'stretch',
  'interstate',
  'north',
  'dakota',
  'foot',
  'snow',
  'wind',
  'hour',
  'wake',
  'storm',
  'fargo',
  'inch',
  'grand',
  'forks',
  'inch',
  'snowpack',
  'spring',
  'weather',
  'company',
  'mission',
  'weather',
  'news',
  'environment',
  'importance',
  'science',
  'life',
  'story',
  'position',
  'parent',
  'company',
  'ibm',
  'toovideorecord',
  'heat',
  'countryvideonortheast',
  'heat',
  'wave',
  'wind',
  'tree',
  'new',
  'york',
  'hot',
  'morethat',
  'way',
  'cool',
  'offvideocat',
  'beachvideowhoop',
  'cat',
  'poolvideoalright',
  'pet',
  'pig',
  'poolsee',
  'moreadvertisementsign',
  'morning',
  'briefwake',
  'weather',
  'inbox',
  'weekday',
  'newsletter',
  'forecast',
  'weather',
  'insight',
  'photo',
  'trivium',
  'dash',
  'delight',
  'subscribetrending',
  'toddler',
  'brain',
  'landslide',
  'england',
  'southern',
  'coastvideokey',
  'ocean',
  'current',
  'study',
  'suggestsvideosea',
  'lions',
  'crowded',
  'san',
  'diego',
  'beachsee',
  'moreadvertisementadvertisementstay',
  'safeadvertisementin',
  'airvideohow',
  'app',
  'air',
  'qualityvideohow',
  'wildfire',
  'smoke',
  'oceans',
  'lake',
  'energy',
  'harmful',
  'air',
  'pollutionsee',
  'moreadvertisementadvertisementthe',
  'weather',
  'companythe',
  'weather',
  'channelweather',
  'undergroundfeedbackcareerspress',
  'roomadvertise',
  'sign',
  'upterm',
  'useprivacy',
  'policyadchoicesad',
  'choicesaccessibility',
  'statementdata',
  'vendorsgeorgiaessential',
  'accessibilitywe',
  'responsibility',
  'datum',
  'technology',
  'datum',
  'data',
  'vendor',
  'control',
  'datum',
  'privacy',
  'ad',
  'settingschoose',
  'information',
  'right',
  'copyright',
  'twc',
  'product',
  'technology',
  'llc',
  'theibm',
  'cloudibm',
  'cloudhidden',
  'weather',
  'icon',
  'maskshidden',
  'weather',
  'icon',
  'symbol'],
 ['contentskip',
  'content',
  'register',
  'article',
  'newsletter',
  'news',
  'inbox',
  'daily',
  'headlines',
  'newsletter',
  'subscriber',
  'sign',
  'chance',
  'offer',
  'owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'lee',
  'enterprises',
  'terms',
  'service',
  '',
  '',
  'privacy',
  'policy',
  'help',
  'center',
  'account',
  'dashboard',
  'profile',
  'item',
  'people',
  'tornado',
  'devastate',
  'missouri',
  'people',
  'tornado',
  'devastate',
  'missouri',
  'photo',
  'storm',
  'damage',
  'marble',
  'hill',
  'bollinger',
  'county',
  'wednesday',
  'april',
  'tornado',
  'area',
  'missouri',
  'state',
  'highway',
  'patrol',
  'spokesman',
  'cape',
  'girardeau',
  'fire',
  'department',
  'sikeston',
  'department',
  'public',
  'safety',
  'picture',
  'video',
  'damage',
  'area',
  'courtesy',
  'missouri',
  'state',
  'highway',
  'patrol',
  'official',
  'victim',
  'missouri',
  'tornado',
  'bollinger',
  'county',
  'mo.',
  'people',
  'wednesday',
  'tornado',
  'missouri',
  'town',
  'tornado',
  'bollinger',
  'county',
  'missouri',
  'town',
  'glenallen',
  'marble',
  'hill',
  'mile',
  'st.',
  'louis',
  'path',
  'destruction',
  'injury',
  'extent',
  'death',
  'property',
  'damage',
  'wednesday',
  'afternoon',
  'missouri',
  'highway',
  'patrol',
  'trooper',
  'search',
  'rescue',
  'effort',
  'agency',
  'facebook',
  'post',
  'post',
  'highway',
  'patrol',
  'damage',
  'home',
  'tree',
  'area',
  'wind',
  'bollinger',
  'county',
  'mph',
  'estimate',
  'speed',
  'tornado',
  'ef2',
  'classification',
  'tornado',
  'scale',
  'ef0',
  'missouri',
  'church',
  'million',
  'meal',
  'program',
  'question',
  'salary',
  'spending',
  'woman',
  'vehicle',
  'home',
  'st.',
  'louis',
  'county',
  'alcohol',
  'schnuck',
  'year',
  'compensation',
  'woman',
  'st.',
  'louis',
  'county',
  'sex',
  'video',
  'file',
  'suit',
  'people',
  'sheryl',
  'crow',
  'jason',
  'aldean',
  'song',
  'controversy',
  'controversial',
  'end',
  'cardinal',
  'win',
  'streak',
  'loss',
  'cubs',
  'missouri',
  'supreme',
  'court',
  'attorney',
  'general',
  'bid',
  'abortion',
  'vote',
  'dad',
  'scott',
  'rolen',
  'family',
  'hall',
  'fame',
  'induction',
  'speech',
  'cardinals',
  'alec',
  'burleson',
  'inning',
  'bat',
  'umpire',
  'benfred',
  'trade',
  'rumor',
  'willson',
  'contreras',
  'cardinal',
  'conundrum',
  'concern',
  'mount',
  'downtown',
  'chesterfield',
  'development',
  'proposal',
  'fields',
  'foods',
  'owner',
  'chain',
  'pagedale',
  'store',
  'volunteer',
  'priest',
  'st.',
  'louis',
  'catholic',
  'parish',
  'church',
  'leader',
  'south',
  'st.',
  'louis',
  'cleveland',
  'high',
  'school',
  'redevelopment',
  'st.',
  'charles',
  'county',
  'library',
  'card',
  'policy',
  'state',
  'rule',
  'material',
  'eric',
  'pendergrass',
  'funeral',
  'home',
  'marble',
  'hill',
  'fire',
  'truck',
  'weather',
  'town',
  'devastation',
  'tree',
  'ground',
  'house',
  'vehicle',
  'devastation',
  'tornado',
  'glenallen',
  'mo.',
  'people',
  'number',
  'injury',
  'wednesday',
  'april',
  'pendergrass',
  'fatality',
  'family',
  'area',
  'home',
  'route',
  'road',
  'town',
  'national',
  'weather',
  'service',
  'meteorologist',
  'justin',
  'gibbs',
  'tornado',
  'glenallen',
  'ground',
  'minute',
  'tornado',
  'gibbs',
  'stuff',
  'bollinger',
  'county',
  'tornado',
  'night',
  'morning',
  'nightmare',
  'warning',
  'standpoint',
  'gibbs',
  'morning',
  '”a',
  'phone',
  'weather',
  'alert',
  'bobby',
  'masters',
  'debris',
  'glenallen',
  'home',
  'shelter',
  'basement',
  'family',
  'roar',
  'tornado',
  'tornado',
  'freight',
  'train',
  'lord',
  'family',
  'house',
  'lincoln',
  'phone',
  'alert',
  'bathtub',
  'wife',
  'year',
  'daughter',
  'house',
  'afternoon',
  'roof',
  'prayer',
  'chris',
  'green',
  'dog',
  'debris',
  'father',
  'animal',
  'gov.',
  'mike',
  'parson',
  'wednesday',
  'morning',
  'emergency',
  'personnel',
  'ground',
  'damage',
  'resource',
  'herculaneum',
  'fire',
  'department',
  'urban',
  'search',
  'rescue',
  'team',
  'festus',
  'cleanup',
  'rescue',
  'effort',
  'team',
  'disaster',
  'task',
  'force',
  'federal',
  'emergency',
  'management',
  'agency',
  'wednesday',
  'storm',
  'tornado',
  'warning',
  'oklahoma',
  'arkansas',
  'missouri',
  'texas',
  'pressure',
  'wind',
  'storm',
  'day',
  'storm',
  'tornado',
  'swath',
  'u.s.',
  'people',
  'associated',
  'press',
  'storm',
  'downtown',
  'st.',
  'louis',
  'malcolm',
  'w.',
  'martin',
  'memorial',
  'park',
  'east',
  'st.',
  'louis',
  'guide',
  'point',
  'visitor',
  'st.',
  'louis',
  'skyline',
  'photo',
  'robert',
  'cohen',
  'rcohen@post-dispatch.com',
  'east',
  'kansas',
  'city',
  'wednesday',
  'storm',
  'st.',
  'louis',
  'degree',
  'jefferson',
  'city',
  'jesse',
  'bogan',
  'post',
  'dispatch',
  'jim',
  'salter',
  'scott',
  'mcfetridge',
  'associated',
  'press',
  'report',
  'tornado',
  'warning',
  'step',
  'step',
  'guide',
  'family',
  'tornado',
  'way',
  'news',
  'inbox',
  'daily',
  'headlines',
  'newsletter',
  'registration',
  'use',
  'site',
  'agreement',
  'user',
  'agreement',
  'privacy',
  'policy',
  'missouri',
  'church',
  'million',
  'meal',
  'program',
  'question',
  'salary',
  'spending',
  'springfield',
  'life360',
  'arm',
  'missouri',
  'usda',
  'meal',
  'program',
  'provider',
  'pandemic',
  'government',
  'money',
  'woman',
  'vehicle',
  'home',
  'st.',
  'louis',
  'county',
  'year',
  'woman',
  'tuesday',
  'afternoon',
  'vehicle',
  'home',
  'st.',
  'louis',
  'county',
  'jefferson',
  'barracks',
  'park',
  'alcohol',
  'schnuck',
  'year',
  'compensation',
  'wine',
  'drinker',
  'spirit',
  'sipper',
  'compensation',
  'schnuck',
  'class',
  'action',
  'settlement',
  'missouri-',
  'woman',
  'st.',
  'louis',
  'county',
  'sex',
  'video',
  'file',
  'suit',
  'people',
  'defendant',
  'lawsuit',
  'wednesday',
  'cal',
  'harris',
  'chief',
  'staff',
  'county',
  'executive',
  'sam',
  'page',
  'state',
  'representative',
  'missouri',
  'supreme',
  'court',
  'attorney',
  'general',
  'bid',
  'abortion',
  'vote',
  'standoff',
  'day',
  'abortion',
  'right',
  'supporter',
  'signature',
  'question',
  'ballot',
  'copyright',
  'st.',
  'louis',
  'post',
  '-',
  'dispatch',
  'n.',
  'st.',
  'st.',
  'louis',
  'mo',
  'term',
  'use',
  '',
  '',
  'privacy',
  'policy',
  '',
  '',
  'info',
  '',
  '',
  'cookie',
  'preferences',
  'blox',
  'content',
  'management',
  'system',
  'minute',
  'news',
  'device'],
 ['huntsville',
  'madison',
  'decatur',
  'athens',
  'shoals',
  'northwest',
  'alabama',
  'northeast',
  'alabama',
  'alabama',
  'news',
  'tennessee',
  'news',
  'bbb',
  'consumer',
  'alerts',
  'national',
  'stem',
  'artemis',
  'covid-19',
  'washington',
  'dc',
  'bureau',
  'politics',
  'hill',
  'border',
  'report',
  'automotive',
  'news',
  'forecast',
  'discussion',
  'interactive',
  'radar',
  'generac',
  'superstore',
  'day',
  'forecast',
  'maps',
  'radar',
  'mr.',
  'electric',
  'camera',
  'network',
  'weather',
  'wednesday',
  'bus',
  'stop',
  'forecast',
  'gulf',
  'coast',
  'forecast',
  'weather',
  'closings',
  'delays',
  'warnings',
  'photo',
  'galleries',
  'live',
  'alert',
  'app',
  'traffic',
  'sec',
  'media',
  'days',
  'key',
  'athlete',
  'week',
  'trash',
  'pandas',
  'havoc',
  'nfl',
  'draft',
  'alabama',
  'auburn',
  'watch',
  'whnt',
  'whdf',
  'newscasts',
  'whnt',
  'video',
  'center',
  'breaking',
  'news',
  'coverage',
  'talk',
  'valley',
  'noon',
  'interviews',
  'whnt',
  'north',
  'alabama',
  'cw',
  'program',
  'schedule',
  'traffic',
  'cbs',
  'news',
  'live',
  'feed',
  'captioning',
  'info',
  'story',
  'leadership',
  'perspectives',
  'school',
  'share',
  'community',
  'calendar',
  'mr.',
  'food',
  'test',
  'kitchen',
  'heroes',
  'living',
  'life',
  'adopt',
  'pet',
  'bestreviews',
  'bestreviews',
  'daily',
  'deals',
  'contests',
  'news',
  'team',
  'whnt',
  'news',
  'sales',
  'team',
  'broadcast',
  'digital',
  'news',
  'app',
  'advertise',
  'regional',
  'news',
  'partners',
  'bestreviews',
  'personal',
  'information',
  'work',
  'job',
  'post',
  'job',
  'photo',
  'storm',
  'damage',
  'flooding',
  'tennessee',
  'valley',
  'mar',
  'cst',
  'mar',
  'pm',
  'cst',
  'mar',
  'cst',
  'mar',
  'pm',
  'cst',
  'whnt',
  'report',
  'damage',
  'tennessee',
  'valley',
  'storm',
  'area',
  'home',
  'short',
  'track',
  'drive',
  'new',
  'market',
  'wednesday',
  'night',
  'storm',
  'home',
  'majority',
  'roof',
  'crew',
  'national',
  'weather',
  'service',
  'nws',
  'home',
  'damage',
  'tornado',
  'photo',
  'short',
  'track',
  'drive',
  'new',
  'market',
  'photo',
  'short',
  'track',
  'drive',
  'new',
  'market',
  'photo',
  'short',
  'track',
  'drive',
  'new',
  'market',
  'photo',
  'short',
  'track',
  'drive',
  'new',
  'market',
  'photo',
  'short',
  'track',
  'drive',
  'new',
  'market',
  'news',
  'kayla',
  'smith',
  'homeowner',
  'news',
  'morning',
  'experience',
  'storm',
  'home',
  'interview',
  'mill',
  'creek',
  'madison',
  'flash',
  'flooding',
  'rain',
  'mill',
  'creek',
  'madison',
  'photo',
  'vann',
  'jones',
  'mill',
  'creek',
  'madison',
  'video',
  'vann',
  'jones',
  'north',
  'alabama',
  'old',
  'highway',
  'colbert',
  'county',
  'flooding',
  'area',
  'sky19',
  'photo',
  'old',
  'highway',
  'colbert',
  'county',
  'sky19',
  'photo',
  'old',
  'highway',
  'colbert',
  'county',
  'sky19',
  'photo',
  'old',
  'highway',
  'colbert',
  'county',
  'damage',
  'damage',
  'form',
  'information',
  'damage',
  'interactive@whnt.com',
  'date',
  'news',
  'weather',
  'authority',
  'information',
  'weather',
  'date',
  'livealert',
  'app',
  'typo',
  'error(required',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'amazon',
  'school',
  'deal',
  'schooler',
  'school',
  'corner',
  'amazon',
  'supply',
  'school',
  'deal',
  'supply',
  'schooler',
  'august',
  'vegetable',
  'flower',
  'flower',
  'plant',
  'hour',
  'soil',
  'air',
  'temperature',
  'sunshine',
  'august',
  'month',
  'planting',
  'chemical',
  'guys',
  'kit',
  'car',
  'car',
  'care',
  'hour',
  'chemical',
  'guys',
  'car',
  'wash',
  'kit',
  'time',
  'deal',
  'thank',
  'inbox',
  'thank',
  'inbox',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'russia',
  'un',
  'meeting',
  'soldier',
  'niger',
  'biden',
  'relief',
  'heat',
  'transgender',
  'intersex',
  'people',
  'biden',
  'prime',
  'minister',
  'trump',
  'jan.',
  'rioter',
  'pastor',
  'life',
  'bystander',
  'police',
  'north',
  'alabama',
  'fire',
  'departments',
  'set',
  'pastor',
  'life',
  'innocent',
  'bystander',
  'track',
  'club',
  'funds',
  'junior',
  'olympics',
  'origami',
  'garden',
  'huntsville',
  'botanical',
  'garden',
  'cardiac',
  'arrest',
  'prevention',
  'act',
  'effect',
  'huntsville',
  'botanical',
  'garden',
  'weather',
  'wednesday',
  'resident',
  'apartment',
  'access',
  'evacuation',
  'dr.',
  'jan',
  'davis',
  'space',
  'rocket',
  'center',
  'northwest',
  'shoals',
  'community',
  'college',
  'resource',
  'center',
  'una',
  'ra',
  'assault',
  'july',
  'traffic',
  'research',
  'park',
  'crash',
  '',
  '',
  'tennessee',
  'truth',
  'sentencing',
  'law',
  'july',
  'fort',
  'payne',
  'police',
  'boy',
  'northeast',
  'alabama',
  'hour',
  'lawsuit',
  'church',
  'highlands',
  'pastor',
  'leader',
  'alabama',
  'news',
  'hour',
  'pound',
  'weed',
  'pound',
  'coke',
  'connection',
  'rock',
  'south',
  'assault',
  'alabama',
  'news',
  'hour',
  'decatur',
  'man',
  'child',
  'porn',
  'material',
  'click',
  'photo',
  'gift',
  'summer',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'home',
  'depot',
  'foot',
  'skeleton',
  'halloween',
  'deal',
  'day',
  'prime',
  'day',
  'favorite',
  'amazon',
  'essentials',
  'clothe',
  'thank',
  'inbox',
  'fort',
  'payne',
  'police',
  'boy',
  'lawsuit',
  'church',
  'highlands',
  'pastor',
  'leader',
  'pound',
  'weed',
  'pound',
  'coke',
  'connection',
  'rock',
  'south',
  'assault',
  'decatur',
  'man',
  'child',
  'porn',
  'material',
  'carlee',
  'russell',
  'attorney',
  'charge',
  'taco',
  'bell',
  'murder',
  'suspect',
  'pastor',
  'life',
  'bystander',
  'police',
  'fort',
  'payne',
  'police',
  'boy',
  'northeast',
  'alabama',
  'hour',
  'meteorologist',
  'danielle',
  'dozier',
  'botanical',
  'weather',
  'wednesday',
  'hour',
  'whnt',
  'online',
  'public',
  'file',
  'whdf',
  'online',
  'public',
  'file',
  'whnt',
  'eeo',
  'whdf',
  'eeo',
  'public',
  'file',
  'fcc',
  'applications',
  'android',
  'app',
  'google',
  'play',
  'android',
  'weather',
  'app',
  'google',
  'play',
  'personal',
  'information',
  'personal',
  'information',
  'nexstar',
  'media',
  'inc.',
  'rights'],
 ['search',
  'homepage',
  'local',
  'news',
  'national',
  'news',
  'project',
  'community',
  'politics',
  'fact',
  'fact',
  'local',
  'investigate',
  'weather',
  'local',
  'sports',
  'radar',
  'alerts',
  'map',
  'room',
  'wednesday',
  'child',
  'pollen',
  'forecast',
  'sports',
  'high',
  'school',
  'playbook',
  'community',
  'bell',
  'awards',
  'entertainment',
  'state',
  'addiction',
  'news',
  'love',
  'news',
  'team',
  'contact',
  'advertise',
  'wlky',
  'metv',
  'privacy',
  'notice',
  'terms',
  'use',
  'press',
  'type',
  'search',
  'video',
  'tornado',
  'building',
  'debris',
  'indiana',
  'town',
  'pm',
  'edt',
  'jun',
  'video',
  'tornado',
  'building',
  'debris',
  'indiana',
  'town',
  'pm',
  'edt',
  'jun',
  'alerts',
  'breaking',
  'update',
  'email',
  'inbox',
  'video',
  'tornado',
  'building',
  'debris',
  'indiana',
  'town',
  'pm',
  'edt',
  'jun',
  'tornado',
  'daylight',
  'camera',
  'indiana',
  'town',
  'player',
  'bargersville',
  'indianapolis',
  'mile',
  'louisville',
  'night',
  'weather',
  'number',
  'state',
  'wlky',
  'area',
  'bargersville',
  'region',
  'fire',
  'official',
  'twister',
  'mile',
  'damage',
  'home',
  'curfew',
  'effect',
  'person',
  'result',
  'indiana',
  'storm',
  'national',
  'weather',
  'service',
  'ground',
  'monday',
  'damage',
  'video',
  'credit',
  'eric',
  'ford',
  'tmx',
  'bargersville',
  'ind.',
  'tornado',
  'daylight',
  'camera',
  'indiana',
  'town',
  'player',
  'bargersville',
  'indianapolis',
  'mile',
  'louisville',
  'night',
  'weather',
  'number',
  'state',
  'wlky',
  'area',
  'bargersville',
  'region',
  'fire',
  'official',
  'twister',
  'mile',
  'damage',
  'home',
  'curfew',
  'effect',
  'person',
  'result',
  'indiana',
  'storm',
  'tornado',
  'weather',
  'damage',
  'home',
  'power',
  'state',
  'national',
  'weather',
  'service',
  'ground',
  'monday',
  'damage',
  'video',
  'credit',
  'eric',
  'ford',
  'tmx',
  'photo',
  'hail',
  'cloud',
  'damage',
  'sunday',
  'storm',
  'contact',
  'news',
  'team',
  'apps',
  'social',
  'email',
  'alerts',
  'careers',
  'internships',
  'digital',
  'advertising',
  'terms',
  'conditions',
  'broadcast',
  'terms',
  'conditions',
  'rss',
  'eeo',
  'captioning',
  'contacts',
  'public',
  'inspection',
  'file',
  'public',
  'file',
  'assistance',
  'fcc',
  'applications',
  'news',
  'policy',
  'statements',
  'hearst',
  'television',
  'affiliate',
  'marketing',
  'program',
  'commission',
  'product',
  'link',
  'retailer',
  'site',
  'hearst',
  'television',
  'inc.',
  'behalf',
  'wlky',
  'tv',
  'privacy',
  'notice',
  'california',
  'privacy',
  'rights',
  'interest',
  'ads',
  'terms',
  'use',
  'site',
  'map'],
 ['local',
  'news',
  'west',
  'virginia',
  'news',
  'virginia',
  'news',
  'russia',
  'ukraine',
  'conflict',
  'national',
  'news',
  'international',
  'news',
  'covering',
  'washington',
  'politics',
  'hill',
  'traffic',
  'covid-19',
  'video',
  'center',
  'automotive',
  'news',
  'outdoors',
  'wildlife',
  'press',
  'releases',
  'heat',
  'national',
  'wvu',
  'medicine',
  'team',
  'jamboree',
  'scout',
  'national',
  'jamboree',
  'inclusion',
  'scouting',
  'west',
  'virginia',
  'state',
  'sales',
  'tax',
  'holiday',
  'pet',
  'car',
  'day',
  'forecast',
  'closings',
  'delays',
  'interactive',
  'radar',
  'map',
  'center',
  'severe',
  'weather',
  'desk',
  'winter',
  'weather',
  'desk',
  'stormtracker',
  'power',
  'outage',
  'map',
  'stormtracker',
  'weathernet',
  'stormtracker',
  'predictor',
  'video',
  'forecast',
  'hunting',
  'fishing',
  'forecast',
  'pollen',
  'weathertogether',
  'pet',
  'car',
  'summer',
  'heat',
  'humidity',
  'heat',
  'year',
  'heat',
  'humidity',
  'tuesday',
  'shower',
  'summertime',
  'heat',
  'week',
  'fayette',
  'county',
  'greenbrier',
  'county',
  'mcdowell',
  'county',
  'mercer',
  'county',
  'monroe',
  'county',
  'pocahontas',
  'county',
  'raleigh',
  'county',
  'summers',
  'county',
  'wyoming',
  'county',
  'tazewell',
  'county',
  'virginia',
  'heat',
  'national',
  'wvu',
  'medicine',
  'team',
  'jamboree',
  'scout',
  'national',
  'jamboree',
  'inclusion',
  'scouting',
  'west',
  'virginia',
  'state',
  'sales',
  'tax',
  'holiday',
  'pet',
  'car',
  'national',
  'scout',
  'jamboree',
  'postcards',
  'home',
  'stormtracker',
  'national',
  'scout',
  'jamboree',
  'forecast',
  'national',
  'scout',
  'jamboree',
  'sky',
  'cam',
  'scout',
  'jamboree',
  'snackable',
  'video',
  'center',
  'gold',
  'blue',
  'nation',
  'high',
  'school',
  'sports',
  'college',
  'sports',
  'big',
  'game',
  'auto',
  'racing',
  'nfl',
  'liv',
  'golf',
  'northwestern',
  'coach',
  'wildcat',
  'monahan',
  'pga',
  'tour',
  'rollback',
  'month',
  'contact',
  'colorado',
  'guardians',
  'trade',
  'amed',
  'rosario',
  'dodgers',
  'aaron',
  'rodgers',
  'pay',
  'cut',
  'year',
  'blue',
  'jays',
  'channel',
  'ted',
  'lasso',
  'dodger',
  'tv',
  'schedule',
  'doc',
  'community',
  'calendar',
  'lottery',
  'number',
  'people',
  'pet',
  'walking',
  'forecast',
  'weathertogether',
  '59news',
  'umbrella',
  'giveaway',
  'backyard',
  'bbq',
  'breakfast',
  'club',
  'giveaway',
  'fan',
  'day',
  'contest',
  'winners',
  'crime',
  'coalfields',
  'season',
  'crime',
  'coalfields',
  'season',
  'entertainment',
  'news',
  'gaming',
  'news',
  'alexa',
  'flash',
  'briefings',
  'bestreviews',
  'snackable',
  'video',
  'center',
  'job',
  'post',
  'job',
  'work',
  'mobile',
  'app',
  'team',
  'contact',
  'advertise',
  'newsletter',
  'tv',
  'regional',
  'news',
  'partners',
  'bestreviews',
  'sale',
  'storm',
  '4th',
  'july',
  'weekend',
  'jun',
  'pm',
  'edt',
  'jul',
  'edt',
  'jun',
  'pm',
  'edt',
  'jul',
  'edt',
  'tonight',
  'midnight',
  'chance',
  'storm',
  'midnight',
  'west',
  'complex',
  'shower',
  'storm',
  'roadway',
  'dawn',
  'saturday',
  'morning',
  'weather',
  'morning',
  'muggy',
  'night',
  'low',
  '60',
  'saturday',
  'chance',
  'shower',
  'thunderstorm',
  'ring',
  'fire',
  'pattern',
  'place',
  'storm',
  'form',
  'potential',
  'rainfall',
  'plenty',
  'time',
  '4th',
  'july',
  'holiday',
  'weekend',
  'plan',
  'sunday',
  'summer',
  'day',
  'way',
  'high',
  '80',
  'storm',
  'wind',
  'gust',
  'storm',
  'prediction',
  'center',
  'region',
  'level',
  'weather',
  'threat',
  'sunday',
  'chance',
  'shower',
  'storm',
  'region',
  'air',
  'flow',
  'courtesy',
  'system',
  'north',
  'sunday',
  'chance',
  'rain',
  'plenty',
  'period',
  'result',
  'shower',
  'storm',
  'west',
  'virginia',
  'afternoon',
  'storm',
  'rainfall',
  'wind',
  'gust',
  'storm',
  'prediction',
  'center',
  'region',
  'level',
  'weather',
  'threat',
  'high',
  '80',
  'monday',
  'chance',
  'shower',
  'thunderstorm',
  'picture',
  'ring',
  'fire',
  'pattern',
  'disturbance',
  'north',
  'humidity',
  'energy',
  'couple',
  'storm',
  'temperature',
  'degree',
  '4th',
  'july',
  'point',
  'plenty',
  'sunshine',
  'pressure',
  'control',
  'temperature',
  '80',
  'couple',
  'storm',
  'mountain',
  'wednesday',
  'pressure',
  'control',
  'temperature',
  '80',
  'result',
  'pressure',
  'storm',
  'mountain',
  '4th',
  'july',
  'travel',
  'thursday',
  'humidity',
  'pressure',
  'shift',
  'east',
  'temperature',
  '80',
  'shower',
  'storm',
  'bet',
  'lot',
  'time',
  'storm',
  'nature',
  'friday',
  'storm',
  'system',
  'region',
  'chance',
  'shower',
  'storm',
  'temperature',
  'summer',
  'high',
  '80',
  'mother',
  'nature',
  'couple',
  'firework',
  '4th',
  'july',
  'holiday',
  'summer',
  'pattern',
  'holiday',
  'lot',
  'folk',
  'summer',
  'temperature',
  'forecast',
  'period',
  'plenty',
  '80',
  'area',
  'storm',
  'day',
  'rainfall',
  'rain',
  'half',
  'region',
  'storm',
  'midnight',
  'chance',
  'shower',
  'dawn',
  '60',
  'storm',
  'storm',
  'plenty',
  'time',
  'high',
  '80',
  'storm',
  'storm',
  'high',
  '80',
  'storm',
  'high',
  'mountain',
  'storm',
  'high',
  '80',
  'mountain',
  'storm',
  'high',
  '80',
  'thursdaya',
  'storm',
  'high',
  '80',
  'storm',
  'high',
  '80',
  'storm',
  'high',
  'high',
  '80',
  'shower',
  'storm',
  'high',
  '80',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'amazon',
  'school',
  'deal',
  'schooler',
  'school',
  'corner',
  'amazon',
  'supply',
  'school',
  'deal',
  'supply',
  'schooler',
  'august',
  'vegetable',
  'flower',
  'flower',
  'plant',
  'hour',
  'soil',
  'air',
  'temperature',
  'sunshine',
  'august',
  'month',
  'planting',
  'chemical',
  'guys',
  'kit',
  'car',
  'car',
  'care',
  'hour',
  'chemical',
  'guys',
  'car',
  'wash',
  'kit',
  'time',
  'deal',
  'heat',
  'national',
  'wvu',
  'medicine',
  'team',
  'jamboree',
  'scout',
  'national',
  'jamboree',
  'inclusion',
  'scouting',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'judge',
  'vehicle',
  'network',
  'leader',
  'kim',
  'jong',
  'un',
  'heat',
  'national',
  'samsung',
  'smartphone',
  'bet',
  'wvu',
  'medicine',
  'team',
  'jamboree',
  'scout',
  'soldier',
  'niger',
  'journalist',
  'year',
  'prison',
  'ocean',
  'heat',
  '2nd',
  'marine',
  'division',
  'band',
  'summit',
  'bechtel',
  'new',
  'river',
  'ctc',
  'student',
  'life',
  'experience',
  'teacher',
  'scouting',
  'supplement',
  'goal',
  'education',
  'carynn',
  's.',
  'zachary',
  't.',
  'sammy',
  'a.',
  'heat',
  'national',
  'wvu',
  'medicine',
  'team',
  'jamboree',
  'scout',
  'national',
  'jamboree',
  'inclusion',
  'scouting',
  'wv',
  'angler',
  'fishing',
  'record',
  'year',
  'row',
  'outdoors',
  'wildlife',
  'hour',
  'west',
  'virginia',
  'state',
  'sales',
  'tax',
  'holiday',
  'stories',
  'hour',
  'wv',
  'turnpike',
  'psc',
  'enforcement',
  'officer',
  'venturing',
  'program',
  'scouts',
  'outdoors',
  'wildlife',
  'hour',
  'section',
  'seneca',
  'trail',
  'accident',
  'flying',
  'fishing',
  'jamboree',
  'outdoors',
  'wildlife',
  'hour',
  'wv',
  'national',
  'guardsman',
  'eagle',
  'scout',
  'jamboree',
  'local',
  'news',
  'hour',
  'dog',
  'day',
  'summer',
  'action',
  'virginians',
  'option',
  'blood',
  'type',
  'virginia',
  'news',
  'week',
  'update',
  'black',
  'bear',
  'downtown',
  'roanoke',
  'virginia',
  'news',
  'week',
  'mother',
  'daughter',
  'west',
  'virginia',
  'news',
  'week',
  'baby',
  'giant',
  'smith',
  'mountain',
  'lake',
  'virginia',
  'news',
  'week',
  'frankenfish',
  'outdoors',
  'wildlife',
  'week',
  'recall',
  'fruit',
  'item',
  'walmart',
  'target',
  'beloved',
  'virginia',
  'horse',
  'history',
  'site',
  'virginia',
  'news',
  'week',
  'virginia',
  'blueberry',
  'farming',
  'virginia',
  'news',
  'month',
  'update',
  'missing',
  'tazewell',
  'county',
  'woman',
  'virginia',
  'news',
  'month',
  'federal',
  'reserve',
  'interest',
  'rate',
  'hike',
  'wv',
  'angler',
  'fishing',
  'record',
  'year',
  'row',
  'west',
  'virginia',
  'state',
  'sales',
  'tax',
  'holiday',
  'whistleblower',
  'congress',
  'wv',
  'delegate',
  'basketball',
  'game',
  'wheeling',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'singer',
  'sinead',
  'o’connor',
  'israel',
  'court',
  'challenge',
  'law',
  'west',
  'virginia',
  'west',
  'virginia',
  'state',
  'sales',
  'tax',
  'holiday',
  'wv',
  'delegate',
  'basketball',
  'game',
  'wheeling',
  'woman',
  'fayette',
  'county',
  'scientist',
  'whistleblower',
  'ufo',
  'update',
  'victim',
  'motorcycle',
  'accident',
  'jason',
  'aldean',
  'song',
  'chart',
  'controversy',
  'thank',
  'inbox',
  'gift',
  'summer',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'home',
  'depot',
  'foot',
  'skeleton',
  'halloween',
  'deal',
  'day',
  'prime',
  'day',
  'favorite',
  'news',
  'stormtracker',
  'sports',
  'digital',
  'desk',
  'community',
  'contests',
  'video',
  'game',
  'news',
  'contact',
  'eeo',
  'files',
  'fcc',
  'public',
  'file',
  'nexstar',
  'cc',
  'certification',
  'android',
  'app',
  'google',
  'play',
  'android',
  'weather',
  'app',
  'google',
  'play',
  'personal',
  'information',
  'personal',
  'information',
  'nexstar',
  'media',
  'inc.',
  'rights'],
 ['news',
  'datum',
  'analytic',
  'market',
  'aboutrefinitivreuter',
  'statescalifornia',
  'rain',
  'river',
  'stormby',
  'steve',
  'gorman',
  'brendan',
  "o'brienmarch",
  'utcupdated',
  'agolos',
  'angeles',
  'march',
  'reuters',
  'emergency',
  'official',
  'california',
  'county',
  'friday',
  'patrolling',
  'levy',
  'river',
  'river',
  'storm',
  'state',
  'rain',
  'flood',
  'road',
  'evacuation',
  'deluge',
  'stream',
  'pacific',
  'moisture',
  'california',
  'sky',
  'mountain',
  'area',
  'pile',
  'snow',
  'spate',
  'paralyzing',
  'blizzard',
  'snow',
  'elevation',
  'san',
  'bernardino',
  'county',
  'sheriff',
  'department',
  'role',
  'february',
  'snowstorm',
  'demise',
  'people',
  'home',
  'week',
  'resident',
  'town',
  'big',
  'bear',
  'mountain',
  'enclave',
  'community',
  'severity',
  'winter',
  'storm',
  'authority',
  'southern',
  'california',
  'country',
  'blast',
  'shower',
  'wind',
  'thursday',
  'night',
  'friday',
  'region',
  'home',
  'people',
  'los',
  'angeles',
  'san',
  'francisco',
  'bay',
  'area',
  'sacramento',
  'flood',
  'watch',
  'advisory',
  'san',
  'diego',
  'border',
  'shasta',
  'cascade',
  'region',
  'california',
  'national',
  'weather',
  'service',
  'nws',
  'rainfall',
  'total',
  'inch',
  'inch',
  'region',
  'u.s.',
  'president',
  'joe',
  'biden',
  'friday',
  'emergency',
  'california',
  'assistance',
  'state',
  'authority',
  'weather',
  'storm',
  'product',
  'meteorologist',
  'river',
  'altitude',
  'current',
  'moisture',
  'streaming',
  'west',
  'coast',
  'pacific',
  'water',
  'hawaii',
  'weather',
  'system',
  'california',
  'christmas',
  'winter',
  'state',
  'year',
  'drought',
  'wildfire',
  'precipitation',
  'area',
  'friday',
  'riverfront',
  'community',
  'california',
  'stream',
  'runoff',
  'rain',
  'snow',
  'mountain',
  'torrents.[1/13]floodwater',
  'pajaro',
  'river',
  'pajaro',
  'california',
  'u.s.',
  'march',
  'reuters',
  'nathan',
  "frandino'fully",
  "saturated'about",
  'resident',
  'evacuation',
  'order',
  'warning',
  'san',
  'luis',
  'obispo',
  'county',
  'crew',
  'day',
  'monitoring',
  'levee',
  'creek',
  'river',
  'sandbag',
  'rachel',
  'monte',
  'dion',
  'county',
  'emergency',
  'service',
  'coordinator',
  'personnel',
  'hour',
  'trailer',
  'flooding',
  'area',
  'county',
  'downpour',
  'january',
  'levy',
  'home',
  '"since',
  'january',
  'ground',
  'creek',
  'dion',
  'flooding',
  'friday',
  'wine',
  'country',
  'town',
  'cambria',
  'community',
  'oceano',
  'collapse',
  'roadway',
  'paso',
  'robles',
  'time',
  'january',
  'couple',
  'resident',
  'town',
  'dion',
  'santa',
  'cruz',
  'county',
  'road',
  'creek',
  'town',
  'soquel',
  'home',
  'foothill',
  'mountain',
  'community',
  'county',
  'spokesperson',
  'jason',
  'hoppin',
  'county',
  'community',
  'san',
  'lorenzo',
  'river',
  'flood',
  'stage',
  'hoppin',
  'authority',
  'eye',
  'pajaro',
  'river',
  'area',
  'evacuation',
  'order',
  'monterey',
  'county',
  'bank',
  'river',
  'levee',
  'bit',
  'santa',
  'cruz',
  'county',
  'hoppin',
  'friday',
  'morning',
  'weather',
  'service',
  'flash',
  'flood',
  'warning',
  'tulare',
  'county',
  'resident',
  'ground',
  'life',
  'situation',
  '"the',
  'tulare',
  'county',
  'sheriff',
  'evacuation',
  'order',
  'warning',
  'area',
  'river',
  'stream',
  'bank',
  'level',
  'levee',
  'bridge',
  'frequency',
  'intensity',
  'storm',
  'bout',
  'drought',
  'human',
  'climate',
  'change',
  'expert',
  'swing',
  'extreme',
  'difficulty',
  'california',
  'water',
  'supply',
  'flood',
  'wildfire',
  'risk',
  'steve',
  'gorman',
  'los',
  'angeles',
  'brendan',
  "o'brien",
  'chicago',
  'reporting',
  'nathan',
  'frandino',
  'soquel',
  'california',
  'rosalba',
  "o'brien",
  'shri',
  'navaratnamour',
  'standards',
  'thomson',
  'reuters',
  'trust',
  'principles',
  'read',
  'nextarticle',
  'statescategorytop',
  'senate',
  'republican',
  'mitch',
  'mcconnell',
  'press',
  'airline',
  'detail',
  'newark',
  'new',
  'jersey',
  'airport',
  'flight',
  'galleryworldcategorychina',
  'agenda',
  'biden',
  'italy',
  'meloni',
  'washington4:14',
  'utcunited',
  'statescategorypolice',
  'officer',
  'dog',
  'man',
  'ohio',
  'traffic',
  'stopjuly',
  'reutersworldbiden',
  'war',
  'crime',
  'evidence',
  'iccworldcategory',
  'july',
  'president',
  'joe',
  'biden',
  'administration',
  'evidence',
  'war',
  'crime',
  'ukraine',
  'hague',
  'international',
  'criminal',
  'court',
  'icc',
  'u.s',
  'official',
  'wednesday.article',
  'galleryunited',
  'statescategoryus',
  'house',
  'republicans',
  'hurdle',
  'spending',
  'share',
  'fed',
  'stick',
  'utc',
  'agoarticle',
  'salvador',
  'trial',
  'thousand',
  'crime',
  'aircraft',
  'drone',
  'syria',
  '-white',
  'housejuly',
  '2023site',
  'indexbrowseworldbusinessmarketssustainabilitylegalbreakingviewstechnologyinvestigations',
  'tabsportssciencelifestyleabout',
  'reutersabout',
  'reuters',
  'tabcareer',
  'tabreuters',
  'news',
  'agency',
  'attribution',
  'guidelines',
  'leadership',
  'fact',
  'check',
  'tabreuters',
  'diversity',
  'report',
  'informeddownload',
  'app',
  'tabnewsletter',
  'tabinformation',
  'trustreuter',
  'news',
  'medium',
  'division',
  'thomson',
  'reuters',
  'world',
  'multimedia',
  'news',
  'provider',
  'billion',
  'people',
  'day',
  'reuters',
  'business',
  'news',
  'professional',
  'desktop',
  'terminal',
  'world',
  'medium',
  'organization',
  'industry',
  'event',
  'consumer',
  'usthomson',
  'reuters',
  'productswestlaw',
  'tabbuild',
  'argument',
  'content',
  'attorney',
  'editor',
  'expertise',
  'industry',
  'technology',
  'onesource',
  'tabthe',
  'solution',
  'tax',
  'compliance',
  'need',
  'checkpoint',
  'tabthe',
  'industry',
  'leader',
  'information',
  'tax',
  'accounting',
  'finance',
  'professional',
  'refinitiv',
  'productsrefinitiv',
  'workspace',
  'tab',
  'access',
  'datum',
  'news',
  'content',
  'workflow',
  'experience',
  'desktop',
  'web',
  'refinitiv',
  'data',
  'catalogue',
  'tab',
  'browse',
  'portfolio',
  'time',
  'market',
  'datum',
  'insight',
  'source',
  'expert',
  'refinitiv',
  'world',
  'check',
  'tabscreen',
  'risk',
  'individual',
  'entity',
  'risk',
  'business',
  'relationship',
  'network',
  'advertise',
  'tabadvertising',
  'guidelines',
  'tabcoupon',
  'tabcookie',
  'tabterms',
  'use',
  'tabprivacy',
  'tabdigital',
  'accessibility',
  'tabcorrection',
  'feedback',
  'taball',
  'quote',
  'minimum',
  'minute',
  'list',
  'exchange',
  'delay',
  'reuters',
  'right'],
 ['chicago',
  'news',
  'chicago',
  'suburban',
  'election',
  'coverage',
  'wgn',
  'year',
  'coronavirus',
  'traffic',
  'chicago',
  'crime',
  'trending',
  'cover',
  'story',
  'wgn',
  'investigates',
  'chicago',
  'medical',
  'russia',
  'ukraine',
  'conflict',
  'politics',
  'hill',
  'dean',
  'list',
  'dean',
  'review',
  'wgn',
  'weekend',
  'morning',
  'news',
  'teacher',
  'month',
  'destination',
  'illinois',
  'sign',
  'newsletter',
  'wgn',
  'tv',
  'podcast',
  'bestreviews',
  'automotive',
  'news',
  'press',
  'chicago',
  'area',
  'brace',
  'summer',
  'white',
  'sox',
  'trade',
  'deadline',
  'magician',
  'trick',
  'magic',
  'inc',
  'lawsuit',
  'cpd',
  'officer',
  'woman',
  'chicago',
  'area',
  'radar',
  'chicago',
  'weather',
  'blog',
  'chicago',
  'forecast',
  'maps',
  'radar',
  'watch',
  'warning',
  'chicago',
  'area',
  'chicago',
  'area',
  'school',
  'closing',
  'weather',
  'bug',
  'almanac',
  'chicago',
  'area',
  'brace',
  'summer',
  'weather',
  'storm',
  'damage',
  'lake',
  'bluff',
  'crucial',
  'atlantic',
  'current',
  'south',
  'florida',
  'water',
  'tub',
  'level',
  'forecast',
  'thursday',
  'morning',
  'watch',
  'funnel',
  'cloud',
  'capitol',
  'chicago',
  'blackhawks',
  'chicago',
  'bears',
  'chicago',
  'bulls',
  'chicago',
  'sky',
  'chicago',
  'cubs',
  'chicago',
  'white',
  'sox',
  'chicago',
  'fire',
  'fc',
  'gn',
  'sports',
  'white',
  'sox',
  'trade',
  'deadline',
  'wnba',
  'player',
  'charge',
  'new',
  'nu',
  'football',
  'coach',
  'big',
  'spotlight',
  'world',
  'cup',
  'player',
  'neck',
  'manfred',
  'mlb',
  'commissioner',
  'bears',
  'te',
  'cole',
  'kmet',
  'contract',
  'extension',
  'town',
  'dean',
  'list',
  'dean',
  'review',
  'leshock',
  'value',
  'technology',
  'dean',
  'mr.',
  'fix',
  'friday',
  'forecaster',
  'wgn',
  'news',
  'super',
  'fan',
  'friday',
  'flyover',
  'chicago',
  'scene',
  'home',
  'improvement',
  'week',
  'weekend',
  'morning',
  'news',
  'morning',
  'news',
  'youtube',
  'town',
  'check',
  'place',
  'lauren',
  'list',
  'nickname',
  'co',
  '-',
  'worker',
  'dean',
  'share',
  'recipe',
  'summer',
  'dessert',
  'dean',
  'home',
  'video',
  'beanie',
  'bubble',
  'witcher',
  'tv',
  'schedule',
  'wgn',
  'tv',
  'podcast',
  'daytime',
  'chicago',
  'backstory',
  'larry',
  'potash',
  'wgn',
  'films',
  'wgn',
  'marketplace',
  'wgn',
  'tv',
  'political',
  'report',
  'wgn',
  'youtube',
  'page',
  'wgn',
  'contact',
  'info',
  'team',
  'tv',
  'mobile',
  'app',
  'wgn',
  'tv',
  'history',
  'advertise',
  'wgn',
  'tv',
  'newsletters',
  'news',
  'fcc',
  'public',
  'inspection',
  'file',
  'help',
  'community',
  'calendar',
  'wgn',
  'tv',
  'family',
  'charities',
  'captioning',
  'wgn',
  'tv',
  'bestreviews',
  'regional',
  'news',
  'partners',
  'job',
  'post',
  'job',
  'jobs',
  'internships',
  'wgn',
  'tv',
  'weather',
  'damage',
  'chicago',
  'area',
  'peter',
  'curi',
  'andrew',
  'smith',
  'alonzo',
  'small',
  'eli',
  'ong',
  'dana',
  'rebik',
  'courtney',
  'spinelli',
  'jewell',
  'hillery',
  'ben',
  'bradley',
  'kelly',
  'davis',
  'shannon',
  'halligan',
  'jul',
  'pm',
  'cdt',
  'jul',
  'pm',
  'cdt',
  'peter',
  'curi',
  'andrew',
  'smith',
  'alonzo',
  'small',
  'eli',
  'ong',
  'dana',
  'rebik',
  'courtney',
  'spinelli',
  'jewell',
  'hillery',
  'ben',
  'bradley',
  'kelly',
  'davis',
  'shannon',
  'halligan',
  'jul',
  'pm',
  'cdt',
  'jul',
  'pm',
  'cdt',
  'severe',
  'weather',
  'northern',
  'illinois',
  'hour',
  'wednesday',
  'national',
  'weather',
  'service',
  'tornado',
  'warnings',
  'northern',
  'illinois',
  'cook',
  'county',
  'northwest',
  'indiana',
  'wednesday',
  'tornado',
  'watches',
  'flood',
  'advisories',
  'wednesday',
  'evening',
  'warning',
  'watch',
  'national',
  'weather',
  'service',
  'chicago',
  'area',
  'storm',
  'damage',
  'streamwood',
  'cook',
  'county',
  'portillo',
  'restaurant',
  'block',
  'barrington',
  'road',
  'westview',
  'shopping',
  'center',
  'wednesday',
  'weather',
  'home',
  'edgewater',
  'del',
  'webb',
  'retirement',
  'facility',
  'elgin',
  'tornado',
  'area',
  'fire',
  'official',
  'injury',
  'home',
  'building',
  'kane',
  'county',
  'emergency',
  'management',
  'safety',
  'personnel',
  'elgin',
  'area',
  'damage',
  'south',
  'elgin',
  'elgin',
  'township',
  'american',
  'red',
  'cross',
  'salvation',
  'army',
  'resident',
  'lot',
  'power',
  'line',
  'mccook',
  'area',
  'travel',
  'damage',
  'skyline',
  'motel',
  'mccook',
  'room',
  'motel',
  'ty',
  'carr',
  'arizona',
  'chaos',
  'people',
  'motel',
  'time',
  'place',
  'home',
  'willow',
  'springs',
  'road',
  'countryside',
  'weather',
  'tornado',
  'area',
  'p.m.',
  'damage',
  'area',
  'roof',
  'home',
  'wind',
  'tree',
  'half',
  'window',
  'house',
  'tatiana',
  'vidakovich',
  'countryside',
  'resident',
  'house',
  'roof',
  'injury',
  'wednesday',
  'evening',
  'countryside',
  'power',
  'outage',
  'indian',
  'head',
  'park',
  'p.m.',
  'wednesday',
  'gas',
  'service',
  'area',
  'emergency',
  'crew',
  'tree',
  'power',
  'line',
  'area',
  'injury',
  'area',
  'weather',
  'spotter',
  'tree',
  'roof',
  'joliet',
  'road',
  'lagrange',
  'road',
  'countryside',
  'cook',
  'county',
  'near',
  'huntley',
  'mchenry',
  'county',
  'report',
  'tree',
  'damage',
  'home',
  'algonquin',
  'reed',
  'roads',
  'fox',
  'bend',
  'golf',
  'course',
  'oswego',
  'kendall',
  'county',
  'report',
  'inch',
  'tree',
  'cicero',
  'rain',
  'roll',
  'ground',
  'stop',
  'wednesday',
  'midway',
  'o’hare',
  'storm',
  'faa',
  'tornado',
  'ground',
  'airport',
  'kevin',
  'bargnes',
  'director',
  'communication',
  'o’hare',
  'report',
  'damage',
  'brett',
  'borchardt',
  'meteorologist',
  'national',
  'weather',
  'service',
  'tornado',
  'chicago',
  'area',
  'borchardt',
  'nws',
  'damage',
  'area',
  'locality',
  'surveying',
  'damage',
  'day',
  'event',
  'area',
  'month',
  'july',
  'borchardt',
  'lot',
  'thing',
  'situation',
  'lot',
  'domino',
  'direction',
  'weather',
  'season',
  'august',
  'borchardt',
  'heart',
  'weather',
  'season',
  'borchardt',
  'weather',
  'chicago',
  'area',
  'month',
  'june',
  'borchardt',
  'drought',
  'impact',
  'wednesday',
  'weather',
  'city',
  'chicago',
  'tornado',
  'borchardt',
  'skyscraper',
  'tornado',
  'weather',
  'time',
  'day',
  'time',
  'night',
  'time',
  'year',
  'injury',
  'tornado',
  'o’hare',
  'airport',
  'weather',
  'warning',
  'viewer',
  'photo',
  'submissions',
  'apartment',
  'building',
  'wall',
  'wednesay',
  'storm',
  'indian',
  'head',
  'photo',
  'courtesy',
  'ben',
  'bradley)(photo',
  'courtesy',
  'frank',
  'richert',
  'fmr',
  'photography)elgin',
  'courtesy',
  'karen',
  'mcgowan',
  'kowalczyk)storm',
  'damage',
  'streamwood',
  'illinois',
  'irving',
  'park',
  'road',
  'barrington',
  'road',
  'photo',
  'courtesy',
  'zander',
  'tinerella)mcdonald',
  'road',
  'west',
  'randall',
  'rd',
  'elgin',
  'photo',
  'courtesy',
  'pete',
  'potempa)damage',
  'elginelgin',
  'courtesy',
  'karen',
  'mcgowan',
  'kowalczyk)elgin',
  'courtesy',
  'karen',
  'mcgowan',
  'kowalczyk)storm',
  'damage',
  'streamwood',
  'illinois',
  'irving',
  'park',
  'road',
  'barrington',
  'road',
  'photo',
  'courtesy',
  'zander',
  'tinerella)elgin',
  'courtesy',
  'karen',
  'mcgowan',
  'tornado',
  'damage',
  'des',
  'plaines',
  'chuck',
  'crimaldi)tornado',
  'campton',
  'hills',
  'provided',
  'chris',
  'samorian)photo',
  'weather',
  'terminal',
  'chicago',
  'o’hare',
  'airport',
  'photo',
  'courtesy',
  'ashley',
  'biess)photo',
  'weather',
  'terminal',
  'chicago',
  'o’hare',
  'airport',
  'photo',
  'courtesy',
  'ashley',
  'biess)photo',
  'weather',
  'terminal',
  'chicago',
  'o’hare',
  'airport',
  'photo',
  'courtesy',
  'ashley',
  'biess)storm',
  'damage',
  'streamwood',
  'illinois',
  'irving',
  'park',
  'road',
  'barrington',
  'road',
  'photo',
  'courtesy',
  'zander',
  'tinerella)storm',
  'damage',
  'streamwood',
  'illinois',
  'irving',
  'park',
  'road',
  'barrington',
  'road',
  'photo',
  'courtesy',
  'zander',
  'tornado',
  'damage',
  'des',
  'plaines',
  'chuck',
  'crimaldi)tornado',
  'campton',
  'hills',
  'provided',
  'chris',
  'samorian)tornado',
  'campton',
  'hills',
  'chris',
  'samorian)damage',
  'elgindamage',
  'elgindamage',
  'elgindamage',
  'elgin',
  'viewer',
  'video',
  'submissions',
  'video',
  'tornado',
  'sam',
  'club',
  'randall',
  'road',
  'elgin',
  'video',
  'courtesy',
  'heather',
  'mikos',
  'video',
  'tornado',
  'intersection',
  'mcdonald',
  'road',
  'randall',
  'road',
  'south',
  'elgin',
  'video',
  'courtesy',
  'pete',
  'potempa',
  'video',
  'storm',
  'westchester',
  'chicago',
  'highlands',
  'golf',
  'club',
  'video',
  'courtesy',
  'paul',
  'schlimm',
  'video',
  'tornado',
  'campton',
  'hills',
  'video',
  'courtesy',
  'network',
  'video',
  'productions',
  'recording',
  'storm',
  'chicago',
  'area',
  'livestream',
  'national',
  'weather',
  'service',
  'tornado',
  'chicago',
  'o’hare',
  'international',
  'airport',
  'warning',
  'weather',
  'city',
  'video',
  'courtesy',
  'ashley',
  'biess',
  'video',
  'tornado',
  'chicago',
  'o’hare',
  'airport',
  'video',
  'courtesy',
  'wgn',
  'jewell',
  'hillery',
  'wgn',
  'story',
  'typo',
  'error(required',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'amazon',
  'school',
  'deal',
  'schooler',
  'school',
  'corner',
  'amazon',
  'supply',
  'school',
  'deal',
  'supply',
  'schooler',
  'august',
  'vegetable',
  'flower',
  'flower',
  'plant',
  'hour',
  'soil',
  'air',
  'temperature',
  'sunshine',
  'august',
  'month',
  'planting',
  'chemical',
  'guys',
  'kit',
  'car',
  'car',
  'care',
  'hour',
  'chemical',
  'guys',
  'car',
  'wash',
  'kit',
  'time',
  'deal',
  'thank',
  'inbox',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'taiwan',
  'school',
  'office',
  'typhoon',
  'bomb',
  'threat',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'russia',
  'un',
  'meeting',
  'bluffing',
  'putin',
  'deployment',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'taiwan',
  'school',
  'office',
  'typhoon',
  'bomb',
  'threat',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'russia',
  'un',
  'meeting',
  'soldier',
  'niger',
  'chicago',
  'area',
  'brace',
  'summer',
  'hurricane',
  'newsfeed',
  'month',
  'al',
  'qaida',
  'chief',
  'pattern',
  'life',
  'death',
  'newsfeed',
  'month',
  'hospital',
  'facility',
  'fee',
  'zoom',
  'newsfeed',
  'year',
  'case',
  'truck',
  'driver',
  'dna',
  'tech',
  'crack',
  'jonbenet',
  'ramsey',
  'case',
  'newsfeed',
  'year',
  'newsfeed',
  'president',
  'trump',
  'campaign',
  'nc',
  'presidential',
  'local',
  'election',
  'hq',
  'year',
  'newsfeed',
  'campaign',
  'pa',
  'change',
  'thursday',
  'local',
  'election',
  'hq',
  'year',
  'alabama',
  'man',
  'brother',
  'dna',
  'test',
  'newsfeed',
  'year',
  'friend',
  'life',
  'year',
  'california',
  'newsfeed',
  'year',
  'trick',
  'treating',
  'los',
  'angeles',
  'newsfeed',
  'year',
  'state',
  'police',
  'portland',
  'newsfeed',
  'year',
  'u.s.',
  'coast',
  'guard',
  'year',
  'father',
  'newsfeed',
  'year',
  'nev',
  'schulman',
  'mtv',
  'catfish',
  'year',
  'boy',
  'newsfeed',
  'year',
  'face',
  'mask',
  'newsfeed',
  'year',
  'man',
  'denver',
  'officer',
  'prison',
  'newsfeed',
  'year',
  'watch',
  'celebration',
  ...],
 ['year',
  'homeowner',
  'fed',
  'man',
  'roofing',
  'scam',
  'weather',
  'hot',
  'humid',
  'tomorrow',
  'money',
  'ac',
  'heatwave',
  'weather',
  'derecho',
  'path',
  'devastation',
  'midwest',
  'wind',
  'storm',
  'power',
  'hurricane',
  'midwest',
  'tree',
  'vehicle',
  'property',
  'damage',
  'credit',
  'ap',
  'tree',
  'vehicle',
  'home',
  'west',
  'des',
  'moines',
  'iowa',
  'thunderstorm',
  'iowa',
  'monday',
  'aug.',
  'tree',
  'power',
  'line',
  'building',
  'ap',
  'photo',
  'david',
  'pitt',
  'author',
  'ryan',
  'j.',
  'foley',
  'associated',
  'press',
  'seth',
  'borenstein',
  'associated',
  'press',
  'pm',
  'cdt',
  'august',
  'pm',
  'cdt',
  'august',
  'iowa',
  'city',
  'iowa',
  'storm',
  'mph',
  'wind',
  'power',
  'hurricane',
  'midwest',
  'monday',
  'tree',
  'vehicle',
  'property',
  'damage',
  'thousand',
  'power',
  'chicago',
  'storm',
  'derecho',
  'hour',
  'nebraska',
  'iowa',
  'wisconsin',
  'wind',
  'speed',
  'hurricane',
  'damage',
  'tornado',
  'patrick',
  'marsh',
  'science',
  'chief',
  'national',
  'weather',
  'service',
  'storm',
  'prediction',
  'center',
  'norman',
  'oklahoma',
  'hurricane',
  'eye',
  'wind',
  'line',
  'damage',
  'area',
  'hurricane',
  'tornado',
  'marsh',
  'super',
  'derecho',
  'record',
  'mile',
  'hour',
  'damage',
  'power',
  'outage',
  'handful',
  'people',
  'version',
  'hurricane',
  'northern',
  'illinois',
  'university',
  'meteorology',
  'professor',
  'victor',
  'gensini',
  'interview',
  'home',
  'minute',
  'storm',
  'minute',
  'basement',
  'safety',
  'storm',
  'aim',
  'chicago',
  'suburb',
  'chicago',
  'addison',
  'lake',
  'shore',
  'roof',
  'video',
  'cred',
  'friend',
  'jasmine',
  'storm',
  'chicago',
  'weather',
  'pic.twitter.com/pwyjd5snab',
  'adam',
  'howard',
  '@ashoward1',
  'august',
  'gensini',
  'derecho',
  'history',
  'nation',
  'weather',
  'event',
  'a.m.',
  'time',
  'eastern',
  'nebraska',
  'wind',
  'mph',
  'marsh',
  'people',
  'property',
  'damage',
  'marshall',
  'county',
  'iowa',
  'mph',
  'wind',
  'area',
  'homeland',
  'security',
  'coordinator',
  'kim',
  'elder',
  'wind',
  'tree',
  'road',
  'sign',
  'ground',
  'roof',
  'building',
  'people',
  'building',
  'car',
  'extent',
  'injury',
  'fatality',
  'elder',
  'people',
  'car',
  'wind',
  'power',
  'line',
  'debris',
  'dozen',
  'car',
  'factory',
  'windshield',
  'building',
  'fire',
  'life',
  'mode',
  'elder',
  'marshalltown',
  'mayor',
  'joel',
  'greer',
  'emergency',
  'resident',
  'street',
  'responder',
  'midamerican',
  'energy',
  'customer',
  'des',
  'moines',
  'area',
  'power',
  'storm',
  'area',
  'report',
  'spotter',
  'national',
  'weather',
  'service',
  'des',
  'moines',
  'wind',
  'excess',
  'mph',
  'roof',
  'damage',
  'home',
  'building',
  'iowa',
  'city',
  'roof',
  'hockey',
  'arena',
  'des',
  'moines',
  'state',
  'tree',
  'car',
  'house',
  'semi',
  '-',
  'trailer',
  'highway',
  'farmer',
  'grain',
  'bin',
  'field',
  'extent',
  'damage',
  'iowa',
  'agriculture',
  'industry',
  'spokeswoman',
  'tina',
  'hoffman',
  'tree',
  'location',
  'worker',
  'power',
  'line',
  'case',
  'power',
  'line',
  'pole',
  'lot',
  'tree',
  'damage',
  'wind',
  'effort',
  'way',
  'state',
  'cedar',
  'rapids',
  'iowa',
  'damage',
  'city',
  'safety',
  'spokesman',
  'greg',
  'buelow',
  'damage',
  'home',
  'business',
  'siding',
  'roof',
  'tree',
  'power',
  'line',
  'city',
  'buelow',
  'resident',
  'crew',
  'life',
  'thousand',
  'people',
  'metro',
  'area',
  'power',
  'derecho',
  'tornado',
  'place',
  'area',
  'wind',
  'marsh',
  'wind',
  'mph',
  'mph',
  'god',
  'mile',
  'beeline',
  'chicago',
  'marsh',
  'monday',
  'mid',
  '-',
  'afternoon',
  'intensity',
  'chicago',
  'condition',
  'storm',
  'chicago',
  'type',
  'storm',
  'marsh',
  'indiana',
  'air',
  'plain',
  'day',
  'end',
  'monday',
  'morning',
  'derecho',
  'self',
  'amoebas',
  'thunderstorm',
  'gensini',
  'iowa',
  'sucker',
  'derechoes',
  'wind',
  'mph',
  'year',
  'midwest',
  'tornado',
  'wind',
  'derechoe',
  'damage',
  'area',
  'storm',
  'nebraska',
  'a.m.',
  'monday',
  'rain',
  'wind',
  'line',
  'wind',
  'area',
  'lincoln',
  'omaha',
  'national',
  'weather',
  'service',
  'meteorologist',
  'brian',
  'barjenbruch',
  'rain',
  'air',
  'ground',
  'mile',
  'wind',
  'area',
  'barjenbruch',
  'omaha',
  'public',
  'power',
  'district',
  'customer',
  'power',
  'omaha',
  'community',
  'weather',
  'service',
  'marsh',
  'concern',
  'power',
  'outage',
  'state',
  'heat',
  'people',
  'condition',
  'power',
  'pandemic',
  'thousand',
  'power',
  'storm',
  'golf',
  'ball',
  'hail',
  'metro',
  'area',
  'example',
  'video',
  'title',
  'video',
  'news',
  'money',
  'ac',
  'heatwave',
  'eeo',
  'public',
  'file',
  'report',
  'fcc',
  'online',
  'public',
  'inspection',
  'file',
  'closed',
  'caption',
  'procedure',
  'personal',
  'information',
  'kare',
  'tv',
  'rights',
  'kare',
  'notification',
  'news',
  'weather',
  'notification',
  'browser',
  'setting'],
 ['news',
  'reviews',
  'car',
  'shop',
  'car',
  'auto',
  'shows',
  'product',
  'service',
  'body',
  'style',
  'star',
  'ratings',
  'podcast',
  'photos',
  'videos',
  'usa',
  'page',
  'ad',
  'skin',
  'home',
  'news',
  'crashes',
  'wrecks',
  'portland',
  'oregon',
  'highway',
  'parking',
  'lot',
  'winter',
  'storm',
  'motorists',
  'hour',
  'day',
  'region',
  'history',
  'feb',
  'et',
  'mark',
  'webb',
  'mark',
  'webb',
  'rush',
  'hour',
  'traffic',
  'city',
  'wreck',
  'lane',
  'closure',
  'case',
  'motorist',
  'portland',
  'oregon',
  'record',
  'snowfall',
  'wednesday',
  'storm',
  'inch',
  'snow',
  'snowstorm',
  'region',
  'history',
  'road',
  'parking',
  'lot',
  'traffic',
  'standstill',
  'problem',
  'downtown',
  'portland',
  'i-5',
  'i-205',
  'i-84',
  'result',
  'driver',
  'vehicle',
  'hour',
  'reporter',
  'cameraman',
  'kgw8',
  'news',
  'reporter',
  'traffic',
  'minute',
  'mile',
  'hour',
  'snow',
  'way',
  'man',
  'windshield',
  'wiper',
  'subaru',
  'person',
  'snow',
  'chain',
  'toyota',
  'prius',
  'people',
  'car',
  'traffic',
  'number',
  'people',
  'gas',
  'vehicle',
  'chance',
  'foot',
  'addition',
  'highway',
  'intersection',
  'parking',
  'lot',
  'northeast',
  '41st',
  'avenue',
  'wistaria',
  'drive',
  'car',
  'ridwell',
  'van',
  'trimet',
  'bus',
  'saturday',
  'portland',
  'bureau',
  'transportation',
  'citation',
  'car',
  'owner',
  'towing',
  'fee',
  'kgw8',
  'weather',
  'snow',
  'ground',
  'weekend',
  'vehicle',
  'monday',
  'morning',
  'traffic',
  'mayhem',
  'oregon',
  'police',
  'car',
  'cause',
  'chain',
  'reaction',
  'crash',
  'snow',
  'hill',
  'traffic',
  'road',
  'winter',
  'weather',
  'thing',
  'car',
  'gas',
  'car',
  'interior',
  'winter',
  'weather',
  'gas',
  'tank',
  'blanket',
  'water',
  'food',
  'protein',
  'bar',
  'vehicle',
  'idea',
  'source',
  'kgw8',
  'news',
  '+',
  '+',
  'share',
  'facebook',
  'share',
  'twitter',
  'share',
  'linkedin',
  'share',
  'flipboard',
  'pin',
  'reddit',
  'share',
  'whatsapp',
  'email',
  'comment',
  'tip',
  'email',
  'ferrari',
  'daytona',
  'sp3',
  'window',
  'sticker',
  'sight',
  'hyundai',
  'santa',
  'fe',
  'real',
  'photos',
  'suv',
  'mitsuoka',
  'himiko',
  'debuts',
  'mazda',
  'miata',
  'retro',
  'body',
  'barn',
  'truck',
  'year',
  'car',
  'world',
  'car',
  'buying',
  'service',
  'price',
  'offer',
  'inventory',
  'search',
  'new',
  'cars',
  'cars',
  'article',
  '11:50pm',
  'dodge',
  'barn',
  'find',
  'year',
  'life',
  'bugatti',
  'veyron',
  'bmw',
  'drivers',
  'collide',
  'alleged',
  'road',
  'rage',
  'incident',
  'chance',
  'hp',
  'dodge',
  'challenger',
  'srt',
  'demon',
  'gen',
  'mini',
  'cooper',
  'special',
  'ev',
  'sounds',
  'infotainment',
  'modes',
  'ota',
  'ford',
  'mustang',
  'toyota',
  'land',
  'cruiser',
  'mitsubishi',
  'triton',
  'honda',
  's2000',
  'rumor',
  'rac',
  'podcast',
  'ford',
  'mustang',
  'dark',
  'horse',
  'r',
  'teaser',
  'race',
  'car',
  'motion',
  'debuts',
  'thursday',
  'toyota',
  'land',
  'cruiser',
  'series',
  'handle',
  'moab',
  'trails',
  'ease',
  'mitsubishi',
  'triton',
  'snorkel',
  'wider',
  'track',
  'article',
  '11:50pm',
  'dodge',
  'barn',
  'find',
  'year',
  'life',
  'bugatti',
  'veyron',
  'bmw',
  'drivers',
  'collide',
  'alleged',
  'road',
  'rage',
  'incident',
  'chance',
  'hp',
  'dodge',
  'challenger',
  'srt',
  'demon',
  'gen',
  'mini',
  'cooper',
  'special',
  'ev',
  'sounds',
  'infotainment',
  'modes',
  'ota',
  'ford',
  'mustang',
  'toyota',
  'land',
  'cruiser',
  'mitsubishi',
  'triton',
  'honda',
  's2000',
  'rumor',
  'rac',
  'podcast',
  'ford',
  'mustang',
  'dark',
  'horse',
  'r',
  'teaser',
  'race',
  'car',
  'motion',
  'debuts',
  'thursday',
  'toyota',
  'land',
  'cruiser',
  'series',
  'handle',
  'moab',
  'trails',
  'ease',
  'mitsubishi',
  'triton',
  'snorkel',
  'wider',
  'track',
  'article',
  'category',
  'wrecks',
  'sign',
  'sign',
  'news',
  'spy',
  'shots',
  'concept',
  'cars',
  'supercars',
  'aftermarket',
  'autonomous',
  'vehicles',
  'awards',
  'breaking',
  'review',
  'new',
  'car',
  'review',
  'drives',
  'pros',
  'cons',
  'comparisons',
  'note',
  'buy',
  'feature',
  'lists',
  'podcast',
  'automotive',
  'history',
  'car',
  'buying',
  'features',
  'opinion',
  'car',
  'acura',
  'alfa',
  'romeo',
  'aston',
  'martin',
  'audi',
  'bentley',
  'bmw',
  'bugatti',
  'buick',
  'cadillac',
  'chevrolet',
  'chrysler',
  'dodge',
  'ferrari',
  'fiat',
  'fisker',
  'ford',
  'genesis',
  'gmc',
  'hennessey',
  'honda',
  'hyundai',
  'infiniti',
  'jaguar',
  'jeep',
  'karma',
  'kia',
  'koenigsegg',
  'lamborghini',
  'land',
  'rover',
  'lexus',
  'lincoln',
  'lotus',
  'lucid',
  'maserati',
  'mazda',
  'mclaren',
  'mercedes',
  'benz',
  'mini',
  'mitsubishi',
  'nissan',
  'pagani',
  'polestar',
  'porsche',
  'ram',
  'rimac',
  'rivian',
  'rolls',
  'royce',
  'scout',
  'motors',
  'skoda',
  'subaru',
  'tesla',
  'toyota',
  'volkswagen',
  'volvo',
  'shop',
  'auto',
  'shows',
  'product',
  'service',
  'body',
  'style',
  'star',
  'ratings',
  'podcast',
  'photo',
  'videos',
  'logotype',
  'logotype',
  'edition',
  'facebook',
  'twitter',
  'link',
  'linkedin',
  'link',
  'flipboard',
  'medium',
  'link',
  'google',
  'news',
  'link',
  'instagram',
  'youtube',
  'link',
  'rss',
  'tiktok',
  'link',
  'newsletter',
  'advertising',
  'tip',
  'contact',
  'cookie',
  'setting',
  'cookie',
  'policy',
  'privacy',
  'policy',
  'dark',
  'light',
  'auto',
  'motorsport.com',
  'motorsport.tv',
  'insideevs.com',
  'rideapart.com',
  'motorjobs.com',
  'dupontregistry.com',
  'myev.com',
  'stock',
  'vehicle',
  'imagery',
  'evox',
  'usa',
  'global',
  'international',
  'editions',
  'edition',
  'usa',
  'global',
  'édition',
  'france',
  'edizione',
  'italia',
  'ausgabe',
  'deutschland',
  'версия',
  'россия',
  'edição',
  'brasil',
  'edition',
  'uk',
  'النسخة',
  'الشرق',
  'الأوسط',
  'edi̇syon',
  'türki̇ye',
  'edición',
  'españa',
  'edition',
  'magyarország',
  'edition',
  'argentina',
  'edition',
  'indonesia',
  'facebook',
  'share',
  'twitter',
  'share',
  'linkedin',
  'share',
  'flipboard',
  'pin',
  'reddit',
  'share',
  'whatsapp',
  'email'],
 ['contentminneapoli',
  'mnsubscribenews',
  'feedneighbor',
  'postslocal',
  'minneapolis',
  'newsgolden',
  'valley',
  'newsst',
  'louis',
  'park',
  'newsroseville',
  'newsrichfield',
  'newsfridley',
  'newsedina',
  'newshopkins',
  'newssaint',
  'paul',
  'newsmendota',
  'heights',
  'newslocal',
  'newscommunity',
  'cornercrime',
  'safetypolitics',
  'governmentschoolstraffic',
  'transitobituariespersonal',
  'financebest',
  'ofseasonal',
  'holidaysweatherarts',
  'entertainmentbusinesshealth',
  'wellnesshome',
  'gardensportstravelkids',
  'familypetsrestaurants',
  'barslocalstreamneighbor',
  'postslocal',
  'businesseseventsreal',
  'estatereal',
  'estate',
  'listingsreal',
  'estate',
  'newssee',
  'communitiessouthwest',
  'minneapolis',
  'mngolden',
  'valley',
  'mnst',
  'louis',
  'park',
  'mnroseville',
  'mnrichfield',
  'mnfridley',
  'mnedina',
  'mnhopkins',
  'mnsaint',
  'paul',
  'mnmendota',
  'heights',
  'mnstate',
  'editionminnesotanational',
  'editiontop',
  'national',
  'newssee',
  'inch',
  'snow',
  'winter',
  'storm',
  'mn',
  'weatheryet',
  'winter',
  'storm',
  'twin',
  'cities',
  'metro',
  'area',
  'snow',
  'week',
  'william',
  'bornhoft',
  'patch',
  'staffposted',
  'tue',
  'mar',
  'tue',
  'mar',
  'ctreply',
  'week',
  'winter',
  'storm',
  'impact',
  'region',
  'form',
  'rain',
  'snow',
  'national',
  'weather',
  'service',
  'national',
  'weather',
  'service)minneapolis',
  'inch',
  'snow',
  'snowstorm',
  'way',
  'resident',
  'twin',
  'cities',
  'rain',
  'thursday',
  'precipitation',
  'snow',
  'evening',
  'snow',
  'friday',
  'morning',
  'commute',
  'work',
  'forecast',
  'minneapolis',
  'st.',
  'paul',
  'airport',
  'inch',
  'snowfall',
  'season',
  'metro',
  'winter',
  'record',
  'minneapoliswith',
  'time',
  'update',
  'patch',
  'tuesday',
  'day',
  'twin',
  'cities',
  'inch',
  'snow',
  'ground',
  'minnesotans',
  'grass',
  'nov.',
  'snowfall',
  'forecast',
  'region',
  'minneapoliswith',
  'time',
  'update',
  'patch',
  'subscribenational',
  'weather',
  'service',
  'nws',
  'forecast',
  'minneapolis',
  'st.',
  'paul',
  'airport',
  'tuesday',
  'wind',
  'mph',
  'tuesday',
  'night',
  'wind',
  'mph',
  'gust',
  'mph',
  'wednesday',
  'cloud',
  'wind',
  'mph',
  'gust',
  'mph',
  'wednesday',
  'night',
  'percent',
  'chance',
  'rain',
  'wind',
  'mph',
  'thursday',
  'rain',
  'snow',
  'pm',
  'snow',
  'rain',
  'pm',
  'temperature',
  'pm',
  'breezy',
  'north',
  'wind',
  'mph',
  'mph',
  'afternoon',
  'wind',
  'mph',
  'chance',
  'precipitation',
  '%',
  'snow',
  'accumulation',
  'inch',
  'thursday',
  'night',
  'snow',
  'snow',
  'windy',
  'northwest',
  'wind',
  'mph',
  'gust',
  'mph',
  'chance',
  'precipitation',
  '%',
  'snow',
  'accumulation',
  'inch',
  'friday',
  'percent',
  'chance',
  'snow',
  'area',
  'snow',
  'blustery',
  'northwest',
  'wind',
  'mph',
  'gust',
  'mph',
  'friday',
  'night',
  'percent',
  'chance',
  'snow',
  'blustery',
  'northwest',
  'wind',
  'mph',
  'gust',
  'mph',
  'saturday',
  'percent',
  'chance',
  'snow',
  'pm',
  'mph',
  'gust',
  'mph',
  'saturday',
  'night',
  'wind',
  'mph',
  'sunday',
  'wind',
  'mph',
  'sunday',
  'night',
  'mph',
  'monday',
  'wind',
  'mph',
  'news',
  'inbox',
  'sign',
  'patch',
  'newsletter',
  'alert',
  'thankreply',
  'inch',
  'snow',
  'winter',
  'storm',
  'mn',
  'weatherthe',
  'rule',
  'space',
  'discussion',
  'language',
  'claim',
  'reply',
  'topic',
  'patch',
  'community',
  'guidelines',
  'reply',
  'articlereplyreplie',
  'minneapoliscrime',
  'safety',
  '6h7',
  'year',
  'old',
  'girl',
  'year',
  'old',
  'boy',
  'shot',
  'minneapolis',
  'wednesdaycrime',
  'safety',
  '11hviolent',
  'crime',
  'twin',
  'cities',
  'metro',
  'police',
  'data',
  'showsweather',
  '15hheat',
  'advisory',
  'twin',
  'cities',
  'metro',
  'mn',
  'weatherfeatured',
  'events+',
  'eventfeatured',
  'classifieds+',
  'news',
  'nearbyminneapolis',
  'mn',
  'year',
  'old',
  'girl',
  'year',
  'old',
  'boy',
  'shot',
  'minneapolis',
  'wednesdayminneapolis',
  'mn',
  'newsviolent',
  'crime',
  'twin',
  'cities',
  'metro',
  'police',
  'data',
  'showssouthwest',
  'minneapolis',
  'mn',
  'newsrep',
  'ilhan',
  'omar',
  'bill',
  'minimum',
  'wage',
  'mn',
  'news5',
  'houses',
  'minneapolis',
  'areaminneapolis',
  'mn',
  'newsadorable',
  'pets',
  'week',
  'minneapolis',
  'area',
  'sheltersbest',
  'minneapolisminneapolis',
  'schoolssome',
  'mn',
  'schools',
  'use',
  'classroom',
  'play',
  'gun',
  'violence',
  'bullyingminneapolis',
  'seasonal',
  'holidaysjuly',
  'monday',
  'firework',
  'minnesota',
  'yourcommunity',
  'patch',
  'appcorporate',
  'infoabout',
  'patchcareerspartnershipsadvertise',
  'patchsupportfaqscontact',
  'patchcommunity',
  'guidelinesposting',
  'instructionsterms',
  'useprivacy',
  'policy',
  'patch',
  'media',
  'rights'],
 ['skip',
  'contentplay',
  'live',
  'navigation',
  'menunavigation',
  'news',
  'sectionsmiddle',
  'eastafricaasiaus',
  'canadalatin',
  'americaeuropeasia',
  'pacificukraine',
  'warworld',
  'cupeconomyopinionvideomoreshow',
  'sectionscoronavirusclimate',
  'crisisinvestigationsinteractivesfeaturesin',
  'picturesscience',
  'technologysportspodcastsplay',
  'live',
  'click',
  'searchsearchnews',
  'weatheru',
  'biden',
  'emergency',
  'mississippi',
  'storm',
  'recoverydeath',
  'toll',
  'storm',
  'tornado',
  'state',
  'mississippi',
  'alabama.play',
  'videoplay',
  'mar',
  'mar',
  'president',
  'joe',
  'biden',
  'emergency',
  'declaration',
  'mississippi',
  'storm',
  'state',
  'people',
  'alabama',
  'biden',
  'aid',
  'supplement',
  'state',
  'recovery',
  'effort',
  'area',
  'white',
  'house',
  'statement',
  'sunday',
  'funding',
  'people',
  'county',
  'carroll',
  'humphreys',
  'monroe',
  'sharkey',
  'statement',
  'storm',
  'tornado',
  'state',
  'mississippi',
  'alabama',
  'roof',
  'car',
  'neighbourhood',
  'al',
  'jazeera',
  'mississippi',
  'emergency',
  'management',
  'agency',
  'death',
  'toll',
  'saturday',
  'dozen',
  'people',
  'alabama',
  'man',
  'trailer',
  'weather',
  'sheriff',
  'office',
  'morgan',
  'county',
  'twitter',
  'tornado',
  'ground',
  'hour',
  'path',
  'destruction',
  'km',
  'mile',
  'mississippi',
  'friday',
  'nicholas',
  'price',
  'meteorologist',
  'national',
  'weather',
  'service',
  'jackson',
  'mississippi',
  'death',
  'rolling',
  'fork',
  'town',
  'mississippi',
  'town',
  'percent',
  'fifth',
  'population',
  'poverty',
  'line',
  'united',
  'states',
  'census',
  'datum',
  'home',
  'rolling',
  'fork',
  'rubble',
  'tree',
  'trunk',
  'twig',
  'car',
  'toy',
  'town',
  'water',
  'tower',
  'ground',
  'city',
  'mayor',
  'eldridge',
  'walker',
  'cnn',
  'day',
  'michael',
  'searcy',
  'storm',
  'chaser',
  'tornado',
  'rolling',
  'fork',
  'hour',
  'rescue',
  'people',
  'vehicle',
  'vehicle',
  'building',
  'scream',
  'cry',
  'help',
  'reuters',
  'news',
  'agency',
  'group',
  'rubble',
  'people',
  'member',
  'family',
  'shelter',
  'bathroom',
  'rest',
  'house',
  'wind',
  'van',
  'home',
  'searcy',
  'silver',
  'city',
  'community',
  'resident',
  'room',
  'bathtub',
  'tornado',
  'governor',
  'tate',
  'reeves',
  'silver',
  'city',
  'saturday',
  'state',
  'emergency',
  'area',
  'scale',
  'damage',
  'loss',
  'today',
  'twitter',
  'homes',
  'business',
  'community',
  'president',
  'joe',
  'biden',
  'image',
  'mississippi',
  'statement',
  'reeves',
  'condolence',
  'support',
  'recovery',
  'storm',
  'responder',
  'emergency',
  'personnel',
  'americans',
  'biden',
  'support',
  'mississippi',
  'official',
  'emergency',
  'shelter',
  'national',
  'guard',
  'armory',
  'rolling',
  'fork',
  'federal',
  'emergency',
  'management',
  'agency',
  'director',
  'deanne',
  'criswell',
  'mississippi',
  'sunday',
  'white',
  'house',
  'mississippi',
  'weather',
  'sunday',
  'wind',
  'hail',
  'emergency',
  'management',
  'agency',
  'tornado',
  'fear',
  'storm',
  'mississippi',
  'operation',
  'rescue',
  'worker',
  'damage',
  'roof',
  'building',
  'car',
  'pile',
  'debris',
  'electricity',
  'repair',
  'power',
  'customer',
  'dark',
  'mississippi',
  'alabama',
  'volunteer',
  'town',
  'lauren',
  'hoda',
  'mile',
  'vicksburg',
  'morning',
  'people',
  'town',
  'time',
  'tornado',
  'source',
  'al',
  'jazeera',
  'news',
  'agenciesaj',
  'logoaj',
  'logoaj',
  'logoaboutshow',
  'moreabout',
  'uscode',
  'ethicsterms',
  'conditionseu',
  'eea',
  'regulatory',
  'noticeprivacy',
  'policycookie',
  'policycookie',
  'preferencessitemapcommunity',
  'guidelineswork',
  'ushr',
  'qualityconnectshow',
  'morecontact',
  'usadvertise',
  'usappschannel',
  'findertv',
  'tipour',
  'channelsshow',
  'moreal',
  'jazeera',
  'arabical',
  'jazeera',
  'englishal',
  'jazeera',
  'investigative',
  'unital',
  'jazeera',
  'mubasheral',
  'jazeera',
  'documentaryal',
  'jazeera',
  'balkansaj+our',
  'networkshow',
  'moreal',
  'jazeera',
  'centre',
  'studiesal',
  'jazeera',
  'media',
  'institutelearn',
  'arabical',
  'jazeera',
  'centre',
  'public',
  'liberties',
  'human',
  'rightsal',
  'jazeera',
  'forumal',
  'jazeera',
  'hotel',
  'partnersfollow',
  'al',
  'jazeera',
  'english',
  'facebooktwitteryoutubeinstagram',
  'al',
  'jazeera',
  'media',
  'network'],
 ['cookie',
  'site',
  'experience',
  'cookie',
  'policy',
  'cookie',
  'browser',
  'setting',
  'weather',
  'c',
  '°',
  'f',
  'setting',
  'home',
  'forecasts',
  'reports',
  'severe',
  'weather',
  'maps',
  'gallery',
  'forecasts',
  'reports',
  'short',
  'term',
  'day',
  'hour',
  'precip',
  'weekend',
  'severe',
  'weather',
  'outlook',
  'long',
  'term',
  'day',
  'trend',
  'monthly',
  'calendar',
  'lifestyle',
  'airport',
  'forecast',
  'attractions',
  'beach',
  'report',
  'golf',
  'ski',
  'environment',
  'uv',
  'air',
  'quality',
  'pollen',
  'severe',
  'weather',
  'canada',
  'alert',
  'alerts',
  'alert',
  'ready',
  'severe',
  'weather',
  'outlook',
  'gallery',
  'videos',
  'gallery',
  'video',
  'photo',
  'gallery',
  'photo',
  'new',
  'climate',
  'experience',
  'search',
  'city',
  'postcode',
  'location',
  'locations',
  'heat',
  'index',
  'value',
  'thursday',
  'friday',
  'hourly',
  'hour',
  'weekend',
  'day',
  'day',
  'monthly',
  'country',
  'default',
  'site',
  'americas',
  'canada',
  'english',
  'canada',
  'english',
  'canada',
  'francais',
  'canada',
  'francais',
  'united',
  'states',
  'united',
  'states',
  'united',
  'states',
  'spanish',
  'united',
  'states',
  'spanish',
  'asia',
  'australia',
  'english',
  'australia',
  'english',
  'india',
  'english',
  'india',
  'english',
  'europe',
  'united',
  'kingdom',
  'united',
  'kingdom',
  'germany',
  'germany',
  'france',
  'france',
  'ireland',
  'ireland',
  'spain',
  'spain',
  'day',
  'severe',
  'weather',
  'outlook',
  'columbus',
  'oh',
  'severe',
  'weather',
  'outlook',
  'weather',
  'storm',
  'weather',
  'warning',
  'alert',
  'day',
  'outlook',
  'map',
  'level',
  'risk',
  'area',
  'video',
  'type',
  'storm',
  'chart',
  'glance',
  'risk',
  'level',
  'summary',
  'day',
  'information',
  'map',
  'forecast',
  'thursday',
  'friday',
  'saturday',
  'thunderstorm',
  'risk',
  'rainfall',
  'risk',
  'snowfall',
  'risk',
  'rain',
  'risk',
  'wind',
  'risk',
  'dash',
  'datum',
  'time',
  'legend',
  'expected0',
  'aware1',
  'prepared5',
  'alert8',
  '10',
  'select',
  'risk',
  'type',
  'day',
  'map',
  'select',
  'risk',
  'type',
  'thunderstorm',
  'risk',
  'rainfall',
  'risk',
  'snowfall',
  'risk',
  'freezing',
  'rain',
  'risk',
  'wind',
  'risk',
  'select',
  'day',
  'thursday',
  'july',
  'friday',
  'july',
  'saturday',
  'july',
  'datum',
  'survival',
  'essentials',
  'emergency',
  'community',
  'emergency',
  'response',
  'team',
  'time',
  'care',
  'family',
  'supply',
  'minimum',
  'hour',
  'food',
  'water',
  'supplies',
  'water',
  'gallon',
  'litre',
  'water',
  'person',
  'day',
  'bottle',
  'case',
  'evacuation',
  'order',
  'food',
  'food',
  'energy',
  'bar',
  'food',
  'food',
  'water',
  'year',
  'medication',
  'prescription',
  'medication',
  'day',
  'pain',
  'reliever',
  'compress',
  'dressing',
  'bandage',
  'size',
  'cloth',
  'tape',
  'ointment',
  'hydrocortisone',
  'ointment',
  'wipe',
  'packet',
  'blanket',
  'space',
  'blanket',
  'breathing',
  'barrier',
  'way',
  'valve',
  'compress',
  'pair',
  'glove',
  'scissor',
  'roller',
  'bandage',
  'cm',
  'inch',
  'roller',
  'bandage',
  'cm',
  'inch',
  'gauze',
  'pad',
  'cm',
  'inch',
  'cm',
  'inch',
  'gauze',
  'pad',
  'cm',
  'inch',
  'cm',
  'inch',
  'thermometer',
  'triangular',
  'bandage',
  'tweezers',
  'aid',
  'instruction',
  'booklet',
  'equipment',
  'crank',
  'flashlight',
  'crank',
  'radio',
  'battery',
  'cell',
  'phone',
  'charger',
  'tool',
  'army',
  'knife',
  'key',
  'car',
  'house',
  'whistle',
  'personal',
  'hygiene',
  'soap',
  'hand',
  'sanitizer',
  'tissue',
  'paper',
  'toilet',
  'paper',
  'sanitary',
  'napkin',
  'underwear',
  'documents',
  'family',
  'emergency',
  'contact',
  'information',
  'money',
  'change',
  'map',
  'area',
  'list',
  'medication',
  'copy',
  'passports',
  'birth',
  'marriage',
  'certificate',
  'insurance',
  'policy',
  'wills',
  'specialty',
  'items',
  'baby',
  'supply',
  'food',
  'formula',
  'bottles',
  'diaper',
  'change',
  'clothe',
  'supply',
  'hearing',
  'glasses',
  'contact',
  'lenses',
  'food',
  'pet',
  'pop',
  '%',
  'rain',
  'snow',
  'wind',
  'wind',
  'gust',
  'humidity',
  '-%',
  'hourly',
  'forecast',
  'data',
  'hourly',
  'day',
  'hour',
  'day',
  'social',
  'facebook',
  'twitter',
  'instagram',
  'youtube',
  'weather',
  'tools',
  'weather',
  'widget',
  'weather',
  'api',
  'android',
  'app',
  'ios',
  'app',
  'tv',
  'weather',
  'apps',
  'support',
  'help',
  'centre',
  'advertise',
  'terms',
  'use',
  'privacy',
  'policy',
  'accessibility',
  'accommodation',
  'careers',
  'meteo',
  'media',
  'el',
  'tiempo',
  'otempo',
  'weather',
  'network',
  'canada',
  'farmzone',
  'clima',
  'weather',
  'network',
  'pelmorex',
  'weather',
  'networks',
  'default',
  'close',
  'search',
  'location',
  'pointcast',
  'weather',
  'info',
  'mile',
  'nickname',
  'sign',
  'feature',
  'cancel',
  'sign',
  'need',
  'account',
  'sign'],
 ['news',
  'sports',
  'high',
  'schools',
  'life',
  'advertise',
  'obituaries',
  'enewspaper',
  'legals',
  'localsevere',
  'weather',
  'threat',
  'morning',
  'thunderstorm',
  'state',
  'journal',
  'stafflansing',
  'threat',
  'weather',
  'national',
  'weather',
  'service',
  'afternoon',
  'storm',
  'area',
  'michigan',
  'today',
  'flood',
  'advisory',
  'effect',
  'lower',
  'michigan',
  'tornado',
  'watch',
  'wednesday',
  'morning',
  'thunderstorm',
  'michigan',
  'storm',
  'indiana',
  'ohio',
  'p.m.',
  'nws',
  'detroit',
  'bureau',
  'mph',
  'tornado',
  'storm',
  'nws',
  'grand',
  'rapids',
  'office',
  'thunderstorm',
  'warning',
  'eaton',
  'county',
  'p.m.',
  'wednesday',
  'weather',
  '"thunderstorm',
  'region',
  'risk',
  'wind',
  'tornado',
  'east',
  'i-69',
  'afternoon',
  'storm',
  'afternoon',
  'nws',
  'detroit',
  'office',
  'thunderstorm',
  'warning',
  'eaton',
  'county',
  'warning',
  'clinton',
  'county',
  'ingham',
  'county',
  'tornado',
  'watch',
  'day',
  'p.m.',
  'nws',
  'warning',
  'watch',
  'consumers',
  'energy',
  'customer',
  'service',
  'outage',
  'portland',
  'lansing',
  'wednesday',
  'morning',
  'provider',
  'outage',
  'greater',
  'lansing',
  'area',
  'related',
  'tornado',
  'tornado',
  'warning',
  'difference',
  'alertsflood',
  'advisory',
  'michigana',
  'flood',
  'advisory',
  'lower',
  'michigan',
  'lansing',
  'area',
  'p.m.',
  'wednesday',
  'flooding',
  'rain',
  'portion',
  'michigan',
  'gratiot',
  'clinton',
  'eaton',
  'ingham',
  'ionia',
  'county',
  '"minor',
  'flooding',
  'drainage',
  'area',
  'national',
  'weather',
  'service',
  'grand',
  'rapids',
  'nws',
  'people',
  'water',
  'road',
  'thunderstorm',
  'southwest',
  'lower',
  'michigan',
  'hour',
  'nws',
  'inch',
  'rain',
  'area',
  'morning',
  'inch',
  'hour',
  'a.m.',
  'wednesday',
  'grand',
  'river',
  'lansing',
  'foot',
  'nws',
  'river',
  'foot',
  'minor',
  'flood',
  'stage',
  'foot',
  'red',
  'cedar',
  'river',
  'east',
  'lansing',
  'foot',
  'foot',
  'wednesday',
  'flood',
  'stage',
  'foot',
  'sycamore',
  'creek',
  'holt',
  'area',
  'foot',
  'flood',
  'stage',
  'foot',
  'meridian',
  'township',
  'police',
  'department',
  'road',
  'water',
  'okemos',
  'road',
  'central',
  'park',
  'drive',
  'haslett',
  'road',
  'hillcrest',
  'avenue',
  'seminole',
  'drive',
  'okemos',
  'road',
  'nakoma',
  'drive',
  'hamilton',
  'road',
  'huron',
  'hill',
  'drive',
  'ottawa',
  'drive',
  'nakoma',
  'drive',
  'woodcraft',
  'road',
  'tornado',
  'lower',
  'michigana',
  'tornado',
  'watch',
  'lower',
  'michigan',
  'lansing',
  'area',
  'p.m.',
  'wednesday',
  'national',
  'weather',
  'service',
  'watch',
  'portion',
  'michigan',
  'ohio',
  'indiana',
  'michigan',
  'county',
  'holland',
  'detroit',
  'north',
  'saginaw',
  'weather',
  'service',
  'thunderstorm',
  'hail',
  'risk',
  'storm',
  'wednesday',
  'morning',
  'wednesday',
  'evening',
  'inch',
  'diameter',
  'grand',
  'ledge',
  'hail',
  'inch',
  'diameter',
  'lake',
  'odessa',
  'weather',
  'service',
  'wind',
  'damage',
  'tornado',
  'brandon',
  'hoving',
  'forecaster',
  'weather',
  'service',
  'grand',
  'rapids',
  'risk',
  'april',
  'tornado',
  'past',
  '"forecaster',
  'timing',
  'severity',
  'storm',
  'hoving',
  'rain',
  'flooding',
  'week',
  'precipitation',
  'river',
  'bank',
  'park',
  'land',
  'farm',
  'field',
  'water',
  'forecaster',
  'staff',
  'directory',
  'careers',
  'accessibility',
  'support',
  'site',
  'map',
  'public',
  'notices',
  'ethical',
  'principles',
  'subscription',
  'terms',
  'conditions',
  'terms',
  'service',
  'privacy',
  'policy',
  'california',
  'privacy',
  'rights',
  'privacy',
  'policydo',
  'sell',
  'share',
  'target',
  'infocookie',
  'settingscontact',
  'support',
  'business',
  'business',
  'advertising',
  'terms',
  'conditions',
  'buy',
  'sell',
  'licensing',
  'reprints',
  'help',
  'center',
  'subscriber',
  'guide',
  'account',
  'feedbacklocal',
  'event',
  'today',
  'newsletters',
  'mobile',
  'app',
  'facebook',
  'twitter',
  'enewspaper',
  'storytellers',
  'archives',
  'rss',
  'feedsjobs',
  'cars',
  'homes',
  'classifieds',
  'education',
  'localiq',
  'digital',
  'marketing',
  'solutions',
  'right'],
 ['nowcast',
  'wisn',
  'news',
  'p.m.',
  'search',
  'homepage',
  'local',
  'news',
  'weather',
  'future',
  'traffic',
  'politic',
  'fact',
  'national',
  'news',
  'entertainment',
  'sports',
  'upfront',
  'person',
  'week',
  'project',
  'community',
  'news',
  'health',
  'state',
  'addiction',
  'contests',
  'promotions',
  'editorials',
  'news',
  'team',
  'contact',
  'advertise',
  'wisn',
  'privacy',
  'notice',
  'terms',
  'use',
  'press',
  'type',
  'search',
  'winter',
  'storm',
  'aftermath',
  'road',
  'power',
  'outage',
  'flight',
  'cancellation',
  'friday',
  'wind',
  'chill',
  'temperature',
  'cst',
  'feb',
  'winter',
  'storm',
  'aftermath',
  'road',
  'power',
  'outage',
  'flight',
  'cancellation',
  'friday',
  'wind',
  'chill',
  'temperature',
  'cst',
  'feb',
  'alerts',
  'breaking',
  'update',
  'email',
  'inbox',
  'storm',
  'aftermath',
  'road',
  'power',
  'outage',
  'flight',
  'cancellation',
  'friday',
  'wind',
  'chill',
  'temperature',
  'cst',
  'feb',
  'interactive',
  'radar',
  'weather',
  'watch',
  'map',
  'room',
  '',
  '',
  'traffic',
  'conditions',
  'closingsa',
  'winter',
  'storm',
  'warning',
  'effect',
  'noon',
  'area',
  'i-94.light',
  'precipitation',
  'noon',
  'thursday',
  'road',
  'road',
  'crew',
  'road',
  'temperature',
  'thursday',
  'night',
  'friday',
  'wind',
  'chill',
  'temperature',
  'lookout',
  'spot',
  'car',
  'spin',
  'news',
  'tracker',
  'impact',
  'winter',
  'storm',
  'road',
  'condition',
  'department',
  'public',
  'works',
  'snow',
  'ice',
  'operation',
  'thursday',
  'a.m.',
  'road',
  'crew',
  'route',
  'rush',
  'hour',
  'curb',
  'curb',
  'clearing',
  'street',
  'day',
  'garbage',
  'recycling',
  'p.m.',
  'thursday',
  'garbage',
  'truck',
  'snow',
  'ice',
  'goal',
  'street',
  'advance',
  'condition',
  'place',
  'island',
  'brian',
  'deneve',
  'dpw',
  'marketing',
  'communication',
  'officer',
  'power',
  'outage',
  'a.m.',
  'thursday',
  'customer',
  'power',
  'county',
  'racine',
  'kenosha',
  'walworth',
  'area',
  'estimate',
  'power',
  'brendan',
  'conway',
  'media',
  'relation',
  'manager',
  'energies',
  'rest',
  'day',
  'conway',
  'energy',
  'crew',
  'night',
  'power',
  'ice',
  'coating',
  'branch',
  'tree',
  'contact',
  'power',
  'line',
  'power',
  'line',
  'map',
  'power',
  'outage',
  'news',
  'mallory',
  'anderson',
  'air',
  'ice',
  'branch',
  'closing',
  'delay',
  'milwaukee',
  'public',
  'schools',
  'wednesday',
  'night',
  'school',
  'thursday',
  'school',
  'closing',
  'burlington',
  'area',
  'school',
  'districtcedar',
  'grove',
  'belgium',
  'school',
  'districtdelavan',
  'darien',
  'school',
  'districtsheboygan',
  'falls',
  'school',
  'districtwatertown',
  'school',
  'districtyou',
  'list',
  'closing',
  'flight',
  'cancellation',
  'delay',
  'a.m.',
  'thursday',
  'departure',
  'flight',
  'milwaukee',
  'mitchell',
  'international',
  'airport',
  'wednesday',
  'flight',
  'harold',
  'mester',
  'director',
  'affair',
  'mitchell',
  'airport',
  'news',
  'cancellation',
  'weather',
  'condition',
  'city',
  'snow',
  'total',
  'city',
  'wisconsin',
  'inch',
  'snow',
  'yesterday',
  'watch',
  'snow',
  'total',
  'meteorologist',
  'lindsey',
  'slaterfollow',
  'wisn',
  'weather',
  'team',
  'meteorologist',
  'mark',
  'baden',
  'facebook',
  'twittermeteorologist',
  'daji',
  'aswad',
  'facebook',
  'twittermeteorologist',
  'lindsey',
  'slater',
  'facebook',
  'twittermeteorologist',
  'molly',
  'bernard',
  'facebook',
  'twitter',
  'interactive',
  'radar',
  'weather',
  'watch',
  'map',
  'room',
  '',
  '',
  'traffic',
  'conditions',
  'closingsa',
  'winter',
  'storm',
  'warning',
  'effect',
  'noon',
  'area',
  'i-94',
  'precipitation',
  'noon',
  'thursday',
  'road',
  'road',
  'crew',
  'road',
  'temperature',
  'thursday',
  'night',
  'friday',
  'wind',
  'chill',
  'temperature',
  'lookout',
  'spot',
  'car',
  'spin',
  'news',
  'tracker',
  'impact',
  'winter',
  'storm',
  'road',
  'condition',
  'department',
  'public',
  'works',
  'snow',
  'ice',
  'operation',
  'thursday',
  'a.m.',
  'road',
  'crew',
  'route',
  'rush',
  'hour',
  'curb',
  'curb',
  'clearing',
  'street',
  'day',
  'garbage',
  'recycling',
  'p.m.',
  'thursday',
  'garbage',
  'truck',
  'snow',
  'ice',
  'goal',
  'street',
  'advance',
  'condition',
  'place',
  'island',
  'brian',
  'deneve',
  'dpw',
  'marketing',
  'communication',
  'officer',
  'power',
  'outage',
  'a.m.',
  'thursday',
  'customer',
  'power',
  'county',
  'racine',
  'kenosha',
  'walworth',
  'area',
  'estimate',
  'power',
  'brendan',
  'conway',
  'media',
  'relation',
  'manager',
  'energies',
  'rest',
  'day',
  'conway',
  'energy',
  'crew',
  'night',
  'power',
  'ice',
  'coating',
  'branch',
  'tree',
  'contact',
  'power',
  'line',
  'power',
  'line',
  'map',
  'power',
  'outage',
  'news',
  'mallory',
  'anderson',
  'air',
  'ice',
  'branch',
  'closing',
  'delay',
  'milwaukee',
  'public',
  'schools',
  'wednesday',
  'night',
  'school',
  'thursday',
  'school',
  'closing',
  'burlington',
  'area',
  'school',
  'districtcedar',
  'grove',
  'belgium',
  'school',
  'districtdelavan',
  'darien',
  'school',
  'districtsheboygan',
  'falls',
  'school',
  'districtwatertown',
  'school',
  'districtyou',
  'list',
  'closing',
  'flight',
  'cancellation',
  'delay',
  'a.m.',
  'thursday',
  'departure',
  'flight',
  'milwaukee',
  'mitchell',
  'international',
  'airport',
  'wednesday',
  'flight',
  'harold',
  'mester',
  'director',
  'affair',
  'mitchell',
  'airport',
  'news',
  'cancellation',
  'weather',
  'condition',
  'city',
  'snow',
  'total',
  'city',
  'wisconsin',
  'inch',
  'snow',
  'yesterday',
  'watch',
  'snow',
  'total',
  'meteorologist',
  'lindsey',
  'slater',
  'wisn',
  'weather',
  'team',
  'meteorologist',
  'mark',
  'baden',
  'facebook',
  'twittermeteorologist',
  'daji',
  'aswad',
  'facebook',
  'twittermeteorologist',
  'lindsey',
  'slater',
  'facebook',
  'twittermeteorologist',
  'molly',
  'bernard',
  'facebook',
  'twitter',
  'customer',
  'kenosha',
  'power',
  'outage',
  'mattel',
  'barbie',
  'movie',
  'dolls',
  'margot',
  'robbie',
  'ryan',
  'gosling',
  'barbie',
  'movie',
  'amazon',
  'shop',
  'pink',
  'fantastic',
  'merch',
  'contact',
  'news',
  'team',
  'apps',
  'social',
  'email',
  'alerts',
  'careers',
  'internships',
  'digital',
  'advertising',
  'terms',
  'conditions',
  'broadcast',
  'terms',
  'conditions',
  'rss',
  'eeo',
  'captioning',
  'contacts',
  'public',
  'inspection',
  'file',
  'public',
  'file',
  'assistance',
  'fcc',
  'applications',
  'news',
  'policy',
  'statements',
  'hearst',
  'television',
  'affiliate',
  'marketing',
  'program',
  'commission',
  'product',
  'link',
  'retailer',
  'site',
  'hearst',
  'television',
  'inc.',
  'behalf',
  'wisn',
  'tv',
  'privacy',
  'notice',
  'california',
  'privacy',
  'rights',
  'interest',
  'ads',
  'terms',
  'use',
  'site',
  'map'],
 ['main',
  'contentskip',
  'wall',
  'street',
  'journalenglish',
  'editionenglish中文',
  'chinese)日本語',
  'japanese)print',
  'headlinesmore',
  'products',
  'wsjbuy',
  'wsjwsj',
  'americamiddle',
  'eastsectionseconomymoreworld',
  'videou.s.sectionseconomylawpoliticsmoreu.s.',
  'videowhat',
  'news',
  'podcastpoliticsmorepolitics',
  'probankruptcycentral',
  'bankingprivate',
  'equityventure',
  'capitalmoreeconomic',
  'forecasting',
  'surveyeconomy',
  'videosectionscapital',
  'reportsthe',
  'future',
  'everythingobituariestech',
  'defenseautos',
  'transportationcommercial',
  'real',
  'estateconsumer',
  'productsenergyentrepreneurshipfinancial',
  'servicesfood',
  'serviceshealth',
  'carehospitalitylawmanufacturingmedia',
  'marketingnatural',
  'resourcesretailc',
  'suitecfo',
  'journalcio',
  'journalcmo',
  'todaylogistics',
  'reportrisk',
  'compliancethe',
  'workplace',
  'reportcolumnsheard',
  'streetwsj',
  'probankruptcycentral',
  'businessventure',
  'capitalmorebusiness',
  'videobusiness',
  'podcastspace',
  'sciencetechsectionscio',
  'journalthe',
  'future',
  'everythingpersonal',
  'techcolumnschristopher',
  'mimsjoanna',
  'sternjulie',
  'jargonnicole',
  'videotech',
  'podcastmarketssectionsbondscommercial',
  'real',
  'estatecommodities',
  'futuresstockspersonal',
  'financewsj',
  'moneystreetwiseintelligent',
  'investorcolumnsheard',
  'streetgreg',
  'ipjason',
  'zweiglaura',
  'saundersjames',
  'mackintoshmarket',
  'datamarket',
  'data',
  'homeu.s.',
  'ratesmutual',
  'funds',
  'journalmarkets',
  'videoyour',
  'money',
  'briefing',
  'podcastsecrets',
  'wealthy',
  'women',
  'podcastsearch',
  'quotes',
  'bakersadanand',
  'dhumeallysia',
  'finleyjames',
  'freemanwilliam',
  'a.',
  'galstondaniel',
  'henningerholman',
  'w.',
  'jenkinsandy',
  'kesslerwilliam',
  'mcgurnwalter',
  'russell',
  'meadpeggy',
  'noonanmary',
  'anastasia',
  "o'gradyjason",
  'rileyjoseph',
  'sternbergkimberley',
  'a.',
  'strasselmoreeditorialscommentaryfuture',
  'viewhouses',
  'worshipcross',
  'countryletters',
  'editorthe',
  'weekend',
  'interviewpotomac',
  'podcastforeign',
  'edition',
  'podcastfree',
  'expression',
  'podcastopinion',
  'videonotable',
  'quotablebooks',
  'artsreviewsfilmtelevisiontheatermasterpiece',
  'seriesmusicdanceoperaexhibitioncultural',
  'commentaryartarchitecturesectionsartsbooksmorewsj',
  'puzzleswhat',
  'watcharts',
  'calendarreal',
  'real',
  'estatemorereal',
  'estate',
  'videolife',
  'worksectionscarscareersfood',
  'drinkhome',
  'designideaspersonal',
  'financerecipestravelwellnesscolumnsyour',
  'healthwork',
  'lifecarry',
  'onbondsturning',
  'pointson',
  'clockmorewsj',
  'puzzlesspace',
  'sciencestylesectionslifestylefashionfilmtelevisionmusicart',
  'monday',
  'morningoff',
  'brandon',
  'trendsportssectionsbaseballbasketballfootballgolfhockeyolympicssoccertenniscolumnsjason',
  'gaysearchhomeworldregionsafricaasiacanadachinaeuropelatin',
  'americamiddle',
  'eastsectionseconomymoreworld',
  'videou.s.sectionseconomylawpoliticsmoreu.s.',
  'videowhat',
  'news',
  'podcastpoliticsmorepolitics',
  'probankruptcycentral',
  'bankingprivate',
  'equityventure',
  'capitalmoreeconomic',
  'forecasting',
  'surveyeconomy',
  'videosectionscapital',
  'reportsthe',
  'future',
  'everythingobituariestech',
  'defenseautos',
  'transportationcommercial',
  'real',
  'estateconsumer',
  'productsenergyentrepreneurshipfinancial',
  'servicesfood',
  'serviceshealth',
  'carehospitalitylawmanufacturingmedia',
  'marketingnatural',
  'resourcesretailc',
  'suitecfo',
  'journalcio',
  'journalcmo',
  'todaylogistics',
  'reportrisk',
  'compliancethe',
  'workplace',
  'reportcolumnsheard',
  'streetwsj',
  'probankruptcycentral',
  'businessventure',
  'capitalmorebusiness',
  'videobusiness',
  'podcastspace',
  'sciencetechsectionscio',
  'journalthe',
  'future',
  'everythingpersonal',
  'techcolumnschristopher',
  'mimsjoanna',
  'sternjulie',
  'jargonnicole',
  'videotech',
  'podcastmarketssectionsbondscommercial',
  'real',
  'estatecommodities',
  'futuresstockspersonal',
  'financewsj',
  'moneystreetwiseintelligent',
  'investorcolumnsheard',
  'streetgreg',
  'ipjason',
  'zweiglaura',
  'saundersjames',
  'mackintoshmarket',
  'datamarket',
  'data',
  'homeu.s.',
  'ratesmutual',
  'funds',
  'journalmarkets',
  'videoyour',
  'money',
  'briefing',
  'podcastsecrets',
  'wealthy',
  'women',
  'podcastsearch',
  'quotes',
  'bakersadanand',
  'dhumeallysia',
  'finleyjames',
  'freemanwilliam',
  'a.',
  'galstondaniel',
  'henningerholman',
  'w.',
  'jenkinsandy',
  'kesslerwilliam',
  'mcgurnwalter',
  'russell',
  'meadpeggy',
  'noonanmary',
  'anastasia',
  "o'gradyjason",
  'rileyjoseph',
  'sternbergkimberley',
  'a.',
  'strasselmoreeditorialscommentaryfuture',
  'viewhouses',
  'worshipcross',
  'countryletters',
  'editorthe',
  'weekend',
  'interviewpotomac',
  'podcastforeign',
  'edition',
  'podcastfree',
  'expression',
  'podcastopinion',
  'videonotable',
  'quotablebooks',
  'artsreviewsfilmtelevisiontheatermasterpiece',
  'seriesmusicdanceoperaexhibitioncultural',
  'commentaryartarchitecturesectionsartsbooksmorewsj',
  'puzzleswhat',
  'watcharts',
  'calendarreal',
  'real',
  'estatemorereal',
  'estate',
  'videolife',
  'worksectionscarscareersfood',
  'drinkhome',
  'designideaspersonal',
  'financerecipestravelwellnesscolumnsyour',
  'healthwork',
  'lifecarry',
  'onbondsturning',
  'pointson',
  'clockmorewsj',
  'puzzlesspace',
  'sciencestylesectionslifestylefashionfilmtelevisionmusicart',
  'monday',
  'morningoff',
  'brandon',
  'trendsportssectionsbaseballbasketballfootballgolfhockeyolympicssoccertenniscolumnsjason',
  'gaysearchsearch',
  'foundwe',
  'page',
  'url',
  'browser',
  'page',
  'site',
  'search',
  'articles',
  'u.s.hunter',
  'biden',
  'tax',
  'charges',
  'u.s.',
  'economyfed',
  'set',
  'rate',
  'year',
  'review',
  'outlookthe',
  'real',
  'desantis',
  'covid',
  'recordpopular',
  'videosvideo',
  'center',
  'na',
  'sotwatch',
  'sen.',
  'mcconnell',
  'unwell',
  'press',
  'conference',
  'na',
  'factboxisrael',
  'protesters',
  'clash',
  'police',
  'doctors',
  'judicial',
  'overhaul',
  'vote',
  'na',
  "factbox'so",
  'heartbreaking',
  'whale',
  'australialatest',
  'podcastspodcast',
  'centeropinion',
  'potomac',
  'watchamerica',
  'broken',
  'immigration',
  'law',
  'court',
  'againthe',
  'wall',
  'street',
  'journal',
  'google',
  'news',
  'updatefed',
  'rate',
  'year',
  'highwhat',
  'newsfed',
  'rate',
  'year',
  'highthe',
  'wall',
  'street',
  'journalenglish',
  'editionenglish中文',
  'chinese)日本語',
  'wsj',
  'membershipbuy',
  'exclusivessubscription',
  'optionswhy',
  'subscribe?corporate',
  'subscriptionswsj',
  'higher',
  'education',
  'programwsj',
  'high',
  'school',
  'programpublic',
  'library',
  'programwsj',
  'livecommercial',
  'partnershipscustomer',
  'servicecustomer',
  'centercontact',
  'uscancel',
  'subscriptiontools',
  'featuresnewsletters',
  'alertsguidestopicsmy',
  'newsrss',
  'feedsvideo',
  'real',
  'estate',
  'adsplace',
  'classified',
  'adsell',
  'businesssell',
  'homerecruitment',
  'career',
  'adscouponsdigital',
  'self',
  'servicemoreabout',
  'uscontent',
  'partnershipscorrectionsjobs',
  'archiveregister',
  'freereprints',
  'licensingbuy',
  'issueswsj',
  'shopfacebooktwitterinstagramyoutubepodcastssnapchatgoogle',
  'playapp',
  'storedow',
  'jones',
  "productsbarron'sbigchartsdow",
  'jones',
  'newswiresfactivafinancial',
  'newsmansion',
  'globalmarketwatchrisk',
  'compliancebuy',
  'wsjwsj',
  'prowsj',
  'wineupdated',
  'privacy',
  'noticeupdated',
  'cookie',
  'noticecopyright',
  'policydata',
  'policysubscriber',
  'agreement',
  'terms',
  'useyour',
  'ad',
  'choicesaccessibilitycopyright',
  'dow',
  'jones',
  'company',
  'inc.',
  'rights'],
 ['ie',
  'experience',
  'site',
  'browser',
  'skip',
  'news',
  'newsworldbusinesshealthvideoculture',
  'trendsnbc',
  'news',
  'tiplineshare',
  'save',
  'newsmanage',
  'profileemail',
  'preferencessign',
  'outsearchsearchprofile',
  'newssign',
  'sign',
  'increate',
  'profilesectionsu.s.',
  'newspoliticsworldlocalbusinesshealthinvestigationsculture',
  'trendssciencesportstech',
  'mediavideo',
  'featuresphotosweathernbc',
  'selectdecision',
  'blknbc',
  'newsmsnbcmeet',
  'pressdatelinefeaturednbc',
  'news',
  'nowbetternightly',
  'filmsstay',
  'tunedspecial',
  'featuresnewsletterspodcastslisten',
  'nowmore',
  'nbccnbcnbc.comnbcu',
  'learnpeacocknext',
  'steps',
  'vetsparent',
  'news',
  'site',
  'maphelpfollow',
  'nbc',
  'newssearchsearchfacebooktwitteremailsmsprintwhatsappredditpocketflipboardpinterestlinkedinu.s.',
  'power',
  'tornado',
  'siren',
  'wind',
  'texas',
  'souththe',
  'wind',
  'u.s.',
  'area',
  'southern',
  'california',
  'foot',
  'snow',
  'people',
  'texas',
  'winter',
  'weather00:19get',
  'news',
  'nowprintmarch',
  'utc',
  'march',
  'phil',
  'helsel',
  'chantal',
  'da',
  'silva',
  'steve',
  'stroussthousands',
  'texas',
  'friday',
  'morning',
  'power',
  'night',
  'tornado',
  'siren',
  'wind',
  'winter',
  'storm',
  'snow',
  'upper',
  'midwest',
  'new',
  'england',
  'weekend',
  'tornado',
  'watch',
  'kentucky',
  'tennessee',
  'georgia',
  'alabama',
  'p.m.',
  'est',
  'friday',
  'gov.',
  'andy',
  'beshear',
  'kentuckians',
  'travel',
  'friday',
  'loss',
  'power',
  'tree',
  'message',
  'chance',
  'state',
  'emergency',
  'commonwealth',
  'day',
  'state',
  'sun',
  'belt',
  'light',
  'morning',
  'afternoon',
  'home',
  'business',
  'dark',
  'tennessee',
  'poweroutage.us',
  'p.m.',
  'blackout',
  'alabama',
  'customer',
  'power',
  'texas',
  'mississippi',
  'california',
  'energy',
  'tracking',
  'website',
  'tornado',
  'countiesit',
  'day',
  'accounting',
  'tornado',
  'damage',
  'louisiana',
  'texas',
  'official',
  'friday',
  'tornado',
  'people',
  'texas',
  'south',
  'thursday',
  'night',
  'weather',
  'service',
  'watch',
  'east',
  'dallas',
  'arkansas',
  'louisiana',
  'friday',
  'watch',
  'texas',
  'tornado',
  'watch',
  'louisiana',
  'missouri',
  'mississippi',
  'storm',
  'ohio',
  'tennessee',
  'valley',
  'friday',
  'weather',
  'service',
  'louisiana',
  'state',
  'university',
  'shreveport',
  'damage',
  'storm',
  'injury',
  'wind',
  'shipping',
  'container',
  'campus',
  'parking',
  'lot',
  'university',
  'communications',
  'director',
  'erin',
  'smith',
  'nbc',
  'dallas',
  'fort',
  'worth',
  'crew',
  'tractor',
  'trailer',
  'highway',
  'east',
  'dallas',
  'california',
  'snowthe',
  'wind',
  'united',
  'states',
  'area',
  'southern',
  'california',
  'foot',
  'snow',
  'people',
  'authority',
  'san',
  'bernardino',
  'national',
  'forest',
  'swath',
  'regional',
  'san',
  'bernardino',
  'riverside',
  'counties',
  'official',
  'friday',
  'snow',
  'storm',
  'safety',
  'winter',
  'storm',
  'damage',
  'said',
  'forest',
  'supervisor',
  'danelle',
  'd.',
  'harrison',
  'statement',
  'access',
  'condition',
  'week',
  'forest',
  'gov.',
  'gavin',
  'newsom',
  'state',
  'emergency',
  'county',
  'san',
  'bernardino',
  'county',
  'sheriff',
  'office',
  'meal',
  'helicopter',
  'community',
  'california',
  'national',
  'guard',
  'thursday',
  'uh-60',
  'blackhawk',
  'roof',
  'dawn',
  'rowe',
  'chair',
  'san',
  'bernardino',
  'county',
  'board',
  'supervisors',
  'district',
  'area',
  'wednesday',
  'drone',
  'video',
  'market',
  'roof',
  'snow',
  'californiamarch',
  'foot',
  'snow',
  'mountain',
  'community',
  'county',
  'east',
  'los',
  'angeles',
  'county',
  'fire',
  'department',
  'plowing',
  'clock',
  'road',
  'california',
  'department',
  'transportation',
  'caltrans',
  'county',
  'fire',
  'chief',
  'dan',
  'munsey',
  'wednesday',
  'fire',
  'department',
  'rescue',
  'weather',
  'service',
  'snow',
  'total',
  'snow',
  'valley',
  'san',
  'bernardino',
  'mountains',
  'inch',
  'foot',
  'feb.',
  'wednesday',
  'crestline',
  'grocery',
  'store',
  'roof',
  'week',
  'inch',
  'man',
  'snow',
  'driveway',
  'donner',
  'lake',
  'truckee',
  'calif.',
  'thursday',
  'tayfun',
  'coskun',
  'anadolu',
  'agency',
  'getty',
  "images'this",
  'storm',
  "coming'andrew",
  'braggins',
  'associated',
  'press',
  'ceiling',
  'kitchen',
  'crestline',
  'weight',
  'snow',
  'roof',
  'foot',
  'friend',
  'road',
  'power',
  'day',
  'storm',
  'storm',
  '”some',
  'region',
  'weather',
  'chaos',
  'california',
  'sierra',
  'nevada',
  'foothill',
  'drought',
  'dryness',
  'time',
  'january',
  'report',
  'u.s.',
  'drought',
  'monitor',
  '“the',
  'rain',
  'california',
  'soil',
  'moisture',
  'streamflow',
  'level',
  'snow',
  'mountain',
  'snowpack',
  'level',
  'dryness',
  'drought',
  'california',
  'precipitation',
  'month',
  'snowpack',
  'reservoir',
  'level',
  'dryness',
  'drought',
  'montana',
  'new',
  'mexico',
  'utah',
  'dryness',
  'drought',
  'arizona',
  'report',
  "'potent",
  'storm',
  'weather',
  'hazard',
  'system',
  'multitude',
  'weather',
  'hazard',
  'country',
  'friday',
  'saturday',
  'weather',
  'service',
  'storm',
  'time',
  'record',
  'sea',
  'level',
  'pressure',
  'value',
  'portion',
  'ohio',
  'missouri',
  'valley',
  'weather',
  'flash',
  'flood',
  'risk',
  'system',
  'friday',
  'morning',
  'hour',
  'lower',
  'mississippi',
  'valley',
  'threat',
  'day',
  'lift',
  'ohio',
  'valley',
  'weather',
  'service',
  'thunderstorm',
  'potential',
  'wind',
  'gust',
  'hail',
  'possibility',
  'tornado',
  'friday',
  'weather',
  'service',
  'storm',
  'prediction',
  'center',
  'risk',
  'thunderstorm',
  'tennessee',
  'valley',
  'weather',
  'service',
  'possibility',
  'flash',
  'flooding',
  'mid',
  '-',
  'mississippi',
  'ohio',
  'valley',
  'mid',
  '-',
  'atlantic',
  'risk',
  'rainfall',
  'arkansas',
  'missouri',
  'illinois',
  'indiana',
  'phil',
  'helselphil',
  'helsel',
  'reporter',
  'nbc',
  'news',
  'chantal',
  'da',
  'silvachantal',
  'da',
  'silva',
  'news',
  'editor',
  'nbc',
  'news',
  'digital',
  'london',
  'steve',
  'strousssteve',
  'strouss',
  'meteorologist',
  'producer',
  'nbc',
  'news',
  'david',
  'k.',
  'li',
  'aboutcontacthelpcareersad',
  'choicesprivacy',
  'policydo',
  'informationca',
  'noticenew',
  'terms',
  'service',
  'july',
  'news',
  'sitemapadvertiseselect',
  'shoppingselect',
  'personal',
  'finance',
  'nbc',
  'universalnbc',
  'news',
  'logomsnbc',
  'logotoday',
  'logo'],
 ['main',
  'content',
  'sensor',
  'network',
  'maps',
  'radar',
  'severe',
  'weather',
  'news',
  'blogs',
  'mobile',
  'apps',
  'nearest',
  'station',
  'manage',
  'favorite',
  'citieslog',
  'joinsettingsaccount_box',
  'log',
  'person_add',
  'join',
  'setting',
  'settings',
  'sensor',
  'networkmaps',
  'radarsevere',
  'weathernews',
  'blogsmobile',
  'appshistorical',
  'weatherstarnews',
  'blogs',
  'category',
  'news',
  'stories',
  'infographics',
  'posters',
  'news',
  'stories',
  'category',
  'storiesinfographicsposterspublished',
  'weather',
  'company',
  'mission',
  'weather',
  'news',
  'environment',
  'importance',
  'science',
  'life',
  'story',
  'position',
  'parent',
  'company',
  'ibm.recent',
  'storiesweather',
  'articlesour',
  'appsabout',
  'uscontactcareerspws',
  'networkwundermapfeedback',
  'supportterms',
  'useprivacy',
  'policyaccessibility',
  'statementadchoicesdata',
  'vendorswe',
  'responsibility',
  'datum',
  'technology',
  'datum',
  'data',
  'vendor',
  'control',
  'datum',
  'datum',
  'rightspowered',
  'ibm',
  'cloud',
  'copyright',
  'twc',
  'product',
  'technology',
  'llc',
  'javascript',
  'application'],
 ['main',
  'content',
  'sensor',
  'network',
  'maps',
  'radar',
  'severe',
  'weather',
  'news',
  'blogs',
  'mobile',
  'apps',
  'nearest',
  'station',
  'manage',
  'favorite',
  'citieslog',
  'joinsettingsaccount_box',
  'log',
  'person_add',
  'join',
  'setting',
  'settings',
  'sensor',
  'networkmaps',
  'radarsevere',
  'weathernews',
  'blogsmobile',
  'appshistorical',
  'weatherstarnews',
  'blogs',
  'category',
  'news',
  'stories',
  'infographics',
  'posters',
  'news',
  'stories',
  'category',
  'storiesinfographicsposterspublished',
  'weather',
  'company',
  'mission',
  'weather',
  'news',
  'environment',
  'importance',
  'science',
  'life',
  'story',
  'position',
  'parent',
  'company',
  'ibm.recent',
  'storiesweather',
  'articlesour',
  'appsabout',
  'uscontactcareerspws',
  'networkwundermapfeedback',
  'supportterms',
  'useprivacy',
  'policyaccessibility',
  'statementadchoicesdata',
  'vendorswe',
  'responsibility',
  'datum',
  'technology',
  'datum',
  'data',
  'vendor',
  'control',
  'datum',
  'datum',
  'rightspowered',
  'ibm',
  'cloud',
  'copyright',
  'twc',
  'product',
  'technology',
  'llc',
  'javascript',
  'application'],
 ['contentwe',
  'localomaha',
  'everydayadvertise',
  'usheartland',
  'heroesfirst',
  'alert',
  'weather24/7',
  'weatherlivestream6',
  'news',
  'streamingsportscws',
  'ushomenewscrimeeducationforecasthealthinternationalnationalregionalsportsstate24/7',
  'weather6',
  'sidecollege',
  'world',
  'seriescovid-19',
  'coveragefirst',
  'alert',
  'weatherget',
  'alert',
  'weather',
  'appinteractive',
  'radarsevere',
  'weather',
  'dashboardweather',
  'mapscitycam',
  'networktornadoclosingssportshigh',
  'world',
  'seriesstats',
  'predictionshow',
  'watchomaha',
  'everydaycommunitycommunity',
  'calendarwe',
  'localheartland',
  'usnextgen',
  'tvmeet',
  'teammeet',
  'sales',
  'teamcozi',
  'tvheroes',
  'iconsion',
  'televisionstart',
  'tvcircle',
  'tvcontestsemployment',
  'opportunitiespoliticselection',
  'resultsnewslettermr',
  'food',
  'recipesknicely',
  'donetv',
  'listingssubmit',
  'photos',
  'videostake',
  'pollcircle',
  'country',
  'music',
  'lifestylegray',
  'dc',
  'newscastspress',
  'weather',
  'alert',
  'weather',
  'alerts',
  'alerts',
  'bartornadoes',
  'destruction',
  'nebraskafriday',
  'night',
  'storm',
  'damage',
  'dodge',
  'countyby',
  'johan',
  'marinpublished',
  '.',
  'pm',
  'cdtshare',
  'facebookemail',
  'linkshare',
  'twittershare',
  'pinterestshare',
  'linkedindodge',
  'county',
  'neb.',
  'wowt',
  'friday',
  'night',
  'storm',
  'damage',
  'nebraska',
  'dodge',
  'county',
  'mile',
  'omaha',
  'metro',
  'national',
  'weather',
  'service',
  'dodge',
  'county',
  'area',
  'damage',
  'storm',
  'survey',
  'team',
  'today',
  'damage',
  'tornado',
  'friday',
  'result',
  'evening',
  'pic.twitter.com/lmrfjormij',
  'nws',
  'omaha',
  '@nwsomaha',
  'weather',
  'nebraska',
  'county',
  'pig',
  'tree',
  'home',
  'barn',
  'destruction',
  'area',
  'dodge',
  'county',
  'storm',
  'power',
  'saturday',
  'oppd',
  'check',
  'saturday',
  'evening',
  'customer',
  'dodge',
  'county',
  'power',
  'story',
  'news',
  'update',
  'copyright',
  'wowt',
  'right',
  'readbudweiser',
  'clydesdale',
  'appearance',
  'nebraska',
  'week',
  'house',
  'construction',
  'door',
  'golf',
  'course',
  'beaver',
  'lake',
  'sarpy',
  'county',
  'treasurer',
  'm.u.d.',
  'customer',
  'water',
  'usage',
  'break',
  'dave',
  'chappelle',
  'fall',
  'tour',
  'stop',
  'omahalatest',
  'news',
  'emily',
  'alert',
  'forecast',
  'heat',
  'work',
  'wednesday',
  'night',
  'forecasthealth',
  'expert',
  'heatpavement',
  'surface',
  'temperature',
  'concern',
  'heat',
  'wavetemperature',
  'weeknews6',
  'sidewowt',
  'news',
  'crime',
  'stoppersfirst',
  'alert',
  'weatheromaha',
  'everydaycontact',
  'uselection',
  'resultsknicely',
  'farnam',
  'st.',
  'omaha',
  'ne',
  'inspection',
  '6666term',
  'serviceprivacy',
  'statementadvertisingdigital',
  'advertisingclosed',
  'captioning',
  'audio',
  'descriptionat',
  'gray',
  'journalist',
  'news',
  'content',
  'community',
  'approach',
  'intelligence',
  'gray',
  'media',
  'group',
  'inc.',
  'station',
  'gray',
  'television',
  'inc.'],
 ['hunter',
  'biden',
  'plea',
  'deal',
  'ufo',
  'takeaway',
  'whistleblower',
  'congress',
  'uap',
  'sinéad',
  "o'connor",
  'grammy',
  'singer',
  'netherlands',
  'u.s.',
  'draw',
  'rematch',
  'world',
  'cup',
  'federal',
  'reserve',
  'interest',
  'rate',
  'level',
  'year',
  'niger',
  'president',
  'guard',
  'coup',
  'ohio',
  'officer',
  'k-9',
  'man',
  'hand',
  'story',
  'tic',
  'tac',
  'ufo',
  'sighting',
  'ian',
  'florida',
  'storm',
  'coast',
  'category',
  'hurricane',
  'app',
  'tucker',
  'reals',
  'sarah',
  'lynch',
  'baldwin',
  'brian',
  'dakss',
  'sophie',
  'reardon',
  'september',
  'cbs',
  'news',
  'hurricane',
  'ian',
  'landfall',
  'florida',
  'hurricane',
  'ian',
  'landfall',
  'florida',
  'category',
  'follow',
  'friday',
  'development',
  'coverage',
  'hurricane',
  'ian',
  'wind',
  'storm',
  'national',
  'hurricane',
  'center',
  'miami',
  'punch',
  'way',
  'florida',
  'atlantic',
  'ocean',
  'storm',
  'surge',
  'concern',
  'ian',
  'landfall',
  'cayo',
  'costa',
  'florida',
  'florida',
  'wednesday',
  'category',
  'storm',
  'category',
  'saffir',
  'simpson',
  'hurricane',
  'wind',
  'scale',
  'hurricane',
  'center',
  'edt',
  'thursday',
  'ian',
  'wind',
  'mph',
  'mph',
  'threshold',
  'hurricane',
  'ian',
  'center',
  'mile',
  'orlando',
  'mile',
  'cape',
  'canaveral',
  'mph',
  'ian',
  'power',
  'swath',
  'florida',
  'county',
  'state',
  'number',
  'home',
  'business',
  'dark',
  'a.m.',
  'edt',
  'region',
  'ian',
  'impact',
  'landfall',
  'life',
  'storm',
  'surge',
  'florida',
  'gov.',
  'ron',
  'desantis',
  'press',
  'conference',
  'wednesday',
  'evening',
  'flooding',
  'place',
  'collier',
  'county',
  'sanibel',
  'fort',
  'myers',
  'beach',
  'storm',
  'surge',
  'foot',
  'official',
  'damage',
  'flooding',
  'car',
  'building',
  'power',
  'line',
  'fire',
  'town',
  'city',
  'resident',
  'water',
  'water',
  'facility',
  'demand',
  'governor',
  'state',
  'official',
  'wednesday',
  'evening',
  'ian',
  'resident',
  'florida',
  'tornado',
  'wind',
  'flash',
  'flooding',
  'county',
  'jacksonville',
  'st.',
  'augustine',
  'evacuation',
  'order',
  'september',
  'power',
  'line',
  'spark',
  'reminder',
  'danger',
  'power',
  'line',
  'hurricane',
  'ian',
  'thursday',
  'winter',
  'haven',
  'fire',
  'department',
  'facebook',
  'fire',
  'truck',
  'minute',
  'danger',
  'storm',
  'fire',
  'truck',
  'minute',
  'danger',
  'storm',
  'incident',
  'trampoline',
  'truck',
  'winter',
  'haven',
  'fire',
  'department',
  'wednesday',
  'september',
  'september',
  'cbs',
  'fort',
  'myers',
  'affiliate',
  'cbs',
  'affiliate',
  'fort',
  'myers',
  'florida',
  'wink',
  'tv',
  'thursday',
  'tweet',
  'meteorologist',
  'station',
  'dylan',
  'federico',
  '212am',
  'emergency',
  'wink',
  'news',
  'building',
  'idea',
  'myers',
  'hurricane',
  'ian',
  'landfall',
  'wednesday',
  'wednesday',
  'night',
  'storm',
  'surge',
  'wink',
  'water',
  'foot',
  'wind',
  'hurricane',
  'floor',
  'fort',
  'myers',
  'pitch',
  'failure',
  'grid',
  'september',
  'ian',
  'trek',
  'florida',
  'national',
  'hurricane',
  'center',
  'miami',
  'ian',
  'hurricane',
  'florida',
  'morning',
  'atlantic',
  'today',
  'ian',
  'friday',
  'florida',
  'georgia',
  'south',
  'carolina',
  'coast',
  'center',
  'life',
  'flash',
  'flooding',
  'flooding',
  'river',
  'florida',
  'flash',
  'river',
  'flooding',
  'portion',
  'florida',
  'georgia',
  'south',
  'carolina',
  'today',
  'weekend',
  'a.m.',
  'edt',
  'ian',
  'core',
  'mile',
  'south',
  'southeast',
  'orlando',
  'distance',
  'south',
  'southwest',
  'cape',
  'canaveral',
  'mph',
  'wind',
  'mph',
  'september',
  'ian',
  'port',
  'charlotte',
  'hospital',
  'hurricane',
  'ian',
  'florida',
  'hospital',
  'storm',
  'surge',
  'level',
  'emergency',
  'room',
  'wind',
  'floor',
  'roof',
  'care',
  'unit',
  'doctor',
  'dr.',
  'birgit',
  'bodine',
  'night',
  'hca',
  'florida',
  'fawcett',
  'hospital',
  'port',
  'charlotte',
  'storm',
  'thing',
  'roof',
  'floor',
  'water',
  'wednesday',
  'icu',
  'staff',
  'hospital',
  'patient',
  'ventilator',
  'floor',
  'staff',
  'member',
  'towel',
  'plastic',
  'bin',
  'mess',
  'hospital',
  'floor',
  'patient',
  'damage',
  'september',
  'jacksonville',
  'airport',
  'jacksonville',
  'international',
  'airport',
  'wednesday',
  'night',
  'thursday',
  'flight',
  'tomorrow',
  'airport',
  'terminal',
  'airline',
  'rebooking',
  'option',
  'pic.twitter.com/dacemgadis',
  'jaxairport',
  '@jaxairport',
  'september',
  'pm',
  'september',
  'ian',
  'category',
  'p.m.',
  'et',
  'hurricane',
  'ian',
  'win',
  'mph',
  'category',
  'storm',
  'landfall',
  'day',
  'category',
  'storm',
  'national',
  'hurricane',
  'center',
  'life',
  'condition',
  'life',
  'flooding',
  'florida',
  'storm',
  'concern',
  'florida',
  'coastline',
  'life',
  'storm',
  'surge',
  'florida',
  'coast',
  'coast',
  'georgia',
  'south',
  'carolina',
  'thursday',
  'saturday',
  'storm',
  'atlantic',
  'pm',
  'september',
  'watch',
  'warning',
  'effect',
  'p.m.',
  'watch',
  'warning',
  'effect',
  'p.m.:a',
  'hurricane',
  'warning',
  'effect',
  'chokoloskee',
  'anclote',
  'river',
  'tampa',
  'baysebastian',
  'inlet',
  'flagler',
  'volusia',
  'county',
  'linea',
  'storm',
  'surge',
  'warning',
  'effect',
  'suwannee',
  'river',
  'flamingotampa',
  'bayflagler',
  'volusia',
  'line',
  'mouth',
  'south',
  'santee',
  'riverst',
  'johns',
  'rivera',
  'tropical',
  'storm',
  'warning',
  'effect',
  'indian',
  'pass',
  'anclote',
  'riverboca',
  'raton',
  'sebastian',
  'inletflagler',
  'volusia',
  'county',
  'line',
  'surf',
  'cityflamingo',
  'chokoloskeelake',
  'okeechobeebimini',
  'grand',
  'bahama',
  'islandsa',
  'storm',
  'surge',
  'watch',
  'effect',
  'north',
  'south',
  'santee',
  'river',
  'little',
  'river',
  'hurricane',
  'watch',
  'effect',
  'flagler',
  'volusia',
  'county',
  'line',
  'south',
  'santee',
  'rivera',
  'storm',
  'watch',
  'effect',
  'north',
  'surf',
  'city',
  'cape',
  'lookout',
  'pm',
  'september',
  'florida',
  'resident',
  'power',
  'hurricane',
  'ian',
  'number',
  'florida',
  'power',
  'p.m.',
  'et',
  'people',
  'southwest',
  'florida',
  'brunt',
  'impact',
  'resident',
  'county',
  'desoto',
  'charlotte',
  'lee',
  'power',
  'wednesday',
  'evening',
  'half',
  'resident',
  'neighboring',
  'county',
  'manatee',
  'sarasota',
  'collier',
  'highlands',
  'glades',
  'power',
  'pm',
  'september',
  'hurricane',
  'hunter',
  'pilot',
  'flight',
  'ian',
  'people',
  'hurricane',
  'captain',
  'jason',
  'mansour',
  'gulfstream',
  'iv',
  'hurricane',
  'hunter',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'cbs',
  'news',
  'john',
  'dickerson',
  'prime',
  'time',
  'hurricane',
  'hunter',
  'harm',
  'way',
  'information',
  'forecast',
  'mansour',
  'hurricane',
  'hunter',
  'pilot',
  'mission',
  'hurricane',
  'ian',
  'pm',
  'september',
  'hurricane',
  'position',
  'strength',
  'p.m.',
  'et',
  'hurricane',
  'ian',
  'mile',
  'punta',
  'gorda',
  'florida',
  'mile',
  'south',
  'southwest',
  'orlando',
  'north',
  'northeast',
  'mph',
  'wind',
  'mph',
  'category',
  'storm',
  'pm',
  'september',
  'tampa',
  'police',
  'chief',
  'update',
  'hurricane',
  'ian',
  'florida',
  'tampa',
  'police',
  'chief',
  'update',
  'hurricane',
  'ian',
  'florida',
  'pm',
  'september',
  'warning',
  'watch',
  'effect',
  'p.m.',
  'national',
  'hurricane',
  'center',
  'warning',
  'watch',
  'effect',
  'p.m',
  'et',
  'hurricane',
  'warning',
  'effect',
  'for:-chokoloskee',
  'anclote',
  'river',
  'tampa',
  'bay',
  'sebastian',
  'inlet',
  'flagler',
  'volusia',
  'county',
  'linea',
  'storm',
  'surge',
  'warning',
  'effect',
  'for:-suwannee',
  'river',
  'flamingo',
  'tampa',
  'bay',
  'flagler',
  'volusia',
  'line',
  'mouth',
  'south',
  'santee',
  'river',
  'st.',
  'johns',
  'rivera',
  'storm',
  'warning',
  'effect',
  'for:-indian',
  'pass',
  'anclote',
  'river',
  'flamingo',
  'sebastian',
  'inlet',
  'flagler',
  'volusia',
  'county',
  'line',
  'surf',
  'city',
  'flamingo',
  'chokoloskee',
  'lake',
  'okeechobee',
  'bimini',
  'grand',
  'bahama',
  'islandsa',
  'storm',
  'surge',
  'watch',
  'effect',
  'for:-north',
  'south',
  'santee',
  'river',
  'little',
  'river',
  'inlet',
  'florida',
  'baya',
  'hurricane',
  'watch',
  'effect',
  'for:-flagler',
  'volusia',
  'county',
  'line',
  'south',
  'santee',
  'river',
  'lake',
  'storm',
  'watch',
  'effect',
  'for:-north',
  'surf',
  'city',
  'cape',
  'lookout',
  'pm',
  'september',
  'daytona',
  'beach',
  'shores',
  'florida',
  'east',
  'coast',
  'bridge',
  'wind',
  'department',
  'safety',
  'daytona',
  'beach',
  'shores',
  'wednesday',
  'night',
  'bridge',
  'halifax',
  'river',
  'wind',
  'speed',
  'bridge',
  'state',
  'department',
  'transportation',
  'department',
  'portions',
  'florida',
  'daytona',
  'flooding',
  'wind',
  'hurricane',
  'ian',
  'way',
  'peninsula',
  'volusia',
  'county',
  'hurricane',
  'warning',
  'flood',
  'watch',
  'tornado',
  'pm',
  'september',
  'sarasota',
  'mayor',
  'impact',
  'hurricane',
  'ian',
  'sarasota',
  'mayor',
  'impact',
  'hurricane',
  'ian',
  'pm',
  'september',
  'biden',
  'fema',
  'headquarters',
  'thursday',
  'hurricane',
  'ian',
  'florida',
  'white',
  'house',
  'president',
  'biden',
  'fema',
  'headquarters',
  'washington',
  'd.c.',
  'thursday',
  'briefing',
  'impact',
  'hurricane',
  'ian',
  'response',
  'effort',
  'president',
  'remark',
  'hurricane',
  'pm',
  'september',
  'virginia',
  'state',
  'emergency',
  'friday',
  'beginning',
  'friday',
  'virginia',
  'state',
  'emergency',
  'gov.',
  'glenn',
  'youngkin',
  'wednesday',
  'declaration',
  'response',
  'hurricane',
  'ian',
  'state',
  'week',
  'community',
  'resource',
  'effect',
  'storm',
  'governor',
  'statement',
  'storm',
  'track',
  'virginians',
  'visitor',
  'plan',
  'supply',
  'hand',
  'source',
  'forecast',
  'information',
  'guidance',
  '"similar',
  'state',
  'emergency',
  'north',
  'south',
  'carolina',
  'georgia',
  'florida',
  'pm',
  'september',
  'resident',
  'shelter',
  'tampa',
  'school',
  'florida',
  'home',
  'hurricane',
  'ian',
  'decision',
  'anita',
  'glover',
  'shelter',
  'tampa',
  'school',
  'month',
  'son',
  'jayven',
  'glover',
  'shelter',
  'son',
  'focus',
  'safety',
  'electricity',
  'thing',
  'shelter',
  'yesterday',
  '"hundred',
  'people',
  'storm',
  'shelter',
  'family',
  'family',
  'shelter',
  'school',
  'house',
  'lot',
  'tree',
  'area',
  'school',
  'resident',
  'classroom',
  'bedroom',
  'juan',
  'lopez',
  'day',
  'job',
  'sale',
  'marketing',
  'tampa',
  'convention',
  'center',
  'shelter',
  'supervisor',
  'guest',
  'space',
  'place',
  'element',
  'meal',
  'day',
  'lopez',
  'support',
  'shelter',
  'refuge',
  'hurricane',
  'ian',
  'pm',
  'september',
  'fort',
  'myers',
  'police',
  'issue',
  'citywide',
  'curfew',
  'hurricane',
  'city',
  'fort',
  'myers',
  'curfew',
  'health',
  'safety',
  'welfare',
  'resident',
  'visitor',
  'responder',
  'police',
  'effect',
  'wednesday',
  'p.m.',
  'friday',
  'p.m.',
  'lee',
  'county',
  'fort',
  'myers',
  'wednesday',
  'evening',
  'curfew',
  'notice',
  'lee',
  'county',
  'city',
  'exception',
  'estero',
  'time',
  'county',
  'facebook',
  'page',
  'pm',
  'september',
  'desantis',
  'hurricane',
  'florida',
  'hurricane',
  'ian',
  'florida',
  'town',
  'storm',
  'florida',
  'gov.',
  'ron',
  'desantis',
  'wednesday',
  'evening',
  'swath',
  'state',
  'damage',
  'resident',
  'state',
  ...],
 ['ie',
  'experience',
  'site',
  'browser',
  'skip',
  'news',
  'newsworldbusinesshealthvideoculture',
  'trendsnbc',
  'news',
  'tiplineshare',
  'save',
  'newsmanage',
  'profileemail',
  'preferencessign',
  'outsearchsearchprofile',
  'newssign',
  'sign',
  'increate',
  'profilesectionsu.s.',
  'newspoliticsworldlocalbusinesshealthinvestigationsculture',
  'trendssciencesportstech',
  'mediavideo',
  'featuresphotosweathernbc',
  'selectdecision',
  'blknbc',
  'newsmsnbcmeet',
  'pressdatelinefeaturednbc',
  'news',
  'nowbetternightly',
  'filmsstay',
  'tunedspecial',
  'featuresnewsletterspodcastslisten',
  'nowmore',
  'nbccnbcnbc.comnbcu',
  'learnpeacocknext',
  'steps',
  'vetsparent',
  'news',
  'site',
  'maphelpfollow',
  'nbc',
  'newssearchsearchfacebooktwitteremailsmsprintwhatsappredditpocketflipboardpinterestlinkedinweathermay',
  'snowstorm',
  'record',
  'book',
  'wisconsin',
  'michigansnow',
  'total',
  'sunrise',
  'monday',
  'inch',
  'herman',
  'michigan',
  'inch',
  'lakes',
  'michigan',
  'inch',
  'gile',
  'wisconsin',
  'noaa',
  'satellite',
  'image',
  'weather',
  'northeast',
  'monday',
  'noaaprintmay',
  'pm',
  'kathryn',
  'prociva',
  'record',
  'snowstorm',
  'making',
  'snow',
  'total',
  'wisconsin',
  'upper',
  'peninsula',
  'michigan',
  'monday',
  'morning',
  'winter',
  'alert',
  'upper',
  'midwest',
  'great',
  'lakes',
  'region',
  'snow',
  'wind',
  'beginning',
  'week',
  'snow',
  'total',
  'sunrise',
  'monday',
  'inch',
  'herman',
  'michigan',
  'inch',
  'lakes',
  'michigan',
  'inch',
  'gile',
  'wisconsin',
  'lull',
  'precipitation',
  'round',
  'day',
  'monday',
  'round',
  'storm',
  'system',
  'wind',
  'moisture',
  'storm',
  'moisture',
  'snowfall',
  'rate',
  'precipitation',
  'snow',
  'snow',
  'total',
  'upper',
  'peninsula',
  'michigan',
  'tuesday',
  'inch',
  'spot',
  'location',
  'huron',
  'mountains',
  'foot',
  'snow',
  'monday',
  'morning',
  'national',
  'weather',
  'service',
  'marquette',
  'michigan',
  'ingredient',
  'winter',
  'storm',
  'snowstorm',
  'region',
  'year',
  'ingredient',
  'development',
  'spring',
  'snowstorm',
  'like',
  'upper',
  'mi',
  'storm',
  'area',
  'foot',
  'snow',
  'region',
  'day',
  'addition',
  'snow',
  'wind',
  'flooding',
  'concern',
  'wind',
  'mph',
  'snow',
  'tree',
  'damage',
  'power',
  'outage',
  'north',
  'wind',
  'wave',
  'lake',
  'superior',
  'foot',
  'range',
  'shore',
  'alger',
  'marquette',
  'county',
  'lakeshore',
  'flooding',
  'upper',
  'peninsula',
  'michigan',
  'stranger',
  'snow',
  'snow',
  'storm',
  'system',
  'month',
  'place',
  'marquette',
  'herman',
  'inch',
  'inch',
  'snow',
  'time',
  'storm',
  'tuesday',
  'upper',
  'peninsula',
  'michigan',
  'time',
  'snowfall',
  'month',
  'eastern',
  'wisconsin',
  'upper',
  'peninsula',
  'michigan',
  'region',
  'snow',
  'week',
  'winterlike',
  'air',
  'mass',
  'pattern',
  'great',
  'lakes',
  'burst',
  'snow',
  'michigan',
  'ohio',
  'pennsylvania',
  'appalachian',
  'mountains',
  'west',
  'virginia',
  'elevation',
  'snowstorm',
  'region',
  'metro',
  'area',
  'snowflake',
  'detroit',
  'cleveland',
  'pittsburgh',
  'hour',
  'snow',
  'morning',
  'hour',
  'monday',
  'tuesday',
  'accumulation',
  'area',
  'kathryn',
  'procivkathryn',
  'prociv',
  'meteorologist',
  'producer',
  'nbc',
  'news',
  'choicesprivacy',
  'policydo',
  'informationca',
  'noticenew',
  'terms',
  'service',
  'july',
  'news',
  'sitemapadvertiseselect',
  'shoppingselect',
  'personal',
  'finance',
  'nbc',
  'universalnbc',
  'news',
  'logomsnbc',
  'logotoday',
  'logo'],
 ['reader',
  'book',
  'club',
  'cocktail',
  'club',
  'b',
  'start',
  'advertise',
  'classified',
  'ads',
  'customer',
  'support',
  'newsletters',
  'careers',
  'contact',
  'obituaries',
  'mass.',
  'lottery',
  'powerball',
  'mega',
  'millions',
  'horoscopes',
  'comics',
  'today',
  'history',
  'business',
  'partner',
  'reader',
  'book',
  'club',
  'cocktail',
  'club',
  'b',
  'start',
  'advertise',
  'classified',
  'ads',
  'customer',
  'support',
  'newsletters',
  'careers',
  'contact',
  'obituaries',
  'mass.',
  'lottery',
  'powerball',
  'mega',
  'millions',
  'horoscopes',
  'comics',
  'today',
  'history',
  'business',
  'partners',
  'patrice',
  'bergeron',
  'karen',
  'read',
  'jaylen',
  'brown',
  'watch',
  'globe',
  'today',
  'snow',
  'accumulation',
  'mass.',
  'coating',
  'coast',
  'boston',
  'area',
  'rain',
  'dialynn',
  'dwyer',
  'jack',
  'pickell',
  'forecaster',
  'timing',
  'impact',
  'mix',
  'mass.',
  'shovel',
  'wintry',
  'mix',
  'snow',
  'massachusetts',
  'storm',
  'friday',
  'night',
  'mix',
  'snow',
  'sleet',
  'rain',
  'saturday',
  'meteorologist',
  'snow',
  'accumulation',
  'state',
  'elevation',
  'north',
  'mass.',
  'pike',
  'area',
  'massachusetts',
  'region',
  'forecaster',
  'snowfall',
  'storm',
  'nws',
  'boston',
  'nws',
  'gray',
  "nor'easter",
  'snowfall',
  'area',
  'tonight',
  'saturday',
  'march',
  'forecast',
  'location',
  'https://t.co/jeqhtxksdg',
  'pic.twitter.com/hvulet85ia',
  'nws',
  'gray',
  '@nwsgray',
  'march',
  'nws',
  'burlington',
  'winter',
  'storm',
  'warning',
  'effect',
  'vt',
  'ny',
  'snow',
  'evening',
  'sat',
  'morning',
  'sat',
  'afternoon',
  'https://t.co/bwraqa7ukd',
  'storm',
  'snow',
  'vtwx',
  'nywx',
  'pic.twitter.com/8k8bnys5rp',
  'nws',
  'burlington',
  '@nwsburlington',
  'march',
  'dave',
  'epstein',
  'colder',
  'air',
  'afternoon',
  'mix',
  'snow',
  'road',
  'accumulation',
  'coating',
  'inch',
  'surface',
  'pic.twitter.com/pp9p7w4gje',
  'dave',
  'epstein',
  '@growingwisdom',
  'march',
  'change',
  'map',
  'snow',
  'total',
  'set',
  'datum',
  'change',
  'hrs',
  'flake',
  'nature',
  'snow',
  'area',
  'w',
  'total',
  'dave',
  'epstein',
  '@growingwisdom',
  'march',
  'boston',
  'news',
  'message',
  'snow',
  'map',
  'total',
  'elevation',
  'interiormix',
  'rain',
  'cape',
  'islands*we',
  'burst',
  'snow',
  'storm',
  'chance',
  'snow',
  'coast',
  'pic.twitter.com/xln8nj7ixe',
  'vicki',
  'graf',
  '@vickigrafwx',
  'march',
  'snow',
  'sleet',
  'mass.',
  'boston',
  'metrowest',
  'water',
  'content',
  'thank',
  'sleet',
  'drop',
  'lot',
  'weight',
  'pic.twitter.com/ehinqgww5u',
  'chris',
  'lambert',
  '@clamberton7',
  'march',
  'wbz',
  'tv',
  'change',
  'tonight',
  "we'll",
  'tomorrow',
  'accumulation',
  'midnight',
  'sleet',
  'rain',
  'sun',
  'angle',
  'temp',
  'work',
  'day',
  'saturday',
  'wbz',
  'pic.twitter.com/6wchnj6iol',
  'eric',
  'fisher',
  '@ericfisher',
  'march',
  'nbc10',
  'boston',
  'necn',
  'southern',
  'new',
  'england',
  'interior',
  'accumulation',
  'thank',
  'sun',
  'strength',
  'october',
  'burst',
  'north',
  'central',
  'ma',
  'bit',
  'northern',
  'neweng',
  'pic.twitter.com/n88a7cvz25',
  'matt',
  'noyes',
  'nbc10',
  'boston',
  'necn',
  '@mattnbcboston',
  'march',
  'wcvb',
  'snow',
  'forecastheaviest',
  'snow',
  'n&w',
  'snow',
  'pike',
  'sleet',
  'water',
  'coating',
  'coast',
  'boston',
  'area',
  'wcvb',
  'pic.twitter.com/elvs5eiqfz',
  'cindy',
  'fitzgibbon',
  '@met_cindyfitz',
  'march',
  'newsletter',
  'signup',
  'date',
  'news',
  'boston.com',
  'conversationthis',
  'discussion',
  'boston.com',
  'visit',
  'tom',
  'brady',
  'supermodel',
  'irina',
  'shayk',
  'takeaway',
  'red',
  'sox',
  'triumph',
  'mlb',
  'braves',
  'jaylen',
  'brown',
  'contract',
  'celtics',
  'evolution',
  'nba',
  'patrick',
  'mendoza',
  'monica',
  'trattoria',
  'license',
  'thing',
  'patrice',
  'bergeron',
  'year',
  'career',
  'bruin',
  'meteorologist',
  'today',
  'storm',
  'heat',
  'boston',
  'meteorologist',
  'today',
  'weather',
  'weekend',
  'forecast',
  'boston',
  'meteorologist',
  'thunderstorm',
  'forecast',
  'today',
  'boston.com',
  'instagram',
  'opens',
  'new',
  'tab',
  'boston.com',
  'twitter',
  'opens',
  'new',
  'tab',
  'boston.com',
  'facebook',
  'opens',
  'new',
  'tab',
  'sign',
  'newsletter',
  'datum',
  'privacy',
  'policy',
  'gambling',
  'disclaimer',
  'advertise',
  'terms',
  'service',
  'member',
  'agreement',
  'contact',
  'careers',
  'coupon',
  'date',
  'boston',
  'news',
  'breaking',
  'update',
  'newsroom',
  'inbox',
  'thank',
  'window'],
 ['main',
  'content',
  'sensor',
  'network',
  'maps',
  'radar',
  'severe',
  'weather',
  'news',
  'blogs',
  'mobile',
  'apps',
  'nearest',
  'station',
  'manage',
  'favorite',
  'citieslog',
  'joinsettingsaccount_box',
  'log',
  'person_add',
  'join',
  'setting',
  'settings',
  'sensor',
  'networkmaps',
  'radarsevere',
  'weathernews',
  'blogsmobile',
  'appshistorical',
  'weatherstarnews',
  'blogs',
  'category',
  'news',
  'stories',
  'infographics',
  'posters',
  'news',
  'stories',
  'category',
  'storiesinfographicsposterspublished',
  'weather',
  'company',
  'mission',
  'weather',
  'news',
  'environment',
  'importance',
  'science',
  'life',
  'story',
  'position',
  'parent',
  'company',
  'ibm.recent',
  'storiesweather',
  'articlesour',
  'appsabout',
  'uscontactcareerspws',
  'networkwundermapfeedback',
  'supportterms',
  'useprivacy',
  'policyaccessibility',
  'statementadchoicesdata',
  'vendorswe',
  'responsibility',
  'datum',
  'technology',
  'datum',
  'data',
  'vendor',
  'control',
  'datum',
  'datum',
  'rightspowered',
  'ibm',
  'cloud',
  'copyright',
  'twc',
  'product',
  'technology',
  'llc',
  'javascript',
  'application'],
 ['bbc',
  'homepageskip',
  'helpyour',
  'accounthomenewssportreelworklifetravelfuturemore',
  'menumore',
  'bbchomenewssportreelworklifetravelfutureculturemusictvweathersoundsclose',
  'newsmenuhomewar',
  'ukraineclimatevideoworldus',
  'canadaukbusinesstechsciencemoreentertainment',
  'artshealthin',
  'picturesbbc',
  'verifyworld',
  'news',
  'tvnewsbeatus',
  'canadanew',
  'york',
  'city',
  'snowfall',
  'seasonpublished28',
  'februaryshareclose',
  'sharingimage',
  'source',
  'afpimage',
  'caption',
  'new',
  'york',
  'city',
  'winter',
  'storm',
  'seasonby',
  'nadine',
  'newsa',
  'coast',
  'coast',
  'winter',
  'storm',
  'california',
  'midwest',
  'north',
  'east',
  'week',
  'north',
  'east',
  'cm',
  'snow',
  'national',
  'weather',
  'service',
  'nws',
  'new',
  'york',
  'city',
  '6in',
  'snow',
  'country',
  'california',
  'area',
  'people',
  'tornado',
  'oklahoma',
  'york',
  'city',
  'edge',
  'snowfall',
  'sleet',
  'time',
  'snowfall',
  'inch',
  'range',
  'snowstorm',
  'season',
  'nws',
  'forecast',
  'snow',
  'monday',
  'evening',
  'mix',
  'sleet',
  'rain',
  'tuesday',
  'morning',
  'travel',
  'advisory',
  'new',
  'yorkers',
  'gmt',
  'monday',
  'tuesday',
  'people',
  'mass',
  'transit',
  'time',
  'commute',
  'february',
  'storm',
  'new',
  'york',
  'city',
  'season',
  'new',
  'yorkers',
  'north',
  'east',
  'winter',
  'school',
  'district',
  'city',
  'tuesday',
  'weather',
  'winter',
  'storm',
  'warning',
  'effect',
  'connecticut',
  'rhode',
  'island',
  'snow',
  'north',
  'east',
  'end',
  'wednesday',
  'nws',
  'winter',
  'storm',
  'heel',
  'tornado',
  'wind',
  'sunday',
  'monday',
  'state',
  'oklahoma',
  'missouri',
  'texas',
  'resident',
  'shelter',
  'image',
  'source',
  'reutersimage',
  'caption',
  'tornado',
  'oklahoma',
  'home',
  'power',
  'line',
  'sundayin',
  'oklahoma',
  'tornado',
  'state',
  'sunday',
  'news',
  'medium',
  'year',
  'billy',
  'trammel',
  'region',
  'state',
  'storm',
  'footage',
  'car',
  'home',
  'roof',
  'wind',
  'wind',
  'speed',
  'mph',
  'km/h',
  'texas',
  'border',
  'oklahoma',
  'equivalent',
  'category',
  'hurricane',
  'nws',
  'expert',
  'weather',
  'pattern',
  'derecho',
  'weather',
  'pattern',
  'line',
  'wind',
  'michigan',
  'people',
  'power',
  'winter',
  'storm',
  'week',
  'rain',
  'wind',
  'monday',
  'video',
  'video',
  'javascript',
  'browser',
  'medium',
  'caption',
  'oklahoma',
  'storm',
  'home',
  'dozen',
  'injuredcalifornian',
  'power',
  'outage',
  'flooding',
  'closure',
  'motorway',
  'beach',
  'winter',
  'storm',
  'state',
  'people',
  'los',
  'angeles',
  'area',
  'electricity',
  'day',
  'wind',
  'los',
  'angeles',
  'san',
  'bernadino',
  'county',
  'official',
  'emergency',
  'snowfall',
  'resident',
  'home',
  'tuesday',
  'morning',
  'home',
  'california',
  'power',
  'afternoon',
  'number',
  'yosemite',
  'national',
  'park',
  'wednesday',
  'winter',
  'condition',
  'resident',
  'state',
  'capital',
  'sacramento',
  'travel',
  'wednesday',
  'rain',
  'snow',
  'mile',
  'sacramento',
  'blizzard',
  'sierra',
  'nevada',
  'issuance',
  'avalanche',
  'warning',
  'wednesday',
  'morning',
  'reporting',
  'brandon',
  'drenonhave',
  'winter',
  'storm',
  'touch',
  'haveyoursay@bbc.co.uk',
  'contact',
  'number',
  'bbc',
  'journalist',
  'touch',
  'way',
  'whatsapp',
  '+44',
  'picture',
  'video',
  'hereor',
  'form',
  'belowplease',
  'term',
  'condition',
  'privacy',
  'policy',
  'page',
  'form',
  'version',
  'bbc',
  'website',
  'question',
  'comment',
  'haveyoursay@bbc.co.uk',
  'age',
  'location',
  'submission',
  'topicslos',
  'angelesunited',
  'statesoklahomacaliforniamore',
  'storypower',
  'outage',
  'disruption',
  'februarymotorhome',
  'river',
  'california',
  'stormpublished26',
  'februarynorth',
  'america',
  'winter',
  'storm',
  'heat',
  'februarytop',
  'storiesniger',
  'soldier',
  'coup',
  'tvpublished1',
  'hour',
  'singer',
  'sinãad',
  "o'connor",
  'hour',
  'agohow',
  'ukraine',
  'offensive',
  'south',
  'hour',
  'agofeaturessinãad',
  "o'connor",
  'obituary',
  'talent',
  'comparehow',
  'sinãad',
  "o'connor",
  'uhow',
  'ukraine',
  'offensive',
  'south',
  'stutteredn',
  'koreaâ\x80\x99s',
  'prisoner',
  'war',
  'plot',
  'flame',
  'buddha',
  'china',
  'videowatch',
  'flame',
  'buddha',
  'chinathe',
  'claim',
  'india',
  'violenceputin',
  'leader',
  'star',
  'role?can',
  'india',
  'chip',
  'powerhouse?world',
  'city',
  'bbcthe',
  'way',
  'homeswhy',
  'brand',
  'mediathe',
  'film',
  'usmost',
  'read1irish',
  'singer',
  'sinãad',
  "o'connor",
  'family',
  "grid'3how",
  'ukraine',
  'offensive',
  'south',
  'stuttered4niger',
  'soldier',
  'coup',
  'national',
  'tv5alien',
  'congress',
  'biden',
  'plea',
  'deal',
  'apart7mastercard',
  'bank',
  'debit',
  'weed8sinãad',
  "o'connor",
  'obituary',
  'talent',
  'koreaâ\x80\x99s',
  'prisoner',
  'war',
  'plot',
  'toy',
  'maker',
  'movie',
  'sale',
  'news',
  'mobileon',
  'news',
  'alertscontact',
  'bbc',
  'newshomenewssportreelworklifetravelfutureculturemusictvweathersoundsterms',
  'useabout',
  'bbcprivacy',
  'policycookiesaccessibility',
  'helpparental',
  'guidancecontact',
  'bbcget',
  'newsletterswhy',
  'bbcadvertise',
  'usâ',
  'bbc',
  'bbc',
  'content',
  'site',
  'approach',
  'linking'],
 ['wednesday',
  'july',
  '26th',
  'digital',
  'replica',
  'edition',
  'headlines',
  'colorado',
  'news',
  'politics',
  'crime',
  'public',
  'safety',
  'courts',
  'national',
  'news',
  'world',
  'news',
  'education',
  'health',
  'environment',
  'transportation',
  'housing',
  'obituaries',
  'photo',
  'hub',
  'weather',
  'sports',
  'sports',
  'columnists',
  'denver',
  'broncos',
  'colorado',
  'rockies',
  'denver',
  'colorado',
  'avalanche',
  'colorado',
  'rapids',
  'college',
  'sports',
  'preps',
  'golf',
  'boxing',
  'mma',
  'sports',
  'tv',
  'radio',
  'sports',
  'podcast',
  'olympics',
  'know',
  'food',
  'art',
  'culture',
  'movies',
  'tv',
  'streaming',
  'music',
  'theater',
  'travel',
  'family',
  'friendly',
  'bars',
  'beer',
  'thing',
  'event',
  'calendar',
  'television',
  'listings',
  'comics',
  'games',
  'horoscopes',
  'amy',
  'home',
  'garden',
  'free',
  'cannabis',
  'recipes',
  'denver',
  'post',
  'store',
  'sign',
  'newsletters',
  'alerts',
  'share',
  'facebook',
  'opens',
  'window)click',
  'reddit',
  'opens',
  'window)click',
  'twitter',
  'opens',
  'window',
  'newsletters',
  'alerts',
  'wednesday',
  'july',
  '26th',
  'digital',
  'replica',
  'edition',
  'damage',
  'tornado',
  'oklahoma',
  'share',
  'facebook',
  'opens',
  'window)click',
  'reddit',
  'opens',
  'window)click',
  'twitter',
  'opens',
  'window',
  'image',
  'video',
  'funnel',
  'storm',
  'cloud',
  'way',
  'road',
  'car',
  'cole',
  'okla.',
  'wednesday',
  'night',
  'april',
  'storm',
  'tornado',
  'wind',
  'hail',
  'central',
  'u.s.',
  'wednesday',
  'fatality',
  'injury',
  'home',
  'thousand',
  'power',
  'koco',
  'tv',
  'ap',
  'associated',
  'press',
  '',
  '',
  'published',
  'april',
  'p.m.',
  'updated',
  'april',
  'p.m.',
  'ken',
  'miller',
  'jamie',
  'stengle',
  'associated',
  'press',
  'dallas',
  'ap',
  'crew',
  'thursday',
  'power',
  'thousand',
  'resident',
  'tornado',
  'oklahoma',
  'spring',
  'storm',
  'u.s.',
  'people',
  'dozen',
  'home',
  'day',
  'tornado',
  'oklahoma',
  'gov.',
  'kevin',
  'stitt',
  'authority',
  'scale',
  'destruction',
  'aftermath',
  'shawnee',
  'building',
  'oklahoma',
  'baptist',
  'university',
  'damage',
  'home',
  'improvement',
  'store',
  'people',
  'term',
  'care',
  'facility',
  'hospital',
  'shawnee',
  'damage',
  'stitt',
  'city',
  'stitt',
  'town',
  'cole',
  'people',
  'home',
  'authority',
  'person',
  'person',
  'dozen',
  'injury',
  'way',
  'fatality',
  'deputy',
  'sheriff',
  'scott',
  'gibbons',
  'mcclain',
  'county',
  'county',
  'oklahoma',
  'city',
  'cole',
  'gibbons',
  'television',
  'station',
  'koco',
  'victim',
  'mcclain',
  'county',
  'cole',
  'year',
  'man',
  'storm',
  'spring',
  'dozen',
  'people',
  'swath',
  'country',
  'march',
  'tornado',
  'people',
  'arkansas',
  'delaware',
  'day',
  'tornado',
  'missouri',
  'employee',
  'pizza',
  'restaurant',
  'shawnee',
  'shelter',
  'freezer',
  'roof',
  'window',
  'parking',
  'lot',
  'lot',
  'commotion',
  'people',
  'bekah',
  'inman',
  'manager',
  'papa',
  'john',
  'pizza',
  'shawnee',
  'oklahoma',
  'television',
  'station',
  'koco',
  'oklahoma',
  'baptist',
  'university',
  'sophomore',
  'kennedy',
  'houchin',
  'storm',
  'shelter',
  'people',
  'hour',
  'devastation',
  'tornado',
  'campus',
  'shawnee',
  'tree',
  'car',
  'building',
  'hole',
  'volleyball',
  'teammate',
  'campus',
  'moment',
  'houchin',
  'storm',
  'stitt',
  'state',
  'emergency',
  'county',
  'cleveland',
  'lincoln',
  'mcclain',
  'oklahoma',
  'pottawatomie',
  'peak',
  'storm',
  'power',
  'outage',
  'number',
  'thursday',
  'evening',
  'oklahoma',
  'department',
  'emergency',
  'management',
  'office',
  'homeland',
  'security',
  'kfor',
  'tv',
  'resident',
  'oklahoma',
  'city',
  'shelter',
  'cole',
  'people',
  'storm',
  'manhole',
  'television',
  'station',
  'miller',
  'jonesboro',
  'arkansas',
  'associated',
  'press',
  'journalist',
  'beatrice',
  'dupuy',
  'new',
  'york',
  'report',
  'policy',
  'error',
  'contact',
  'news',
  'tip',
  'sign',
  'newsletters',
  'alerts',
  'popularmost',
  'populartwo',
  'woman',
  'year',
  'boy',
  'colorado',
  'springs',
  'wilderness',
  'woman',
  'year',
  'boy',
  'colorado',
  'springs',
  'wilderness',
  'grid"“ted',
  'lasso',
  'star',
  'comedy',
  'tour',
  'denver',
  'fall"ted',
  'lasso',
  'star',
  'comedy',
  'tour',
  'denver',
  'fall6',
  'place',
  'boulder',
  'reality',
  'tv',
  'series6',
  'place',
  'boulder',
  'reality',
  'tv',
  'woman',
  'westminster',
  'police',
  'woman',
  'westminster',
  'police',
  'shootingkeeler',
  'cu',
  'buffs',
  'qb',
  'shedeur',
  'sanders',
  'cam',
  'ward',
  'pac-12',
  'bro',
  'thing',
  'cu',
  'buffs',
  'qb',
  'shedeur',
  'sanders',
  'cam',
  'ward',
  'pac-12',
  'bro',
  'thing',
  'buffs',
  'discussion',
  'return',
  'conference',
  'exit',
  'pac-12',
  'source',
  'confirmscu',
  'buffs',
  'discussion',
  'return',
  'conference',
  'exit',
  'pac-12',
  'source',
  'confirmsthe',
  'business',
  'strip',
  'club',
  'colorado',
  'dancer',
  'way',
  'uncertaintiesthe',
  'business',
  'strip',
  'club',
  'colorado',
  'dancer',
  'way',
  'look',
  'broncos',
  'helmetsfirst',
  'look',
  'broncos',
  'alternate',
  'helmetsi-70',
  'crash',
  'eisenhower',
  'tunneli-70',
  'crash',
  'eisenhower',
  'tunnelask',
  'amy',
  'wife',
  'nowask',
  'amy',
  'wife',
  'thing',
  'step',
  'plane',
  'collision',
  'feetthe',
  'business',
  'strip',
  'club',
  'colorado',
  'dancer',
  'way',
  'uncertainties‘funnel',
  'cloud',
  'tree',
  'brooklyn',
  'power',
  'outage',
  'staten',
  'island',
  'nursing',
  'hometaylor',
  'swift',
  'album',
  'swiftie',
  '.',
  'guide',
  'tip',
  'lindsey',
  'horan',
  'goal',
  'draw',
  'netherlands',
  'women',
  'world',
  'cup',
  'wildfire',
  'acre',
  'gunnison',
  'county',
  'evacuation',
  'order',
  'watch',
  'native',
  'uswnt',
  'captain',
  'lindsey',
  'horan',
  'score',
  'netherlands',
  'wnba',
  'riquna',
  'williams',
  'aces',
  'activity',
  'felony',
  'violence',
  'arrest',
  'las',
  'vegas',
  'member',
  'place',
  'hold',
  'digital',
  'replica',
  'edition',
  'sitemap',
  'careers',
  'denver',
  'post',
  'store',
  'place',
  'obituary',
  'advertise',
  'network',
  'advertising',
  'privacy',
  'policy',
  'accessibility',
  'terms',
  'use',
  'cookie',
  'policy',
  'california',
  'notice',
  'collection',
  'notice',
  'financial',
  'incentive',
  'share',
  'personal',
  'information',
  'arbitration',
  'site',
  'map',
  'ethics',
  'policy',
  'powered',
  'wordpress.com',
  'vip'],
 ['state',
  'update',
  'delaware',
  'news',
  'authority',
  'delaware',
  'breaking',
  'news',
  'local',
  'news',
  'weather',
  'new',
  'castle',
  'county',
  'kent',
  'county',
  'sussex',
  'county',
  'maryland',
  'new',
  'jersey',
  'pennsylvania',
  'obituaries',
  'uncategorizedsevere',
  'storms',
  'damage',
  'homes',
  'topple',
  'rig',
  'responders',
  'busy',
  'sunday',
  'july',
  'new',
  'castle',
  'county',
  'delaware',
  'series',
  'storm',
  'sunday',
  'trail',
  'destruction',
  'wake',
  'wind',
  'weather',
  'condition',
  'damage',
  'rescue',
  'effort',
  'middletown',
  'block',
  'chopin',
  'drive',
  'storm',
  'roof',
  'home',
  'damage',
  'home',
  'village',
  'bayberry',
  'north',
  'development',
  'middletown',
  'damage',
  'tree',
  'street',
  'sign',
  'degree',
  'route',
  'south',
  'hyetts',
  'corner',
  'road',
  'wind',
  'tractor',
  'trailer',
  'ford',
  'explorer',
  'woman',
  'family',
  'member',
  'individual',
  'incident',
  'reassurance',
  'medium',
  'explorer',
  'storm',
  'delaware',
  'city',
  'fire',
  'company',
  'dcfc',
  'sunday',
  'storm',
  'dcfc',
  'incident',
  'intersection',
  'governor',
  'lea',
  'road',
  'west',
  'seventh',
  'street',
  'photo',
  'incident',
  'facebook',
  'page',
  'minivan',
  'occupant',
  'adult',
  'child',
  'floodwater',
  'water',
  'rescue',
  'gear',
  'rescue',
  'crew',
  'condition',
  'individual',
  'water',
  'victim',
  'firehouse',
  'shelter',
  'inclement',
  'weather',
  'dcfc',
  'block',
  'canal',
  'street',
  'roof',
  'building',
  'quint',
  'incident',
  'odessa',
  'time',
  'deputy',
  'squad',
  'area',
  'hazard',
  'roof',
  'fuel',
  'shed',
  'new',
  'castle',
  'county',
  'resident',
  'resilience',
  'assistance',
  'storm',
  'community',
  'lesson',
  'event',
  'preparedness',
  'strategy',
  'appreciation',
  'power',
  'nature',
  'importance',
  'life',
  'property',
  'face',
  'weather',
  'condition',
  'national',
  'weather',
  'service',
  'photo',
  'facebook',
  'page',
  'delaware',
  'monday',
  'storm',
  'tornado',
  'wind',
  'staff',
  'writer',
  'state',
  'update',
  'delaware',
  'team',
  'new',
  'castle',
  'county',
  'kent',
  'county',
  'sussex',
  'county',
  'news',
  'news',
  'news',
  'story',
  'reader',
  'news',
  'wilmington',
  'newark',
  'dover',
  'rehoboth',
  'beach',
  'point',
  'news',
  'email',
  'view',
  'post',
  'staff',
  'writer',
  'story',
  'police',
  'source',
  'party',
  'court',
  'law',
  'state',
  'update',
  'contact',
  'privacy',
  'policy',
  'terms',
  'rules',
  'facebook'],
 ['main',
  'content',
  'sensor',
  'network',
  'maps',
  'radar',
  'severe',
  'weather',
  'news',
  'blogs',
  'mobile',
  'apps',
  'nearest',
  'station',
  'manage',
  'favorite',
  'citieslog',
  'joinsettingsaccount_box',
  'log',
  'person_add',
  'join',
  'setting',
  'settings',
  'sensor',
  'networkmaps',
  'radarsevere',
  'weathernews',
  'blogsmobile',
  'appshistorical',
  'weatherstarnews',
  'blogs',
  'category',
  'news',
  'stories',
  'infographics',
  'posters',
  'news',
  'stories',
  'category',
  'storiesinfographicsposterspublished',
  'weather',
  'company',
  'mission',
  'weather',
  'news',
  'environment',
  'importance',
  'science',
  'life',
  'story',
  'position',
  'parent',
  'company',
  'ibm.recent',
  'storiesweather',
  'articlesour',
  'appsabout',
  'uscontactcareerspws',
  'networkwundermapfeedback',
  'supportterms',
  'useprivacy',
  'policyaccessibility',
  'statementadchoicesdata',
  'vendorswe',
  'responsibility',
  'datum',
  'technology',
  'datum',
  'data',
  'vendor',
  'control',
  'datum',
  'datum',
  'rightspowered',
  'ibm',
  'cloud',
  'copyright',
  'twc',
  'product',
  'technology',
  'llc',
  'javascript',
  'application'],
 ['style3',
  'degree',
  'guaranteeyour',
  'house',
  'homemykc',
  'liveadvertise',
  'windowhigh',
  'school',
  'star',
  'weeknewsweathersportskctv5',
  'investigatessubmit',
  'photomeet',
  'teamwhat',
  'onwatch',
  'livehomenewscrimenationalregional',
  'politicsentertainmentnfl',
  'draftworld',
  'cup',
  'kctop',
  '5friday',
  'night',
  'flightsfound',
  'day',
  'forecast3',
  'degree',
  'guaranteeradarweather',
  'camsalertsclosingskctv5',
  'investigatesroger',
  'golubskiwrongful',
  'convictionsmedicalconsumersportskansas',
  'city',
  'chiefskansas',
  'city',
  'royalssporting',
  'kchy',
  'vee',
  'team',
  'weekhy',
  'vee',
  'game',
  'weekkansas',
  'city',
  'currentkansas',
  'city',
  'super',
  'fankansas',
  'jayhawkskansas',
  'state',
  'wildcatsmissouri',
  'tigersprice',
  'chopper',
  'tailgate',
  'recipestats',
  'predictionshow',
  'watchwatch',
  'livelive',
  'deskmykc',
  'livecelebrate',
  'kindnessgoing',
  'gracelucas',
  'oil',
  'speedwaymovin',
  'upnow',
  'playingsubmit',
  'phototrafficit',
  'healthyour',
  'moneyaging',
  'styleyour',
  'house',
  'homekctv5',
  'caresjobsbbb',
  'consumer',
  'tipsadvertise',
  'usstation',
  'informationmeet',
  'teamcontact',
  'usnextgen',
  'tvdownload',
  'appsprogramming',
  'captioninglatest',
  'newscastscircle',
  'country',
  'music',
  'lifestylegray',
  'dc',
  'bureauinvestigatetvpress',
  'releasespowernation3',
  'weather',
  'alert',
  'weather',
  'alerts',
  'alerts',
  'bar',
  'police',
  'teen',
  'driver',
  'dump',
  'truck',
  'car',
  'light',
  'overland',
  'parkpolice',
  'car',
  'collision',
  'west',
  'metcalf',
  'avenue',
  'weather',
  'forecast',
  'forecast',
  'heat',
  'heat',
  'advisory',
  'place',
  'friday',
  'nightnewsleawood',
  'water',
  'break',
  'service',
  'hourscommunityresource',
  'center',
  'areatop',
  'decade',
  'lawrence',
  'sacred',
  'red',
  'rock',
  'council',
  'groveupdated',
  'minute',
  'ago',
  'josh',
  'jackson“in',
  'boulder',
  'lawrence',
  'people',
  'park',
  'settler',
  'lawrence',
  'mention',
  'kaw',
  'nation',
  'mention',
  'presence',
  'city',
  'state',
  'kansas',
  'lawrence',
  'change',
  'parking',
  'hour',
  'ago',
  'jiani',
  'navarroif',
  'parking',
  'ticket',
  'way',
  'courthouse',
  'wednesday',
  'p.m.',
  'entertainmentit',
  'summer',
  'travis',
  'kelce',
  'friendship',
  'bracelet',
  'phone',
  'number',
  'swiftupdated',
  'hour',
  'ago',
  'zoë',
  'shrinerkelce',
  'friendship',
  'bracelet',
  'hope',
  'way',
  'swift',
  'newsroughly',
  'bpu',
  'customer',
  'power',
  'outage',
  'hour',
  'ago',
  'zoe',
  'brownroughly',
  'bpu',
  'customer',
  'power',
  'wednesday',
  'newsreport',
  'tyreek',
  'hill',
  'nfl',
  'hall',
  'fame',
  'miami',
  'dolphinupdated',
  'hour',
  'ago',
  'greg',
  'daileyhill',
  'member',
  'super',
  'bowl',
  'liv',
  'champion',
  'squad',
  'nfl',
  'decade',
  'team',
  'punt',
  'returner',
  'news‘new',
  'zoo',
  'kansas',
  'city',
  'zoo',
  'logoupdated',
  'hour',
  'ago',
  'jenna',
  'barackmanthe',
  'kansas',
  'city',
  'zoo',
  'resident',
  'sobela',
  'ocean',
  'aquarium',
  'year.10',
  'day',
  'forecastfeatureslatest',
  'videonewsafter',
  'decade',
  'lawrence',
  'sacred',
  'red',
  'rock',
  'council',
  'grovenewslawrence',
  'change',
  'parking',
  'enforcementnewslisten',
  'dispatcher',
  'camdenton',
  'father',
  'twin',
  'phonenewspolice',
  'teen',
  'driver',
  'dump',
  'truck',
  'car',
  'light',
  'overland',
  'parkmore',
  'newsnational',
  'sinéad',
  'o’connor',
  'singer',
  'hour',
  'ago',
  'associated',
  'press',
  'sylvia',
  'huirock',
  'icon',
  'sinead',
  'o’connor',
  'hit',
  'u',
  'age',
  'investigates',
  'student',
  'video',
  'jccc',
  'employee',
  'road',
  'jul.',
  'pm',
  'angie',
  'riconoa',
  'kansas',
  'city',
  'student',
  'road',
  'rage',
  'moment',
  'cell',
  'phone',
  'lack',
  'response',
  'johnson',
  'county',
  'prosecutor',
  'sportsrcx',
  'sports',
  'foundation',
  'woman',
  'flag',
  'football',
  'scholarship',
  'program',
  'hour',
  'ago',
  'olivia',
  'eisenhauerfour',
  'scholarship',
  'student',
  'athlete',
  'united',
  'states',
  'college',
  'university',
  'woman',
  'flag',
  'football',
  'varsity',
  'sport',
  '2024.sportskansa',
  'mizzou',
  'football',
  'basketball',
  'ticketing',
  'option',
  'hour',
  'ago',
  'olivia',
  'eisenhauerfootball',
  'basketball',
  'ticket',
  'seasonssport',
  'power',
  'light',
  'host',
  'party',
  'women',
  'world',
  'cup',
  'matchupdated',
  'hour',
  'ago',
  'nathan',
  'brennanthe',
  'journey',
  'world',
  'cup',
  'wednesday',
  'night',
  'united',
  'states',
  'women',
  'national',
  'team',
  'netherlands',
  'p.m.',
  'newscolorado',
  'man',
  'woman',
  'kansas',
  'city',
  'hotel',
  'clay',
  'countyupdated',
  'hour',
  'ago',
  'jenna',
  'barackmansimmons',
  'colorado',
  'woman',
  'sarah',
  'tafoya',
  'kansas',
  'city',
  'area',
  'hotel',
  'body',
  'area',
  'clay',
  'county',
  'news',
  'car',
  'i-435updated',
  'hour',
  'ago',
  'julia',
  'scammahornjust',
  'tuesday',
  'night',
  'injury',
  'crash',
  'northbound',
  'interstate',
  'oldham',
  'road',
  'passersby',
  'news',
  'royals',
  'location',
  'stadium',
  'septemberupdated',
  'hour',
  'ago',
  'greg',
  'payneit’ll',
  'place',
  'ballpark',
  'district',
  'river',
  'north',
  'kansas',
  'city',
  'spot',
  'east',
  'village',
  'downtown',
  'kansas',
  'city',
  'newsgladstone',
  'couple',
  'child',
  'hour',
  'ago',
  'jenna',
  'barackmanjoshua',
  'jennifer',
  'goodspeed',
  'today',
  'image',
  'child',
  'victim',
  'news',
  'morning',
  'dispatcher',
  'camdenton',
  'father',
  'twin',
  'phoneupdated',
  'hour',
  'ago',
  'jenna',
  'barackmana',
  'dispatcher',
  'camdenton',
  'missouri',
  'man',
  'set',
  'twin',
  'morning',
  'national',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'judge',
  'concern',
  'term',
  'agreement',
  'hour',
  'ago',
  'associated',
  'press',
  'claudia',
  'lauer',
  'randall',
  'chase',
  'colleen',
  'longhe',
  'agreement',
  'prosecutor',
  'year',
  'probation',
  'deal',
  'hold',
  'news2',
  'driver',
  'i-435',
  'hour',
  'ago',
  'zoe',
  'driver',
  'i-435',
  'passenger',
  'car',
  'overpass',
  'road',
  'newsnews',
  'city',
  'bus',
  'driver',
  'violence',
  'job',
  'safety',
  'concernsupdated',
  'hour',
  'ago',
  'jiani',
  'navarrosome',
  'kansas',
  'city',
  'bus',
  'driver',
  'safety',
  'risk',
  'turnover',
  'safety',
  'concern',
  'newshow',
  'kansas',
  'city',
  'hour',
  'ago',
  'newsadvisory',
  'kansas',
  'city',
  'area',
  'heat',
  'condition',
  'fridayupdated',
  'jul.',
  'pm',
  'cdt',
  'kctv5',
  'staffheat',
  'index',
  'degree',
  'day',
  'storm',
  'track',
  'weather',
  'team',
  'news',
  'jayhawks',
  'football',
  'player',
  'prairie',
  'village',
  'terror',
  'threat',
  'jul.',
  'pm',
  'cdt',
  'kctv5',
  'staffjoseph',
  'krause',
  'year',
  'lineman',
  'threat',
  'kansas',
  'city',
  'chiefschargers',
  'justin',
  'herbert',
  'record',
  'extension',
  'jul.',
  'pm',
  'cdt',
  'olivia',
  'eisenhauerherbert',
  'player',
  'nfl',
  'historycrimelawrence',
  'woman',
  'pedestrian',
  'deathupdated',
  'jul.',
  'pm',
  'cdt',
  'kctv5',
  'staffa',
  'lawrence',
  'woman',
  'manslaughter',
  'pedestrian',
  'vehicle',
  'newsleavenworth',
  'man',
  'shelter',
  'police',
  'guiltyupdated',
  'jul.',
  'pm',
  'cdt',
  'jenna',
  'barackman“it',
  'idea',
  'law',
  'enforcement',
  'leavenworth',
  'county',
  'attorney',
  'todd',
  'thompson',
  'person',
  'charge',
  'effort',
  'law',
  'enforcement',
  'k',
  'state',
  'big',
  'athlete',
  'year',
  'hour',
  'ago',
  'olivia',
  'eisenhauerthe',
  'athlete',
  'year',
  'nominee',
  'school',
  'school',
  'month',
  'basis',
  'news',
  'kid',
  'citizen',
  'ceremony',
  'truman',
  'houseupdated',
  'jul.',
  'pm',
  'cdt',
  'joseph',
  'hennessythe',
  'child',
  'country',
  'kansas',
  'city',
  'royalsroyals',
  'spring',
  'training',
  'jul.',
  'pm',
  'cdt',
  'olivia',
  'eisenhaueralong',
  'rest',
  'major',
  'league',
  'baseball',
  'kansas',
  'city',
  'royals',
  'game',
  'spring',
  'training',
  'schedule',
  'tuesday',
  'newsstation',
  'informationprogramming',
  'scheduleour',
  'appsweathermeet',
  'teamwatch',
  'livejobssportsadvertise',
  'usaging',
  'stylesign',
  'newsletterskctv5',
  'carescareersyour',
  'house',
  'homekctv4500',
  'shawnee',
  'mission',
  'parkwayfairway',
  'ks',
  'public',
  'inspection',
  'fileksmo',
  'public',
  'inspection',
  'filekim.edney@kctv5.com',
  'children',
  'programmingksmo',
  'children',
  'programmingfcc',
  'public',
  'file',
  'reportclosed',
  'captioning',
  'audio',
  'descriptionterm',
  'serviceprivacy',
  'advertisingat',
  'gray',
  'journalist',
  'news',
  'content',
  'community',
  'approach',
  'intelligence',
  'gray',
  'media',
  'group',
  'inc.',
  'station',
  'gray',
  'television',
  'inc.'],
 ['home',
  'mail',
  'news',
  'finance',
  'sports',
  'entertainment',
  'life',
  'search',
  'shopping',
  'yahoo',
  'plus',
  'yahoo',
  'life',
  'newsletter',
  'yahoo',
  'lifestyle',
  'yahoo',
  'lifestyle',
  'search',
  'query',
  'sign',
  'mail',
  'sign',
  'mail',
  'life',
  'health',
  'facts',
  'life',
  'mental',
  'health',
  'resources',
  'unwind',
  'parent',
  'kid',
  'mini',
  'ways',
  'ttc',
  'style',
  'beauty',
  'good',
  'news',
  'horoscopes',
  'shopping',
  'buying',
  'guides',
  'wsb',
  'cox',
  'articlesphotos',
  'storm',
  'tree',
  'powerline',
  'north',
  'georgia',
  'articlewsbtv.com',
  'news',
  'staffjune',
  'amold',
  'oak',
  'lee',
  'st',
  'se',
  'smyrna',
  'ga',
  'family',
  'home',
  '1910.old',
  'oak',
  'lee',
  'st',
  'se',
  'smyrna',
  'ga',
  'family',
  'home',
  'chicago',
  'avenue',
  'douglasvilletaken',
  'chicago',
  'avenue',
  'douglasvilletaken',
  'chicago',
  'avenue',
  'douglasvilletaken',
  'chicago',
  'avenue',
  'douglasvilletrees',
  'complex',
  'cumberland',
  'pointe',
  'apartment',
  'king',
  'springs',
  'rd',
  'bmw',
  'tree',
  'it!tree',
  'complex',
  'cumberland',
  'pointe',
  'apartment',
  'king',
  'springs',
  'rd',
  'bmw',
  'tree',
  'it!this',
  'son',
  'daughter',
  'law',
  'house',
  'cleveland',
  'ga.',
  'bathtub',
  'cover',
  'tree',
  'son',
  'daughter',
  'law',
  'house',
  'cleveland',
  'ga.',
  'bathtub',
  'cover',
  'tree',
  'son',
  'daughter',
  'law',
  'house',
  'cleveland',
  'ga.',
  'bathtub',
  'cover',
  'tree',
  'son',
  'daughter',
  'law',
  'house',
  'cleveland',
  'ga.',
  'bathtub',
  'cover',
  'tree',
  'view',
  'porch',
  'evening',
  'dessarae',
  'fisher',
  'ila',
  'ga',
  'rainbow',
  'porch',
  'lake',
  'hartwell',
  'ga',
  'lake',
  'storm',
  'home',
  'anna',
  'marie',
  'phillips',
  'view',
  'porch',
  'evening',
  'dessarae',
  'fisher',
  'ila',
  'ga',
  'rainbow',
  'porch',
  'lake',
  'hartwell',
  'ga',
  'lake',
  'storm',
  'home',
  'anna',
  'marie',
  'phillips',
  'view',
  'porch',
  'evening',
  'dessarae',
  'fisher',
  'ila',
  'ga',
  'rainbow',
  'porch',
  'lake',
  'hartwell',
  'ga',
  'lake',
  'storm',
  'home',
  'anna',
  'marie',
  'phillips',
  'storiesyahoo',
  'life',
  'bra',
  'warner',
  'style',
  'smooth',
  '%',
  'off)it',
  'figure',
  'now.5d',
  'life',
  'time',
  'blouse',
  'figure',
  'shopper',
  'summer',
  'life',
  'shoppingthe',
  'deal',
  'amazon',
  'saturday',
  'memory',
  'foam',
  'pillow',
  'pack',
  '%',
  'massage',
  'gun',
  'saving',
  '%',
  'price.4d',
  'agoyahoo',
  'life',
  'shoppingamazon',
  'swimsuit',
  'coverup',
  'sale',
  'price',
  'cupshe',
  'splash',
  'piece',
  'coverup',
  'heat',
  'wave.4d',
  'agoyahoo',
  'lifewant',
  'year',
  'study',
  'habit',
  'life',
  'study',
  'behavior',
  'longevity',
  'life',
  'shoppingpsst',
  'airpods',
  'shopper',
  'love',
  '99the',
  'charging',
  'case',
  'day',
  'listening',
  'pleasure',
  'life',
  'shoppingnordstrom',
  'anniversary',
  'sale',
  'shop',
  'le',
  'creuset',
  'coach',
  'outsave',
  '%',
  'brand',
  'store',
  'discount',
  'event.2d',
  'life',
  'foot',
  'massager',
  'heaven',
  'shopper',
  '%',
  'code',
  'goodbye',
  'ache',
  'muscle',
  'fatigue.4d',
  'agoyahoo',
  "life'i'm",
  'chubby',
  'latina',
  'size',
  'model',
  'denise',
  'bidot',
  'model"we\'re',
  'narrative',
  'people',
  'thing',
  'bidot.2d',
  'agoyahoo',
  'life',
  "shopping'so",
  'office',
  'chair',
  'amazon',
  "midnight'provides",
  'support',
  'head',
  'hip',
  'hand',
  'fan',
  'lumbar',
  'support',
  "'2d",
  'agomore',
  'stories',
  'twitterfacebookinstagrampinterestyoutubeyahoo!healthparentingstyle',
  'beautygood',
  'newshoroscopesshoppingterms',
  'privacy',
  'policyprivacy',
  'adssite',
  'map',
  'yahoo',
  'right'],
 ['contentskip',
  'footertrending',
  'ed',
  'sheeran',
  'vegashall',
  'pass',
  'cash',
  'appsteal',
  'dealslive',
  'lakesubmit',
  'birthdayssubmit',
  'psathe',
  'berkshire',
  'musichomeon',
  '-',
  'airall',
  'djsshowslistenlisten',
  'livelive',
  'free',
  'applive',
  'alexalive',
  'google',
  'homeplaylistmonth',
  'playlistrecently',
  'playedcontestsnewslettercontact',
  'ushelp',
  'contact',
  'infosend',
  'song90',
  'noonthrowback',
  'throwdownmorehomeon',
  'airall',
  'djsshowslistenlisten',
  'livelive',
  'free',
  'applive',
  'alexalive',
  'google',
  'homeplaylistmonth',
  'playlistrecently',
  'playedcontestsnewslettercontact',
  'ushelp',
  'contact',
  'infosend',
  'song90',
  'noonthrowback',
  'throwdownvisit',
  'youtubevisit',
  'facebookvisit',
  'massachusetts',
  'brace',
  'winter',
  'storm',
  'january',
  'facebookshare',
  'twitterlast',
  'week',
  'blizzard',
  'massachusetts',
  'folk',
  'boston',
  'area',
  'fact',
  'snowfall',
  'general',
  'berkshire',
  'county',
  'rest',
  'massachusetts',
  'winter',
  'season',
  'skier',
  'boarder',
  'plow',
  'driver',
  'snow',
  'sport',
  'enthusiast',
  'deposit',
  'snow',
  'chance',
  'weekend',
  'winter',
  'storm',
  'keenan',
  'landfall',
  'weekend',
  'massachusetts',
  'bone',
  'doozy',
  'forecaster',
  'inch',
  'thursday',
  'night',
  'inch',
  'friday',
  'day',
  'inch',
  'snow',
  'friday',
  'night',
  'possibility',
  'foot',
  'snow',
  'way',
  'snow',
  'prediction',
  'blog',
  'berkshire',
  'county',
  'greylock',
  'snow',
  'day',
  'range',
  'possibility',
  'moment',
  'berkshire',
  'rain',
  'hour',
  'precipitation',
  'period',
  'snow',
  'boundary',
  'air',
  'masse',
  'moment',
  'model',
  'euro',
  'american',
  'boundary',
  'north',
  'new',
  'york',
  'new',
  'england',
  'foot',
  'snow',
  'thursday',
  'friday',
  'berkshires',
  'rain',
  'storm',
  'week',
  'movement',
  'boundary',
  'south',
  'possibility',
  'greylock',
  'snow',
  'daytips',
  'power',
  'outage',
  'look',
  'weather',
  'climate',
  'disaster',
  'decadesstacker',
  'climate',
  'disaster',
  'billion',
  'cost',
  'damage',
  'inflation',
  'datum',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'noaa',
  'list',
  'hurricane',
  'sally',
  'damage',
  'hurricane',
  'damage',
  'people',
  'climate',
  'disaster',
  'decade',
  'u.s.filed',
  'berkshire',
  'county',
  'pittsfield',
  'western',
  'massachusettscategories',
  'articles',
  'local',
  'newscommentsleave',
  'commentmore',
  'fmtree',
  'house',
  'trail',
  'offers',
  'unique',
  'affordable',
  'family',
  'adventure',
  'western',
  'massachusettstree',
  'house',
  'trail',
  'offers',
  'unique',
  'affordable',
  'family',
  'adventure',
  'western',
  'massachusettsberkshire',
  'humane',
  'society',
  'pets',
  'week',
  'meet',
  'rose',
  'sophia',
  'blancheberkshire',
  'humane',
  'society',
  'pets',
  'week',
  'meet',
  'rose',
  'sophia',
  'blancheberkshire',
  'county',
  'major',
  'diseaseberkshire',
  'county',
  'major',
  'diseasetwo',
  'massachusetts',
  'cities',
  'rate',
  'obesity',
  'u.s.two',
  'massachusetts',
  'cities',
  'rate',
  'obesity',
  'massachusetts',
  'cities',
  'best',
  'small',
  'cities',
  'united',
  'statesseven',
  'massachusetts',
  'cities',
  'best',
  'small',
  'cities',
  'united',
  'statesit',
  'illegal',
  'ice',
  'cream',
  'trucks',
  'music',
  'massachusetts',
  'cityit',
  'illegal',
  'ice',
  'cream',
  'trucks',
  'music',
  'massachusetts',
  'citythree',
  'massachusetts',
  'counties',
  'coolest',
  'summers',
  'statethree',
  'massachusetts',
  'counties',
  'coolest',
  'summers',
  'statepopular',
  'savory',
  'snack',
  'item',
  'recall',
  'list',
  'massachusettspopular',
  'savory',
  'snack',
  'item',
  'recall',
  'list',
  'massachusettsupdated',
  'list',
  'names',
  'massachusettsupdated',
  'list',
  'names',
  'jobsmarketing',
  'advertising',
  'solutionspublic',
  'fileneed',
  'assistancefcc',
  'applicationsreport',
  'rulesprivacy',
  'policyaccessibility',
  'statementexercise',
  'data',
  'rightscontactberkshires',
  'business',
  'listingsfollow',
  'usvisit',
  'youtubevisit',
  'facebookvisit',
  'twitter2023',
  'live',
  'townsquare',
  'media',
  'inc.',
  'right'],
 ['concertgoer',
  'harrisburg',
  'summer',
  'concert',
  'series',
  'hospital',
  'cumberland',
  'county',
  'sheetz',
  'heat',
  'advisory',
  'friday',
  'temperature',
  '90',
  'digits',
  'search',
  'body',
  'infant',
  'flood',
  'sister',
  'mother',
  'pennsylvania',
  'snow',
  'winter',
  'winter',
  'storm',
  'area',
  'yesterday',
  'snow',
  'storm',
  'precipitation',
  'type',
  'snow',
  'reach',
  'example',
  'video',
  'title',
  'video',
  'est',
  'january',
  'est',
  'january',
  'pennsylvania',
  'usa',
  'time',
  'weather',
  'rewind',
  'week',
  'weather',
  'twist',
  'week',
  'winter',
  'storm',
  'lot',
  'system',
  'season',
  'snow',
  'accumulation',
  'storm',
  'mix',
  'rain',
  'snow',
  'snow',
  'wednesday',
  'storm',
  'bag',
  'precipitation',
  'snow',
  'rain',
  'snow',
  'morning',
  'hour',
  'pennsylvania',
  'afternoon',
  'hit',
  'snow',
  'accumulation',
  'spot',
  'winter',
  'time',
  'system',
  'snow',
  'area',
  'inch',
  'system',
  'area',
  'east',
  'harrisburg',
  'york',
  'lancaster',
  'county',
  'portion',
  'answer',
  'storm',
  'track',
  'area',
  'pressure',
  'track',
  'east',
  'snow',
  'snow',
  'credit',
  'fox43',
  'weather',
  'storm',
  'track',
  'east',
  'central',
  'pa.',
  'favor',
  'snow',
  'snow',
  'east',
  'snow',
  'reach',
  'area',
  'pressure',
  'precipitation',
  'rain',
  'west',
  'pressure',
  'system',
  'track',
  'rain',
  'area',
  'credit',
  'fox43',
  'weather',
  'storm',
  'track',
  'west',
  'central',
  'pa.',
  'favor',
  'rain',
  'track',
  'snow',
  'air',
  'place',
  'snow',
  'ice',
  'rain',
  'air',
  'place',
  'credit',
  'fox43',
  'weather',
  'north',
  'west',
  'storm',
  'track',
  'depth',
  'air',
  'place',
  'snow',
  'ice',
  'rain',
  'storm',
  'air',
  'result',
  'hit',
  'snow',
  'changeover',
  'rain',
  'ice',
  'system',
  'season',
  'track',
  'air',
  'result',
  'snow',
  'reach',
  'weather',
  'wonder',
  'attention',
  'week',
  'dollar',
  'weather',
  'disaster',
  'weather',
  'coast',
  'eeo',
  'public',
  'file',
  'report',
  'fcc',
  'online',
  'public',
  'inspection',
  'file',
  'closed',
  'caption',
  'procedure',
  'personal',
  'information',
  'wpmt',
  'tv',
  'rights',
  'wpmt',
  'notification',
  'news',
  'weather',
  'notification',
  'browser',
  'setting'],
 ['ad',
  'issue',
  'video',
  'player',
  'content',
  'ad',
  'video',
  'content',
  'ad',
  'audio',
  'ad',
  'ad',
  'page',
  'content',
  'ad',
  'ad',
  'ad',
  'effort',
  'contribution',
  'feedback',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'tornado',
  'havoc',
  'louisiana',
  'southeast',
  'amir',
  'vera',
  'joe',
  'sutton',
  'jason',
  'hanna',
  'cnn',
  'est',
  'thu',
  'december',
  'devastation',
  'tornado',
  'hit',
  'devastation',
  'tornado',
  'hit',
  'concertgoers',
  'hail',
  'colorado',
  'body',
  'temperature',
  'flooding',
  'china',
  'couple',
  'car',
  'house',
  'cliff',
  'river',
  'foundation',
  'video',
  'tornado',
  'home',
  'debris',
  'video',
  'moment',
  'soldier',
  'heat',
  'video',
  'tornado',
  'texas',
  'barren',
  'land',
  'impact',
  'spain',
  'record',
  'heat',
  'windshield',
  'helicopter',
  'hail',
  'shelf',
  'cloud',
  'sky',
  'downtown',
  'chicago',
  'man',
  'street',
  'flooding',
  'man',
  'tornado',
  'van',
  'footage',
  'california',
  'weather',
  'crisis',
  'lake',
  'life',
  'unbelievable',
  'cnn',
  'reporter',
  'snowfall',
  'california',
  'graphic',
  'change',
  'temperature',
  'people',
  'dozen',
  'louisiana',
  'hour',
  'weather',
  'south',
  'path',
  'destruction',
  'tornado',
  'new',
  'orleans',
  'p.m.',
  'ct',
  'wednesday',
  'national',
  'weather',
  'service',
  'tornado',
  'debris',
  'signature',
  'radar',
  'power',
  'flash',
  'tower',
  'camera',
  'storm',
  'portion',
  'city',
  'damage',
  'extent',
  'time',
  'tornado',
  'report',
  'new',
  'orleans',
  'metro',
  'hour',
  'weather',
  'service',
  'report',
  'detail',
  'path',
  'tornado',
  'area',
  'gretna',
  'arabi',
  'louisiana',
  'wdsu',
  'tower',
  'camera',
  'tornado',
  'ground',
  'lower',
  'ninth',
  'ward',
  'arabi',
  'wednesday',
  'weather',
  'hurricane',
  'ida',
  'gretna',
  'mayor',
  'belinda',
  'constant',
  'cnn',
  'affiliate',
  'wdsu',
  'hurricane',
  'area',
  'year',
  'year',
  'woman',
  'tornado',
  'home',
  'killona',
  'mile',
  'new',
  'orleans',
  'tweet',
  'louisiana',
  'department',
  'health',
  'identity',
  'woman',
  'official',
  'st.',
  'charles',
  'parish',
  'wednesday',
  'people',
  'parish',
  'injury',
  'sheriff',
  'greg',
  'champagne',
  'news',
  'conference',
  'wednesday',
  'champagne',
  'tornado',
  'piece',
  'debris',
  'levee',
  'firing',
  'range',
  'mile',
  'time',
  'week',
  'tornado',
  'st.',
  'charles',
  'parish',
  'bit',
  'devastation',
  'mile',
  'boy',
  'mother',
  'tornado',
  'home',
  'tuesday',
  'louisiana',
  'community',
  'keithville',
  'caddo',
  'parish',
  'sheriff',
  'office',
  'boy',
  'body',
  'tuesday',
  'mile',
  'home',
  'sheriff',
  'steve',
  'prator',
  'cnn',
  'affiliate',
  'ksla',
  'official',
  'debris',
  'field',
  'tornado',
  'victim',
  'december',
  'dawson',
  'springs',
  'kentucky',
  'climate',
  'crisis',
  'tornado',
  'mother',
  'wednesday',
  'street',
  'house',
  'people',
  'community',
  'sheriff',
  'office',
  'people',
  'union',
  'parish',
  'town',
  'farmerville',
  'louisiana',
  'arkansas',
  'border',
  'farmerville',
  'police',
  'detective',
  'cade',
  'nolan',
  'rest',
  'state',
  'debris',
  'home',
  'car',
  'community',
  'resident',
  'cnn',
  'bathtub',
  'fear',
  'storm',
  'storm',
  'system',
  'power',
  'customer',
  'louisiana',
  'mississippi',
  'poweroutage.us',
  '.',
  'louisiana',
  'gov.',
  'john',
  'bel',
  'edwards',
  'state',
  'emergency',
  'wednesday',
  'response',
  'storm',
  'emergency',
  'proclamation',
  'storm',
  'weather',
  'warning',
  'official',
  'governor',
  'louisiana',
  'lt',
  'gov.',
  'billy',
  'nungesser',
  'cnn',
  'anderson',
  'cooper',
  'state',
  'hurricane',
  'season',
  'storm',
  'state',
  'weather',
  'havoc',
  'louisiana',
  'southeast',
  'system',
  'snow',
  'place',
  'blizzard',
  'condition',
  'wednesday',
  'threat',
  'storm',
  'tuesday',
  'tornado',
  'home',
  'business',
  'oklahoma',
  'dallas',
  'fort',
  'worth',
  'area',
  'mississippi',
  'louisiana',
  'total',
  'tornado',
  'wednesday',
  'louisiana',
  'mississippi',
  'storm',
  'prediction',
  'center',
  'addition',
  'tornado',
  'report',
  'tuesday',
  'oklahoma',
  'texas',
  'louisiana',
  'mississippi',
  'tuesday',
  'a.m.',
  'ct',
  'wednesday',
  'a.m.',
  'ct',
  'wednesday',
  'louisiana',
  'new',
  'iberia',
  'weather',
  'risk',
  'rainfall',
  'flash',
  'flooding',
  'wednesday',
  'louisiana',
  'mississippi',
  'west',
  'alabama',
  'storm',
  'prediction',
  'center',
  'wednesday',
  'level',
  'risk',
  'level',
  'storm',
  'people',
  'eastern',
  'louisiana',
  'new',
  'orleans',
  'mississippi',
  'gulfport',
  'alabama',
  'mobile',
  'prediction',
  'center',
  'level',
  'storm',
  'risk',
  'december',
  'level',
  'december',
  'decade',
  'cnn',
  'weather',
  'analysis',
  'louisiana',
  'center',
  'damage',
  'louisiana',
  'gov.',
  'john',
  'bel',
  'edwards',
  'wednesday',
  'state',
  'office',
  'weather',
  'state',
  'storm',
  'closure',
  'louisiana',
  'state',
  'university',
  'southern',
  'university',
  'baton',
  'rouge',
  'wednesday',
  'tornado',
  'region',
  'wednesday',
  'new',
  'orleans',
  'area',
  'weather',
  'closure',
  'causeway',
  'bridge',
  'bridge',
  'mile',
  'lake',
  'pontchartrain',
  'causeway',
  'website',
  'bridge',
  'longest',
  'bridge',
  'world',
  'water',
  'causeway',
  'website',
  'car',
  'i-15',
  'storm',
  'lehi',
  'utah',
  'december',
  'storm',
  'blizzard',
  'condition',
  'weather',
  'south',
  'northeast',
  'week',
  'photo',
  'george',
  'frey',
  'afp',
  'photo',
  'george',
  'frey',
  'afp',
  'getty',
  'images',
  'snow',
  'travel',
  'condition',
  'million',
  'storm',
  'tornado',
  'east',
  'mile',
  'new',
  'orleans',
  'official',
  'jefferson',
  'parish',
  'sheriff',
  'office',
  'damage',
  'search',
  'rescue',
  'operation',
  'damage',
  'parish',
  'sheriff',
  'office',
  'fire',
  'department',
  'government',
  'damage',
  'assessment',
  'home',
  'business',
  'damage',
  'facility',
  'damage',
  'facility',
  'sheriff',
  'office',
  'facebook',
  'page',
  'concern',
  'area',
  'afternoon',
  'tornado',
  'need',
  'jefferson',
  'parish',
  'sheriff',
  'office',
  'wednesday',
  'december',
  'mile',
  'west',
  'twister',
  'wednesday',
  'morning',
  'home',
  'city',
  'new',
  'iberia',
  'rescue',
  'effort',
  'number',
  'people',
  'city',
  'police',
  'new',
  'iberia',
  'police',
  'department',
  'video',
  'facebook',
  'tornado',
  'city',
  'department',
  'home',
  'people',
  'southport',
  'subdivision',
  'tornado',
  'new',
  'iberia',
  'resisent',
  'lizzie',
  'taylor',
  'cnn',
  'home',
  'minute',
  'tornado',
  'place',
  'unit',
  'taylor',
  'landlord',
  'taylor',
  'family',
  'apartment',
  'year',
  'people',
  'damage',
  'tornado',
  'iberia',
  'medical',
  'center',
  'wednesday',
  'december',
  'new',
  'iberia',
  'louisiana',
  'leslie',
  'westbrook',
  'times',
  'picayune',
  'new',
  'orleans',
  'advocate',
  'ap',
  'restriction',
  'place',
  'southport',
  'subdivision',
  'city',
  'police',
  'wednesday',
  'citizen',
  'southport',
  'subdivision',
  'neighborhood',
  'department',
  'proof',
  'residency',
  'access',
  'curfew',
  'place',
  'area',
  'p.m.',
  'a.m.',
  'time',
  'time',
  'traffic',
  'resident',
  'work',
  'emergency',
  'police',
  'iberia',
  'medical',
  'center',
  'damage',
  'police',
  'capt',
  'leland',
  'laseter',
  'facebook',
  'cnn',
  'comment',
  'center',
  'shelter',
  'new',
  'iberia',
  'senior',
  'high',
  'school',
  'gym',
  'st.',
  'charles',
  'parish',
  'sheriff',
  'office',
  'wednesday',
  'report',
  'tornado',
  'killona',
  'damage',
  'home',
  'state',
  'emergency',
  'parish',
  'st.',
  'charles',
  'parish',
  'mile',
  'new',
  'orleans',
  'emergency',
  'operations',
  'center',
  'report',
  'damage',
  'killona',
  'area',
  'power',
  'line',
  'road',
  'facebook',
  'post',
  'st.',
  'charles',
  'parish',
  'resident',
  'area',
  'power',
  'line',
  'farmerville',
  'resident',
  'storm',
  'train',
  'people',
  'union',
  'parish',
  'town',
  'farmerville',
  'louisiana',
  'tornado',
  'tuesday',
  'night',
  'farmerville',
  'police',
  'detective',
  'cade',
  'nolan',
  'apartment',
  'complex',
  'home',
  'park',
  'farmerville',
  'area',
  'tree',
  'debris',
  'road',
  'field',
  'cnn',
  'crew',
  'wednesday',
  'resident',
  'cnn',
  'correspondent',
  'storm',
  'train',
  'home',
  'truck',
  'wednesday',
  'tornado',
  'farmerville',
  'louisiana',
  'people',
  'tornado',
  'tuesday',
  'night',
  'beth',
  'tabor',
  'storm',
  'weather',
  'farmerville',
  'cnn',
  'wednesday',
  'afternoon',
  'freight',
  'train',
  'tabor',
  'cnn',
  'derek',
  'van',
  'dam',
  'noise',
  'ordeal',
  'bathroom',
  'roommate',
  'baby',
  'second',
  'tabor',
  'lot',
  'creak',
  'noise',
  'tabor',
  'tabor',
  'home',
  'storm',
  'hallway',
  'sky',
  'bedroom',
  'window',
  'night',
  'act',
  'god',
  'people',
  'debris',
  'home',
  'park',
  'farmerville',
  'area',
  'union',
  'parish',
  'louisiana',
  'wednesday',
  'patsy',
  'andrews',
  'child',
  'tornado',
  'farmerville',
  'tuesday',
  'night',
  'cnn',
  'affiliate',
  'knoe',
  'tv',
  'prayer',
  'faith',
  'line',
  'rain',
  'wind',
  'train',
  'door',
  'wind',
  'son',
  'door',
  'wind',
  'door',
  'andrews',
  'light',
  'glass',
  'daughter',
  'floor',
  'way',
  'stuff',
  'window',
  'glass',
  'andrews',
  'damage',
  'debris',
  'apartment',
  'complex',
  'farmerville',
  'louisiana',
  'december',
  'place',
  'hall',
  'way',
  'glass',
  'water',
  'roof',
  'daughter',
  'bathroom',
  'door',
  'family',
  'bathtub',
  'tub',
  'jesus',
  'andrews',
  'family',
  'storm',
  'aftermath',
  'awe',
  'room',
  'house',
  'water',
  'material',
  'item',
  'neighbor',
  'car',
  'car',
  'wood',
  'street',
  'tank',
  'ground',
  'directvs',
  'ground',
  'storm',
  'storm',
  'damage',
  'farmville',
  'louisiana',
  'december',
  'tiyia',
  'stringfellow',
  'boyfriend',
  'child',
  'farmerville',
  'apartment',
  'tuesday',
  'tornado',
  'cnn',
  'kitchen',
  'closet',
  'boyfriend',
  'window',
  'tornado',
  'house',
  'roof',
  'cave',
  'house',
  'stringfellow',
  'tornado',
  'home',
  'business',
  'south',
  'tuesday',
  'storm',
  'region',
  'oklahoma',
  'dallas',
  'fort',
  'worth',
  'area',
  'mississippi',
  'louisiana',
  'tuesday',
  'wayne',
  'oklahoma',
  'ef2',
  'tornado',
  'home',
  'outbuilding',
  'barn',
  'tuesday',
  'official',
  'home',
  'roof',
  'tree',
  'twig',
  'video',
  'cnn',
  'affiliate',
  'koco',
  'texas',
  'people',
  'tuesday',
  'morning',
  'storm',
  'dallas',
  'fort',
  'worth',
  'area',
  'city',
  'grapevine',
  'tornado',
  'report',
  'grapevine',
  'police',
  'mall',
  'business',
  'storm',
  'damage',
  'decatur',
  'texas',
  'tuesday',
  'people',
  'tuesday',
  'texas',
  'wise',
  'county',
  'northwest',
  'fort',
  'worth',
  'county',
  'official',
  'wind',
  'vehicle',
  'vehicle',
  'debris',
  'official',
  'ef2',
  'tornado',
  'county',
  'community',
  'paradise',
  'decatur',
  'home',
  'business',
  'official',
  'weather',
  'home',
  'ruin',
  'tuesday',
  'texas',
  'city',
  'blue',
  'ridge',
  'mile',
  'downtown',
  'dallas',
  'video',
  'cnn',
  'affiliate',
  'wfaa',
  'cnn',
  'steve',
  'almasy',
  'derek',
  'van',
  'dam',
  'kevin',
  'conlon',
  'rob',
  'shackelford',
  'nouran',
  'salahieh',
  'michelle',
  'watson',
  'amanda',
  'jackson',
  'paradise',
  'afshar',
  'matt',
  'phillips',
  'jeremy',
  'grisham',
  'dave',
  'alsup',
  'report',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cnn',
  'account',
  'log',
  'cnn',
  ...],
 ['83ºjoin',
  'insidersign',
  'insearchnewswatch',
  'livelocal',
  'newsfloridageorgianationalcoronavirusfluvaxjaxvote',
  '2024your',
  'voice',
  'matterspoliticsi',
  'teamtrust',
  'indexcommunitysnapjaxhealthmoneyeducationconsumerentertainmentweird',
  'newstrafficsnapjaxskycamsalertshurricanesplan',
  'preparegeorgiast',
  '.',
  'augustinesurf',
  'tidesenvironmentforecasting',
  'changenews4jax+watch',
  'livenews4jax',
  'insiderhow',
  'news4jax+download',
  'news4jax',
  'appsthe',
  'morning',
  'showriver',
  'city',
  'livepodcaststhis',
  'week',
  'jacksonvillesolutionariessomething',
  'goodtv',
  'listingssportssports',
  'videosjaguarsjaguar',
  'statsnews4jags',
  'podcastgators',
  'breakdowngators',
  'statshigh',
  'school',
  'sportsfootball',
  'fridaygoing',
  'ringside',
  'podcastv4rsity',
  'podcastall',
  'star',
  'athletefeaturesnews4jax',
  'insiderpositively',
  'jaxriver',
  'city',
  'livedeals4jaxnews4jax+look',
  'local4',
  'infotravelcommunity',
  'calendarjacksonville',
  'image',
  'awardsfood',
  'recipeslive',
  'healthpetsusay',
  'votingriver',
  'city',
  'livewatch',
  'river',
  'city',
  'liveeats',
  'treatsbeatswellnesslocal',
  'spotlightpetsshoppingjax',
  'bestfoodactivitiesshoppingplacesnewsletterssign',
  'newsletterswjxtcontact',
  'uscareers',
  'wjxt',
  'wcwjsnapjaxmeet',
  'teamadvertise',
  'uscw17cw',
  'program',
  'guidebouncenewsweathernews4jax+sportsfeaturesriver',
  'city',
  'livejax',
  'bestnewsletterswjxtcw17newsweathernews4jax+sportsfeaturesriver',
  'city',
  'livejax',
  'bestnewsletterswjxtcw17livewatch',
  "o'clock",
  'newsthe',
  'day',
  'story',
  'news',
  'weather',
  'sport',
  'news4jax',
  'team',
  "o'clock",
  'newshideweatherdavid',
  'heckard',
  'assistant',
  'chief',
  'july',
  'pmtag',
  'tropic',
  'hurricane',
  'season',
  'georgia',
  'florida',
  'jacksonvillesign',
  'news3',
  'minute',
  'agost',
  'johns',
  'county',
  'man',
  'degree',
  'murder',
  'charge',
  'downtown',
  'jacksonville',
  'shooting1',
  'hour',
  'agoembattled',
  'st.',
  'augustine',
  'doctor',
  'charge',
  'pill',
  'mill',
  'case1',
  'hour',
  'agopleasant',
  'night',
  'moon2',
  'hour',
  'agolake',
  'asbury',
  'road',
  'project',
  'resident',
  'july',
  'jaxmy',
  'petunia',
  'io',
  'appweathercolorado',
  'state',
  'university',
  'forecaster',
  'hurricane',
  'seasondavid',
  'heckard',
  'assistant',
  'chief',
  'july',
  'pmtag',
  'tropic',
  'hurricane',
  'season',
  'georgia',
  'florida',
  'jacksonvillefile',
  'photo',
  'hurricane',
  'ian',
  'international',
  'space',
  'station',
  'september',
  'colorado',
  'state',
  'scientist',
  'hurricane',
  'season',
  'atlantic',
  'nasa',
  'ap',
  'uncredited)jacksonville',
  'fla.',
  'forecaster',
  'colorado',
  'state',
  'university',
  'hurricane',
  'season',
  'forecast',
  'july',
  'season',
  'year',
  'forecastthe',
  'official',
  'forecast',
  'storm',
  'hurricane',
  'hurricane',
  'increase',
  'forecast',
  'update',
  'june',
  'forecast',
  'storm',
  'hurricane',
  'hurricane',
  'colorado',
  'st.',
  'forecaster',
  'hurricane',
  'season',
  'average',
  'atlantic',
  'basin',
  'storm',
  'hurricane',
  'hurricane',
  'atlantic',
  'storm',
  'storm',
  'forecaster',
  'storm',
  'change?scientists',
  'colorado',
  'st.',
  'water',
  'temperature',
  'atlantic',
  'storm',
  'hurricane',
  'surge',
  'water',
  'temperature',
  'wave',
  'storm',
  'hurricane',
  'water',
  'temp',
  'atlantic',
  'forecast',
  'increase',
  'development',
  'el',
  'nino',
  'pacific',
  'el',
  'nino',
  'condition',
  'tendency',
  'wind',
  'shear',
  'atlantic',
  'frequency',
  'storm',
  'hurricane',
  'july',
  'outlookdespite',
  'forecast',
  'increase',
  'month',
  'july',
  'caribbean',
  'gulf',
  'mexico',
  'water',
  'atlantic',
  'national',
  'hurricane',
  'center',
  'development',
  'mid',
  '-',
  'july',
  'range',
  'computer',
  'model',
  'possibility',
  'development',
  'mid',
  'july',
  'signal',
  'time',
  'july',
  'month',
  'atlantic',
  'storm',
  'hurricane',
  'half',
  'hurricane',
  'season',
  'colorado',
  'st.',
  'forecaster',
  'forecast',
  'update',
  'uncertainty',
  'el',
  'nino',
  'water',
  'temperature',
  'peak',
  'hurricane',
  'season',
  'august',
  'october',
  'hurricane',
  'season',
  'nov.',
  'copyright',
  'wjxt',
  'news4jax',
  'right',
  'author',
  'david',
  'heckarddavid',
  'heckard',
  'weather',
  'authority',
  'assistant',
  'chief',
  'meteorologist',
  'emailtwitterclick',
  'moment',
  'community',
  'guidelines',
  'tv',
  'listingscontact',
  'usemail',
  'newslettersrss',
  'feedscontests',
  'rulesclosed',
  'captioning',
  'audio',
  'descriptioncareers',
  'wjxt',
  'wcwjterm',
  'usewjxt',
  'public',
  'filewcwj',
  'applicationsprivacy',
  'policydo',
  'infofollow',
  'usfacebooktwitterinstagramrssget',
  'result',
  'omnefor',
  'assistance',
  'wjxt',
  'wcwj',
  'fcc',
  'inspection',
  'file',
  'news4jax.com',
  'graham',
  'digital',
  'graham',
  'media',
  'group',
  'division',
  'graham',
  'holdings'],
 ['marine',
  'nc',
  'gas',
  'station',
  'carbon',
  'monoxide',
  'poisoning',
  'official',
  'pony',
  'assateague',
  'channel',
  'chincoteague',
  'pony',
  'swim',
  'forecast',
  'heat',
  'high',
  '°',
  'air',
  'funnel',
  'u.s.',
  'capitol',
  'severe',
  'weather',
  'storm',
  'way',
  'region',
  'tuesday',
  'morning',
  'threat',
  'wind',
  'hail',
  'example',
  'video',
  'title',
  'video',
  'author',
  'staff',
  'preston',
  'steger',
  'pm',
  'edt',
  'june',
  'edt',
  'june',
  'norfolk',
  'va.',
  'southeastern',
  'virginia',
  'north',
  'carolina',
  'risk',
  'storm',
  'monday',
  'night',
  'threat',
  'wind',
  'hail',
  'hail',
  'inch',
  'diameter',
  'interstate',
  'storm',
  'system',
  'hampton',
  'roads',
  'region',
  'evening',
  'hour',
  'p.m.',
  'a.m.',
  'timing',
  'virginia',
  'p.m.',
  '',
  '',
  'threat',
  'storm',
  'monday',
  'a.m.',
  'storm',
  'storm',
  'hampton',
  'roads',
  'night',
  'wind',
  'rain',
  'hail',
  'area',
  'damage',
  'tree',
  'shore',
  'drive',
  'hour',
  'morning',
  'weather',
  'tuesday',
  'night',
  'p.m.',
  'possibility',
  'storm',
  'thunderstorm',
  'storm',
  'way',
  'weather',
  'alert',
  'thunderstorm',
  'watch',
  'effect',
  'virginia',
  'a.m.',
  'north',
  'carolina',
  'a.m.',
  'threat',
  'rain',
  'round',
  'thunderstorm',
  'day',
  'flood',
  'watch',
  'effect',
  'a.m.',
  'city',
  'county',
  'virginia',
  'inch',
  'rain',
  'cell',
  'p.m.',
  'dominion',
  'energy',
  'norfork',
  'crew',
  'standby',
  'weather',
  'cherise',
  'newsome',
  'spokesperson',
  'dominion',
  'energy',
  'crew',
  'standby',
  'power',
  'outage',
  'night',
  'chance',
  'wind',
  'speed',
  'mph',
  '@cmnewsome',
  '@dominionenergy',
  'crew',
  'night',
  '13stormmode',
  'pic.twitter.com/grutv3gssq',
  'angelique',
  'arintok',
  '@13aarintok',
  'june',
  'jim',
  'redick',
  'norfolk',
  'director',
  'emergency',
  'preparedness',
  'response',
  'ground',
  'saturation',
  'rain',
  'flooding',
  'roadway',
  'tree',
  'director',
  'emergency',
  'preparedness',
  'response',
  'city',
  '@norfolkva',
  '@jimredick',
  'people',
  'weather',
  'tonight',
  'storm',
  'watch.@13newsnow',
  'pic.twitter.com/ojqqhtabq6',
  'angelique',
  'arintok',
  '@13aarintok',
  'june',
  'redick',
  'work',
  'crew',
  'norfolk',
  'monday',
  'checklist',
  'preparation',
  'weather',
  'event',
  'night',
  'story',
  'virginia',
  'beach',
  'city',
  'spokesperson',
  'thing',
  'p.m.',
  'thunderstorm',
  'watch',
  'virginia',
  'national',
  'weather',
  'service',
  'thunderstorm',
  'watch',
  'virginia',
  'eastern',
  'shore',
  'a.m.',
  'watch',
  'area',
  'norfolk',
  'chesapeake',
  'hampton',
  'newport',
  'news',
  'portsmouth',
  'suffolk',
  'virginia',
  'beach',
  'isle',
  'wight',
  'york',
  'accomack',
  'northampton',
  'county',
  'p.m.',
  'newport',
  'news',
  'facility',
  'event',
  'newport',
  'news',
  'official',
  'city',
  'library',
  'community',
  'center',
  'p.m.',
  'anticipation',
  'weather',
  'recreation',
  'activity',
  'event',
  'p.m.',
  'update',
  'weather',
  'libraries',
  'community',
  'centers',
  'p.m.',
  'evening',
  'parks',
  'recreation',
  'activity',
  'event',
  'p.m.',
  'https://t.co/uo6eqb3ye9',
  'city',
  'newport',
  'news',
  '@cityofnn',
  'june',
  'p.m.',
  'odu',
  'parking',
  'garage',
  'public',
  'flash',
  'flooding',
  'threat',
  'norfolk',
  'official',
  'parking',
  'garage',
  'old',
  'dominion',
  'university',
  'odu',
  'public',
  'threat',
  'flash',
  'flooding',
  'storm',
  'monday',
  'night',
  'garage',
  'tuesday',
  'noon',
  'flash',
  'flooding',
  'evening',
  'storm',
  '@odu',
  'garage',
  'resident',
  'vehicle',
  'ground',
  '@oduparking',
  'garage',
  'noon',
  'tuesday',
  'june',
  'https://t.co/sypsag9td4',
  'city',
  'norfolk',
  'va',
  '@norfolkva',
  'june',
  'p.m.',
  'thunderstorm',
  'watch',
  'portion',
  'virginia',
  'line',
  'storm',
  'hampton',
  'roads',
  'national',
  'weather',
  'service',
  'severe',
  'thunderstorm',
  'watch',
  'p.m.',
  'county',
  'central',
  'southeast',
  'virginia',
  'hampton',
  'roads',
  'region',
  'area',
  'watch',
  'emporia',
  'franklin',
  'williamsburg',
  'james',
  'city',
  'southampton',
  'surry',
  'sussex',
  'power',
  'outage',
  'alert',
  'dominion',
  'energy',
  'weather',
  'virginia',
  'north',
  'carolina',
  'power',
  'outage',
  'dominion',
  'energy',
  'report',
  'dominion',
  'map',
  'power',
  'outage',
  'dominion',
  'text',
  'message',
  'customer',
  'storm',
  'safety',
  'outage',
  'information',
  'virginia',
  'north',
  'carolina',
  'dominion',
  'message',
  'virginia',
  'north',
  'carolina',
  'area',
  'text',
  'dom',
  'hampton',
  'roads',
  'text',
  'east',
  'virginia',
  'transportation',
  'official',
  'people',
  'road',
  'weather',
  'virginia',
  'department',
  'transportation',
  'vdot',
  'people',
  'attention',
  'weather',
  'report',
  'announcement',
  'official',
  'travel',
  'weather',
  'condition',
  'department',
  'weather',
  'tree',
  'power',
  'line',
  'debris',
  'flooding',
  'road',
  'power',
  'line',
  'tree',
  'limb',
  'wire',
  'vdot',
  'tip',
  'people',
  'caution',
  'obey',
  'road',
  'signage',
  'roadway',
  'inch',
  'flood',
  'water',
  'car',
  'debris',
  'tree',
  'power',
  'line',
  'emergency',
  'crew',
  'roadway',
  'wind',
  'advisory',
  'bridge',
  'structure',
  'vehicle',
  'tractor',
  'trailer',
  'suv',
  'box',
  'truck',
  'bridge',
  'wind',
  'advisory',
  'road',
  'condition',
  'virginia',
  'website',
  'virginia',
  'app',
  'lightning',
  'weather',
  'hit',
  'safety',
  'priority',
  'weather',
  'team',
  'eeo',
  'public',
  'file',
  'report',
  'fcc',
  'online',
  'public',
  'inspection',
  'file',
  'closed',
  'caption',
  'procedure',
  'personal',
  'information',
  'wvec',
  'tv',
  'rights',
  'wvec',
  'notification',
  'news',
  'weather',
  'notification',
  'browser',
  'setting'],
 ['sectionswatch75',
  'boston',
  'weather',
  'local',
  'national',
  'video',
  'investigates',
  'sports',
  'zip',
  'trips(open',
  'window',
  'sumner',
  'shutdown',
  'trending',
  'morenewsnews',
  'appslocalnationalpoliticstrafficboston',
  'weatherweather',
  'appinteractive',
  'radar7',
  'day',
  'forecasthour',
  'hourcurrent',
  'temperaturesclosings',
  'delaysreport',
  'school',
  'business',
  'closingschool',
  'administrator',
  'closing',
  'newsbreaking',
  'streamgusto',
  'tvlaw',
  'crimezip',
  'trips25',
  'investigatesnew',
  'england',
  'bruinsboston',
  'celticsboston',
  'red',
  'soxnew',
  'england',
  'patriotssuper',
  'bowl',
  'caresboston',
  'realshare',
  'ussteals',
  'dealswfxtnews',
  'teamcontact',
  'ussubmit',
  'news',
  'tipadvertise',
  'ustv',
  'stream',
  'schedulecontestswork',
  'boston',
  'window)visitor',
  'agreementprivacy',
  'policymorearound',
  'townstuff',
  'buscoffee',
  'candidatesboston',
  'nowresize',
  'drag',
  'videolocalwinter',
  'storm',
  'effect',
  'massachusetts',
  'new',
  'hampshireby',
  'frank',
  "o'laughlin",
  'boston',
  'news',
  'staffjanuary',
  'pm',
  'estby',
  'frank',
  "o'laughlin",
  'boston',
  'news',
  'staffjanuary',
  'pm',
  'estboston',
  'winter',
  'storm',
  'warning',
  'massachusetts',
  'new',
  'hampshire',
  'weather',
  'system',
  'snow',
  'rain',
  'wind',
  'monday',
  'storm',
  'radarsunday',
  'snow',
  'rain',
  'monday',
  'morning',
  'precipitation',
  'snow',
  'day',
  'evening',
  'commute',
  'driving',
  'condition',
  'accumulation',
  'total',
  'hour',
  'hour',
  'timeline',
  'flip',
  'snow',
  '=',
  'snow',
  'mix',
  'rain',
  'mawx',
  'newengland',
  'shiri',
  'spear',
  '@shirispear',
  'january',
  'massachusetts',
  'worcester',
  'middlesex',
  'franklin',
  'hampshire',
  'berkshire',
  'county',
  'warning',
  'monday',
  'evening',
  'national',
  'weather',
  'service',
  'winter',
  'alert',
  'effect',
  'today',
  'weather',
  'snowfall',
  'area',
  'pic.twitter.com/l0y5oakyr5',
  'shiri',
  'spear',
  '@shirispear',
  'january',
  'snow',
  'accumulation',
  'inch',
  'northern',
  'worcester',
  'northwest',
  'middlesex',
  'county',
  'wind',
  'mph',
  'manchester',
  'nh',
  'snowfall',
  'winter',
  'weather',
  'south',
  'east',
  'afternoon',
  'snowy',
  'drive',
  'home',
  'pic.twitter.com/8scljxktl2',
  'shiri',
  'spear',
  '@shirispear',
  'january',
  'western',
  'franklin',
  'eastern',
  'franklin',
  'western',
  'hampshire',
  'county',
  'inch',
  'snow',
  'wind',
  'gust',
  'mph',
  'snow',
  'accumulation',
  'inch',
  'storm',
  'total',
  'inch',
  'northern',
  'berkshire',
  'county',
  'road',
  '',
  '',
  'boston',
  'area',
  'morning',
  'commute',
  'mix',
  'snow',
  'afternoon',
  'mawx',
  'pic.twitter.com/sjghc9c9y7',
  'shiri',
  'spear',
  '@shirispear',
  'january',
  'storm',
  'driving',
  'condition',
  'driver',
  'monday',
  'commute',
  'condition',
  'morning',
  'evening',
  'commute',
  'nws',
  'statement',
  'central',
  'middlesex',
  'southern',
  'worcester',
  'western',
  'essex',
  'western',
  'hampden',
  'eastern',
  'hampden',
  'eastern',
  'hampshire',
  'southern',
  'berkshire',
  'county',
  'winter',
  'weather',
  'advisory',
  'p.m.',
  'monday',
  'inch',
  'snow',
  'area',
  'mph',
  'wind',
  'gust',
  'flood',
  'advisory',
  'effect',
  'eastern',
  'essex',
  'eastern',
  'norfolk',
  'eastern',
  'plymouth',
  'barnstable',
  'suffolk',
  'county',
  'a.m.',
  'p.m.',
  'monday',
  'half',
  'foot',
  'inundation',
  'ground',
  'level',
  'area',
  'shoreline',
  'waterway',
  'nws',
  'new',
  'hampshire',
  'winter',
  'storm',
  'warning',
  'belknap',
  'cheshire',
  'eastern',
  'hillsborough',
  'interior',
  'rockingham',
  'merrimack',
  'southern',
  'carroll',
  'northern',
  'carroll',
  'southern',
  'grafton',
  'strafford',
  'sullivan',
  'central',
  'hillsborough',
  'county',
  'p.m.',
  'sunday',
  'p.m.',
  'monday',
  'snow',
  'accumulation',
  'inch',
  'storm',
  'total',
  'inch',
  'northwest',
  'wind',
  'mph',
  'snow',
  'report',
  'photo',
  'town',
  'mawx',
  'nhwx',
  'newengland',
  'shiri',
  'spear',
  '@shirispear',
  'january',
  'northern',
  'coos',
  'northern',
  'grafton',
  'southern',
  'coos',
  'coastal',
  'rockingham',
  'county',
  'winter',
  'weather',
  'advisory',
  'monday',
  'evening',
  'snow',
  'accumulation',
  'inch',
  'storm',
  'total',
  'inch',
  'tap',
  'area',
  'statement',
  'nws',
  'granite',
  'staters',
  'flashlight',
  'food',
  'water',
  'vehicle',
  'case',
  'emergency',
  'road',
  'condition',
  'newengland511.org',
  '”for',
  'weather',
  'update',
  'boston',
  'weather',
  'page',
  'boston',
  'news',
  'app',
  'news',
  'alert',
  'boston',
  'news',
  'facebook',
  'twitter',
  'boston',
  'news',
  'now2022',
  'cox',
  'media',
  'group',
  'readmassachusetts',
  'college',
  'land',
  'list',
  'america',
  'college',
  'moment',
  'whale',
  'breach',
  'cape',
  'cod',
  'family',
  'stunnedanother',
  'mass.',
  'car',
  'dealer',
  'auto',
  'theft',
  'loose',
  'boa',
  'constrictor',
  'lexingtonpolice',
  'man',
  'officer',
  'revere',
  'beach',
  'driver',
  'road',
  'cop',
  'carnewslocalvideotrafficboston',
  'weatherinteractive',
  'radarhour',
  'hourwfxtwhat',
  'boston',
  'informationwfxt',
  'applicationsfollow',
  'boston',
  'news',
  'facebook',
  'window)boston',
  'news',
  'twitter',
  'window)boston',
  'news',
  'youtube',
  'feed(opens',
  'window',
  'cox',
  'media',
  'group',
  'station',
  'cox',
  'media',
  'group',
  'television',
  'career',
  'cox',
  'media',
  'group',
  'website',
  'term',
  'visitor',
  'agreement',
  'privacy',
  'policy',
  'option',
  'ad',
  'choices'],
 ['cbs',
  'news',
  'pittsburgh',
  'free',
  '24/7',
  'news',
  'alert',
  'weather',
  'winter',
  'weather',
  'advisory',
  'western',
  'pa.',
  'wednesday',
  'storm',
  'january',
  'pm',
  'cbs',
  'pittsburgh',
  'pittsburgh',
  'kdka',
  'information',
  'winter',
  'storm',
  'system',
  'area',
  'wednesday',
  'morning',
  'plan',
  'adjustment',
  'snowfall',
  'detail',
  'article',
  'winter',
  'weather',
  'advisory',
  'effect',
  'wednesday',
  'morning',
  'wednesday',
  'afternoon',
  'national',
  'weather',
  'service',
  'advisory',
  'travel',
  'winter',
  'weather',
  'scenario',
  'wednesday',
  'morning',
  'thank',
  'precipitation',
  'snow',
  'links',
  'condition',
  'school',
  'closings',
  'delays',
  '',
  '',
  'weather',
  'photosthe',
  'system',
  'snowflake',
  'a.m.',
  'wednesday',
  'energy',
  'storm',
  'pressure',
  'southwest',
  'moisture',
  'region',
  'moisture',
  'pool',
  'air',
  'snow',
  'precipitation',
  'type',
  'snow',
  'snow',
  'morning',
  'commute',
  'travel',
  'morning',
  'commute',
  'impact',
  'time',
  'period',
  'temperature',
  'morning',
  'afternoon',
  'warming',
  'snow',
  'rain',
  'snow',
  'morning',
  'case',
  'afternoon',
  'travel',
  'concern',
  'period',
  'thank',
  'temperature',
  'wednesday',
  'night',
  'thursday',
  'morning',
  'air',
  'leftover',
  'moisture',
  'snow',
  'shower',
  'snow',
  'drop',
  'temperature',
  'spot',
  'road',
  'crew',
  'road',
  'snow',
  'total',
  'snow',
  'total',
  'order',
  'travel',
  'morning',
  'modeling',
  'track',
  'storm',
  'snowfall',
  'forecast',
  'ridge',
  'risk',
  'rain',
  'glaze',
  'snow',
  'total',
  'impact',
  'city',
  'pittsburgh',
  'line',
  'inch',
  'inch',
  'north',
  'snow',
  'total',
  'area',
  'time',
  'snow',
  'changeover',
  'adjustment',
  'number',
  'behavior',
  'system',
  'weather',
  'information',
  'kdka.stay',
  'date',
  'kdka',
  'mobile',
  'app',
  'weather',
  'forecast',
  'weather',
  'blogs',
  'alert',
  'weather',
  'meteorologist',
  'ray',
  'petelin',
  'kdka',
  'weather',
  'team',
  'october',
  'stranger',
  'weather',
  'pittsburgh',
  'western',
  'pennsylvania',
  'pittsburgh',
  'western',
  'pa',
  'january',
  'january',
  'cbs',
  'broadcasting',
  'inc.',
  'rights',
  'thank',
  'cbs',
  'news',
  'account',
  'feature',
  'email',
  'address',
  'email',
  'address',
  'pittsburgh',
  'weather',
  'high',
  '90',
  'storm',
  'hour',
  'pittsburgh',
  'weather',
  'dry',
  'tuesday',
  'stretch',
  'year',
  'wednesday',
  'pittsburgh',
  'weather',
  'temperature',
  '90',
  'week',
  'weather',
  'heat',
  'terms',
  'use',
  'privacy',
  'policy',
  'california',
  'notice',
  'personal',
  'information',
  'contact',
  'kdka',
  'news',
  'sports',
  'weather',
  'program',
  'guide',
  'sitemap',
  'advertise',
  'paramount+',
  'cbs',
  'television',
  'jobs',
  'public',
  'file',
  'kdka',
  'tv',
  'public',
  'file',
  'wpcw',
  'tv',
  'cw',
  'pittsburgh',
  'public',
  'inspection',
  'file',
  'fcc',
  'applications',
  'eeo',
  'browser',
  'notification',
  'news',
  'event',
  'reporting'],
 ['health',
  'sex',
  'relationships',
  'viral',
  'trends',
  'human',
  'interest',
  'parenting',
  'fashion',
  'beauty',
  'food',
  'drink',
  'travel',
  'multiple',
  'tornado',
  'havoc',
  'missouri',
  'thank',
  'submission',
  'tornado',
  'damage',
  'north',
  'carolina',
  'pfizer',
  'plant',
  'term',
  'shortage',
  'drug',
  'expert',
  'pfizer',
  'north',
  'carolina',
  'pharmaceutical',
  'plant',
  'tornado',
  'injury',
  'photo',
  'cloud',
  'downtown',
  'chicago',
  'tornado',
  'tornado',
  'chicago',
  'o’hare',
  'airport',
  'weather',
  'warning',
  'flight',
  'people',
  'tornado',
  'missouri',
  'wednesday',
  'morning',
  'south',
  'twister',
  'missouri',
  'state',
  'highway',
  'patrol',
  'fatality',
  'injury',
  'tornado',
  'dawn',
  'bollinger',
  'county',
  'mile',
  'st.',
  'louis',
  'damage',
  'highway',
  'patrol',
  'sgt',
  'clark',
  'parrott',
  'parrott',
  'search',
  'rescue',
  'operation',
  'county',
  'crew',
  'chainsaw',
  'tree',
  'brush',
  'home',
  'justin',
  'gibbs',
  'national',
  'weather',
  'service',
  'meteorologist',
  'kentucky',
  'storm',
  'missouri',
  'tornado',
  'twister',
  'dusk',
  'dawn',
  'nightmare',
  'warning',
  'standpoint',
  'gibbs',
  'associated',
  'press',
  'tornado',
  'timing',
  'morning',
  'damage',
  'tornado',
  'missouri',
  'facebook',
  'joshua',
  'wells',
  'missouri',
  'state',
  'highway',
  'patrol',
  'twister',
  'death',
  'injury',
  'facebook',
  'joshua',
  'wells',
  'missouri',
  'tornado',
  'twister',
  'south',
  'midwest',
  'photo',
  'elmurod',
  'usubaliev',
  'anadolu',
  'agency',
  'getty',
  'images',
  'gibbs',
  'tornado',
  'ground',
  'minute',
  'twister',
  'minute',
  'missouri',
  'official',
  'bollinger',
  'county',
  'resident',
  'area',
  'responder',
  'search',
  'rescue',
  'operation',
  'missouri',
  'gov.',
  'mike',
  'parson',
  'area',
  'resource',
  'community',
  'damage',
  'tornado',
  'missouri',
  'april',
  'state',
  'highway',
  'patrol',
  'ap',
  'storm',
  'day',
  'dozen',
  'tornado',
  'south',
  'midwest',
  'people',
  'dozen',
  'home',
  'arkansas',
  'iowa',
  'illinois',
  'parson',
  'state',
  'national',
  'guard',
  'friday',
  'storm',
  'response',
  'order',
  'effect',
  'wednesday',
  'weather',
  'system',
  'state',
  'storm',
  'wednesday',
  'twister',
  'hail',
  'missouri',
  'gov.',
  'mike',
  'parson',
  'state',
  'national',
  'guard',
  'response',
  'storm',
  'facebook',
  'joshua',
  'wells',
  'tornado',
  'people',
  'facebook',
  'joshua',
  'wells',
  'national',
  'weather',
  'service',
  'tornado',
  'thunderstorm',
  'wind',
  'advisory',
  'americans',
  'agency',
  'storm',
  'system',
  'missouri',
  'upper',
  'great',
  'lakes',
  'region',
  'ukrainians',
  'fighter',
  'drone',
  'order',
  'dild',
  'story',
  'time',
  'sinéad',
  "o'connor",
  'tweet',
  'story',
  'time',
  'onlooker',
  'hunter',
  'biden',
  'sweetheart',
  'plea',
  'deal',
  'court',
  'story',
  'time',
  'world',
  'place',
  'reservation',
  'year',
  'waitlist',
  'expert',
  'weight',
  'overview',
  'found',
  'program',
  'safety',
  'pack',
  'fire',
  'extinguisher',
  '%',
  'sheet',
  'sleeper',
  'review',
  'expert',
  'sleep',
  'foundation',
  '%',
  'wayfair',
  'outdoor',
  'seating',
  'sale',
  'set',
  'sectional',
  'today',
  'beach',
  'wagon',
  'cart',
  'rollin',
  'beach',
  'beyoncé',
  'mom',
  'tina',
  'knowles',
  'file',
  'divorce',
  'richard',
  'lawson',
  'difference',
  'kevin',
  'spacey',
  'drinking',
  'acquittal',
  'london',
  'hotspot',
  'rhoc',
  'recap',
  'shannon',
  'beador',
  'tamra',
  'revelation',
  'relationship',
  'noise',
  'activity',
  'mid',
  '-',
  'prison',
  'r.i.p.',
  'sinéad',
  'o’connor',
  'irish',
  'singer',
  'compare',
  'subject',
  'dead',
  'heather',
  'terry',
  'dubrow',
  'm',
  'beverly',
  'hills',
  'estate',
  'year',
  'sinéad',
  "o'connor",
  'tweet',
  'news',
  'metro',
  'sports',
  'sports',
  'betting',
  'business',
  'opinion',
  'entertainment',
  'fashion',
  'beauty',
  'shopping',
  'lifestyle',
  'real',
  'estate',
  'media',
  'tech',
  'health',
  'travel',
  'astrology',
  'video',
  'photos',
  'stories',
  'alexa',
  'cover',
  'horoscopes',
  'sport',
  'odd',
  'podcast',
  'columnists',
  'classifieds',
  'email',
  'newsletters',
  'rss',
  'ny',
  'post',
  'official',
  'store',
  'home',
  'delivery',
  'new',
  'york',
  'post',
  'customer',
  'service',
  'apps',
  'community',
  'guidelines',
  'contact',
  'tips',
  'newsroom',
  'letters',
  'editor',
  'licensing',
  'reprints',
  'careers',
  'vulnerability',
  'disclosure',
  'program',
  'nyp',
  'holdings',
  'inc.',
  'rights',
  'reserved',
  'terms',
  'use',
  'membership',
  'terms',
  'privacy',
  'notice',
  'sitemap',
  'information'],
 ['contentskip',
  'content',
  'register',
  'article',
  'newsletter',
  'weather',
  'forecast',
  'weather',
  'alert',
  'inbox',
  'subscriber',
  'sign',
  'time',
  'owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'lee',
  'enterprises',
  'terms',
  'service',
  '',
  '',
  'privacy',
  'policy',
  'help',
  'center',
  'account',
  'dashboard',
  'profile',
  'item',
  'weather',
  'nebraska',
  'wednesday',
  'storm',
  'spot',
  'weather',
  'nebraska',
  'wednesday',
  'storm',
  'spot',
  'rain',
  'nebraska',
  'afternoon',
  'evening',
  'hour',
  'today',
  'hail',
  'wind',
  'spot',
  'flooding',
  'tornado',
  'detail',
  'forecast',
  'video',
  'apple',
  'podcast',
  'google',
  'podcast',
  'rss',
  'feed',
  'omny',
  'studio',
  'states',
  'summer',
  'weather',
  'states',
  'summer',
  'weather',
  'summer',
  'weather',
  'sun',
  'daylight',
  'midday',
  'thunderstorm',
  'scale',
  'extreme',
  'climate',
  'change',
  'planet',
  'dog',
  'day',
  'summer',
  'weather',
  'condition',
  'climate',
  'change',
  'weather',
  'ocean',
  'current',
  'heat',
  'tornado',
  'drought',
  'flood',
  'heatwave',
  'duration',
  'frequency',
  'intensity',
  'datum',
  'environmental',
  'protection',
  'agency',
  'downpour',
  'region',
  'northeast',
  'midwest',
  'great',
  'plains',
  'downpour',
  '%',
  'average',
  'reason',
  'uptick',
  'air',
  'water',
  'vapor',
  'air',
  'moisture',
  'way',
  'storm',
  'system',
  'rain',
  'summer',
  'weather',
  'united',
  'states',
  'brunt',
  'change',
  'miami',
  'summer',
  'heat',
  'humidity',
  'city',
  'city',
  'storm',
  'hurricane',
  'meteorologist',
  'new',
  'orleans',
  'dallas',
  'mobile',
  'alabama',
  'corpus',
  'christi',
  'texas',
  'summer',
  'month',
  'stacker',
  'state',
  'addition',
  'district',
  'columbia',
  'property',
  'damage',
  'summer',
  'weather',
  'occurrence',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'storm',
  'event',
  'database',
  'weather',
  'event',
  'summer',
  'june',
  'july',
  'august',
  'state',
  'eye',
  'storm',
  'property',
  'damage',
  '70,204-',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'wind',
  'damage',
  'real',
  'window',
  'creative',
  'shutterstock',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'wildfire',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'storm',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flash',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'wind',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'wind',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'wind',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'hail',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flash',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flash',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flash',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flash',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flash',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flash',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flash',
  'flood',
  'damage',
  'rotorhead',
  'production',
  'shutterstock',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flash',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'wind',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'wind',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'storm',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'wildfire',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  '199,169.4-',
  'disaster',
  'type',
  'flash',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'tornados',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'wind',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'tornados',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flash',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flash',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'hail',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flash',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flash',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flash',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flash',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'wildfire',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flash',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flash',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flash',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'wildfire',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flash',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'wildfire',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flash',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flash',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'hail',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'tornados',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'wind',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'hail',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'hail',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flash',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'flash',
  'flood',
  'damage',
  'property',
  'damage',
  'property',
  'damage',
  'k',
  'people',
  'disaster',
  'type',
  'hurricane',
  'damage)data',
  'emma',
  'rubin',
  'story',
  'editing',
  'brian',
  'budzynski',
  'editing',
  'paris',
  'weather',
  'forecast',
  'weather',
  'alert',
  'inbox',
  'registration',
  'use',
  'site',
  'agreement',
  'user',
  'agreement',
  'privacy',
  'policy',
  'weather',
  'nebraska',
  'wednesday',
  'storm',
  'spot',
  'holiner',
  'forecast',
  'watch',
  'mitch',
  'mcconnell',
  'freezes',
  'press',
  'conference',
  'republican',
  'colleagues',
  'ivy',
  'league',
  'colleges',
  'rich',
  'class',
  'student',
  'ivy',
  'league',
  'colleges',
  'rich',
  'class',
  'student',
  'swimming',
  'seine',
  'returns',
  'paris',
  'year',
  'swimming',
  'seine',
  'returns',
  'paris',
  'year',
  'fifa',
  'lotr',
  'fan',
  'new',
  'zealand',
  'hobbiton',
  'fifa',
  'lotr',
  'fan',
  'new',
  'zealand',
  'hobbiton',
  'copyright',
  'lincoln',
  'journal',
  'star',
  'po',
  'box',
  'lincoln',
  'ne',
  'term',
  'use',
  '',
  '',
  'privacy',
  'policy',
  '',
  '',
  'info',
  '',
  '',
  'cookie',
  'preferences',
  'blox',
  'content',
  'management',
  'system',
  'minute',
  'news',
  'device'],
 ['home',
  'mail',
  'news',
  'finance',
  'sports',
  'entertainment',
  'life',
  'search',
  'shopping',
  'yahoo',
  'plus',
  'yahoo',
  'life',
  'newsletter',
  'yahoo',
  'lifestyle',
  'yahoo',
  'lifestyle',
  'search',
  'query',
  'sign',
  'mail',
  'sign',
  'mail',
  'life',
  'health',
  'facts',
  'life',
  'mental',
  'health',
  'resources',
  'unwind',
  'parent',
  'kid',
  'mini',
  'ways',
  'ttc',
  'style',
  'beauty',
  'good',
  'news',
  'horoscopes',
  'shopping',
  'buying',
  'guides',
  'wsb',
  'cox',
  'articlesphotos',
  'storm',
  'tree',
  'powerline',
  'north',
  'georgia',
  'articlewsbtv.com',
  'news',
  'staffjune',
  'amold',
  'oak',
  'lee',
  'st',
  'se',
  'smyrna',
  'ga',
  'family',
  'home',
  '1910.old',
  'oak',
  'lee',
  'st',
  'se',
  'smyrna',
  'ga',
  'family',
  'home',
  'chicago',
  'avenue',
  'douglasvilletaken',
  'chicago',
  'avenue',
  'douglasvilletaken',
  'chicago',
  'avenue',
  'douglasvilletaken',
  'chicago',
  'avenue',
  'douglasvilletrees',
  'complex',
  'cumberland',
  'pointe',
  'apartment',
  'king',
  'springs',
  'rd',
  'bmw',
  'tree',
  'it!tree',
  'complex',
  'cumberland',
  'pointe',
  'apartment',
  'king',
  'springs',
  'rd',
  'bmw',
  'tree',
  'it!this',
  'son',
  'daughter',
  'law',
  'house',
  'cleveland',
  'ga.',
  'bathtub',
  'cover',
  'tree',
  'son',
  'daughter',
  'law',
  'house',
  'cleveland',
  'ga.',
  'bathtub',
  'cover',
  'tree',
  'son',
  'daughter',
  'law',
  'house',
  'cleveland',
  'ga.',
  'bathtub',
  'cover',
  'tree',
  'son',
  'daughter',
  'law',
  'house',
  'cleveland',
  'ga.',
  'bathtub',
  'cover',
  'tree',
  'view',
  'porch',
  'evening',
  'dessarae',
  'fisher',
  'ila',
  'ga',
  'rainbow',
  'porch',
  'lake',
  'hartwell',
  'ga',
  'lake',
  'storm',
  'home',
  'anna',
  'marie',
  'phillips',
  'view',
  'porch',
  'evening',
  'dessarae',
  'fisher',
  'ila',
  'ga',
  'rainbow',
  'porch',
  'lake',
  'hartwell',
  'ga',
  'lake',
  'storm',
  'home',
  'anna',
  'marie',
  'phillips',
  'view',
  'porch',
  'evening',
  'dessarae',
  'fisher',
  'ila',
  'ga',
  'rainbow',
  'porch',
  'lake',
  'hartwell',
  'ga',
  'lake',
  'storm',
  'home',
  'anna',
  'marie',
  'phillips',
  'storiesyahoo',
  'life',
  'beach',
  'cover',
  'jean',
  '%',
  'off)the',
  'workhorse',
  'swimsuit',
  'dinner.3d',
  'life',
  'shoppingthe',
  'deal',
  'amazon',
  'saturday',
  'memory',
  'foam',
  'pillow',
  'pack',
  '%',
  'massage',
  'gun',
  'saving',
  '%',
  'price.4d',
  'agoyahoo',
  'life',
  'time',
  'blouse',
  'figure',
  'shopper',
  'summer',
  'life',
  'bra',
  'warner',
  'style',
  'smooth',
  '%',
  'off)it',
  'figure',
  'life',
  'foot',
  'massager',
  'heaven',
  'shopper',
  '%',
  'code',
  'goodbye',
  'ache',
  'muscle',
  'fatigue.4d',
  'agoyahoo',
  'life',
  'shoppingpsst',
  'airpods',
  'shopper',
  'love',
  '99the',
  'charging',
  'case',
  'day',
  'listening',
  'pleasure',
  'life',
  'shoppingamazon',
  'swimsuit',
  'coverup',
  'sale',
  'price',
  'cupshe',
  'splash',
  'piece',
  'coverup',
  'heat',
  'wave.4d',
  'agoyahoo',
  "life'i'm",
  'chubby',
  'latina',
  'size',
  'model',
  'denise',
  'bidot',
  'model"we\'re',
  'narrative',
  'people',
  'thing',
  'bidot.2d',
  'agoyahoo',
  'life',
  'shoppingkate',
  'hudson',
  'la',
  'mer',
  'skin',
  'care',
  'product',
  '%',
  'nordstrom',
  'anniversary',
  'saleher',
  'mom',
  'goldie',
  'hawn',
  'brand',
  'year',
  'ago.1d',
  'agoyahoo',
  'life',
  'shoppingnordstrom',
  'anniversary',
  'sale',
  'shop',
  'le',
  'creuset',
  'coach',
  'outsave',
  '%',
  'brand',
  'store',
  'discount',
  'event.2d',
  'stories',
  'twitterfacebookinstagrampinterestyoutubeyahoo!healthparentingstyle',
  'beautygood',
  'newshoroscopesshoppingterms',
  'privacy',
  'policyprivacy',
  'adssite',
  'map',
  'yahoo',
  'right'],
 ['contentadvertisebusiness',
  'attorneysketch',
  'skyclass',
  'actcounty',
  'road',
  'weather',
  'guidereelin',
  'rosiewatch',
  'livelatest',
  'videonewsweathersportstvabout',
  'ushomewatch',
  'livedownload',
  'appssign',
  'newsletterssubmit',
  'photos',
  'news',
  'defendersalabama',
  'politicselectionselection',
  'resultsstatenationalconsumerbusinessweatherweather',
  'blogcamerasclosingsfirst',
  'alert',
  'stormtrackerwhat',
  'alert',
  'weather',
  'day?download',
  'severe',
  'weather',
  'magnetalabama',
  'weather',
  'guideradarfirst',
  'alert',
  'weather',
  'radio',
  'weather',
  'radiosketch',
  'skyweather',
  'school',
  'visit',
  'requestsweather',
  '101wsfa',
  'alert',
  'weather',
  'camp!sportsreelin',
  'rosiecollege',
  'sportsbiscuitsfriday',
  'night',
  'football',
  'feverfever',
  'athletescoreboardsports',
  'videosstats',
  'predictionshow',
  'watchcommunityask',
  'attorneyask',
  'financial',
  'expertclass',
  'actcounty',
  'road',
  'calendarfriday',
  'kitchenalabama',
  'livethe',
  'rundownovercoming',
  'povertyheart',
  'gallery',
  'great',
  'health',
  'dividetvschedulelatest',
  'newscastspodcastsbeing',
  'real',
  'bethanycase',
  'filesabout',
  'uscontact',
  'useditorialsjobsmeet',
  'teamadvertise',
  'uscontestsgas',
  'pricescircle',
  'country',
  'music',
  'lifestylepowernationgray',
  'dc',
  'bureauinvestigatetvtelemundo',
  'montgomerypress',
  'releasesalabama',
  'weather',
  'report',
  'state',
  'tornado',
  'alabama',
  'fardamage',
  'tornadoby',
  'tyler',
  'sebreepublished',
  'mar.',
  'mar.',
  'cdtshare',
  'facebookemail',
  'linkshare',
  'twittershare',
  'pinterestshare',
  'linkedinmontgomery',
  'ala.',
  'wsfa',
  'alabama',
  '%',
  'year',
  'round',
  'thunderstorm',
  'tornado',
  'wind',
  'hail',
  'flooding',
  'january',
  'month',
  'alabama',
  'record',
  'tornado',
  'january',
  'outbreak',
  'january',
  'january',
  '12.the',
  'january',
  'outbreak',
  'track',
  'ef3',
  'tornado',
  'autauga',
  'elmore',
  'coosa',
  'tallapoosa',
  'chambers',
  'county',
  'ground',
  'mile',
  'top-10',
  'tornado',
  'path',
  'length',
  'alabama',
  'history',
  'alabama',
  'way',
  'tornado',
  'news)february',
  'month',
  'u.s.',
  'tornado',
  'weather',
  'tornado',
  'alabama',
  'month',
  'february',
  'plenty',
  'weather',
  'report',
  'march',
  'country',
  'day',
  'month',
  'u.s.',
  'weather',
  'report',
  'tornado',
  'wind',
  'hail',
  '1st',
  '2nd',
  'u.s.',
  'tornado',
  'hail',
  'wind',
  'reports.(wsfa',
  'news)when',
  'month',
  'alabama',
  'weather',
  'report',
  'report',
  'tornado',
  'report',
  'wind',
  'hail',
  'report',
  'report',
  'state',
  'tornado',
  'damage',
  'report',
  'state',
  'shot',
  'alabama',
  'tornado',
  'report',
  'georgia',
  'mississippi',
  'texas',
  'wind',
  'hail',
  'report',
  'march',
  '27th',
  'georgia',
  'wind',
  'report',
  'texas',
  'event',
  'alabama',
  'tornado',
  'april.(noaa)so',
  'month',
  'year',
  'weather',
  'april',
  'tornado',
  'weather',
  'alabama',
  'month',
  'april',
  'april',
  'month',
  'april',
  'climatology',
  'april',
  'april',
  'tornado',
  'alabama',
  'state',
  'texas',
  'number',
  'year',
  'april',
  'april',
  'pattern',
  'u.s.',
  'chance',
  'weather',
  'half',
  'april',
  'alabama',
  'bullseye',
  'time',
  'round',
  'thunderstorm',
  'half',
  'u.s.',
  'april',
  'story',
  'wsfa',
  'news',
  'app',
  'news',
  'alert',
  'faster',
  'apple',
  'app',
  'store',
  'google',
  'play',
  'store!copyright',
  'wsfa',
  'right',
  'vaughn',
  'road',
  'shooting',
  'tuesday',
  'night',
  'sinéad',
  'o’connor',
  'singer',
  'rock',
  'south',
  'assault',
  'case',
  'montgomery',
  'gold',
  'level',
  'site',
  'world',
  'project',
  'year',
  'face',
  'sentencing',
  'hearing',
  'people',
  'news',
  'hot',
  'storm',
  'wednesday',
  'day',
  'alert',
  'july',
  'week',
  'unfoldsgood',
  'morning',
  'tuesday',
  'amanda',
  'look',
  'forecast',
  'alert',
  'improvement',
  'uswsfa445',
  'dexter',
  'avenuesuite',
  'al',
  'serviceprivacy',
  'policypublic',
  'inspection',
  'filepublicfile@wsfa.com',
  'reportclosed',
  'captioning',
  'audio',
  'descriptionwsfa',
  'careersadvertisingdigital',
  'advertisingat',
  'gray',
  'journalist',
  'news',
  'content',
  'community',
  'approach',
  'intelligence',
  'gray',
  'media',
  'group',
  'inc.',
  'station',
  'gray',
  'television',
  'inc.'],
 ['livenewsweathergood',
  'expand',
  'collapse',
  'search',
  '☰',
  'search',
  'site',
  'news',
  'philadelphiapennsylvanianew',
  'jerseydelawaremore',
  'newsnational',
  'newsworld',
  'newsfox',
  'news',
  'sundayweather',
  'day',
  'forecastclosingsfox',
  'weatherradartemperatureswatche',
  'warningsweather',
  'appgood',
  'day',
  'digest',
  'newsletterkelly',
  'classroomtrafficwatch',
  'liveya',
  'thisseen',
  'tvsports',
  'fifa',
  'women',
  'world',
  'cupeaglesflyersphillies76ersunionfox',
  'sports',
  'appentertainment',
  'showsthe',
  'classh',
  'roomthings',
  'fox',
  'showswatch',
  'streamnewscasts',
  'replayslivenow',
  'foxnew',
  'specialswebcamsfox',
  'mattersfox',
  'originals',
  'black',
  'history',
  'monthhank',
  'takein',
  'focuskelly',
  'drivesour',
  'race',
  'realitysave',
  'streetsthe',
  'pulsehealth',
  'coronaviruscoronavirus',
  'mapcoronavirus',
  'vaccinedr',
  'mikehealth',
  'careopioid',
  'epidemicpolitics',
  'electioninauguration',
  'dayjoe',
  'bidenkamala',
  'harrisdonald',
  'j.',
  'trumpphilly',
  'city',
  'councilmoney',
  'businesscashing',
  'news',
  'fox',
  'appnew',
  'jersey',
  'news',
  'my9njnew',
  'york',
  'news',
  'fox',
  'nywashington',
  'dc',
  'news',
  'fox',
  'dcabout',
  'appscontact',
  'usfcc',
  'applicationshow',
  'listingswork',
  'heat',
  'watch',
  'fri',
  'edt',
  'fri',
  'pm',
  'edt',
  'delaware',
  'county',
  'eastern',
  'chester',
  'county',
  'eastern',
  'montgomery',
  'county',
  'lower',
  'bucks',
  'county',
  'philadelphia',
  'county',
  'camden',
  'county',
  'gloucester',
  'county',
  'mercer',
  'county',
  'northwestern',
  'burlington',
  'county',
  'somerset',
  'county',
  'new',
  'castle',
  'county',
  'heat',
  'advisory',
  'thu',
  'pm',
  'edt',
  'fri',
  'pm',
  'edt',
  'lancaster',
  'county',
  'lebanon',
  'county',
  'heat',
  'advisory',
  'thu',
  'edt',
  'fri',
  'edt',
  'delaware',
  'county',
  'eastern',
  'chester',
  'county',
  'eastern',
  'montgomery',
  'county',
  'lower',
  'bucks',
  'county',
  'philadelphia',
  'county',
  'camden',
  'county',
  'gloucester',
  'county',
  'mercer',
  'county',
  'northwestern',
  'burlington',
  'county',
  'somerset',
  'county',
  'new',
  'castle',
  'county',
  'heat',
  'advisory',
  'thu',
  'edt',
  'fri',
  'pm',
  'edt',
  'berks',
  'county',
  'lehigh',
  'county',
  'northampton',
  'county',
  'upper',
  'bucks',
  'county',
  'western',
  'chester',
  'county',
  'western',
  'montgomery',
  'county',
  'atlantic',
  'county',
  'cape',
  'county',
  'cumberland',
  'county',
  'salem',
  'county',
  'southeastern',
  'burlington',
  'county',
  'warren',
  'county',
  'hunterdon',
  'county',
  'ocean',
  'county',
  'warren',
  'county',
  'kent',
  'county',
  'inland',
  'sussex',
  'county',
  'tornado',
  'sussex',
  'county',
  'storm',
  'mile',
  'path',
  'destruction',
  'kelly',
  'rule',
  'fox',
  'staff',
  'april',
  'april',
  'delaware',
  'fox',
  'philadelphia',
  'share',
  'copy',
  'link',
  'email',
  'facebook',
  'twitter',
  'linkedin',
  'reddit',
  'sussex',
  'county',
  'delaware',
  'family',
  'death',
  'man',
  'saturday',
  'tornado',
  'outbreak',
  'tornado',
  'sussex',
  'county',
  'family',
  'death',
  'man',
  'storm',
  'sussex',
  'county',
  'del.',
  'man',
  'saturday',
  'evening',
  'storm',
  'aim',
  'delaware',
  'national',
  'weather',
  'service',
  'tornado',
  'sussex',
  'county',
  'delaware',
  'storm',
  'damage',
  'route',
  'greenwood',
  'bridgeville',
  'coverage',
  'nws',
  'tornado',
  'n.j.',
  'storm',
  'destruction',
  'delaware',
  'valley',
  'official',
  'man',
  'house',
  'sussex',
  'county',
  'storm',
  'tornado',
  'sunday',
  'family',
  'member',
  'home',
  'home',
  'generation',
  'home',
  'area',
  'damage',
  'family',
  'joe',
  'hubert',
  'dinner',
  'wife',
  'family',
  'minute',
  'greenwood',
  'phone',
  'tornado',
  'god',
  'tree',
  'toothpick',
  'tree',
  'brand',
  'year',
  'home',
  'owens',
  'road',
  'corner',
  'home',
  'roof',
  'home',
  'door',
  'direction',
  'damage',
  'tuckers',
  'road',
  'neighbor',
  'roof',
  'window',
  'image',
  '▼',
  'coverage',
  'car',
  'fire',
  'north',
  'philadelphia',
  'saturday',
  'storm',
  'wire',
  'power',
  'official',
  'tornado',
  'mile',
  'path',
  'destruction',
  'bridgeville',
  'ellendale',
  'dozen',
  'home',
  'county',
  'home',
  'fawn',
  'road',
  'toilet',
  'home',
  'refrigerator',
  'reaction',
  'life',
  'delaware',
  'governor',
  'john',
  'carney',
  'tornado',
  'camera',
  'sussex',
  'county',
  'emergency',
  'operations',
  'center',
  'funnel',
  'sky',
  'saturday',
  'evening',
  'video',
  'tornado',
  'man',
  'sussex',
  'county',
  'tornado',
  'video',
  'cloud',
  'official',
  'tornado',
  'man',
  'house',
  'sussex',
  'county',
  'church',
  'hand',
  'rest',
  'resident',
  'jonathan',
  'tharp',
  'hour',
  'shift',
  'tree',
  'company',
  'tharp',
  'time',
  'people',
  'tharp',
  'wife',
  'picture',
  'rainbow',
  'storm',
  'roof',
  'roofing',
  'company',
  'charge',
  'hubert',
  'sussex',
  'county',
  'reaction',
  'life',
  'delaware',
  'governor',
  'john',
  'carney',
  'american',
  'red',
  'cross',
  'dhss',
  'office',
  'preparedness',
  'official',
  'time',
  'tornado',
  'delaware',
  'news',
  'alicia',
  'navarro',
  'arizona',
  'girl',
  'montana',
  'pd',
  'video',
  'gunshot',
  'south',
  'philly',
  'ambush',
  'shooting',
  'home',
  'security',
  'camera',
  'police',
  'man',
  'argument',
  'septa',
  'market',
  'frankford',
  'line',
  'train',
  'change',
  'wildwood',
  'city',
  'commission',
  'rule',
  'teen',
  'family',
  'vigil',
  'logan',
  'boy',
  'fishing',
  'trip',
  'father',
  'brother',
  'trending',
  'philadelphia',
  'eviction',
  'landlord',
  'tenant',
  'officer',
  'incident',
  'philly',
  'rapper',
  'yng',
  'cheese',
  'rest',
  'shooting',
  'mom',
  'ambush',
  'street',
  'philly',
  'park',
  'video',
  'crowd',
  'police',
  'philadelphia',
  'gas',
  'station',
  'parking',
  'lot',
  'car',
  'meetup',
  'philly',
  'park',
  'litter',
  'visitor',
  'daily',
  'newsletter',
  'news',
  'day',
  'sign',
  'privacy',
  'policy',
  'terms',
  'service',
  'fox',
  'youtube',
  'app',
  'fox',
  'philadelphia',
  'fox',
  'local',
  'click',
  'news',
  'philadelphiapennsylvanianew',
  'jerseydelawaremore',
  'newsnational',
  'newsworld',
  'newsfox',
  'news',
  'sundayweather',
  'day',
  'forecastclosingsfox',
  'weatherradartemperatureswatche',
  'warningsweather',
  'appgood',
  'day',
  'digest',
  'newsletterkelly',
  'classroomtrafficwatch',
  'liveya',
  'thisseen',
  'tvsports',
  'fifa',
  'women',
  'world',
  'cupeaglesflyersphillies76ersunionfox',
  'sports',
  'appentertainment',
  'showsthe',
  'classh',
  'roomthings',
  'fox',
  'showswatch',
  'streamnewscasts',
  'replayslivenow',
  'foxnew',
  'specialswebcamsfox',
  'mattersfox',
  'originals',
  'black',
  'history',
  'monthhank',
  'takein',
  'focuskelly',
  'drivesour',
  'race',
  'realitysave',
  'streetsthe',
  'pulsehealth',
  'coronaviruscoronavirus',
  'mapcoronavirus',
  'vaccinedr',
  'mikehealth',
  'careopioid',
  'epidemicpolitics',
  'electioninauguration',
  'dayjoe',
  'bidenkamala',
  'harrisdonald',
  'j.',
  'trumpphilly',
  'city',
  'councilmoney',
  'businesscashing',
  'news',
  'fox',
  'appnew',
  'jersey',
  'news',
  'my9njnew',
  'york',
  'news',
  'fox',
  'nywashington',
  'dc',
  'news',
  'fox',
  'dcabout',
  'appscontact',
  'usfcc',
  'applicationshow',
  'listingswork',
  'facebooktwitterinstagramyoutubeemail',
  'usnew',
  'privacy',
  'policyterms',
  'serviceyour',
  'privacy',
  'choicesfcc',
  'public',
  'public',
  'fileclosed',
  'captioningwork',
  'uscontact',
  'material',
  'fox',
  'television',
  'stations'],
 ['permission',
  'article',
  'account',
  'dashboard',
  'profile',
  'item',
  'today',
  'heat',
  'advisory',
  'storm',
  'tonight',
  'summer',
  'july',
  'log',
  'account',
  'log',
  'account',
  'sign',
  'today',
  'account',
  'dashboard',
  'profile',
  'item',
  'apr',
  'apr',
  'people',
  'storm',
  'indiana',
  'friday',
  'night',
  'death',
  'sullivan',
  'county',
  'west',
  'bloomington',
  'illinois',
  'border',
  'louisville',
  'ky.',
  'wdrb',
  'people',
  'indiana',
  'storm',
  'friday',
  'night',
  'saturday',
  'morning',
  'death',
  'sullivan',
  'county',
  'west',
  'bloomington',
  'illinois',
  'border',
  'city',
  'county',
  'sullivan',
  'county',
  'sheriff',
  'jason',
  'bobbitt',
  'medium',
  'fear',
  'reality',
  'member',
  'community',
  'life',
  '”the',
  'sheriff',
  'crew',
  'eye',
  'gas',
  'leak',
  'power',
  'line',
  'whistle',
  'train',
  'ear',
  'pressure',
  'hand',
  'ear',
  'resident',
  'basement',
  'glass',
  'eric',
  'holcomb',
  'order',
  'saturday',
  'disaster',
  'emergency',
  'sullivan',
  'johnson',
  'county',
  'storm',
  'rain',
  'wind',
  'kentuckiana',
  'p.m.',
  'friday',
  'a.m.',
  'saturday',
  'portion',
  'area',
  'storm',
  'whiteland',
  'indiana',
  'minute',
  'indianapolis',
  'line',
  'tornado',
  'tornado',
  'warning',
  'p.m.',
  'friday',
  'community',
  'damage',
  'report',
  'business',
  'home',
  'people',
  'whiteland',
  'police',
  'twitter',
  'a.m.',
  'saturday',
  'whiteland',
  'high',
  'school',
  'greenwood',
  'middle',
  'school',
  'shelter',
  'damage',
  'bloomington',
  'indiana',
  'camper',
  'mccormick',
  'creek',
  'state',
  'park',
  'injury',
  'county',
  'indiana',
  'wind',
  'warning',
  'saturday',
  'duke',
  'energy',
  'precaution',
  'p.m.',
  'saturday',
  'customer',
  'power',
  'scott',
  'county',
  'floyd',
  'county',
  'clark',
  'county',
  'harrison',
  'county',
  'duke',
  'energy',
  'outage',
  'map',
  'outage',
  'copyright',
  'wdrb',
  'media',
  'rights',
  'marc',
  'weinberg',
  'wednesday',
  'night',
  'forecast',
  'bozich',
  'ville',
  'win',
  'record',
  'tbt',
  'crowd',
  'thursday',
  'night',
  'louisville',
  'city',
  'fc',
  'attendance',
  'record',
  'saturday',
  'match',
  'indy',
  'crawford',
  'phillips',
  'face',
  'challenge',
  'acc',
  'articlessorry',
  'result',
  'article',
  'imagessorry',
  'result',
  'image',
  'videossorry',
  'result',
  'video',
  'w.',
  'muhammad',
  'ali',
  'blvd',
  'louisville',
  'ky',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'fcc',
  'public',
  'inspection',
  'file',
  'captioning',
  'eeo',
  'ad',
  'choices',
  'wdrb',
  'fcc',
  'applications',
  'wdrb',
  'covid-19',
  'protocols',
  'wdrb',
  'official',
  'contest',
  'rules',
  'air',
  'ticket',
  'giveaways',
  'copyright',
  'wdrb',
  'w.',
  'muhammad',
  'ali',
  'blvd',
  'louisville',
  'ky',
  'term',
  'use',
  '',
  '',
  'privacy',
  'policy',
  '',
  '',
  'cookie',
  'preferences',
  '',
  '',
  'information',
  'blox',
  'content',
  'management',
  'system',
  'blox',
  'digital'],
 ['ad',
  'issue',
  'video',
  'player',
  'content',
  'ad',
  'video',
  'content',
  'ad',
  'audio',
  'ad',
  'ad',
  'page',
  'content',
  'ad',
  'ad',
  'ad',
  'effort',
  'contribution',
  'feedback',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'tornado',
  'wind',
  'round',
  'rain',
  'snow',
  'west',
  'north',
  'elizabeth',
  'wolfe',
  'rob',
  'shackelford',
  'joe',
  'sutton',
  'claire',
  'colbert',
  'cnn',
  'est',
  'tue',
  'february',
  'wake',
  'storm',
  'chaser',
  'storm',
  'wake',
  'storm',
  'chaser',
  'storm',
  'concertgoers',
  'hail',
  'colorado',
  'body',
  'temperature',
  'flooding',
  'china',
  'couple',
  'car',
  'house',
  'cliff',
  'river',
  'foundation',
  'video',
  'tornado',
  'home',
  'debris',
  'video',
  'moment',
  'soldier',
  'heat',
  'video',
  'tornado',
  'texas',
  'barren',
  'land',
  'impact',
  'spain',
  'record',
  'heat',
  'windshield',
  'helicopter',
  'hail',
  'shelf',
  'cloud',
  'sky',
  'downtown',
  'chicago',
  'man',
  'street',
  'flooding',
  'man',
  'tornado',
  'van',
  'footage',
  'california',
  'weather',
  'crisis',
  'lake',
  'life',
  'unbelievable',
  'cnn',
  'reporter',
  'snowfall',
  'california',
  'graphic',
  'change',
  'temperature',
  'storm',
  'tornado',
  'report',
  'barrage',
  'snow',
  'rain',
  'wind',
  'monday',
  'place',
  'west',
  'coast',
  'great',
  'lakes',
  'power',
  'string',
  'weather',
  'week',
  'home',
  'business',
  'power',
  'monday',
  'evening',
  'poweroutage.us',
  'outage',
  'michigan',
  'ice',
  'storm',
  'tree',
  'utility',
  'line',
  'outage',
  'california',
  'oklahoma',
  'tornado',
  'injury',
  'sunday',
  'weather',
  'tornado',
  'kansas',
  'missouri',
  'texas',
  'snowfall',
  'foot',
  'rainfall',
  'inch',
  'california',
  'storm',
  'wind',
  'hail',
  'bulk',
  'kansas',
  'oklahoma',
  'texas',
  'gust',
  'mph',
  'memphis',
  'texas',
  'wind',
  'category',
  'hurricane',
  'wind',
  'frances',
  'tabler',
  'norman',
  'oklahoma',
  'cnn',
  'affiliate',
  'koco',
  'blizzard',
  'house',
  'monday',
  'car',
  'tree',
  'neighborhood',
  'roof',
  'home',
  'cnn',
  'ed',
  'lavandera',
  'home',
  'norman',
  'oklahoma',
  'monday',
  'storm',
  'survey',
  'information',
  'national',
  'weather',
  'service',
  'office',
  'norman',
  'tornado',
  'sunday',
  'night',
  'survey',
  'team',
  'path',
  'damage',
  'weather',
  'service',
  'detail',
  'wind',
  'speed',
  'path',
  'length',
  'tornado',
  'width',
  'survey',
  'anticipation',
  'wind',
  'hail',
  'sunday',
  'night',
  'monday',
  'unit',
  'mcconnell',
  'air',
  'force',
  'base',
  'wichita',
  'kansas',
  'aircraft',
  'base',
  'storm',
  'monday',
  'afternoon',
  'tornado',
  'watch',
  'ohio',
  'kentucky',
  'west',
  'virginia',
  'indiana',
  'kentucky',
  'west',
  'week',
  'storm',
  'blizzard',
  'warning',
  'road',
  'flooding',
  'california',
  'system',
  'rain',
  'elevation',
  'snow',
  'pacific',
  'northwest',
  'california',
  'rockies',
  'monday',
  'state',
  'winter',
  'weather',
  'alert',
  'monday',
  'snowfall',
  'region',
  'inch',
  'washington',
  'state',
  'cascade',
  'tuesday',
  'foot',
  'elevation',
  'mountain',
  'peak',
  'oregon',
  'foot',
  'area',
  'rockies',
  'snow',
  'wind',
  'turbine',
  'sunday',
  'mohave',
  'california',
  'blizzard',
  'warning',
  'effect',
  'sierra',
  'nevada',
  'mountain',
  'california',
  'foot',
  'snow',
  'interstate',
  'applegate',
  'california',
  'nevada',
  'state',
  'line',
  'monday',
  'condition',
  'state',
  'transportation',
  'department',
  'tweet',
  'national',
  'weather',
  'service',
  'traveler',
  'area',
  'blizzard',
  'warning',
  'vehicle',
  'hour',
  'visibility',
  'time',
  'wednesday',
  'yosemite',
  'national',
  'park',
  'saturday',
  'weather',
  'wednesday',
  'multiday',
  'blizzard',
  'warning',
  'effect',
  'yosemite',
  'valley',
  'park',
  'valley',
  'inch',
  'snow',
  'wednesday',
  'park',
  'snow',
  'squall',
  'blizzard',
  'south',
  'week',
  'winter',
  'temperature',
  'record',
  'high',
  'week',
  'dozen',
  'temperature',
  'record',
  'day',
  'area',
  'texas',
  'florida',
  'peninsula',
  'temperature',
  '90',
  'southern',
  'plains',
  'tornado',
  'national',
  'weather',
  'service',
  'weather',
  'report',
  'sunday',
  'monday',
  'morning',
  'system',
  'derecho',
  'forecaster',
  'derecho',
  'windstorm',
  'damage',
  'direction',
  'path',
  'weather',
  'service',
  'derecho',
  'stretch',
  'wind',
  'damage',
  'mile',
  'wind',
  'gust',
  'mph',
  'length',
  'chicago',
  'illinois',
  'august',
  'people',
  'cover',
  'derecho',
  'storm',
  'area',
  'august',
  'chicago',
  'illinois',
  'storm',
  'wind',
  'mile',
  'hour',
  'tree',
  'power',
  'line',
  'city',
  'suburb',
  'photo',
  'scott',
  'olson',
  'getty',
  'images',
  'derecho',
  'weather',
  'injury',
  'monday',
  'norman',
  'police',
  'department',
  'oklahoma',
  'department',
  'area',
  'hospital',
  'student',
  'campus',
  'university',
  'oklahoma',
  'norman',
  'shelter',
  'sunday',
  'evening',
  'area',
  'tornado',
  'warning',
  'official',
  'oklahoma',
  'damage',
  'impact',
  'norman',
  'shawnee',
  'cheyenne',
  'keli',
  'cain',
  'affair',
  'director',
  'oklahoma',
  'department',
  'emergency',
  'management',
  'homeland',
  'security',
  'united',
  'states',
  'postal',
  'service',
  'training',
  'facility',
  'norman',
  'building',
  'usps',
  'spokesperson',
  'injury',
  'national',
  'center',
  'employee',
  'development',
  'window',
  'power',
  'line',
  'parking',
  'lot',
  'spokesperson',
  'mail',
  'site',
  'dozen',
  'family',
  'tornado',
  'liberal',
  'kansas',
  'trailer',
  'city',
  'manager',
  'rusty',
  'varnado',
  'person',
  'glass',
  'injury',
  'hard',
  'great',
  'lakes',
  'brace',
  'rain',
  'snow',
  'ice',
  'great',
  'lakes',
  'region',
  'midwest',
  'week',
  'travel',
  'condition',
  'road',
  'closure',
  'power',
  'outage',
  'life',
  'week',
  'great',
  'lakes',
  'michigan',
  'ice',
  'storm',
  'tree',
  'utility',
  'line',
  'ice',
  'tree',
  'branch',
  'ground',
  'thursday',
  'ice',
  'storm',
  'ypsilanti',
  'michigan',
  'utility',
  'company',
  'dte',
  'michigan',
  'electricity',
  'provider',
  'customer',
  'storm',
  'sunday',
  'night',
  'power',
  'customer',
  'utility',
  'tenth',
  'inch',
  'rain',
  'minnesota',
  'wisconsin',
  'michigan',
  'monday',
  'inch',
  'snow',
  'wisconsin',
  'michigan',
  'storm',
  'east',
  'winter',
  'storm',
  'watch',
  'effect',
  'new',
  'york',
  'new',
  'england',
  'wednesday',
  'afternoon',
  'total',
  'area',
  'inch',
  'snowfall',
  'new',
  'york',
  'city',
  'inch',
  'snowfall',
  'winter',
  'weather',
  'advisory',
  'boston',
  'inch',
  'monday',
  'evening',
  'tuesday',
  'evening',
  'rain',
  'wind',
  'mph',
  'monday',
  'finger',
  'lakes',
  'long',
  'island',
  'new',
  'york',
  'city',
  'western',
  'new',
  'york',
  'area',
  'gov.',
  'kathy',
  'hochul',
  'office',
  'travel',
  'state',
  'tuesday',
  'morning',
  'state',
  'agency',
  'emergency',
  'response',
  'asset',
  'government',
  'storm',
  'eye',
  'weather',
  'week',
  'governor',
  'release',
  'schools',
  'hartford',
  'connecticut',
  'providence',
  'rhode',
  'island',
  'tuesday',
  'winter',
  'weather',
  'cnn',
  'aya',
  'elamroussi',
  'haley',
  'brink',
  'rebekah',
  'reiss',
  'tina',
  'burnside',
  'keith',
  'allen',
  'report',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cable',
  'news',
  'network',
  'warner',
  'bros.',
  'discovery',
  'company',
  'rights',
  'cnn',
  'sans',
  'cable',
  'news',
  'network'],
 ['fox',
  'kansas',
  'city',
  'wdaf',
  'tv',
  'news',
  'weather',
  'sports',
  'ralph',
  'yarl',
  'shooting',
  'missouri',
  'news',
  'kansas',
  'news',
  'business',
  'national',
  'news',
  'saving',
  'smart',
  'kansas',
  'city',
  'traffic',
  'live',
  'coverage',
  'kansas',
  'city',
  'area',
  'gas',
  'prices',
  'marijuana',
  'missouri',
  'health',
  'education',
  'entertainment',
  'hometown',
  'heroes',
  'community',
  'automotive',
  'news',
  'press',
  'weather',
  'forecast',
  'joe',
  'weather',
  'blog',
  'weather',
  'radar',
  'weather',
  'alerts',
  'weather',
  'maps',
  'allergy',
  'report',
  'kansas',
  'city',
  'metro',
  'farm',
  'lawn',
  'garden',
  'forecast',
  'weather',
  'aware',
  'guide',
  'tornado',
  'thunderstorm',
  'flood',
  'closing',
  'delay',
  'closing',
  'instruction',
  'sign',
  'closing',
  'kansas',
  'city',
  'chiefs',
  'kansas',
  'city',
  'royals',
  'sporting',
  'kc',
  'kansas',
  'city',
  'current',
  'college',
  'high',
  'school',
  'sports',
  'nascar',
  'fox4',
  'newscasts',
  'news',
  'livestream',
  'video',
  'fox4',
  'program',
  'schedule',
  'antenna',
  'tv',
  'program',
  'schedule',
  'day',
  'kc',
  'stories',
  'day',
  'kc',
  'team',
  'day',
  'kc',
  'gift',
  'guide',
  'contact',
  'day',
  'kc',
  'price',
  'chopper',
  'recipes',
  'nominate',
  'veteran',
  'salute',
  'service',
  'guest',
  'bestreviews',
  'daily',
  'deals',
  'bestreviews',
  'fox4',
  'newsletters',
  'fox4kc',
  'mobile',
  'apps',
  'fox4',
  'news',
  'team',
  'info',
  'speaking',
  'engagement',
  'request',
  'community',
  'calendar',
  'fox4',
  'love',
  'fund',
  'fox4',
  'band',
  'angels',
  'difference',
  'regional',
  'news',
  'partners',
  'bestreviews',
  'job',
  'post',
  'job',
  'fox4',
  'jobs',
  'alert',
  'fox4',
  'news',
  'careers',
  'maryville',
  'mo.',
  'storm',
  'tree',
  'damage',
  'northwest',
  'missouri',
  'state',
  'university',
  'campus',
  'june',
  'photo',
  'jeremy',
  'werner',
  'maryville',
  'mo.',
  'storm',
  'tree',
  'damage',
  'northwest',
  'missouri',
  'state',
  'university',
  'campus',
  'june',
  'photo',
  'jeremy',
  'missouri',
  'storm',
  'thousand',
  'power',
  'july',
  'weekend',
  'jun',
  'pm',
  'cdt',
  'jun',
  'pm',
  'cdt',
  'maryville',
  'mo.',
  'storm',
  'tree',
  'damage',
  'northwest',
  'missouri',
  'state',
  'university',
  'campus',
  'june',
  'photo',
  'jeremy',
  'werner',
  'maryville',
  'mo.',
  'storm',
  'tree',
  'damage',
  'northwest',
  'missouri',
  'state',
  'university',
  'campus',
  'june',
  'photo',
  'jeremy',
  'werner',
  'read',
  'jun',
  'pm',
  'cdt',
  'jun',
  'pm',
  'cdt',
  'maryville',
  'mo.',
  'people',
  'missouri',
  'thursday',
  'morning',
  'storm',
  'community',
  'time',
  'resident',
  'storm',
  'power',
  'thousand',
  'customer',
  'property',
  'fox4',
  'weather',
  'view',
  'kansas',
  'city',
  'forecast',
  'map',
  'radar',
  'picture',
  'jeremy',
  'werner',
  'tree',
  'northwest',
  'missouri',
  'state',
  'university',
  'campus',
  'thursday',
  'morning',
  'maryville',
  'mo.',
  'storm',
  'tree',
  'damage',
  'northwest',
  'missouri',
  'state',
  'university',
  'campus',
  'june',
  'photo',
  'jeremy',
  'werner)maryville',
  'mo.',
  'storm',
  'tree',
  'damage',
  'northwest',
  'missouri',
  'state',
  'university',
  'campus',
  'june',
  'photo',
  'jeremy',
  'werner)maryville',
  'mo.',
  'storm',
  'tree',
  'damage',
  'northwest',
  'missouri',
  'state',
  'university',
  'campus',
  'june',
  'photo',
  'jeremy',
  'werner',
  'hour',
  'east',
  'campus',
  'bethany',
  'storm',
  'wall',
  'home',
  'roof',
  'metal',
  'building',
  'information',
  'national',
  'weather',
  'service',
  'heat',
  'kansas',
  'city',
  'area',
  'center',
  'location',
  'thousand',
  'people',
  'area',
  'dark',
  'storm',
  'power',
  'spokesperson',
  'grundy',
  'electric',
  'cooperative',
  'customer',
  'county',
  'area',
  'power',
  'noon',
  'thursday',
  'crew',
  'contractor',
  'power',
  'pole',
  'mile',
  'power',
  'line',
  'power',
  'company',
  'wind',
  'gust',
  'mph',
  'storm',
  'view',
  'weather',
  'alert',
  'kansas',
  'city',
  'region',
  'fox4',
  'report',
  'tree',
  'damage',
  'power',
  'outage',
  'injury',
  'time',
  'typo',
  'error(required',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'amazon',
  'school',
  'deal',
  'schooler',
  'school',
  'corner',
  'amazon',
  'supply',
  'school',
  'deal',
  'supply',
  'schooler',
  'august',
  'vegetable',
  'flower',
  'flower',
  'plant',
  'hour',
  'soil',
  'air',
  'temperature',
  'sunshine',
  'august',
  'month',
  'planting',
  'chemical',
  'guys',
  'kit',
  'car',
  'car',
  'care',
  'hour',
  'chemical',
  'guys',
  'car',
  'wash',
  'kit',
  'time',
  'deal',
  'thank',
  'inbox',
  'pop',
  'star',
  'shijiro',
  'atae',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'soldier',
  'niger',
  'samsung',
  'smartphone',
  'bet',
  'pop',
  'star',
  'shijiro',
  'atae',
  'soldier',
  'niger',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'samsung',
  'smartphone',
  'bet',
  'journalist',
  'year',
  'prison',
  'ocean',
  'heat',
  'people',
  'high',
  'arizona',
  'thank',
  'inbox',
  'kc',
  'temperature',
  'osha',
  'tip',
  'kc',
  'heat',
  'extreme',
  'heat',
  'kc',
  'area',
  'event',
  'fox',
  'kansas',
  'city',
  'wdaf',
  'tv',
  'news',
  'weather',
  'sports',
  'video',
  'shawnee',
  'kansas',
  'resident',
  'mail',
  'kansas',
  'city',
  'area',
  'district',
  'school',
  'missouri',
  'veteran',
  'roof',
  'thank',
  'volunteer',
  'teen',
  'vehicle',
  'crash',
  'overland',
  'park',
  'warrant',
  'year',
  'missouri',
  'bank',
  'robbery',
  'innocent',
  'bystander',
  'officer',
  'merriam',
  'k',
  'state',
  'student',
  'atv',
  'crash',
  'year',
  'plan',
  'children',
  'memorial',
  'site',
  'crossroad',
  'community',
  'improvement',
  'district',
  'kid',
  'citizenship',
  'independence',
  'kc',
  'man',
  'brain',
  'injury',
  'mahomes',
  'developer',
  'kc',
  'hospital',
  'apartment',
  'fox',
  'kansas',
  'city',
  'wdaf',
  'tv',
  'news',
  'weather',
  'sports',
  'journalist',
  'year',
  'prison',
  'ocean',
  'heat',
  'people',
  'high',
  'arizona',
  'california',
  'gov.',
  'gavin',
  'newsom',
  'shawnee',
  'resident',
  'mail',
  'day',
  'arizona',
  'girl',
  'montana',
  'dance',
  'company',
  'ny',
  'fan',
  'treat',
  'attorney',
  'm',
  'settlement',
  'water',
  'fox',
  'kansas',
  'city',
  'wdaf',
  'tv',
  'news',
  'weather',
  'sports',
  'thank',
  'inbox',
  'teen',
  'vehicle',
  'crash',
  'overland',
  'park',
  'travis',
  'kelce',
  'taylor',
  'swift',
  'number',
  'tick',
  'specie',
  'mo',
  'livestock',
  'risk',
  'cass',
  'co.',
  'deputy',
  'search',
  'warrant',
  'gas',
  'station',
  'shawnee',
  'resident',
  'mail',
  'day',
  'warrant',
  'year',
  'bank',
  'robbery',
  'gift',
  'summer',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'home',
  'depot',
  'foot',
  'skeleton',
  'halloween',
  'deal',
  'day',
  'prime',
  'day',
  'favorite',
  'amazon',
  'essentials',
  'clothe',
  'news',
  'morning',
  'fox4',
  'newscasts',
  'contests',
  'day',
  'kc',
  'sponsored',
  'content',
  'experts',
  'sports',
  'community',
  'online',
  'public',
  'file',
  'public',
  'file',
  'eeo',
  'fcc',
  'applications',
  'android',
  'app',
  'google',
  'play',
  'android',
  'weather',
  'app',
  'google',
  'play',
  'personal',
  'information',
  'personal',
  'information',
  'nexstar',
  'media',
  'inc.',
  'rights'],
 ['main',
  'content',
  'sensor',
  'network',
  'maps',
  'radar',
  'severe',
  'weather',
  'news',
  'blogs',
  'mobile',
  'apps',
  'nearest',
  'station',
  'manage',
  'favorite',
  'citieslog',
  'joinsettingsaccount_box',
  'log',
  'person_add',
  'join',
  'setting',
  'settings',
  'sensor',
  'networkmaps',
  'radarsevere',
  'weathernews',
  'blogsmobile',
  'appshistorical',
  'weatherstarnews',
  'blogs',
  'category',
  'news',
  'stories',
  'infographics',
  'posters',
  'news',
  'stories',
  'category',
  'storiesinfographicsposterspublished',
  'weather',
  'company',
  'mission',
  'weather',
  'news',
  'environment',
  'importance',
  'science',
  'life',
  'story',
  'position',
  'parent',
  'company',
  'ibm.recent',
  'storiesweather',
  'articlesour',
  'appsabout',
  'uscontactcareerspws',
  'networkwundermapfeedback',
  'supportterms',
  'useprivacy',
  'policyaccessibility',
  'statementadchoicesdata',
  'vendorswe',
  'responsibility',
  'datum',
  'technology',
  'datum',
  'data',
  'vendor',
  'control',
  'datum',
  'datum',
  'rightspowered',
  'ibm',
  'cloud',
  'copyright',
  'twc',
  'product',
  'technology',
  'llc',
  'javascript',
  'application'],
 ['georgiasubscribepostadvertisestate',
  'newscommunity',
  'cornercrime',
  'safetypolitics',
  'governmentschoolstraffic',
  'transitobituariespersonal',
  'financebest',
  'ofarts',
  'entertainmentbusinesshealth',
  'wellnesshome',
  'gardensportstravelkids',
  'familypetsrestaurants',
  'barslocalstreamsee',
  'communitiesatlanta',
  'gamidtown',
  'gaeast',
  'atlanta',
  'gavirginia',
  'highland',
  'druid',
  'hills',
  'gabuckhead',
  'gacascade',
  'gadecatur',
  'avondale',
  'estates',
  'ganorth',
  'druid',
  'hills',
  'briarcliff',
  'gabrookhaven',
  'gasmyrna',
  'vinings',
  'gastate',
  'editiongeorgianational',
  'editiontop',
  'national',
  'newssee',
  'communities0weathereastern',
  'cold',
  'storm',
  'gusty',
  'georgiaweather',
  'official',
  'patch',
  'threat',
  'mph',
  'wind',
  'lightning',
  'amanda',
  'lumpkin',
  'patch',
  'staffposted',
  'fri',
  'mar',
  'fri',
  'mar',
  'etreply',
  'way',
  'east',
  'storm',
  'georgia',
  'friday',
  'night',
  'shutterstock)georgia',
  'way',
  'east',
  'storm',
  'georgia',
  'friday',
  'night',
  'weather',
  'official',
  'patch',
  'meteorologist',
  'vaughn',
  'smith',
  'mississippi',
  'kentucky',
  'tennessee',
  'smith',
  'storm',
  'time',
  'georgia',
  'warning',
  'people',
  'system',
  'friday',
  'morning',
  'threat',
  'georgiawith',
  'time',
  'update',
  'patch',
  'subscribethe',
  'georgia',
  'peach',
  'state',
  'saturday',
  'thunderstorm',
  'metro',
  'atlanta',
  'county',
  'a.m.',
  'atlanta',
  'sunrise',
  'metro',
  'atlanta',
  'noon',
  'smith',
  'storm',
  'way',
  'florida',
  'saturday',
  'night',
  'smith',
  'threat',
  'mph',
  'wind',
  'lightning',
  'chance',
  'tornado',
  'hail',
  'a.m.',
  'friday',
  'smith',
  'storm',
  'mph',
  'wind',
  'georgiawith',
  'time',
  'update',
  'patch',
  'subscribeat',
  'speed',
  'mph',
  'tree',
  'power',
  'line',
  'furniture',
  'area',
  'storm',
  'system',
  'time',
  'year',
  'smith',
  'storm',
  'saturday',
  'night',
  'sunday',
  'shower',
  'monday',
  'wave',
  'rain',
  'forecast',
  'mississippi',
  'temperature',
  '60',
  'friday',
  'night',
  'saturday',
  'high',
  '70',
  '80',
  'sunday',
  'morning',
  'temp',
  'high',
  '70',
  'day',
  'rain',
  'saturday',
  'round',
  'storm',
  'georgia',
  'weekend',
  'monday',
  'morning',
  'georgia',
  'gov.',
  'brian',
  'kemp',
  'state',
  'emergency',
  'sunday',
  'p.m.',
  'april',
  'ef3',
  'tornado',
  'troup',
  'county',
  'weather',
  'service',
  'report',
  'fatality',
  'people',
  'track',
  'tornado',
  'alabama',
  'georgia',
  'state',
  'line',
  'west',
  'chattahoochee',
  'river',
  'state',
  'line',
  'road',
  'tree',
  'asef0',
  'damage',
  'course',
  'mile',
  'tornado',
  'ef3',
  'north',
  'west',
  'point',
  'weather',
  'official',
  'report',
  'west',
  'point',
  'road',
  'hwy',
  'damage',
  'home',
  'damage',
  'home',
  'anchoring',
  'wall',
  'slab',
  'use',
  'nail',
  'result',
  'home',
  'wind',
  'speed',
  'ef4',
  'rating',
  'ef3',
  'ef1',
  'tornado',
  'baldwin',
  'meriwether',
  'county',
  'twiggs',
  'laurens',
  'county',
  'ef0',
  'tornado',
  'weather',
  'official',
  'weather',
  'service',
  'webpage',
  'georgia',
  'weather',
  'update',
  'breakdown',
  'weather',
  'activity',
  'city',
  'news',
  'inbox',
  'sign',
  'patch',
  'newsletter',
  'alert',
  'thankreply',
  'shareeastern',
  'cold',
  'storm',
  'gusty',
  'winds',
  'georgiathe',
  'rule',
  'space',
  'discussion',
  'language',
  'claim',
  'reply',
  'topic',
  'patch',
  'community',
  'guidelines',
  'reply',
  'articlereplymore',
  'georgiacrime',
  'safety',
  '2d2',
  'trader',
  'joe',
  'cookie',
  'products',
  'rocks',
  'gacommunity',
  'corner',
  'jul',
  '18$2',
  'm',
  'powerball',
  'ticket',
  'sold',
  'georgia',
  'jackpot',
  'swell',
  '17woman',
  'ga',
  'restaurant',
  'patchacross',
  'america',
  'newssinéad',
  'o’connor',
  'nj',
  "news'finding",
  'nemo',
  'tiktok',
  'promo',
  'brick',
  'theatre',
  'group',
  'memeacross',
  'america',
  'newsdelta',
  'aquariid',
  'perseid',
  'meteor',
  'showers',
  'ramp',
  'fireballsbaltimore',
  'md',
  'newsmustard',
  'skittle',
  'debut',
  'national',
  'mustard',
  'dayacross',
  'america',
  'newsmodern',
  'homes',
  'pool',
  'art',
  'housebest',
  'georgiaacross',
  'georgia',
  'arts',
  'instagram',
  'spot',
  'ga',
  'graffiti',
  'fountain',
  'fish',
  'tree',
  'archacross',
  'georgia',
  'travel11',
  'destination',
  'georgia',
  'photo',
  'yourcommunity',
  'patch',
  'appcorporate',
  'infoabout',
  'patchcareerspartnershipsadvertise',
  'patchsupportfaqscontact',
  'patchcommunity',
  'guidelinesposting',
  'instructionsterms',
  'useprivacy',
  'policy',
  'patch',
  'media',
  'rights'],
 ['main',
  'content',
  'sensor',
  'network',
  'maps',
  'radar',
  'severe',
  'weather',
  'news',
  'blogs',
  'mobile',
  'apps',
  'nearest',
  'station',
  'manage',
  'favorite',
  'citieslog',
  'joinsettingsaccount_box',
  'log',
  'person_add',
  'join',
  'setting',
  'settings',
  'sensor',
  'networkmaps',
  'radarsevere',
  'weathernews',
  'blogsmobile',
  'appshistorical',
  'weatherstarnews',
  'blogs',
  'category',
  'news',
  'stories',
  'infographics',
  'posters',
  'news',
  'stories',
  'category',
  'storiesinfographicsposterspublished',
  'weather',
  'company',
  'mission',
  'weather',
  'news',
  'environment',
  'importance',
  'science',
  'life',
  'story',
  'position',
  'parent',
  'company',
  'ibm.recent',
  'storiesweather',
  'articlesour',
  'appsabout',
  'uscontactcareerspws',
  'networkwundermapfeedback',
  'supportterms',
  'useprivacy',
  'policyaccessibility',
  'statementadchoicesdata',
  'vendorswe',
  'responsibility',
  'datum',
  'technology',
  'datum',
  'data',
  'vendor',
  'control',
  'datum',
  'datum',
  'rightspowered',
  'ibm',
  'cloud',
  'copyright',
  'twc',
  'product',
  'technology',
  'llc',
  'javascript',
  'application'],
 ['articleset',
  'weatherback',
  'main',
  'weatherset',
  'location',
  'enter',
  'city',
  'state',
  'zip',
  'codesubmitsubscribemore',
  'local',
  'love',
  '%',
  'unlimited',
  'digital',
  'access',
  'opinionpennsylvania',
  'storm',
  'water',
  'flooding',
  'opinionpublished',
  'mar.',
  'a.m.',
  'guest',
  'editorialby',
  'state',
  'rep.',
  'joe',
  'websteras',
  'dawn',
  'sept.',
  'damage',
  'hurricane',
  'ida',
  'storm',
  'cloud',
  'remnant',
  'category',
  'hurricane',
  'landfall',
  'louisiana',
  'week',
  'area',
  'night',
  'tornado',
  'inch',
  'land',
  'path',
  'rain',
  'creek',
  'river',
  'water',
  'street',
  'home',
  'storm',
  'right',
  'hurricane',
  'ida',
  'hurricane',
  'season',
  'death',
  'person',
  'united',
  'states',
  'billion',
  'dollar',
  'damage',
  'day',
  'hurricane',
  'season',
  'pennsylvania',
  'onslaught',
  'storm',
  'flooding',
  'ida',
  'flooding',
  'storm',
  'water',
  'weather',
  'threat',
  'pennsylvania',
  'decade',
  'climate',
  'change',
  'commonwealth',
  'home',
  'mile',
  'waterway',
  'nation',
  'alaska',
  'century',
  'city',
  'infrastructure',
  'surge',
  'water',
  'house',
  'resolution',
  'legislature',
  'study',
  'cost',
  'flooding',
  'home',
  'business',
  'way',
  'information',
  'data',
  'area',
  'flooding',
  'storm',
  'water',
  'project',
  'pennsylvania',
  'community',
  'development',
  'project',
  'pennsylvania',
  'government',
  'million',
  'dollar',
  'decade',
  'state',
  'recovery',
  'effort',
  'weather',
  'disaster',
  'ability',
  'fund',
  'measure',
  'pennsylvania',
  'flood',
  'water',
  'bill',
  'county',
  'state',
  'storm',
  'water',
  'management',
  'plan',
  'boundary',
  'plan',
  'solution',
  'storm',
  'water',
  'runoff',
  'issue',
  'assessment',
  'storm',
  'water',
  'management',
  'facility',
  'community',
  'official',
  'understanding',
  'flooding',
  'township',
  'borough',
  'need',
  'solution',
  'threat',
  'state',
  'face',
  'decade',
  'planet',
  'mid',
  '-',
  'century',
  'commonwealth',
  'increase',
  'precipitation',
  '%',
  'strength',
  'storm',
  'hurricane',
  'flooding',
  'region',
  'responsibility',
  'pennsylvanians',
  'ability',
  'threat',
  'state',
  'rep.',
  'joe',
  'webster',
  'legislative',
  'district',
  'montgomery',
  'county',
  'pennsylvania',
  'product',
  'account',
  'link',
  'site',
  'compensation',
  'site',
  'information',
  'medium',
  'partner',
  'accordance',
  'privacy',
  'policy',
  'footer',
  'navigationabout',
  'uspa',
  'medium',
  'groupthe',
  'patriot',
  'newsadvertise',
  'uscareer',
  'opportunitiespennlivecontact',
  'ussend',
  'news',
  'tipcommunity',
  'rulessubscriptionspennlivethe',
  'patriot',
  'newsnewslettersalready',
  'subscribermanage',
  'subscriptionplace',
  'vacation',
  'holdmake',
  'paymentdelivery',
  'feedbackpennlive',
  'sectionsbusinessobituariesjobsautosreal',
  'estaterentalsclassifiedshomenewssportspsu',
  'footballhigh',
  'school',
  'sportsbettingentertainmentpa',
  'life',
  'culturepa',
  'food',
  'diningopinionmobile',
  'appsiphone',
  'android',
  'appstablet',
  'appsmore',
  'pennliveweatherarchivespost',
  'jobpost',
  'classified',
  'adsell',
  'carsell',
  'homesponsor',
  'contentfollow',
  'ustwitterfacebookinstagramrssdisclaimeruse',
  'registration',
  'portion',
  'site',
  'acceptance',
  'user',
  'agreement',
  'privacy',
  'policy',
  'cookie',
  'statement',
  'privacy',
  'choices',
  'rights',
  'setting',
  'personal',
  'information',
  'advance',
  'local',
  'media',
  'llc',
  'right',
  'material',
  'site',
  'permission',
  'advance',
  'local',
  'community',
  'rule',
  'content',
  'site',
  'youtube',
  'privacy',
  'policy',
  'youtube',
  'term',
  'service',
  'ad',
  'choice'],
 ['associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'weather',
  'wisconsin',
  'day',
  'bill',
  'novak',
  'wisconsin',
  'state',
  'journal',
  'madison',
  'inch',
  'snow',
  'week',
  'thunderstorm',
  'day',
  'forecaster',
  'storm',
  'tuesday',
  'afternoon',
  'wednesday',
  'wednesday',
  'evening',
  'national',
  'weather',
  'service',
  'chance',
  'weather',
  'line',
  'dodgeville',
  'madison',
  'waukesha',
  'wednesday',
  'storm',
  'thursday',
  'state',
  'line',
  'pressure',
  'system',
  'area',
  'thunderstorm',
  'risk',
  'weather',
  'service',
  'collier',
  'double',
  'lynx',
  'mystics',
  'red',
  'sox',
  'league',
  'braves',
  'game',
  'sweep',
  'rodón',
  'bader',
  'yankees',
  'mets',
  'subway',
  'series',
  'temperature',
  'monday',
  'madison',
  'rain',
  'area',
  'weekend',
  'chance',
  'rain',
  'saturday',
  'night',
  'sunday',
  'borremans',
  'monday',
  'tuesday',
  'madison',
  'degree',
  'degree',
  'record',
  'high',
  'april',
  'low',
  'monday',
  'degree',
  'degree',
  'record',
  'low',
  'date',
  'rain',
  'airport',
  'april',
  'precipitation',
  'rain',
  'snow',
  'total',
  'inch',
  'inch',
  'record',
  'precipitation',
  'april',
  'inch',
  'spring',
  'march',
  'total',
  'inch',
  'inch',
  'total',
  'inch',
  'inch',
  'snow',
  'total',
  'inch',
  'april',
  'inch',
  'spring',
  'inch',
  'snow',
  'season',
  'record',
  'snowfall',
  'april',
  'inch',
  'associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights'],
 ['owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'letter',
  'editor',
  'letter',
  'editor',
  'power',
  'report',
  'emergency',
  'alarm',
  'storm',
  'today',
  '91f.',
  'winds',
  'sw',
  'mph',
  'tonight',
  'shower',
  'thunderstorm',
  '73f.',
  'wind',
  'ssw',
  'mph',
  'july',
  'mcconnell',
  'legacy',
  'beatrix',
  'potter',
  'library',
  'spotlight',
  'theatre',
  'crumpled',
  'classics',
  'p',
  'community',
  'calendar',
  'july',
  'july',
  'power',
  'report',
  'emergency',
  'alarm',
  'storm',
  'editor',
  'note',
  'story',
  'information',
  'storm',
  'madison',
  'county',
  'hour',
  'june',
  'madison',
  'county',
  'household',
  'electricity',
  'storm',
  'kentucky',
  'home',
  'bluegrass',
  'power',
  'resident',
  'hail',
  'property',
  'damage',
  'result',
  'wind',
  'richmond',
  'resident',
  'emylee',
  'richardson',
  'boyfriend',
  'couch',
  'home',
  'noise',
  'outside',
  'sound',
  'window',
  'sound',
  'house',
  'wind',
  'freight',
  'train',
  'glass',
  'room',
  'pet',
  'shelter',
  'bathroom',
  '”the',
  'register',
  'metal',
  'fencing',
  'eastern',
  'kentucky',
  'university',
  'eku',
  'roy',
  'kidd',
  'stadium',
  'road',
  'eastern',
  'bypass',
  'window',
  'hail',
  'outlet',
  'meteorologist',
  'chris',
  'johnson',
  'fox',
  'hail',
  'baseball',
  'wind',
  'm.p.h',
  'concern',
  'resident',
  'emergency',
  'alert',
  'radio',
  'madison',
  'county',
  'emergency',
  'management',
  'agency',
  'ema',
  'year',
  'weather',
  'berea',
  'resident',
  'madison',
  'noe',
  'emergency',
  'alert',
  'thunderstorm',
  'phone',
  'radio',
  'nightstand',
  'daughter',
  'siren',
  'power',
  'time',
  'family',
  'storm',
  'damage',
  'reason',
  'phone',
  'issue',
  'alarm',
  'system',
  'time',
  'test',
  'alert',
  'batteries!”another',
  'resident',
  'tracy',
  'thompson',
  'alarm',
  'household',
  'storm',
  'alarm',
  'storm',
  'alert',
  'phone',
  'siren',
  'alarm',
  'waste',
  'taxpayer',
  'money',
  'thompson',
  'coleman',
  'darcia',
  'jul',
  'jul',
  'gasper',
  'betty',
  'yvonne',
  'mar',
  'jul',
  'aich',
  'norman',
  'mar',
  'jul',
  'campbell',
  'earl',
  'sep',
  'jul',
  'broughton',
  'beulah',
  'sep',
  'jul',
  'mckee',
  'matthew',
  'jul',
  'baker',
  'estelle',
  'feb',
  'jul',
  'articlestaste',
  'richmond',
  'event',
  'place',
  'school',
  'event',
  'madison',
  'countyksp',
  'officer',
  'shooting',
  'bereademolition',
  'berea',
  'college',
  'edwards',
  'buildinghs',
  'golf',
  'indian',
  'topjiu',
  'jitsu',
  'wells',
  'national',
  'transfers',
  'june',
  'june',
  '2023hs',
  'girls',
  'golf',
  'lady',
  'indians',
  'sight',
  'trip',
  'bowling',
  'greenhigh',
  'school',
  'golf',
  'st.',
  'x',
  'title',
  'mchs',
  'invitationalberea',
  'punk',
  'rock',
  'band',
  'root',
  'ruin',
  'imagessorry',
  'result',
  'image',
  'videossorry',
  'result',
  'video',
  'commentedsorry',
  'result',
  'article',
  'sign',
  'news',
  'coverage',
  'inbox',
  'amendment',
  'congress',
  'law',
  'establishment',
  'religion',
  'exercise',
  'freedom',
  'speech',
  'press',
  'right',
  'people',
  'government',
  'redress',
  'grievance',
  'big',
  'hill',
  'ave',
  'richmond',
  'ky',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'blox',
  'content',
  'management',
  'system',
  'blox',
  'digital'],
 ['advertisementskip',
  'main',
  'contentaccessibility',
  'helpthe',
  'weather',
  'channeltype',
  'character',
  'auto',
  'complete',
  'location',
  'search',
  'query',
  'option',
  'arrow',
  'selection',
  'search',
  'city',
  'zip',
  'codesearchrecentsyou',
  'locationsglobeus',
  '°',
  'farrow',
  '°',
  'f',
  '°',
  'chybridimperial',
  'f',
  'mph',
  'mile',
  'inchesamericasarrow',
  'downantigua',
  'barbuda',
  'englishargentina',
  'españolbahamas',
  'englishbarbados',
  'englishbelize',
  'englishbolivia',
  'españolbrazil',
  'portuguêscanada',
  'englishcanada',
  'françaischile',
  'españolcolombia',
  'españolcosta',
  'rica',
  'españoldominica',
  'englishdominican',
  'republic',
  '',
  '',
  'españolecuador',
  'españolel',
  'salvador',
  '',
  '',
  'españolgrenada',
  'englishguatemala',
  'españolguyana',
  'englishhaiti',
  'françaishonduras',
  'españoljamaica',
  'englishmexico',
  'españolnicaragua',
  'españolpanama',
  'españolpanama',
  'englishparaguay',
  'españolperu',
  '',
  '',
  'españolst',
  'kitts',
  'nevis',
  'englishst',
  'lucia',
  '',
  '',
  'englishst',
  'vincent',
  'grenadines',
  'englishsuriname',
  'nederlandstrinidad',
  'tobago',
  'englishuruguay',
  'españolunited',
  'states',
  'englishunited',
  'states',
  'españolvenezuela',
  'españolafricaarrow',
  'downalgeria',
  'françaisangola',
  'portuguêsbenin',
  'françaisburkina',
  'faso',
  'françaisburundi',
  'françaiscameroon',
  '',
  '',
  'françaiscameroon',
  '',
  '',
  'englishcape',
  'verde',
  'portuguêscentral',
  'african',
  'republic',
  'françaischad',
  'françaischad',
  'العربيةcomoro',
  'françaiscomoros',
  '',
  '',
  'العربيةdemocratic',
  'republic',
  'congo',
  '',
  '',
  'françaisrepublic',
  'congo',
  'françaiscôte',
  "d'ivoire",
  'françaisdjibouti',
  'françaisdjibouti',
  'العربيةegypt',
  'العربيةequatorial',
  'guinea',
  'españoleritrea',
  'françaisgambia',
  'englishghana',
  'englishguinea',
  'françaisguinea',
  'bissau',
  'portuguêskenya',
  'englishlesotho',
  'englishliberia',
  'englishlibya',
  'العربيةmadagascar',
  'françaismali',
  'françaismauritania',
  'العربيةmauritius',
  '',
  '',
  'englishmauritius',
  'françaismorocco',
  '',
  '',
  'françaismozambique',
  'portuguêsnamibia',
  'englishniger',
  'françaisnigeria',
  'englishrwanda',
  'françaisrwanda',
  'englishsao',
  'tome',
  'principe',
  'portuguêssenegal',
  'françaissierra',
  'leone',
  'englishsomalia',
  'africa',
  'englishsouth',
  'sudan',
  'englishsudan',
  '',
  '',
  'englishtanzania',
  'françaistunisia',
  'العربيةuganda',
  'englishasia',
  'pacificarrow',
  'downaustralia',
  'englishbangladesh',
  'বাংলাbrunei',
  'bahasa',
  'melayuchina',
  'kong',
  'sar',
  '',
  '',
  'timor',
  'portuguêsfiji',
  'englishindia',
  'english',
  'englishindia',
  'hindi',
  'हिन्दीindonesia',
  'bahasa',
  'indonesiajapan',
  'englishsouth',
  'korea',
  '한국어kyrgyzstan',
  'русскийmalaysia',
  'bahasa',
  'melayumarshall',
  'islands',
  'englishmicronesia',
  'englishnew',
  'zealand',
  'englishpalau',
  'englishphilippines',
  'englishphilippines',
  'tagalogsamoa',
  'englishsingapore',
  'englishsingapore',
  '',
  '',
  '中文solomon',
  'islands',
  'englishtaiwan',
  '中文thailand',
  'ไทยtonga',
  'englishtuvalu',
  'englishvanuatu',
  'englishvanuatu',
  'françaisvietnam',
  'tiếng',
  'việteuropearrow',
  'downandorra',
  'catalàandorra',
  'françaisaustria',
  'deutschbelarus',
  'русскийbelgium',
  'dutchbelgium',
  'françaisbosnia',
  'herzegovina',
  'hrvatskicroatia',
  'hrvatskicyprus',
  'ελληνικάczech',
  'republic',
  'češtinadenmark',
  'danskestonia',
  'русскийestonia',
  'eestifinland',
  'suomifrance',
  'françaisgermany',
  'deutschgreece',
  'ελληνικάhungary',
  'magyarireland',
  'englishitaly',
  'italianoliechtenstein',
  'deutschluxembourg',
  'françaismalta',
  'englishmonaco',
  'françaisnetherlands',
  'nederlandsnorway',
  'norskpoland',
  'polskiportugal',
  'portuguêsromania',
  'românărussia',
  'русскийsan',
  'marino',
  'italianoslovakia',
  'slovenčinaspain',
  'españolspain',
  'catalàsweden',
  'svenskaswitzerland',
  'deutschturkey',
  'turkçeukraine',
  'українськаunited',
  'kingdom',
  'englishstate',
  'vatican',
  'city',
  'holy',
  'italianomiddle',
  'eastarrow',
  'downbahrain',
  'فارسىiraq',
  'العربيةisrael',
  'עִבְרִיתjordan',
  '',
  '',
  'العربيةlebanon',
  'العربيةpakistan',
  'اردوpakistan',
  'englishqatar',
  'arabia',
  'العربيةsyria',
  'arab',
  'emirates',
  'العربيةweathertoday',
  'forecasthourly',
  'forecast10',
  'day',
  'forecastweekend',
  'forecastmonthly',
  'forecastnational',
  'forecastnational',
  'newsalmanacradarweather',
  'motionradar',
  'mapsclassic',
  'weather',
  'mapsregional',
  'satelliteseveresevere',
  'alertssafety',
  'preparednesshurricane',
  'centralaccountsign',
  'upgo',
  'premiumlog',
  'inget',
  'newsletterweb',
  'notificationsnewvideo',
  'photostop',
  'storiesvideophotosclimate',
  'newsexternal',
  'linkaward',
  'investigationsexternal',
  'linkhealth',
  'activitiesallergy',
  'trackercold',
  'fluair',
  'quality',
  'forecasttv',
  'weatheralexa',
  'skillexternal',
  'linkwatch',
  'liveexternal',
  'linkpersonalitiesexternal',
  'linkweather',
  'productsalexa',
  'skillexternal',
  'linkseasonal',
  'dealsprivacyreview',
  'privacy',
  'ad',
  'settingsdata',
  'rightsprivacy',
  'policyarrow',
  'leftarrow',
  'righttodayhourly10',
  'dayweekendmonthlyradarvideovideomore',
  'forecastsmorearrow',
  'forecastsyesterday',
  'weatherexternal',
  'linkallergy',
  'trackercold',
  'fluair',
  'quality',
  'forecastadvertisementweather',
  'newsnorth',
  'carolina',
  'pfizer',
  'factory',
  'tornadoby',
  'jan',
  'wesner',
  'childs7',
  'day',
  'agoplayat',
  'glanceat',
  'people',
  'pallet',
  'medicine',
  'pfizer',
  'factory',
  'portion',
  'interstate',
  'morning',
  'brief',
  'email',
  'newsletter',
  'update',
  'weather',
  'channel',
  'meteorologist',
  'dozen',
  'people',
  'home',
  'facility',
  'damage',
  'wednesday',
  'tornado',
  'north',
  'carolina',
  'tornado',
  'medicine',
  'factory',
  'run',
  'pfizer',
  'n\u200bash',
  'county',
  'sheriff',
  'keith',
  'stone',
  'update',
  'facebook',
  'report',
  'pallet',
  'medicine',
  'facility',
  'stone',
  'damage',
  'county',
  '”(f\u200borecast',
  'threat',
  'area',
  'today',
  'tonight)n\u200bash',
  'county',
  'city',
  'rocky',
  'mount',
  'community',
  'dortches',
  'mile',
  'raleigh',
  'pfizer',
  'facility',
  'foot',
  'space',
  'acre',
  'company',
  'plant',
  'kind',
  'world',
  'pfizer',
  'website',
  'plant',
  'anesthesia',
  'drug',
  '%',
  'medication',
  'u.s.',
  'hospital',
  'erin',
  'fox',
  'pharmacy',
  'director',
  'university',
  'utah',
  'health',
  'associated',
  'press',
  'damage',
  'term',
  'shortage',
  'pfizer',
  'production',
  'site',
  'rebuild',
  'national',
  'weather',
  'service',
  'twister',
  'ef-3',
  'tornado',
  'north',
  'carolina',
  'month',
  'july!"nash',
  'county',
  'people',
  'structure',
  'tornado',
  'wral',
  'unc',
  'health',
  'nash',
  'hospital',
  'evaluation',
  'i\u200bn',
  'edgecombe',
  'county',
  'sheriff',
  'office',
  'facebook',
  'post',
  'number',
  'home',
  'business',
  'report',
  'life',
  'injury',
  'storm',
  'death',
  'pfizer',
  'plant',
  'weather',
  'area',
  'wednesday',
  'july',
  'rocky',
  'mount',
  'n.c.',
  'wtvd',
  'ap)advertisementstone',
  'people',
  'road',
  'tree',
  'power',
  'line',
  'situation',
  'v\u200bideo',
  'wtvd',
  'tv',
  'damage',
  'pfizer',
  'building',
  'medium',
  'wral',
  'tv',
  'home',
  'storm',
  'report',
  'tornado',
  'area',
  'home',
  'weather',
  'area',
  'wednesday',
  'july',
  'rocky',
  'mount',
  'n.c.',
  'wtvd',
  'ap)a\u200b',
  'portion',
  'interstate',
  'tree',
  'power',
  'outage',
  'area',
  'weather.com',
  'tornado',
  'vs',
  'warning',
  'difference?-5',
  'reason',
  'spring',
  'weather',
  'season',
  'state',
  'tornado',
  'outbreaks',
  'surprising',
  'answer-\u200bwhat',
  'storm',
  'home',
  'basement',
  'mobile',
  'homej\u200bimmy',
  'report',
  'weather',
  'company',
  'mission',
  'weather',
  'news',
  'environment',
  'importance',
  'science',
  'life',
  'story',
  'position',
  'parent',
  'company',
  'ibm',
  'toovideorecord',
  'heat',
  'countryvideonortheast',
  'heat',
  'wave',
  'wind',
  'tree',
  'new',
  'york',
  'hot',
  'morethat',
  'way',
  'cool',
  'offvideocat',
  'beachvideowhoop',
  'cat',
  'poolvideoalright',
  'pet',
  'pig',
  'poolsee',
  'moreadvertisementsign',
  'morning',
  'briefwake',
  'weather',
  'inbox',
  'weekday',
  'newsletter',
  'forecast',
  'weather',
  'insight',
  'photo',
  'trivium',
  'dash',
  'delight',
  'subscribetrending',
  'toddler',
  'brain',
  'landslide',
  'england',
  'southern',
  'coastvideokey',
  'ocean',
  'current',
  'study',
  'suggestsvideosea',
  'lions',
  'crowded',
  'san',
  'diego',
  'beachsee',
  'moreadvertisementadvertisementstay',
  'safeadvertisementin',
  'airvideohow',
  'app',
  'air',
  'qualityvideohow',
  'wildfire',
  'smoke',
  'oceans',
  'lake',
  'energy',
  'harmful',
  'air',
  'pollutionsee',
  'moreadvertisementadvertisementthe',
  'weather',
  'companythe',
  'weather',
  'channelweather',
  'undergroundfeedbackcareerspress',
  'roomadvertise',
  'sign',
  'upterm',
  'useprivacy',
  'policyadchoicesad',
  'choicesaccessibility',
  'statementdata',
  'vendorsgeorgiaessential',
  'accessibilitywe',
  'responsibility',
  'datum',
  'technology',
  'datum',
  'data',
  'vendor',
  'control',
  'datum',
  'privacy',
  'ad',
  'settingschoose',
  'information',
  'right',
  'copyright',
  'twc',
  'product',
  'technology',
  'llc',
  'theibm',
  'cloudibm',
  'cloudhidden',
  'weather',
  'icon',
  'maskshidden',
  'weather',
  'icon',
  'symbol'],
 ['library',
  'card',
  'use',
  'borrow',
  'materials',
  'hours',
  'locations',
  'interlibrary',
  'loan',
  'ill',
  'mission',
  'policies',
  'state',
  'librarian',
  'state',
  'library',
  'board',
  'state',
  'library',
  'board',
  'minutes',
  'reports',
  'departments',
  'reference',
  'services',
  'government',
  'information',
  'history',
  'genealogy',
  'law',
  'legislation',
  'dld',
  'libguides',
  'dld',
  'news',
  'library',
  'handicapped',
  'library',
  'lbph',
  'map',
  'directions',
  'question',
  'faqs',
  'lbph',
  'connecticut',
  'books',
  'ctc',
  'braille',
  'audio',
  'reading',
  'downloand',
  'bard',
  'connecticut',
  'volunteer',
  'services',
  'blind',
  'handicapped',
  'inc.',
  'cvsbh',
  'related',
  'programs',
  'services',
  'lbph',
  'news',
  'connecticut',
  'state',
  'historical',
  'records',
  'advisory',
  'board',
  'public',
  'records',
  'state',
  'connecticut',
  'state',
  'archives',
  'news',
  'csl',
  'digital',
  'archive',
  'ctda',
  'content',
  'dm',
  'moreresearch',
  'aerial',
  'photos',
  'connecticut',
  'newspapers',
  'connecticut',
  'vital',
  'records',
  'database',
  'legislative',
  'histories',
  'state',
  'agency',
  'profiles',
  'topic',
  'news',
  'news',
  'items',
  'thursday',
  'programs',
  'thursday',
  'video',
  'presentation',
  'event',
  'connecticut',
  'state',
  'librarylibguides',
  'homegovernment',
  'informationweatherblizzard',
  'homeextreme',
  'weatherweather',
  'disastersblizzard',
  'blizzard',
  '1888archivesnewspaper',
  'article',
  'october',
  'storm',
  'hurricanes',
  'floods',
  'winter',
  'weatheremergency',
  'preparedness',
  'blizzard',
  'description',
  'ctda',
  'collection',
  'blizzard',
  'great',
  'white',
  'hurricane',
  'day',
  'march',
  'blizzard',
  'northeast',
  'inch',
  'snow',
  'precipitation',
  'wind',
  'mph',
  'snow',
  'foot',
  'horse',
  'car',
  'stagecoach',
  'train',
  'halt',
  'delivery',
  'food',
  'fuel',
  'communication',
  'telegraph',
  'line',
  'region',
  'city',
  'new',
  'york',
  'boston',
  'hartford',
  'event',
  'blizzard',
  'people',
  'dollar',
  'property',
  'damage',
  'cleanup',
  'effort',
  'plow',
  'horse',
  'oxen',
  'shovel',
  'rainstorm',
  'u.s.',
  'mid',
  'area',
  'rain',
  'snow',
  'washington',
  'd.c.',
  'severance',
  'telegraph',
  'wire',
  'city',
  'northeast',
  'report',
  'northeast',
  'citizen',
  'train',
  'outage',
  'traffic',
  'accident',
  'inch',
  'snow',
  'saratoga',
  'albany',
  'new',
  'york',
  'new',
  'york',
  'stock',
  'exchange',
  'day',
  'snow',
  'midday',
  'train',
  'new',
  'york',
  'new',
  'york',
  'stock',
  'exchange',
  'business',
  'report',
  'blizzard',
  'fatality',
  'temperature',
  'source',
  'source',
  'blizzard',
  'page',
  'blizzard',
  'collection',
  'photograph',
  'hartford',
  'surrounding',
  'blizzard',
  'photograph',
  'albumen',
  'print',
  'photographer',
  'e.p.',
  'kellogg',
  'r.c.',
  'buell',
  'william',
  'b.',
  'lloyd',
  'william',
  'h.',
  'lockwood',
  'lockwood',
  'photograph',
  'book',
  'great',
  'snow',
  'storm',
  'connecticut',
  'state',
  'library',
  'blizzard',
  'great',
  'white',
  'hurricane',
  'day',
  'march',
  'blizzard',
  'northeast',
  'inch',
  'snow',
  'precipitation',
  'wind',
  'mph',
  'snow',
  'foot',
  'horse',
  'car',
  'stagecoach',
  'train',
  'halt',
  'delivery',
  'food',
  'fuel',
  'communication',
  'telegraph',
  'line',
  'region',
  'city',
  'new',
  'york',
  'boston',
  'hartford',
  'event',
  'blizzard',
  'people',
  'dollar',
  'property',
  'damage',
  'cleanup',
  'effort',
  'plow',
  'horse',
  'oxen',
  'shovel',
  'collection',
  'photograph',
  'hartford',
  'surrounding',
  'blizzard',
  'photograph',
  'albumen',
  'print',
  'photographer',
  'e.p.',
  'kellogg',
  'r.c.',
  'buell',
  'william',
  'b.',
  'lloyd',
  'william',
  'h.',
  'lockwood',
  'lockwood',
  'photograph',
  'book',
  'great',
  'snow',
  'storm',
  'connecticut',
  'state',
  'library',
  'address',
  'building',
  'business',
  'sanborn',
  'insurance',
  'maps',
  'hartford',
  'geer',
  'hartford',
  'city',
  'directory',
  'address',
  'address',
  'today',
  'street',
  'number',
  'hartford',
  'example',
  'wadsworth',
  'antheneum',
  'main',
  'street',
  'number',
  'main',
  'street',
  'blizzard',
  'collection',
  'photograph',
  'hartford',
  'surrounding',
  'blizzard',
  'photograph',
  'albumen',
  'print',
  'photographer',
  'e.p.',
  'kellogg',
  'r.c.',
  'buell',
  'william',
  'b.',
  'lloyd',
  'william',
  'h.',
  'lockwood',
  'lockwood',
  'photograph',
  'book',
  'great',
  'snow',
  'storm',
  'connecticut',
  'state',
  'library',
  'newspaper',
  'article',
  'time',
  'event',
  'article',
  'great',
  'blizzard',
  'topic',
  'chronicling',
  'america',
  'loc)library',
  'congress',
  'loc',
  'research',
  'guide',
  'chronicling',
  'america',
  'historic',
  'american',
  'newspapers',
  'ct',
  'state',
  'library',
  'newspaper',
  'collection',
  'article',
  'blizzard',
  'library',
  'congress',
  'loc',
  'research',
  'guide',
  'day',
  'march',
  'foot',
  'snow',
  'delaware',
  'montreal',
  'guide',
  'information',
  'topic',
  'great',
  'blizzard',
  'chronicling',
  'america',
  'collection',
  'newspaper',
  'ct',
  'state',
  'library',
  'newspaper',
  'collection',
  'article',
  'blizzard',
  'great',
  'blizzard',
  'topic',
  'chronicling',
  'america',
  'library',
  'congress',
  'research',
  'guides',
  'march',
  'weather',
  'disastersnext',
  'october',
  'storm',
  'jun',
  'pm',
  'subject',
  'connecticut',
  'governmental',
  'information',
  'reference',
  'weather',
  'tags',
  'blizzard',
  'disaster',
  'flood',
  'hurricane',
  'storm'],
 ['nowcast',
  'kcra',
  'news',
  'pm',
  'weekday',
  'evening',
  'noticias',
  'national',
  'news',
  'politics',
  'fact',
  'fact',
  'explore',
  'outdoors',
  'sports',
  'high',
  'school',
  'playbook',
  'entertainment',
  'cent',
  'project',
  'community',
  'stitch',
  'upload',
  'dignity',
  'health',
  'heart',
  'hub',
  'ad',
  'metv',
  'my58',
  'estrellatv',
  'h&i',
  'community',
  'news',
  'team',
  'editorials',
  'contact',
  'advertise',
  'kcra',
  'privacy',
  'notice',
  'notice',
  'collection',
  'terms',
  'privacy',
  'choices',
  'sale',
  'targeted',
  'ads',
  'press',
  'type',
  'search',
  'california',
  'storm',
  'recap',
  'weather',
  'northern',
  'california',
  'weekend',
  'weekend',
  'impact',
  'weather',
  'pm',
  'pdt',
  'mar',
  'california',
  'storm',
  'recap',
  'weather',
  'northern',
  'california',
  'weekend',
  'weekend',
  'impact',
  'weather',
  'pm',
  'pdt',
  'mar',
  'scattered',
  'clouds',
  'chance',
  'foothills',
  'rain',
  'pollock',
  'pines',
  'hill',
  'keifer',
  'east',
  'chance',
  'snowfall',
  'highway',
  'currently',
  'kirkwood',
  'spot',
  'arnold',
  'rain',
  'shower',
  'passing',
  'currently',
  'mild',
  'start',
  'modesto',
  'door',
  'degrees',
  'shore',
  'gone',
  'rain',
  'snow',
  'times',
  'turning',
  'snow',
  'snow',
  'level',
  'foot',
  'range',
  'half',
  'afternoon',
  'start',
  'breezy',
  'better',
  'chance',
  'shower',
  'afternoon',
  'thunderstorm',
  'hyzaar',
  'low',
  'mid',
  'atmospheric',
  'river',
  'hour',
  'snow',
  'level',
  'minutes',
  'briana',
  'airport',
  'boulevard',
  'offramp',
  'people',
  'airport',
  'offramp',
  'vehicle',
  'crash',
  'sound',
  'ramp',
  'you’re',
  'heading',
  'way',
  'eye',
  'lane',
  'eye',
  'westbound',
  'couple',
  'minor',
  'incident',
  'travel',
  'times',
  'moment',
  'west',
  'delay',
  'interstate',
  'couple',
  'vehicles',
  'crash',
  'backup',
  'northbound',
  'income',
  'modesto',
  'vehicles',
  'location',
  'vehicle',
  'freeway',
  'westbound',
  'bit',
  'slow',
  'delay',
  'minutes',
  'delay',
  'mainlines',
  'deirdre',
  'lot',
  'community',
  'agency',
  'high',
  'alert',
  'teo',
  'team',
  'morning',
  'preparation',
  'underway',
  'mike',
  'sacramento',
  'latest',
  'power',
  'outage',
  'pg&e',
  'lights',
  'deirdre',
  'tc',
  'emergency',
  'services',
  'teo',
  'erin',
  'stanislaus',
  'county',
  'neighborhood',
  'evacuation',
  'warnings',
  'patterson',
  'grayson',
  'area',
  'flank',
  'san',
  'joaquin',
  'river',
  'river',
  'water',
  'bank',
  'trees',
  'submerged',
  'river',
  'effect',
  'affected',
  'highlighted',
  'area',
  'county',
  'warning',
  'issued',
  'potential',
  'threat',
  'life',
  'property',
  'area',
  'prepare',
  'leave',
  'moment',
  'notice',
  'option',
  'evacuate',
  'shelter',
  'resident',
  'red',
  'shelter',
  'option',
  'fairground',
  'north',
  'broadway',
  'turlock',
  'snow',
  'water',
  'thursday',
  'friday',
  'got',
  'san',
  'joaquin',
  'river',
  'week',
  'deirdre',
  'heads',
  'student',
  'modification',
  'schedule',
  'truckee',
  'elementary',
  'school',
  'hour',
  'delayed',
  'start',
  'school',
  'campus',
  'limit',
  'snow',
  'teo',
  'progress',
  'state',
  'power',
  'deirdre',
  'concern',
  'dark',
  'round',
  'weather',
  'rolls',
  'mike',
  'joins',
  'outage',
  'situation',
  'mike',
  'don’t',
  'happen',
  'moving',
  'round',
  'weather',
  'speculation',
  'thing',
  'dark',
  'people',
  'power',
  'tuolumne',
  'county',
  'customer',
  'power',
  'county',
  'plus',
  'nevada',
  'county',
  'point',
  'customer',
  'power',
  'number',
  'customer',
  'outage',
  'situation',
  'thing',
  'improving',
  'wave',
  'weather',
  'comes',
  'deirdre',
  'pg&e',
  'agency',
  'alert',
  'teo',
  'office',
  'emergency',
  'services',
  'california',
  'flooding',
  'leticia',
  'agency',
  'leticia',
  'team',
  'state',
  'standby',
  'city',
  'firefighter',
  'respond',
  'crisis',
  'situation',
  'swift',
  'water',
  'rescue',
  'team',
  'trained',
  'discovery',
  'park',
  'attentional',
  'rescues',
  'trained',
  'swift',
  'water',
  'rescues',
  'flood',
  'evacuation',
  'emergency',
  'services',
  'hazmat',
  'community',
  'rule',
  'taken',
  'chance',
  'flooded',
  'streets',
  'water',
  'rapidly',
  'car',
  'meantime',
  'ground',
  'deirdre',
  'urged',
  'aware',
  'surroundings',
  'times',
  'emergency',
  'plan',
  'place',
  'kits',
  'ready',
  'don’t',
  'forget',
  'fill',
  'car',
  'gas',
  'road',
  'case',
  'delay',
  'you’re',
  'ordered',
  'evacuate',
  'quickly',
  'safety',
  'water',
  'rescue',
  'team',
  'training',
  'discovery',
  'park',
  'morning',
  'deirdre',
  'sacramento',
  'county',
  'community',
  'flooding',
  'storms',
  'left',
  'people',
  'emergency',
  'crews',
  'storms',
  'levee',
  'don’t',
  'issue',
  'staff',
  'materials',
  'gets',
  'thrown',
  'deirdre',
  'levee',
  'repairs',
  'repair',
  'wrapped',
  'saturday',
  'alerts',
  'breaking',
  'update',
  'email',
  'inbox',
  'california',
  'storm',
  'recap',
  'weather',
  'northern',
  'california',
  'weekend',
  'weekend',
  'impact',
  'weather',
  'pm',
  'pdt',
  'mar',
  'river',
  'aim',
  'region',
  'monday',
  'tuesday',
  'coverage',
  'round',
  'weather',
  'northern',
  'california',
  'coverage',
  'weekend',
  'update',
  'wednesday',
  'thursday.)get',
  'stormdownload',
  'app',
  'track',
  'doppler',
  'radar',
  'time',
  'traffic',
  'map',
  'newscastcheck',
  'forecastshelter',
  'resident',
  'stormsshare',
  'weather',
  'video',
  'chain',
  'control',
  'road',
  'condition',
  'sandbag',
  'location',
  'emergency',
  'alert',
  'report',
  'power',
  'outage',
  'power',
  'outage',
  'tree',
  'street',
  'flooding',
  'sacramentowhat',
  'emergency',
  'kitnorthern',
  'california',
  'storm',
  'sunday',
  'p.m.',
  'eastbound',
  'vehicle',
  'i-80',
  'chain',
  'wheel',
  'drive',
  'snow',
  'tire',
  'kingvale',
  'truckee.8:56',
  'traffic',
  'echo',
  'summit',
  'chain',
  'control',
  'twin',
  'bridges',
  'meyers',
  'el',
  'dorado',
  'county.8:11',
  'caltrans',
  'traffic',
  'direction',
  'echo',
  'summit',
  'spinout',
  'p.m.',
  'kcra',
  'weather',
  'team',
  'flash',
  'flood',
  'tuolumne',
  'county',
  'area',
  'mountain',
  'p.m.',
  'evacuation',
  'warning',
  'rural',
  'patterson',
  'grayson',
  'area',
  'san',
  'joaquin',
  'river.2:40',
  'chain',
  'control',
  'highway',
  'interstate',
  'caltrans',
  'national',
  'weather',
  'service',
  'tornado',
  'tuolumne',
  'county',
  'saturday',
  'look',
  'video',
  'viewer',
  'yesterday',
  'hailstorm',
  'backcountry',
  'avalanche',
  'danger',
  'today',
  'heavenly',
  'opening.8:55',
  'look',
  'new',
  'melones',
  'lake',
  'yesterday',
  'weather',
  'caloe',
  'flood',
  'personnel',
  'river',
  'calaveras',
  'county:6',
  'government',
  'engines',
  'type',
  'government',
  'imt',
  'membersel',
  'dorado',
  'county:3',
  'local',
  'government',
  'engines',
  'type',
  'oes',
  'engines',
  'type',
  'government',
  'imt',
  'members2',
  'local',
  'government',
  'swiftwater',
  'rescue',
  'teamsplacer',
  'county:3',
  'local',
  'government',
  'engines',
  'type',
  'government',
  'imt',
  'member2',
  'local',
  'government',
  'swift',
  'water',
  'rescue',
  'teamsnevada',
  'county:1',
  'local',
  'government',
  'engine',
  'type',
  'local',
  'government',
  'engine',
  'type',
  'oes',
  'engines',
  'type',
  'government',
  'imt',
  'member1',
  'local',
  'government',
  'swift',
  'water',
  'rescue',
  'teamtuolumne',
  'county:5',
  'local',
  'government',
  'engines',
  'type',
  'government',
  'imt',
  'memberstahoe',
  'basin:5',
  'local',
  'government',
  'engines',
  'type',
  'government',
  'imt',
  'membersacramento',
  'county',
  'oes',
  'sacramento',
  'fire',
  'department',
  'swift',
  'water',
  'rescue',
  'team',
  'condition',
  "shamrock'n",
  'half',
  'marathon',
  'sacramento',
  'meteorologist',
  'eileen',
  'javora',
  'chance',
  'thunderstorm',
  'today',
  'p.m.',
  'p.m.',
  'hour',
  'a.m.',
  'caltrans',
  'carson',
  'pass',
  'highway',
  'snow',
  'sierra',
  'chain',
  'control',
  'effect',
  'highway',
  'road',
  'condition',
  'saturday',
  'updates:9:17',
  'traffic',
  'echo',
  'summit',
  'avalanche',
  'control',
  'work.8:04',
  'caltrans',
  'traffic',
  'echo',
  'summit',
  'avalanche',
  'control',
  'work',
  'chain',
  'control',
  'effect',
  'p.m.',
  'kcra',
  'lee',
  'anne',
  'denyer',
  'tuolumne',
  'county',
  'look',
  'storm',
  'damage',
  'p.m.',
  'people',
  'power',
  'tuolumne',
  'county',
  'decline',
  'people',
  'outage',
  'update',
  'road',
  'sonora',
  'p.m.',
  'home',
  'fire',
  'jamestown',
  'power',
  'line',
  'cal',
  'fire',
  'people',
  'tornado',
  'warning',
  'area',
  'p.m.',
  'sonora',
  'park',
  'weather',
  'p.m.',
  'evacuation',
  'warning',
  'riverdale',
  'neighborhood',
  'modesto',
  'area',
  'kcra',
  'michelle',
  'bandur',
  'p.m.',
  'national',
  'weather',
  'service',
  'flash',
  'flood',
  'warning',
  'area',
  'copperopolis',
  'jamestown',
  'sonora',
  'tuolumne',
  'city',
  'twain',
  'harte',
  'soulbyville',
  'columbia',
  'warning',
  'p.m.3:20',
  'kcra',
  'meteorologist',
  'dirk',
  'verdoorn',
  'doppler',
  'radar',
  'warning',
  'sonora',
  'tuolumne',
  'county',
  'national',
  'weather',
  'service',
  'tornado',
  'warning',
  'tuolumne',
  'county',
  'nws',
  'warning',
  'p.m.',
  'california',
  'highway',
  'patrol',
  'truckee',
  'reminder',
  'chain',
  'control',
  'status',
  'area',
  'saturday',
  'afternoon.2:00',
  'state',
  'route',
  'hardin',
  'flat',
  'road',
  'south',
  'fork',
  'tuolumne',
  'bridge',
  'caltrans',
  'crew',
  'road.1:50',
  'kcra',
  'team',
  'meteorologist',
  'doppler',
  'radar',
  'thunderstorm',
  'warning',
  'place',
  'p.m.',
  'tuolumne',
  'calaveras',
  'san',
  'joaquin',
  'stanislaus',
  'counties.12:50',
  'national',
  'weather',
  'service',
  'thunderstorm',
  'warning',
  'san',
  'joaquin',
  'county',
  'stanislaus',
  'county',
  'p.m',
  'look',
  'yesterday',
  'water',
  'rescue',
  'american',
  'river',
  'sacramento',
  'county.7:27',
  'a.m.',
  'customer',
  'power',
  'nevada',
  'county',
  'state',
  'dashboard',
  'chain',
  'control',
  'sierra',
  'traveler',
  'road',
  'condition',
  'friday',
  'kcra',
  'melanie',
  'wingo',
  'south',
  'lake',
  'tahoe',
  'update',
  'work',
  'road',
  'snow',
  'p.m.',
  'kcra',
  'josie',
  'heart',
  'look',
  'home',
  'tracy.5:08',
  'rescue',
  'progress',
  'american',
  'river',
  'howe',
  'avenue',
  'boat',
  'ramp',
  'sacramento',
  'county.4:46',
  'heavenly',
  'resort',
  'resort',
  'tomorrow',
  'list',
  'road',
  'closure',
  'calaveras',
  'county',
  'p.m.',
  'stanislaus',
  'county',
  'office',
  'emergency',
  'services',
  'evacuation',
  'order',
  'modesto',
  'area',
  'south',
  'street',
  'west',
  'avon',
  'street',
  'river',
  'road',
  'tuolumne',
  'river',
  'tuolumne',
  'river',
  'flood',
  'stage',
  'p.m.',
  'chief',
  'meteorologist',
  'mark',
  'finan',
  'river',
  'level',
  'storm',
  'forecast',
  'storm',
  'week',
  'river',
  'flood',
  'stage',
  'finan',
  'says.4:19',
  'video',
  'road',
  'area',
  'tracy',
  'look',
  'condition',
  'night',
  'highway',
  'chain',
  'control',
  'tweet',
  'p.m.',
  'gov.',
  'newsom',
  'order',
  'floodwater',
  'store',
  'groundwater',
  'order',
  'regulation',
  'water',
  'agency',
  'user',
  'flood',
  'stage',
  'water',
  'groundwater',
  'recharge',
  'governor',
  'office',
  'northstar',
  'tomorrow.2:22',
  'chp',
  'list',
  'road',
  'tracy',
  'flooding',
  'livecopter',
  'folsom',
  'dam',
  'foot',
  'water',
  'second',
  'american',
  'river',
  'foot',
  'look',
  'peak',
  'wind',
  'region',
  'water',
  'release',
  'oroville',
  'dam',
  'today',
  'noon',
  'state',
  'official',
  'people',
  'storm',
  'people',
  'evacuation',
  'state',
  'official',
  'flood',
  'control',
  'oroville',
  ...],
 ['deseret',
  'digital',
  'media',
  'parksarchesbryce',
  'canyoncanyonlandscapitol',
  'reefziongrand',
  'canyongrand',
  'circle',
  'toursee',
  'allnational',
  'monumentsbears',
  'earscedar',
  'breaksdinosaur',
  'national',
  'monumentfour',
  'cornersgrand',
  'staircase',
  'escalantemonument',
  'valleytimpanogos',
  'cavesee',
  'allcities',
  'townskanabloganmoabogdenpark',
  'cityprovosalt',
  'lake',
  'citysee',
  'allstate',
  'parksantelope',
  'islandbear',
  'lake',
  'state',
  'parkcoral',
  'pink',
  'sand',
  'dunesgoblin',
  'valley',
  'state',
  'parkgreat',
  'salt',
  'lakesand',
  'hollowsnow',
  'canyonsee',
  'allski',
  'resortsalta',
  'ski',
  'area',
  'beaver',
  'mountain',
  'ski',
  'resortbrian',
  'head',
  'ski',
  'resortbrighton',
  'ski',
  'resortdeer',
  'valley',
  'resortpowder',
  'mountain',
  'ski',
  'resortsolitude',
  'mountain',
  'resortsee',
  'allnatural',
  'areasbonneville',
  'salt',
  'flatsflaming',
  'gorgelake',
  'powelllittle',
  'sahara',
  'sand',
  'dunespineview',
  'reservoirsan',
  'rafael',
  'swellthe',
  'wavesee',
  'allthings',
  'dooutdoor',
  'recreationatv',
  'road',
  'jeep',
  'toursaerial',
  'toursboatingcampingcanyoneeringfishinghiking',
  'backpackinghorseback',
  'ridingmountain',
  'bikingriver',
  'raftingrock',
  'climbingski',
  'snowboardsnowmobilingsupsee',
  'allattractionsamusement',
  'parksperforming',
  'artsfamily',
  'attractionsmuseumsshoppingspastemple',
  'squaresee',
  'allplan',
  'triptravel',
  'tips',
  'blogtrip',
  'ideas',
  'itinerariesgroup',
  'traveltransportationweatheremail',
  'signupprintable',
  'road',
  'trip',
  'activity',
  'book',
  'kidssee',
  'allscenic',
  'drivesfall',
  'colors',
  'drivesalpine',
  'loophighway',
  'scenic',
  'bywaymonument',
  'valley',
  '',
  '',
  'highway',
  'drivebig',
  'cottonwood',
  'canyonmirror',
  'lake',
  'highwayprovo',
  'canyonsee',
  'alllodgingway',
  'stayhotelsresortsvacation',
  'rentalsbed',
  'breakfastsrv',
  'parks',
  'campgroundsglampingsee',
  'allnear',
  'national',
  'parksarches',
  'national',
  'parkbryce',
  'canyon',
  'national',
  'parkcanyonlands',
  'national',
  'parkcapitol',
  'reef',
  'national',
  'parkzion',
  'national',
  'parksee',
  'allstate',
  'parks',
  'monumentsbear',
  'lakecoral',
  'pink',
  'sand',
  'dunesgrand',
  'staircase',
  'escalantemonument',
  'valleylake',
  'powellsan',
  'rafael',
  'swellsee',
  'allpopular',
  'destinationscedar',
  'cityheber',
  'valleymoabpark',
  'cityprovosalt',
  'lake',
  'cityst',
  'georgesee',
  'allski',
  'resortsaltabrian',
  'head',
  'brightondeer',
  'valley',
  'resortnordic',
  'valleypark',
  'citypowder',
  'mountainsee',
  'allpet',
  'friendlymoab',
  'pet',
  'friendly',
  'lodgingpark',
  'city',
  'pet',
  'friendly',
  'lodgingkanab',
  'pet',
  'friendly',
  'lodgingsalt',
  'lake',
  'pet',
  'friendly',
  'lodgingst',
  'george',
  'pet',
  'friendly',
  'lodgingzion',
  'pet',
  'lodgingsee',
  'allalready',
  'travel',
  'dates?book',
  '-->tours',
  'guidesby',
  'activity',
  'aerial',
  'toursatv-/offroad',
  'jeep',
  'toursbikingboat',
  'watercraft',
  'rentals',
  'canyoneeringfishinggroup',
  'tourshiking',
  'backpackinghorseback',
  'ridinghot',
  'air',
  'balloonjet',
  'boat',
  'tourskayak',
  'canoe',
  'rentalsmotorcycle',
  'tours',
  'rentalsmuseumsriver',
  'raftingrock',
  'climbingski',
  'snowboard',
  'rentalssnowmobilingsup',
  'rentalstransportationziplinesee',
  'allby',
  'destinationarches',
  'bear',
  'lakebryce',
  'canyoncanyonlandscapitol',
  'reefcedar',
  'citydavis',
  'countyflaming',
  'gorgegrand',
  'staircase',
  'escalanteheberkanablake',
  'powellmoabmonument',
  'valleyogdenpark',
  'cityprovosalt',
  'lake',
  'cityst',
  'george',
  'vernal',
  'zionsee',
  'alldealseventsshopmapswomen',
  'apparelmen',
  'apparelnewarticlesfreetravel',
  'forecast',
  'weather',
  'detail',
  'partner',
  'ksl.comutah',
  'weather',
  'sharevisit',
  'facebookvisit',
  'pinterestthere',
  'saying',
  'utah',
  'weather',
  'minute',
  'weather',
  'terrain',
  'mountain',
  'inch',
  'snow',
  'winter',
  'summer',
  'state',
  'temperature',
  '°',
  'f',
  'spring',
  'type',
  'weather',
  'advice',
  'anything!see',
  'salt',
  'lake',
  'city',
  'weather',
  'list',
  'utah',
  'park',
  'city',
  'destination',
  'utah',
  'destinations',
  'weatherbryce',
  'canyon',
  'weathercapitol',
  'reef',
  'weathercedar',
  'city',
  'weatherdinosaur',
  'national',
  'monument',
  'weatherdutch',
  'john',
  'weatherescalante',
  'weathergreen',
  'river',
  'weatherheber',
  'valley',
  'weatherhovenweep',
  'weatherlake',
  'powell',
  'weatherlogan',
  'weathermoab',
  'weathermonticello',
  'weathermonument',
  'valley',
  'weathernatural',
  'bridges',
  'weatherogden',
  'weatherpark',
  'city',
  'weatherprice',
  'weatherprovo',
  'weathersalt',
  'lake',
  'city',
  'weathersnowbird',
  'weatherspringdale',
  'george',
  'weathertorrey',
  'weathervernal',
  'weatherzion',
  'weatherfillmore',
  'weathersalt',
  'lake',
  'city',
  'weathercurrent',
  'weather',
  '°',
  'flow',
  '°',
  'fjanuaryfebruarymarchaprilmayjunejulyaugustseptemberoctobernovemberdecemberaverage',
  'temperaturesun92.6',
  '°',
  'flow62.9',
  'precipitationrainy',
  'weather',
  'snowfallsnowy',
  'weather',
  'icon0.0"article',
  'itinerariesview',
  'allarrow_forwardnavigate_nexthappy',
  'trails',
  'piute',
  'countywhat',
  'delano',
  'peak',
  'paiute',
  'atv',
  'trail',
  'butch',
  'cassidy',
  'utah',
  'piute',
  'secret',
  'travel',
  'park',
  'citywant',
  'adventure',
  'park',
  'city',
  'footprint',
  'utah.com',
  'county',
  'heckfireworks',
  'parade',
  'corn',
  'cob',
  'utah.com',
  'scoop',
  'festival',
  'fai',
  'arrow_forwardnatural',
  'bridges',
  'national',
  'monument',
  'gem',
  'second',
  'fiddlean',
  'radar',
  'destination',
  'radar',
  'natural',
  'bridges',
  'utah',
  'read',
  'guys',
  'getaway',
  'guy',
  'trip',
  'atv',
  'trail',
  'vernal',
  'utah',
  'crew',
  'kind',
  'w',
  'arrow_forwardtreat',
  'san',
  'rafael',
  'swell',
  'winterthe',
  'san',
  'rafael',
  'swell',
  'utah',
  'gem',
  'winter',
  'utah',
  'read',
  'triathlon',
  'fun',
  'greater',
  'zionlooking',
  'thing',
  'st.',
  'george',
  'fall',
  'addition',
  'ironman',
  'world',
  'championship',
  'arrow_forwardcolor',
  'insert',
  'emotion',
  'cedar',
  'city',
  'feel',
  'fall',
  'foliagerichly',
  'view',
  'utah',
  'autumn',
  'peep',
  'leave',
  'drive',
  'arrow_forwardplay',
  'play',
  'cedar',
  'citytake',
  'visit',
  'cedar',
  'city',
  'utah',
  'access',
  'world',
  'class',
  'theater',
  'ou',
  'utah',
  'cuisinegetting',
  'beehive',
  'state',
  'site',
  'flavor',
  'discover',
  'whe',
  'read',
  'peach',
  'thrills',
  'box',
  'elder',
  'countyutah',
  'box',
  'elder',
  'county',
  'paradise',
  'mountain',
  'range',
  'desert',
  'orchard',
  'al',
  'read',
  'arrow_forward9',
  'peaks',
  'utahtake',
  'peek',
  'peak',
  'utah',
  'kings',
  'peak',
  'deep',
  'creeks',
  'utah.com',
  't',
  'way',
  'access',
  'trails',
  'utahfrom',
  'wheelchair',
  'waterfall',
  'trail',
  'lakeside',
  'boardwalk',
  'wildflower',
  'u',
  'read',
  'legend',
  'utahever',
  'legend',
  'utah',
  'utah.com',
  'thing',
  'folklore',
  'gu',
  'arrow_forwardhappy',
  'trails',
  'piute',
  'countywhat',
  'delano',
  'peak',
  'paiute',
  'atv',
  'trail',
  'butch',
  'cassidy',
  'utah',
  'piute',
  'secret',
  'travel',
  'park',
  'citywant',
  'adventure',
  'park',
  'city',
  'footprint',
  'utah.com',
  'county',
  'heckfireworks',
  'parade',
  'corn',
  'cob',
  'utah.com',
  'scoop',
  'festival',
  'fai',
  'arrow_forwardnatural',
  'bridges',
  'national',
  'monument',
  'gem',
  'second',
  'fiddlean',
  'radar',
  'destination',
  'radar',
  'natural',
  'bridges',
  'utah',
  'read',
  'guys',
  'getaway',
  'guy',
  'trip',
  'atv',
  'trail',
  'vernal',
  'utah',
  'crew',
  'kind',
  'w',
  'arrow_forwardtreat',
  'san',
  'rafael',
  'swell',
  'winterthe',
  'san',
  'rafael',
  'swell',
  'utah',
  'gem',
  'winter',
  'utah',
  'read',
  'triathlon',
  'fun',
  'greater',
  'zionlooking',
  'thing',
  'st.',
  'george',
  'fall',
  'addition',
  'ironman',
  'world',
  'championship',
  'arrow_forwardcolor',
  'insert',
  'emotion',
  'cedar',
  'city',
  'feel',
  'fall',
  'foliagerichly',
  'view',
  'utah',
  'autumn',
  'peep',
  'leave',
  'drive',
  'arrow_forwardplay',
  'play',
  'cedar',
  'citytake',
  'visit',
  'cedar',
  'city',
  'utah',
  'access',
  'world',
  'class',
  'theater',
  'ou',
  'utah',
  'cuisinegetting',
  'beehive',
  'state',
  'site',
  'flavor',
  'discover',
  'whe',
  'read',
  'peach',
  'thrills',
  'box',
  'elder',
  'countyutah',
  'box',
  'elder',
  'county',
  'paradise',
  'mountain',
  'range',
  'desert',
  'orchard',
  'al',
  'read',
  'arrow_forward9',
  'peaks',
  'utahtake',
  'peek',
  'peak',
  'utah',
  'kings',
  'peak',
  'deep',
  'creeks',
  'utah.com',
  't',
  'way',
  'access',
  'trails',
  'utahfrom',
  'wheelchair',
  'waterfall',
  'trail',
  'lakeside',
  'boardwalk',
  'wildflower',
  'u',
  'read',
  'legend',
  'utahever',
  'legend',
  'utah',
  'utah.com',
  'thing',
  'folklore',
  'gu',
  'travel',
  'guides',
  'view',
  'travel',
  'guidesviews',
  'email',
  'listrecently',
  'visitedsubdirectory_arrow_rightdestinationsnational',
  'parksnational',
  'monumentscities',
  'townsstate',
  'parksski',
  'resortsnatural',
  'areasregionstemple',
  'square',
  'salt',
  'lake',
  'citythe',
  'great',
  'salt',
  'lake',
  'visitor',
  'informationmapsrecreation',
  'areasthings',
  'dooutdoor',
  'recreationattractionsplan',
  'tripscenic',
  'driveslodgingways',
  'staynear',
  'national',
  'parksstate',
  'parks',
  'monumentspopular',
  'resortspet',
  'friendlyby',
  'arearv',
  'rentalstours',
  'usvisit',
  'facebookvisit',
  'pinterestvisit',
  'youtubeaboutsubscribecontactadvertise',
  'usrecreate',
  'responsiblyprivacy',
  'policyterms',
  'useterms',
  'servicecopyright',
  'utah.com',
  'right',
  'utah',
  'travel',
  'industry',
  'websiteback'],
 ['health',
  'sex',
  'relationships',
  'viral',
  'trends',
  'human',
  'interest',
  'parenting',
  'fashion',
  'beauty',
  'food',
  'drink',
  'travel',
  'storm',
  'july',
  'weekend',
  'plan',
  'social',
  'link',
  'andrew',
  'wulfeck',
  'fox',
  'weather',
  'thank',
  'submission',
  'smoky',
  'sky',
  'northeast',
  'southeast',
  'air',
  'quality',
  'relief',
  'deep',
  'south',
  'heat',
  'wave',
  'july',
  'weekend',
  'derecho',
  'corn',
  'crop',
  'illinois',
  'mph',
  'wind',
  'fox',
  'forecast',
  'center',
  'threat',
  'hail',
  'wind',
  'saturday',
  'resident',
  'missouri',
  'foothill',
  'appalachians',
  'storm',
  'prediction',
  'center',
  'missouri',
  'illinois',
  'indiana',
  'kentucky',
  'risk',
  'storm',
  'spc',
  'thunderstorm',
  'round',
  'afternoon',
  'evening',
  'storm',
  'plenty',
  'instability',
  'moisture',
  'potential',
  'wind',
  'mph',
  'hail',
  'size',
  'quarter',
  'storm',
  'saturday',
  'afternoon',
  'way',
  'saturday',
  'night',
  'entirety',
  'area',
  'weather',
  'saturday',
  'sunday',
  'morning',
  'lot',
  'rain',
  'lot',
  'threat',
  'flash',
  'flooding',
  'location',
  'fox',
  'weather',
  'meteorologist',
  'kelly',
  'costa',
  'community',
  'zone',
  'weather',
  'st.',
  'louis',
  'missouri',
  'springfield',
  'illinois',
  'evansville',
  'indiana',
  'louisville',
  'kentucky',
  'storm',
  'threat',
  'instability',
  'moisture',
  'wind',
  'speed',
  'potential',
  'mph',
  'addition',
  'hail',
  'getty',
  'images',
  'istockphoto',
  'recovery',
  'mile',
  'derecho',
  'midwest',
  'community',
  'hour',
  'storm',
  'power',
  'thursday',
  'line',
  'thunderstorm',
  'derecho',
  'midwest',
  'wind',
  'mph',
  'report',
  'weather',
  'datum',
  'poweroutage.us',
  'outage',
  'missouri',
  'illinois',
  'indiana',
  'thousand',
  'power',
  'outage',
  'indiana',
  'illinois',
  'fox',
  'weather',
  'energy',
  'provider',
  'crew',
  'restoration',
  'time',
  'duke',
  'energy',
  'indiana',
  'ohio',
  'power',
  'customer',
  'storm',
  'mayor',
  'springfield',
  'illinois',
  'state',
  'emergency',
  'extent',
  'damage',
  'utility',
  'crew',
  'sunday',
  'home',
  'business',
  'state',
  'capital',
  'power',
  'sunday',
  'disturbance',
  'round',
  'weather',
  'sunday',
  'area',
  'threat',
  'couple',
  'round',
  'shower',
  'storm',
  'threat',
  'weather',
  'half',
  'weekend',
  'mississippi',
  'river',
  'eastern',
  'seaboard',
  'weather',
  'threat',
  'sunday',
  'mississippi',
  'river',
  'eastern',
  'seaboard',
  'shower',
  'storm',
  'fox',
  'weather',
  'communities',
  'louisville',
  'kentucky',
  'cincinnati',
  'washington',
  'd.c.',
  'baltimore',
  'sunday',
  'risk',
  'zone',
  'spc',
  'storm',
  'saturday',
  'cell',
  'wind',
  'hail',
  'hollywood',
  'actor',
  'contract',
  'talk',
  'story',
  'time',
  'girl',
  'montana',
  'police',
  'station',
  'miracle',
  'story',
  'time',
  'onlooker',
  'hunter',
  'biden',
  'sweetheart',
  'plea',
  'deal',
  'court',
  'story',
  'time',
  'teen',
  'country',
  'concert',
  'girlfriend',
  'horror',
  'expert',
  'weight',
  'overview',
  'found',
  'program',
  'safety',
  'pack',
  'fire',
  'extinguisher',
  '%',
  'sheet',
  'sleeper',
  'review',
  'expert',
  'sleep',
  'foundation',
  '%',
  'wayfair',
  'outdoor',
  'seating',
  'sale',
  'set',
  'sectional',
  'today',
  'beach',
  'wagon',
  'cart',
  'rollin',
  'beach',
  'kylie',
  'jenner',
  'stormi',
  'surgery',
  'teen',
  'kylie',
  'jenner',
  'boob',
  'job',
  'year',
  'denial',
  'jamie',
  'lynn',
  'spears',
  'responsibility',
  'fame',
  'noise',
  'activity',
  'mid',
  '-',
  'prison',
  'r.i.p.',
  'sinéad',
  'o’connor',
  'irish',
  'singer',
  'compare',
  'subject',
  'dead',
  'kevin',
  'spacey',
  'drinking',
  'acquittal',
  'london',
  'hotspot',
  'girl',
  'montana',
  'police',
  'station',
  'miracle',
  'news',
  'metro',
  'sports',
  'sports',
  'betting',
  'business',
  'opinion',
  'entertainment',
  'fashion',
  'beauty',
  'shopping',
  'lifestyle',
  'real',
  'estate',
  'media',
  'tech',
  'health',
  'travel',
  'astrology',
  'video',
  'photos',
  'stories',
  'alexa',
  'cover',
  'horoscopes',
  'sport',
  'odd',
  'podcast',
  'columnists',
  'classifieds',
  'email',
  'newsletters',
  'rss',
  'ny',
  'post',
  'official',
  'store',
  'home',
  'delivery',
  'new',
  'york',
  'post',
  'customer',
  'service',
  'apps',
  'community',
  'guidelines',
  'contact',
  'tips',
  'newsroom',
  'letters',
  'editor',
  'licensing',
  'reprints',
  'careers',
  'vulnerability',
  'disclosure',
  'program',
  'nyp',
  'holdings',
  'inc.',
  'rights',
  'reserved',
  'terms',
  'use',
  'membership',
  'terms',
  'privacy',
  'notice',
  'sitemap',
  'information'],
 ['main',
  'contentskip',
  'wall',
  'street',
  'journalenglish',
  'editionenglish中文',
  'chinese)日本語',
  'japanese)print',
  'headlinesmore',
  'products',
  'wsjbuy',
  'wsjwsj',
  'americamiddle',
  'eastsectionseconomymoreworld',
  'videou.s.sectionseconomylawpoliticsmoreu.s.',
  'videowhat',
  'news',
  'podcastpoliticsmorepolitics',
  'probankruptcycentral',
  'bankingprivate',
  'equityventure',
  'capitalmoreeconomic',
  'forecasting',
  'surveyeconomy',
  'videosectionscapital',
  'reportsthe',
  'future',
  'everythingobituariestech',
  'defenseautos',
  'transportationcommercial',
  'real',
  'estateconsumer',
  'productsenergyentrepreneurshipfinancial',
  'servicesfood',
  'serviceshealth',
  'carehospitalitylawmanufacturingmedia',
  'marketingnatural',
  'resourcesretailc',
  'suitecfo',
  'journalcio',
  'journalcmo',
  'todaylogistics',
  'reportrisk',
  'compliancethe',
  'workplace',
  'reportcolumnsheard',
  'streetwsj',
  'probankruptcycentral',
  'businessventure',
  'capitalmorebusiness',
  'videobusiness',
  'podcastspace',
  'sciencetechsectionscio',
  'journalthe',
  'future',
  'everythingpersonal',
  'techcolumnschristopher',
  'mimsjoanna',
  'sternjulie',
  'jargonnicole',
  'videotech',
  'podcastmarketssectionsbondscommercial',
  'real',
  'estatecommodities',
  'futuresstockspersonal',
  'financewsj',
  'moneystreetwiseintelligent',
  'investorcolumnsheard',
  'streetgreg',
  'ipjason',
  'zweiglaura',
  'saundersjames',
  'mackintoshmarket',
  'datamarket',
  'data',
  'homeu.s.',
  'ratesmutual',
  'funds',
  'journalmarkets',
  'videoyour',
  'money',
  'briefing',
  'podcastsecrets',
  'wealthy',
  'women',
  'podcastsearch',
  'quotes',
  'bakersadanand',
  'dhumeallysia',
  'finleyjames',
  'freemanwilliam',
  'a.',
  'galstondaniel',
  'henningerholman',
  'w.',
  'jenkinsandy',
  'kesslerwilliam',
  'mcgurnwalter',
  'russell',
  'meadpeggy',
  'noonanmary',
  'anastasia',
  "o'gradyjason",
  'rileyjoseph',
  'sternbergkimberley',
  'a.',
  'strasselmoreeditorialscommentaryfuture',
  'viewhouses',
  'worshipcross',
  'countryletters',
  'editorthe',
  'weekend',
  'interviewpotomac',
  'podcastforeign',
  'edition',
  'podcastfree',
  'expression',
  'podcastopinion',
  'videonotable',
  'quotablebooks',
  'artsreviewsfilmtelevisiontheatermasterpiece',
  'seriesmusicdanceoperaexhibitioncultural',
  'commentaryartarchitecturesectionsartsbooksmorewsj',
  'puzzleswhat',
  'watcharts',
  'calendarreal',
  'real',
  'estatemorereal',
  'estate',
  'videolife',
  'worksectionscarscareersfood',
  'drinkhome',
  'designideaspersonal',
  'financerecipestravelwellnesscolumnsyour',
  'healthwork',
  'lifecarry',
  'onbondsturning',
  'pointson',
  'clockmorewsj',
  'puzzlesspace',
  'sciencestylesectionslifestylefashionfilmtelevisionmusicart',
  'monday',
  'morningoff',
  'brandon',
  'trendsportssectionsbaseballbasketballfootballgolfhockeyolympicssoccertenniscolumnsjason',
  'gaysearchhomeworldregionsafricaasiacanadachinaeuropelatin',
  'americamiddle',
  'eastsectionseconomymoreworld',
  'videou.s.sectionseconomylawpoliticsmoreu.s.',
  'videowhat',
  'news',
  'podcastpoliticsmorepolitics',
  'probankruptcycentral',
  'bankingprivate',
  'equityventure',
  'capitalmoreeconomic',
  'forecasting',
  'surveyeconomy',
  'videosectionscapital',
  'reportsthe',
  'future',
  'everythingobituariestech',
  'defenseautos',
  'transportationcommercial',
  'real',
  'estateconsumer',
  'productsenergyentrepreneurshipfinancial',
  'servicesfood',
  'serviceshealth',
  'carehospitalitylawmanufacturingmedia',
  'marketingnatural',
  'resourcesretailc',
  'suitecfo',
  'journalcio',
  'journalcmo',
  'todaylogistics',
  'reportrisk',
  'compliancethe',
  'workplace',
  'reportcolumnsheard',
  'streetwsj',
  'probankruptcycentral',
  'businessventure',
  'capitalmorebusiness',
  'videobusiness',
  'podcastspace',
  'sciencetechsectionscio',
  'journalthe',
  'future',
  'everythingpersonal',
  'techcolumnschristopher',
  'mimsjoanna',
  'sternjulie',
  'jargonnicole',
  'videotech',
  'podcastmarketssectionsbondscommercial',
  'real',
  'estatecommodities',
  'futuresstockspersonal',
  'financewsj',
  'moneystreetwiseintelligent',
  'investorcolumnsheard',
  'streetgreg',
  'ipjason',
  'zweiglaura',
  'saundersjames',
  'mackintoshmarket',
  'datamarket',
  'data',
  'homeu.s.',
  'ratesmutual',
  'funds',
  'journalmarkets',
  'videoyour',
  'money',
  'briefing',
  'podcastsecrets',
  'wealthy',
  'women',
  'podcastsearch',
  'quotes',
  'bakersadanand',
  'dhumeallysia',
  'finleyjames',
  'freemanwilliam',
  'a.',
  'galstondaniel',
  'henningerholman',
  'w.',
  'jenkinsandy',
  'kesslerwilliam',
  'mcgurnwalter',
  'russell',
  'meadpeggy',
  'noonanmary',
  'anastasia',
  "o'gradyjason",
  'rileyjoseph',
  'sternbergkimberley',
  'a.',
  'strasselmoreeditorialscommentaryfuture',
  'viewhouses',
  'worshipcross',
  'countryletters',
  'editorthe',
  'weekend',
  'interviewpotomac',
  'podcastforeign',
  'edition',
  'podcastfree',
  'expression',
  'podcastopinion',
  'videonotable',
  'quotablebooks',
  'artsreviewsfilmtelevisiontheatermasterpiece',
  'seriesmusicdanceoperaexhibitioncultural',
  'commentaryartarchitecturesectionsartsbooksmorewsj',
  'puzzleswhat',
  'watcharts',
  'calendarreal',
  'real',
  'estatemorereal',
  'estate',
  'videolife',
  'worksectionscarscareersfood',
  'drinkhome',
  'designideaspersonal',
  'financerecipestravelwellnesscolumnsyour',
  'healthwork',
  'lifecarry',
  'onbondsturning',
  'pointson',
  'clockmorewsj',
  'puzzlesspace',
  'sciencestylesectionslifestylefashionfilmtelevisionmusicart',
  'monday',
  'morningoff',
  'brandon',
  'trendsportssectionsbaseballbasketballfootballgolfhockeyolympicssoccertenniscolumnsjason',
  'gaysearchsearch',
  'foundwe',
  'page',
  'url',
  'browser',
  'page',
  'site',
  'search',
  'articles',
  'u.s.hunter',
  'biden',
  'tax',
  'charges',
  'u.s.',
  'economyfed',
  'set',
  'rate',
  'year',
  'review',
  'outlookthe',
  'real',
  'desantis',
  'covid',
  'recordpopular',
  'videosvideo',
  'center',
  'na',
  "factbox'so",
  'heartbreaking',
  'whale',
  'australia',
  'na',
  'factboxparis',
  'olympics',
  'year',
  'countdown',
  'summer',
  'games',
  'na',
  'factboxwatch',
  'crane',
  'partially',
  'collapses',
  'new',
  'yorklatest',
  'podcastspodcast',
  'centeropinion',
  'potomac',
  'watchamerica',
  'broken',
  'immigration',
  'law',
  'court',
  'againthe',
  'wall',
  'street',
  'journal',
  'google',
  'news',
  'updatefed',
  'rate',
  'year',
  'highwhat',
  'newsfed',
  'rate',
  'year',
  'highthe',
  'wall',
  'street',
  'journalenglish',
  'editionenglish中文',
  'chinese)日本語',
  'wsj',
  'membershipbuy',
  'exclusivessubscription',
  'optionswhy',
  'subscribe?corporate',
  'subscriptionswsj',
  'higher',
  'education',
  'programwsj',
  'high',
  'school',
  'programpublic',
  'library',
  'programwsj',
  'livecommercial',
  'partnershipscustomer',
  'servicecustomer',
  'centercontact',
  'uscancel',
  'subscriptiontools',
  'featuresnewsletters',
  'alertsguidestopicsmy',
  'newsrss',
  'feedsvideo',
  'real',
  'estate',
  'adsplace',
  'classified',
  'adsell',
  'businesssell',
  'homerecruitment',
  'career',
  'adscouponsdigital',
  'self',
  'servicemoreabout',
  'uscontent',
  'partnershipscorrectionsjobs',
  'archiveregister',
  'freereprints',
  'licensingbuy',
  'issueswsj',
  'shopfacebooktwitterinstagramyoutubepodcastssnapchatgoogle',
  'playapp',
  'storedow',
  'jones',
  "productsbarron'sbigchartsdow",
  'jones',
  'newswiresfactivafinancial',
  'newsmansion',
  'globalmarketwatchrisk',
  'compliancebuy',
  'wsjwsj',
  'prowsj',
  'wineupdated',
  'privacy',
  'noticeupdated',
  'cookie',
  'noticecopyright',
  'policydata',
  'policysubscriber',
  'agreement',
  'terms',
  'useyour',
  'ad',
  'choicesaccessibilitycopyright',
  'dow',
  'jones',
  'company',
  'inc.',
  'rights'],
 ['dave',
  'ramsey',
  'mac',
  'morning',
  'chad',
  'benson',
  'coast',
  'coast',
  'w/',
  'george',
  'noory',
  'piece',
  'cody',
  'high',
  'school',
  'sports',
  'podcasts',
  'music',
  'spotlight',
  'advertise',
  'contact',
  'listener',
  'club',
  'job',
  'opportunities',
  'eeo',
  'public',
  'file',
  'dave',
  'ramsey',
  'mac',
  'morning',
  'chad',
  'benson',
  'coast',
  'coast',
  'w/',
  'george',
  'noory',
  'piece',
  'cody',
  'high',
  'school',
  'sports',
  'podcasts',
  'music',
  'spotlight',
  'advertise',
  'contact',
  'listener',
  'club',
  'job',
  'opportunities',
  'eeo',
  'public',
  'file',
  'winter',
  'storm',
  'road',
  'wyoming',
  'colorado',
  'nebraska',
  'associated',
  'press',
  'march',
  'winter',
  'snowstorm',
  'rocky',
  'mountains',
  'sunday',
  'snow',
  'wind',
  'airport',
  'road',
  'closure',
  'power',
  'outage',
  'avalanche',
  'warning',
  'colorado',
  'wyoming',
  'nebraska',
  'national',
  'weather',
  'service',
  'wyoming',
  'winter',
  'storm',
  'travel',
  'condition',
  'monday',
  'road',
  'line',
  'corner',
  'wyoming',
  'corner',
  'sunday',
  'road',
  'cheyenne',
  'casper',
  'foot',
  'centimeter',
  'snow',
  'cheyenne',
  'a.m.',
  'saturday',
  'weather',
  'service',
  'area',
  'city',
  'inch',
  'centimeter',
  'snotel',
  'site',
  'windy',
  'peak',
  'laramie',
  'range',
  'inch',
  'meter',
  'snow',
  'hour',
  'period',
  'sunday',
  'morning',
  'weather',
  'service',
  'person',
  'phone',
  'love',
  'travel',
  'stop',
  'cheyenne',
  'truck',
  'fuel',
  'time',
  'generator',
  'truck',
  'refrigerator',
  'freezer',
  'interstate',
  'wyoming',
  'nebraska',
  'panhandle',
  'foot',
  'centimeter',
  'snow',
  'kimball',
  'nebraska',
  'interstate',
  'north',
  'fort',
  'collins',
  'colorado',
  'end',
  'buffalo',
  'wyoming',
  'denver',
  'international',
  'airport',
  'runway',
  'noon',
  'sunday',
  'snow',
  'visibility',
  'flight',
  'runway',
  'closure',
  'impact',
  'airport',
  'official',
  'medium',
  'post',
  'foot',
  'snow',
  'dia',
  'saturday',
  'foot',
  'sunday',
  'colorado',
  'regional',
  'airport',
  'fort',
  'collins',
  'loveland',
  'area',
  'sunday',
  'morning',
  'foot',
  'snow',
  'airport',
  'medium',
  'account',
  'avalanche',
  'warning',
  'effect',
  'sunday',
  'rocky',
  'mountains',
  'fort',
  'collins',
  'boulder',
  'denver',
  'colorado',
  'springs',
  'snowfall',
  'avalanche',
  'colorado',
  'avalanche',
  'center',
  'center',
  'avalanche',
  'location',
  'backcountry',
  'avalanche',
  'colorado',
  'highway',
  'colorado',
  'sunday',
  'department',
  'transportation',
  'excel',
  'energy',
  'customer',
  'power',
  'sunday',
  'north',
  'colorado',
  'outage',
  'area',
  'poudre',
  'valley',
  'rural',
  'electric',
  'association',
  'rocky',
  'mountain',
  'power',
  'wyoming',
  'outage',
  'point',
  'service',
  'customer',
  'casper',
  'glenrock',
  'customer',
  'lander',
  'people',
  'power',
  'casper',
  'area',
  'sunday',
  'power',
  'company',
  'service',
  'interruption',
  'storm',
  'snow',
  'condition',
  'wind',
  'travel',
  'repair',
  'work',
  'today',
  'curt',
  'mansfield',
  'vice',
  'president',
  'operation',
  'rocky',
  'mountain',
  'power',
  'statement',
  'sunday',
  'ap',
  'ap',
  'news',
  'associated',
  'press',
  'cold',
  'temperatures',
  'colorado',
  'nebraska',
  'power',
  'outage',
  'snow',
  'winter',
  'winter',
  'weather',
  'wyoming',
  'vip',
  'listener',
  'clubcurrent',
  'weather',
  'cody86',
  '°',
  'sunny5:56',
  'pm',
  'mdtthufrisat84/54',
  '°',
  'f81/57',
  '°',
  'forecast',
  'cody',
  'wyoming',
  '▸',
  'lummis',
  'bipartisan',
  'effort',
  'broaden',
  'wyoming',
  'telehealth',
  'education',
  'access',
  'shoshone',
  'national',
  'forest',
  'proposing',
  'fee',
  'changes',
  'record',
  'saints',
  'qb',
  'brees',
  'retirement',
  'big',
  'horn',
  'medium',
  'schedule',
  'team',
  'advertise',
  'listener',
  'club',
  'contact',
  'fcc',
  'applications',
  'radio',
  'station',
  'database'],
 ['safety',
  'mobility',
  'economic',
  'opportunity',
  'homenews',
  'driver',
  'storm',
  'driver',
  'storm',
  'december',
  'justin',
  'smith',
  'rigby',
  'winter',
  'storm',
  'national',
  'weather',
  'service',
  'https://www.weather.gov/pih/',
  'idaho',
  'transportation',
  'department',
  'east',
  'idaho',
  'driver',
  'precaution',
  'case',
  'road',
  'motorist',
  'temperature',
  'snow',
  'wind',
  'combination',
  'road',
  'bryan',
  'young',
  'd6',
  'operations',
  'engineer',
  'safety',
  'public',
  'crew',
  'itd',
  'public',
  'trip',
  'winter',
  'storm',
  '511.idaho.gov',
  'app',
  'road',
  'condition',
  'distance',
  'vehicle',
  'snowplow',
  'right',
  'attention',
  'condition',
  'safety',
  'tip',
  'survival',
  'supply',
  'vehicle',
  'blanket',
  'flashlight',
  'water',
  'food',
  'vehicle',
  'gas',
  'tank',
  'car',
  'fluid',
  'level',
  'tire',
  'wiper',
  'brake',
  'battery',
  'condition',
  'dress',
  'weather',
  'coat',
  'boot',
  'glove',
  'sock',
  'self',
  'rescue',
  'vehicle',
  'shovel',
  'kitty',
  'litter',
  'tire',
  'chain',
  'route',
  'time',
  'cell',
  'phone',
  'vehicle',
  'tail',
  'pipe',
  'exhaust',
  'fume',
  'cabin',
  'window',
  'carbon',
  'monoxide',
  'build',
  'vehicle',
  'minute',
  'hour',
  'cabin',
  'itd',
  'share',
  'design',
  'plan',
  'farmway',
  'middleton',
  'road',
  'project',
  'itd',
  'night',
  'work',
  'idaho',
  'falls',
  'area',
  'road',
  'july',
  'august',
  'fatality',
  'idaho',
  'road',
  'climb',
  'police',
  'enforcement',
  'effort',
  'july',
  'delay',
  'u.s.',
  'highway',
  'dike',
  'bypass',
  'railroad',
  'track',
  'removal',
  'u.s.',
  'highway',
  'memorial',
  'bridge',
  'construction',
  'idaho',
  'transportation',
  'department',
  'policy',
  'cybersecurity',
  'accessibility',
  '',
  '',
  'accesibilidad11331',
  'w.',
  'chinden',
  'blvd',
  'boise',
  'id',
  'po',
  'box',
  'boise',
  'id'],
 ['account',
  'sign',
  'sign',
  'facebook',
  'ohio',
  'weather',
  'couple',
  'window',
  'pleasantry',
  'section',
  'state',
  'ohio',
  'experience',
  'summer',
  'winter',
  'period',
  'edge',
  'season',
  'october',
  'summer',
  'temperature',
  '°',
  'f',
  'june',
  'august',
  'humidity',
  'condition',
  'spring',
  'summer',
  'thunderstorm',
  'tornado',
  'precipitation',
  'year',
  'winter',
  'plenty',
  'snow',
  'ice',
  'storm',
  'december',
  'february',
  'mercury',
  'stay',
  '30',
  '°',
  'f',
  'night',
  'low',
  'freezing',
  'inch',
  'snow',
  'month',
  'average',
  'winter',
  'lake',
  'erie',
  'lake',
  'effect',
  'condition',
  'toledo',
  'cleveland',
  'city',
  'cincinnati',
  'temperature',
  '°',
  'f',
  'year',
  'winter',
  'summer',
  'time',
  'ohio',
  'ohio',
  'fall',
  'color',
  'hill',
  'state',
  'hardwood',
  'october',
  'season',
  'year',
  'state',
  'high',
  '60',
  '°',
  'f',
  'october',
  '70',
  '°',
  'f',
  'september',
  'travel',
  'period',
  'ohio',
  'hotel',
  'rate',
  'fall',
  'discount',
  'accommodation',
  'november',
  'april',
  'spring',
  'merit',
  'weather',
  'temperature',
  'april',
  '°',
  'f',
  'tree',
  'flower',
  'bud',
  'chance',
  'rain',
  'time',
  'ohio',
  'room',
  'rate',
  'countries',
  'planet',
  'deserts',
  'bloom',
  'spot',
  'springtime',
  'wildflower',
  'luxury',
  'safari',
  'africa',
  'yoho',
  'national',
  'park',
  'incredible',
  'place',
  'source',
  'adventure',
  'tourism',
  'travel',
  'guide'],
 ['owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'account',
  'dashboard',
  'profile',
  'item',
  'log',
  'account',
  'log',
  'account',
  'sign',
  'today',
  'account',
  'dashboard',
  'profile',
  'item',
  'storm',
  'tracker',
  'weather',
  'app',
  'winter',
  'storm',
  'warning',
  'ice',
  'snow',
  'storm',
  'mid',
  '-',
  'michigan',
  'feb',
  'feb',
  'mid',
  'michigan',
  'wjrt',
  'national',
  'weather',
  'service',
  'mid',
  '-',
  'michigan',
  'winter',
  'storm',
  'ice',
  'snow',
  'storm',
  'region',
  'warning',
  'effect',
  'noon',
  'wednesday',
  'a.m.',
  'thursday',
  'mid',
  '-',
  'michigan',
  'ice',
  'storm',
  'warning',
  'area',
  'south',
  'livingston',
  'oakland',
  'county',
  'list',
  'mid',
  '-',
  'michigan',
  'school',
  'closingsthe',
  'storm',
  'tracker',
  'weather',
  'team',
  'snowfall',
  'event',
  'mid',
  '-',
  'michigan',
  'icing',
  'county',
  'i-69',
  'south',
  'upward',
  'inch',
  'snow',
  'north',
  'saginaw',
  'bay',
  'snow',
  'snowfall',
  'rain',
  'total',
  'south',
  'great',
  'lakes',
  'bay',
  'region',
  'flint',
  'area',
  'inch',
  'snow',
  'quarter',
  'inch',
  'ice',
  'wednesday',
  'thursday',
  'travel',
  'condition',
  'day',
  'wednesday',
  'ice',
  'snow',
  'mid',
  '-',
  'michigan',
  'wind',
  'lake',
  'huron',
  'temperature',
  'mark',
  'degree',
  'wednesday',
  'travel',
  'condition',
  'wednesday',
  'evening',
  'thursday',
  'morning',
  'precipitation',
  'mid',
  '-',
  'michigan',
  'midday',
  'thursday',
  'flurry',
  'drizzle',
  'area',
  'wind',
  'west',
  'thursday',
  'air',
  'temperature',
  '30',
  'thursday',
  '20',
  'friday',
  'consumers',
  'energy',
  'weather',
  'forecast',
  'possibility',
  'power',
  'outage',
  'ice',
  'wind',
  'mid',
  '-',
  'michigan',
  'utility',
  'truck',
  'equipment',
  'power',
  'staging',
  'crew',
  'area',
  'damage',
  'consumers',
  'energy',
  'tip',
  'mid',
  '-',
  'resident',
  'storm',
  'device',
  'emergency',
  'power',
  'source',
  'emergency',
  'kit',
  'flashlight',
  'battery',
  'water',
  'food',
  'blanket',
  'medication',
  'baby',
  'supply',
  'food',
  'battery',
  'radio',
  'electronic',
  'tv',
  'computer',
  'printer',
  'generator',
  'foot',
  'door',
  'window',
  'air',
  'intake',
  'generator',
  'carbon',
  'monoxide',
  'poisoning',
  'vehicle',
  'garage',
  'gas',
  'stove',
  'heat',
  'utility',
  'crew',
  'road',
  'storm',
  'news',
  'headline',
  'forecast',
  'sport',
  'abc12',
  'news',
  'email',
  'alert',
  'mid',
  '-',
  'michigan',
  'school',
  'wednesday',
  'snow',
  'ice',
  'storm',
  'school',
  'mid',
  '-',
  'michigan',
  'class',
  'wednesday',
  'winter',
  'storm',
  'system',
  'mix',
  'snow',
  'ice',
  'region',
  'michigan',
  'state',
  'police',
  'resident',
  'winter',
  'storm',
  'jr',
  'wednesday',
  'evening',
  'weather',
  'report',
  'march',
  '9th',
  'morning',
  'weather',
  'florida',
  'death',
  'toll',
  'hurricane',
  'ian',
  'search',
  'survivor',
  'september',
  '6th',
  'morning',
  'weather',
  'hurricane',
  'sanibel',
  'island',
  'world',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'copyright',
  'allen',
  'media',
  'broadcasting',
  'lapeer',
  'road',
  'flint',
  'mi',
  'term',
  'use',
  'blox',
  'content',
  'management',
  'system',
  'blox',
  'digital'],
 ['health',
  'sex',
  'relationships',
  'viral',
  'trends',
  'human',
  'interest',
  'parenting',
  'fashion',
  'beauty',
  'food',
  'drink',
  'travel',
  'flash',
  'flooding',
  'vermont',
  'storm',
  'tornado',
  'northeast',
  'thursday',
  'social',
  'link',
  'chris',
  'oberholtz',
  'fox',
  'weather',
  'thank',
  'submission',
  'thunderstorm',
  'watch',
  'high',
  'plains',
  'forecaster',
  'storm',
  'hail',
  'heat',
  'wave',
  'million',
  'calvin',
  'hurricane',
  'eastern',
  'pacific',
  'new',
  'england',
  'flooding',
  'year',
  'round',
  'rain',
  'thunderstorm',
  'watch',
  'p.m.',
  'edt',
  'southeast',
  'indiana',
  'eastern',
  'kentucky',
  'ohio',
  'southwest',
  'pennsylvania',
  'west',
  'virginia',
  'thunderstorm',
  'watch',
  'effect',
  'p.m.',
  'edt',
  'new',
  'york',
  'vermont',
  'massachusetts',
  'connecticut',
  'series',
  'disturbance',
  'shower',
  'thunderstorm',
  'northeast',
  'thursday',
  'weekend',
  'city',
  'town',
  'northeast',
  'new',
  'england',
  'foot',
  'rain',
  'sunday',
  'area',
  'inch',
  'person',
  'flooding',
  'new',
  'york',
  'vermont',
  'state',
  'flooding',
  'event',
  'area',
  'flooding',
  'week',
  'vermont',
  'flash',
  'flooding',
  'inch',
  'rain',
  'northeast',
  'saturday',
  'shower',
  'thunderstorm',
  'northeast',
  'weekend',
  'fox',
  'weather',
  'day',
  'flash',
  'flood',
  'emergency',
  'hudson',
  'valley',
  'vermont',
  'fox',
  'weather',
  'meteorologist',
  'britta',
  'merwin',
  'storm',
  'rain',
  'weather',
  'flash',
  'flood',
  'emergency',
  'level',
  'trough',
  'pressure',
  'thursday',
  'east',
  'coast',
  'chance',
  'thunderstorm',
  'rain',
  'ohio',
  'valley',
  'northeast',
  'flow',
  'system',
  'moisture',
  'fox',
  'forecast',
  'center',
  'city',
  'town',
  'northeast',
  'inch',
  'rain',
  'sunday',
  'fox',
  'weather',
  'upstate',
  'new',
  'york',
  'new',
  'england',
  'ohio',
  'valley',
  'risk',
  'flash',
  'flooding',
  'friday',
  'flood',
  'watch',
  'new',
  'york',
  'vermont',
  'merwin',
  'response',
  'flash',
  'flood',
  'threat',
  'coast',
  'friday',
  'new',
  'england',
  'mid',
  'risk',
  'flooding',
  'fox',
  'forecast',
  'center',
  'flash',
  'flood',
  'threat',
  'saturday',
  'rain',
  'thunderstorm',
  'flash',
  'flooding',
  'alert',
  'new',
  'york',
  'interior',
  'new',
  'england',
  'ohio',
  'valley',
  'friday',
  'fox',
  'weather',
  'hail',
  'wind',
  'northeast',
  'ohio',
  'valley',
  'thursday',
  'thunderstorm',
  'new',
  'york',
  'vermont',
  'wind',
  'hail',
  'couple',
  'tornado',
  'thursday',
  'afternoon',
  'evening',
  'noaa',
  'storm',
  'prediction',
  'center',
  'spc',
  'schenectady',
  'utica',
  'rome',
  'saratoga',
  'springs',
  'rotterdam',
  'new',
  'york',
  'city',
  'northeast',
  'level',
  'risk',
  'zone',
  'weather',
  'level',
  'risk',
  'storm',
  'area',
  'northeast',
  'ohio',
  'valley',
  'tornado',
  'pennsylvania',
  'joke',
  'reality',
  'merwin',
  'shelter',
  'spc',
  'outlook',
  '%',
  'tornado',
  'risk',
  'area',
  'new',
  'york',
  'state',
  '%',
  'tornado',
  'risk',
  'area',
  'ohio',
  'valley',
  'vermont',
  'pentagon',
  'dig',
  'tuberville',
  'm',
  'story',
  'time',
  'girl',
  'montana',
  'police',
  'station',
  'miracle',
  'story',
  'time',
  'onlooker',
  'hunter',
  'biden',
  'sweetheart',
  'plea',
  'deal',
  'court',
  'story',
  'time',
  'teen',
  'country',
  'concert',
  'girlfriend',
  'horror',
  'expert',
  'weight',
  'overview',
  'found',
  'program',
  'safety',
  'pack',
  'fire',
  'extinguisher',
  '%',
  'sheet',
  'sleeper',
  'review',
  'expert',
  'sleep',
  'foundation',
  '%',
  'wayfair',
  'outdoor',
  'seating',
  'sale',
  'set',
  'sectional',
  'today',
  'beach',
  'wagon',
  'cart',
  'rollin',
  'beach',
  'kylie',
  'jenner',
  'stormi',
  'surgery',
  'teen',
  'kylie',
  'jenner',
  'boob',
  'job',
  'year',
  'denial',
  'jamie',
  'lynn',
  'spears',
  'responsibility',
  'fame',
  'noise',
  'activity',
  'mid',
  '-',
  'prison',
  'r.i.p.',
  'sinéad',
  'o’connor',
  'irish',
  'singer',
  'compare',
  'subject',
  'dead',
  'kevin',
  'spacey',
  'drinking',
  'acquittal',
  'london',
  'hotspot',
  'girl',
  'montana',
  'police',
  'station',
  'miracle',
  'news',
  'metro',
  'sports',
  'sports',
  'betting',
  'business',
  'opinion',
  'entertainment',
  'fashion',
  'beauty',
  'shopping',
  'lifestyle',
  'real',
  'estate',
  'media',
  'tech',
  'health',
  'travel',
  'astrology',
  'video',
  'photos',
  'stories',
  'alexa',
  'cover',
  'horoscopes',
  'sport',
  'odd',
  'podcast',
  'columnists',
  'classifieds',
  'email',
  'newsletters',
  'rss',
  'ny',
  'post',
  'official',
  'store',
  'home',
  'delivery',
  'new',
  'york',
  'post',
  'customer',
  'service',
  'apps',
  'community',
  'guidelines',
  'contact',
  'tips',
  'newsroom',
  'letters',
  'editor',
  'licensing',
  'reprints',
  'careers',
  'vulnerability',
  'disclosure',
  'program',
  'nyp',
  'holdings',
  'inc.',
  'rights',
  'reserved',
  'terms',
  'use',
  'membership',
  'terms',
  'privacy',
  'notice',
  'sitemap',
  'information'],
 ['national',
  'world',
  'news',
  'political',
  'news',
  'outdoor',
  'news',
  'health',
  'medical',
  'news',
  'science',
  'technology',
  'business',
  'entertainment',
  'news',
  'current',
  'conditions',
  'seven',
  'day',
  'outlook',
  'interactive',
  'radar',
  'weather',
  'alerts',
  'school',
  'alert',
  'traffic',
  'kstp',
  'tv',
  'schedule',
  'issue',
  'tom',
  'hauser',
  'minnesota',
  'live',
  'twin',
  'cities',
  'sports',
  'home',
  'minnesota',
  'vikings',
  'minnesota',
  'timberwolves',
  'minnesota',
  'wild',
  'minnesota',
  'lynx',
  'minnesota',
  'twins',
  'minnesota',
  'united',
  'college',
  'sports',
  'high',
  'school',
  'sports',
  'link',
  'minnesota',
  'community',
  'event',
  'health',
  'contest',
  'contact',
  'eyewitness',
  'news',
  'news',
  'team',
  'kstp',
  'mobile',
  'apps',
  'news',
  'tip',
  'photo',
  'videos',
  'advertising',
  'marketing',
  'services',
  'viewer',
  'newsletter',
  'question',
  'hubbard',
  'broadcasting',
  'stations',
  'overnight',
  'storm',
  'thousand',
  'power',
  'minnesota',
  'wisconsin',
  'power',
  'crew',
  'wednesday',
  'morning',
  'thunderstorm',
  'minnesota',
  'wisconsin',
  'thousand',
  'people',
  'electricity',
  'tree',
  'snelling',
  'avenue',
  'st.',
  'paul',
  'road',
  'sargent',
  'cres',
  'a.m.',
  'area',
  'click',
  'picture',
  'storm',
  'damage',
  'xcel',
  'energy',
  'customer',
  'power',
  'state',
  'half',
  'metro',
  'area',
  'hour',
  'number',
  'customer',
  'region',
  'customer',
  'metro',
  'area',
  'list',
  'utility',
  'company',
  'state',
  'link',
  'website',
  'clicking',
  'stearns',
  'county',
  'authority',
  'damage',
  'city',
  'brooten',
  'belgrade',
  'township',
  'community',
  'member',
  'lookout',
  'hazard',
  'worker',
  'damage',
  'assessment',
  'footage',
  'chopper',
  'tree',
  'roof',
  'building',
  'video',
  'article',
  'roof',
  'building',
  'new',
  'london',
  'minn.',
  'wednesday',
  'july',
  'storm',
  'credit',
  'chopper',
  '5the',
  'national',
  'weather',
  'service',
  'nws',
  'crew',
  'kandiyohi',
  'county',
  'line',
  'wind',
  'damage',
  'nws',
  'wind',
  'speed',
  'mph',
  'wind',
  'hail',
  'area',
  'minnesota',
  'click',
  'storm',
  'report',
  'map',
  'point',
  'national',
  'weather',
  'service',
  'wind',
  'speed',
  'mile',
  'hour',
  'new',
  'london',
  'west',
  'twin',
  'cities',
  'metro',
  'inch',
  'rain',
  'minneapolis',
  'st.',
  'paul',
  'international',
  'airport',
  'rain',
  'morning',
  'msp',
  'day',
  'march',
  'kstp',
  'mnwx',
  'pic.twitter.com/cerfpdr1yy',
  'ken',
  'barlow',
  '@kbarlowkstp',
  'july',
  'race',
  'power',
  'heat',
  'region',
  'wednesday',
  'thursday',
  'temperature',
  'degree',
  'forecast',
  'alert',
  'effect',
  'day',
  'heat',
  'humidity',
  'forecast',
  'clicking',
  'weather',
  'advisory',
  'clicking',
  'country',
  'weather',
  'scientist',
  'ocean',
  'water',
  'key',
  'largo',
  'degree',
  'record',
  'scientist',
  'half',
  'ocean',
  'water',
  'globe',
  'heat',
  'wave',
  'condition',
  'september',
  'related',
  'water',
  'tip',
  'florida',
  'tub',
  'level',
  'world',
  'record',
  'seawaterin',
  'phoenix',
  'arizona',
  'kstp',
  'abc',
  'affiliate',
  'pound',
  'block',
  'ice',
  'test',
  'degree',
  'heat',
  'half',
  'hour',
  'click',
  'heat',
  'center',
  'storm',
  'power',
  'thousandsstorm',
  'power',
  'thousandscloud',
  'grape',
  'dancing',
  'dragonfly',
  'winery',
  'credit',
  'rachel',
  'nelson',
  'story',
  'power',
  'outage',
  'storm',
  'damage',
  'weather',
  'home',
  'page',
  'watch',
  'newscasts',
  'news',
  'weather',
  'video',
  'programming',
  'sports',
  'contact',
  'kstp',
  'tv',
  'fcc',
  'public',
  'inspection',
  'file',
  'kstc',
  'tv',
  'fcc',
  'public',
  'inspection',
  'file',
  'ksax',
  'tv',
  'fcc',
  'public',
  'inspection',
  'file',
  'krwf',
  'tv',
  'fcc',
  'public',
  'inspection',
  'file',
  'additional',
  'public',
  'information',
  'kstp',
  'tv',
  'kstc',
  'tv',
  'fcc',
  'applications',
  'ksax',
  'tv',
  'fcc',
  'applications',
  'krwf',
  'tv',
  'fcc',
  'applications',
  'terms',
  'use',
  'dmca',
  'notice',
  'contest',
  'rules',
  'hubbard',
  'television',
  'group',
  'privacy',
  'policy',
  'person',
  'disability',
  'help',
  'content',
  'fcc',
  'public',
  'file',
  'kstp',
  'form',
  'website',
  'user',
  'european',
  'economic',
  'area',
  'kstp',
  'tv',
  'llc',
  'hubbard',
  'broadcasting',
  'company'],
 ['news',
  'headlines',
  'crime',
  'public',
  'safety',
  'california',
  'news',
  'national',
  'news',
  'world',
  'news',
  'politics',
  'education',
  'environment',
  'science',
  'health',
  'mr.',
  'roadshow',
  'transportation',
  'local',
  'news',
  'map',
  'bay',
  'area',
  'san',
  'jose',
  'santa',
  'clara',
  'county',
  'peninsula',
  'san',
  'mateo',
  'county',
  'alameda',
  'county',
  'santa',
  'cruz',
  'county',
  'sal',
  'pizarro',
  'obituaries',
  'news',
  'local',
  'obituaries',
  'place',
  'obituary',
  'opinion',
  'editorials',
  'opinion',
  'columnists',
  'letters',
  'editor',
  'commentary',
  'cartoons',
  'election',
  'endorsements',
  'sports',
  'san',
  'francisco',
  'san',
  'francisco',
  'giants',
  'golden',
  'state',
  'warriors',
  'raiders',
  'oakland',
  'athletics',
  'san',
  'jose',
  'sharks',
  'san',
  'jose',
  'earthquakes',
  'bay',
  'fc',
  'college',
  'sports',
  'pac-12',
  'hotline',
  'high',
  'school',
  'sports',
  'sports',
  'sports',
  'columnists',
  'sports',
  'blogs',
  'entertainment',
  'thing',
  'restaurants',
  'food',
  'drink',
  'celebrities',
  'tv',
  'streaming',
  'movies',
  'music',
  'theater',
  'lifestyle',
  'advice',
  'travel',
  'pets',
  'animals',
  'comics',
  'puzzles',
  'games',
  'horoscopes',
  'event',
  'calendar',
  'morning',
  'report',
  'email',
  'newsletter',
  'storm',
  'virginia',
  'facebook',
  'opens',
  'window)click',
  'twitter',
  'opens',
  'window)click',
  'opens',
  'window)click',
  'link',
  'friend',
  'opens',
  'window)click',
  'reddit',
  'opens',
  'window',
  'morning',
  'report',
  'email',
  'newsletter',
  'fact',
  'reporter',
  'source',
  'storm',
  'virginia',
  'highway',
  'police',
  'officer',
  'hour',
  'facebook',
  'opens',
  'window)click',
  'twitter',
  'opens',
  'window)click',
  'opens',
  'window)click',
  'link',
  'friend',
  'opens',
  'window)click',
  'reddit',
  'opens',
  'window',
  'wjla',
  'ap',
  'motorists',
  'interstate',
  'northern',
  'va.',
  'tuesday',
  'jan.',
  'associated',
  'press',
  '',
  '',
  'published',
  'january',
  'a.m.',
  '',
  '',
  'updated',
  'january',
  'sarah',
  'rankin',
  'michael',
  'kunzelman',
  '',
  '',
  'associated',
  'press',
  'richmond',
  'va.',
  'motorist',
  'help',
  'tuesday',
  'hour',
  'temperature',
  'mile',
  'stretch',
  'highway',
  'nation',
  'capital',
  'tractor',
  'trailer',
  'winter',
  'storm',
  'truck',
  'chain',
  'reaction',
  'monday',
  'vehicle',
  'control',
  'lane',
  'direction',
  'interstate',
  'north',
  'south',
  'highway',
  'east',
  'coast',
  'police',
  'hour',
  'night',
  'motorist',
  'message',
  'medium',
  'fuel',
  'food',
  'water',
  'meera',
  'rao',
  'husband',
  'raghavendra',
  'daughter',
  'north',
  'carolina',
  'monday',
  'evening',
  'foot',
  'exit',
  'hour',
  'police',
  'officer',
  'hour',
  'country',
  'world',
  'lane',
  'mess',
  'report',
  'injury',
  'daybreak',
  'road',
  'crew',
  'driver',
  'interchange',
  'virginia',
  'department',
  'transportation',
  'a.m.',
  'lane',
  'traffic',
  'truck',
  'car',
  'direction',
  'people',
  'traffic',
  'lane',
  'ice',
  'snow',
  'crew',
  'truck',
  'snow',
  'ice',
  'motorist',
  'exit',
  'transportation',
  'official',
  'gov.',
  'ralph',
  'northam',
  'team',
  'night',
  'emergency',
  'message',
  'driver',
  'help',
  'official',
  'shelter',
  'thing',
  'camera',
  'northam',
  'washington',
  'radio',
  'station',
  'wtop',
  'tuesday',
  'morning',
  'governor',
  'estimate',
  'i-95',
  'vehicle',
  'transportation',
  'department',
  'engineer',
  'marcie',
  'parker',
  'agency',
  'interstate',
  'tuesday',
  'night',
  'wednesday',
  'morning',
  'rush',
  'hour',
  'people',
  'family',
  'northam',
  'twitter',
  'national',
  'guard',
  'northam',
  'national',
  'guard',
  'help',
  'issue',
  'state',
  'crew',
  'lack',
  'manpower',
  'difficulty',
  'worker',
  'equipment',
  'snow',
  'ice',
  'effort',
  'vehicle',
  'temperature',
  'ice',
  'rain',
  'storm',
  'road',
  'condition',
  'midnight',
  'rao',
  'car',
  'engine',
  'time',
  'gas',
  'heat',
  'potato',
  'chip',
  'nut',
  'apple',
  'rao',
  'water',
  'ankle',
  'restroom',
  'tuesday',
  'tow',
  'truck',
  'driver',
  'snow',
  'raos',
  'couple',
  'car',
  'exit',
  'messenger',
  'god',
  'rao',
  'tear',
  'inch',
  'snow',
  'area',
  'monday',
  'blizzard',
  'national',
  'weather',
  'service',
  'state',
  'police',
  'people',
  'nighttime',
  'temperature',
  'challenge',
  'traffic',
  'camera',
  'virginia',
  'power',
  'storm',
  'transportation',
  'department',
  'sen.',
  'tim',
  'kaine',
  'richmond',
  'car',
  'hour',
  'hour',
  'commute',
  'capitol',
  'p.m.',
  'monday',
  'experience',
  'kaine',
  'wtop',
  'traffic',
  'emergency',
  'vehicle',
  'car',
  'truck',
  'kaine',
  'camaraderie',
  'connecticut',
  'family',
  'florida',
  'vacation',
  'line',
  'car',
  'bag',
  'orange',
  'darryl',
  'walter',
  'bethesda',
  'maryland',
  'hour',
  'florida',
  'beach',
  'vacation',
  'wife',
  'son',
  'dog',
  'brisket',
  'hour',
  'car',
  'northbound',
  'traffic',
  'bottle',
  'water',
  'bag',
  'chip',
  'blanket',
  'warmth',
  'trivial',
  'pursuit',
  'time',
  'walter',
  'ordeal',
  'snow',
  'removal',
  'joke',
  'area',
  'walter',
  'line',
  'car',
  'jack',
  'knifed',
  'truck',
  'mile',
  'backup',
  'nbc',
  'news',
  'correspondent',
  'josh',
  'lederman',
  'nbc',
  'today',
  'tuesday',
  'video',
  'feed',
  'car',
  'dog',
  'seat',
  'mile',
  'kilometer',
  'washington',
  'p.m.',
  'monday',
  'articles',
  'weather',
  'opposition',
  'party',
  'force',
  'modi',
  'high',
  'school',
  'student',
  'jan.',
  'riot',
  'action',
  'whistleblower',
  'ufo',
  'evidence',
  'trump',
  'republicans',
  'effort',
  'biden',
  'resident',
  'loss',
  'coal',
  'town',
  'newspaper',
  'lot',
  'driver',
  'car',
  'gas',
  'people',
  'food',
  'water',
  'kid',
  'pet',
  'hour',
  'people',
  'pet',
  'car',
  'street',
  'lederman',
  'white',
  'house',
  'reporter',
  'associated',
  'press',
  'sign',
  'emergency',
  'vehicle',
  'emergency',
  'gas',
  'heat',
  'degree',
  'way',
  'situation',
  'kunzelman',
  'college',
  'park',
  'maryland',
  'associated',
  'press',
  'writer',
  'bryan',
  'gallion',
  'roseland',
  'new',
  'jersey',
  'julie',
  'walker',
  'new',
  'york',
  'report',
  'error',
  'policies',
  'standards',
  'contact',
  'morning',
  'report',
  'email',
  'newsletter',
  'popularmost',
  'popularask',
  'amy',
  'neighbor',
  'mistake’?ask',
  'amy',
  'neighbor',
  'cole',
  'home',
  'hoursharriette',
  'cole',
  'home',
  'abby',
  'fiance',
  'start',
  'dear',
  'abby',
  'fiance',
  'start',
  'dear',
  'abby',
  'pickleball',
  'abby',
  'pickleball',
  'partner?ask',
  'amy',
  'bride',
  'wedding',
  'plan',
  'standardsask',
  'amy',
  'bride',
  'wedding',
  'plan',
  'standardspac-12',
  'survival',
  'colorado',
  'conundrum',
  'challenge',
  'boulder',
  'existencepac-12',
  'survival',
  'colorado',
  'conundrum',
  'challenge',
  'boulder',
  'existencedear',
  'abby',
  'abby',
  'manner',
  'moment',
  'forgetfulness',
  'offer',
  'manner',
  'moment',
  'forgetfulness',
  'offer',
  'friendask',
  'amy',
  'boyfriend',
  'business',
  'people',
  'amy',
  'boyfriend',
  'business',
  'people',
  'housebuilt',
  'software',
  'death',
  'date',
  'thousand',
  'school',
  'chromebook',
  'recycling',
  'binbuilt',
  'software',
  'death',
  'date',
  'thousand',
  'school',
  'chromebook',
  'recycling',
  'bin',
  'trending',
  'thing',
  'step',
  'plane',
  'collision',
  'feetthe',
  'business',
  'strip',
  'club',
  'colorado',
  'dancer',
  'way',
  'uncertainties‘funnel',
  'cloud',
  'tree',
  'brooklyn',
  'power',
  'outage',
  'staten',
  'island',
  'nursing',
  'hometaylor',
  'swift',
  'album',
  'swiftie',
  '.',
  'guide',
  'tip',
  'subscribe',
  'today',
  'access',
  'digital',
  'offer',
  'cent',
  'imagination',
  'tree',
  'california',
  'cost',
  'california',
  'workplace',
  'job',
  'injury',
  'year',
  'california',
  'beaver',
  'nuisance',
  'water',
  'issue',
  'wildfire',
  'place',
  'obituary',
  'place',
  'real',
  'estate',
  'ad',
  'lottery',
  'digital',
  'access',
  'faq',
  'team',
  'special',
  'sections',
  'sponsor',
  'group',
  'sponsored',
  'access',
  'privacy',
  'policy',
  'accessibility',
  'network',
  'advertising',
  'daily',
  'ads',
  'place',
  'legal',
  'notice',
  'public',
  'notices',
  'best',
  'bay',
  'area',
  'employers',
  'monster.com',
  'terms',
  'use',
  'cookie',
  'policy',
  'california',
  'notice',
  'collection',
  'notice',
  'financial',
  'incentive',
  'share',
  'personal',
  'information',
  'arbitration',
  'powered',
  'wordpress.com',
  'vip'],
 ['contentlivenewsconstruction',
  'mappolitical',
  'blogweatherpodcastscontestssubmit',
  'news',
  'tipsubmit',
  'photos',
  'videosnewsletternewslocalnationalcrimeeconomypoliticsanchorage',
  'editionweatherweather',
  'headlinesweather',
  'labsky',
  'alaskapicture',
  'alaskatrafficgas',
  'sportsalaska',
  'olympiansiron',
  'dogathlete',
  'weekfishing',
  'reportiditarodmount',
  'marathonstats',
  'predictionshow',
  'shelternourish',
  'alaskatelling',
  'alaska',
  'storyin',
  'depth',
  'alaskait',
  'goodinside',
  'gatesoutside',
  'gateswatching',
  'walletthe',
  'video',
  'guzzy',
  'health',
  'minutelivestream',
  'newscastsstream',
  'ussign',
  'newslettersubmit',
  'news',
  'tipssubmit',
  'photos',
  'videosdownload',
  'appshow',
  'demandcommunity',
  'calendaradvertise',
  'usmeet',
  'teamwhat',
  'ktuujob',
  'openingsktuu',
  'press',
  'releasesprogramming',
  'scheduletransmitter',
  'faqcircle',
  'country',
  'music',
  'lifestylegray',
  'dc',
  'bureaupowernationinvestigatetvpress',
  'releasesmultiple',
  'winter',
  'weather',
  'alert',
  'effect',
  'storm',
  'aim',
  'alaskablizzard',
  'condition',
  'coastline',
  'alaskaby',
  'aaron',
  'morrisonpublished',
  'feb.',
  'akstshare',
  'facebookemail',
  'linkshare',
  'twittershare',
  'pinterestshare',
  'linkedinanchorage',
  'alaska',
  'ktuu',
  'southcentral',
  'southeast',
  'alaska',
  'area',
  'pressure',
  'bering',
  'sea',
  'stretch',
  'winter',
  'weather',
  'state',
  'form',
  'winter',
  'weather',
  'alert',
  'day',
  'detail',
  'alert',
  'article(alaska',
  'news',
  'source)the',
  'uptick',
  'weather',
  'hour',
  'bering',
  'sea',
  'low',
  'chukchi',
  'sea',
  'precipitation',
  'shield',
  'alaska',
  'impact',
  'today',
  'western',
  'alaska',
  'blizzard',
  'condition',
  'coastline',
  'area',
  'yukon',
  'delta',
  'winter',
  'alert',
  'rain',
  'snow',
  'condition',
  'temperature',
  'today',
  'accumulation',
  'rain',
  'norton',
  'sound',
  'point',
  'blizzard',
  'condition',
  'place',
  'day',
  'wind',
  'mph',
  'visibility',
  'snow',
  'coast',
  'snow',
  'seward',
  'peninsula',
  'seward',
  'peninsula',
  'foot',
  'foot',
  'half',
  'snow',
  'thursday',
  'morning',
  'precipitation',
  'shield',
  'wind',
  'area',
  'pressure',
  'water',
  'wind',
  'area',
  'interior',
  'alaska',
  'wind',
  'mph',
  'majority',
  'wind',
  'proximity',
  'gap',
  'pass',
  'mountain',
  'visibility',
  'snow',
  'snow',
  'snow',
  'interior',
  'thursday',
  'area',
  'inch',
  'snow',
  'air',
  'air',
  'potential',
  'glaze',
  'ice',
  'thursday',
  'afternoon',
  'snow',
  'brooks',
  'range',
  'foot',
  'snow',
  'north',
  'slope',
  'wind',
  'issue',
  'snow',
  'forecast',
  'inch',
  'slope',
  'exception',
  'beaufort',
  'sea',
  'coast',
  'south',
  'brooks',
  'range',
  'inch',
  'storm',
  'snow',
  'rain',
  'southcentral',
  'wednesday',
  'thursday',
  'chance',
  'flurry',
  'p.m.',
  'wednesday',
  'evening',
  'snow',
  'southcentral',
  'inch',
  'snowfall',
  'hillside',
  'valley',
  'snowfall',
  'total',
  'anchorage',
  'kenai',
  'peninsula',
  'air',
  'snow',
  'chance',
  'kenai',
  'inch',
  'snow',
  'glaze',
  'ice',
  'homer',
  'seward',
  'rain',
  'day',
  'snow',
  'rain',
  'area',
  'rain',
  'southcentral',
  'thursday',
  'evening.(alaska',
  'news',
  'source)thing',
  'anchorage',
  'wind',
  'contributor',
  'snow',
  'city',
  'level',
  'disturbance',
  'south',
  'night',
  'wind',
  'wind',
  'mph',
  'elevation',
  'snow',
  'thursday',
  'morning',
  'dent',
  'snow',
  'anchorage',
  'bowl',
  'rain',
  'snow',
  'chance',
  'inch',
  'snow',
  'anchorage',
  'hillside',
  'trouble',
  'inch',
  'snow',
  'wind',
  'wintry',
  'mix',
  'duration',
  'result',
  'snowfall',
  'total',
  'snowfall',
  'total',
  'anchorage',
  'bowl',
  'date',
  'information',
  'storm',
  'rain',
  'snow',
  'return',
  'southeast',
  'alaska',
  'condition',
  'panhandle',
  'weekend',
  'state',
  'thing',
  'weekend',
  'condition',
  'locationalerttimingimpactssoutheastern',
  'brooks',
  'rangewinter',
  'storm',
  'warninguntil',
  'friheavy',
  'snow',
  'wind',
  'mph',
  'wind',
  'chills',
  '°',
  'upper',
  'koyukuk',
  'valleywinter',
  'storm',
  'warninguntil',
  'thuheavy',
  'snow',
  'winds',
  'mph',
  'wind',
  'chills',
  '-30',
  '°',
  'yukon',
  'flats',
  'surrounding',
  'uplandswinter',
  'storm',
  'warninguntil',
  'friheavy',
  'snow',
  '8″',
  'east',
  'beaver',
  'wind',
  'chill',
  '-35',
  'central',
  'interiorwinter',
  'storm',
  'warninguntil',
  'thuheavy',
  'snow',
  'trace',
  'ice',
  'wind',
  'chill',
  '°',
  'tanana',
  'valleywinter',
  'storm',
  'd',
  'friheavy',
  'snow',
  'trace',
  'ice',
  'nenana',
  'hillsdenaliwinter',
  'storm',
  'warninguntil',
  'friheavy',
  'snow',
  'wind',
  'mph',
  'near',
  'passes',
  'light',
  'glaze',
  'ice',
  'thur',
  'alaska',
  'rangewinter',
  'weather',
  'd',
  'frisnow',
  'winds',
  'mph',
  'blowing',
  'snowst',
  'lawrence',
  'island',
  'bering',
  'strait',
  'coastblizzard',
  'warninguntil',
  'thusnow',
  'wind',
  'mph',
  'light',
  'glaze',
  'icechukchi',
  'sea',
  'coastblizzard',
  'warninguntil',
  'thusnow',
  '8″',
  'wind',
  'mphbaldwin',
  'peninsula',
  'selawik',
  'valleyblizzard',
  'warninguntil',
  'thusnow',
  'wind',
  'mphsouthern',
  'seward',
  'peninsula',
  'coastblizzard',
  'warninguntil',
  'thusnow',
  'wind',
  'mph',
  'light',
  'glaze',
  'iceeastern',
  'norton',
  'sound',
  'nulato',
  'hillsblizzard',
  'warninguntil',
  'thusnow',
  'wind',
  'mph',
  'light',
  'glaze',
  'icekobuk',
  'noatak',
  'valleyswinter',
  'storm',
  'warninguntil',
  'thuheavy',
  'snow',
  'wind',
  'mphnorthern',
  'interior',
  'seward',
  'peninsulawinter',
  'storm',
  'warninguntil',
  'thuheavy',
  'snow',
  'wind',
  'mphyukon',
  'deltawinter',
  'storm',
  'warninguntil',
  'thuheavy',
  'wintry',
  'mix',
  'snow',
  'ice',
  'wind',
  'mphlower',
  'yukon',
  'valleywinter',
  'storm',
  'warninguntil',
  'thuheavy',
  'wintry',
  'mix',
  'snow',
  'light',
  'glaze',
  'ice',
  'winds',
  'mphlower',
  'koyukuk',
  'middle',
  'yukon',
  'valleyswinter',
  'storm',
  'warninguntil',
  'thuheavy',
  'wintry',
  'mix',
  'snow',
  'light',
  'glaze',
  'ice',
  'winds',
  'mphupper',
  'kuskokwim',
  'valleywinter',
  'storm',
  'warninguntil',
  'thuheavy',
  'wintry',
  'mix',
  'snow',
  'light',
  'glaze',
  'ice',
  'wind',
  'weather',
  'advisory3am',
  'thu',
  'thuwintry',
  'mix',
  'snow',
  'winds',
  'mphwestern',
  'kenaiwinter',
  'weather',
  'advisorymidnight',
  'thuwintry',
  'snow',
  'light',
  'glaze',
  'icemat',
  'su',
  'valleywinter',
  'weather',
  'advisory6am',
  'thuwintry',
  'mix',
  'poss',
  'snow',
  '3″',
  'palmer',
  'wasillacopyright',
  'ktuu',
  'right',
  'read',
  'bronson',
  'address',
  'plane',
  'ticket',
  'population',
  'state',
  'denali',
  'business',
  'owner',
  'claim',
  'young',
  'geologist',
  'north',
  'slope',
  'helicopter',
  'crash',
  'family',
  'man',
  'swastika',
  'sticker',
  'anchorage',
  'building',
  'month',
  'hiker',
  'hour',
  'helicopter',
  'flattop',
  'mountainlatest',
  'news',
  'rain',
  'southcentral',
  'fridayrain',
  'friday',
  'sun',
  'cloud',
  'haze',
  'lingerssunshine',
  'thunderstorm',
  'activity',
  'alaskanewsweathersportscommunityktuu501',
  'east',
  'avenueanchorage',
  'ak',
  'inspection',
  'applicationsterm',
  'serviceprivacy',
  'statementadvertisingdigital',
  'advertisingclosed',
  'captioning',
  'audio',
  'descriptionat',
  'gray',
  'journalist',
  'news',
  'content',
  'community',
  'approach',
  'intelligence',
  'gray',
  'media',
  'group',
  'inc.',
  'station',
  'gray',
  'television',
  'inc.'],
 ['news',
  'alert',
  'news',
  'notification',
  'messagepress',
  'search',
  'aloha',
  'profile',
  'logout',
  'aloha',
  'guest!login',
  'register',
  'page',
  'news',
  'video',
  'menu',
  'kauai',
  'app',
  'advertise',
  'ads',
  'newsletter',
  'contact',
  'island',
  'kauaimauibig',
  'islandcopyright',
  'pacific',
  'media',
  'groupall',
  'rights',
  'reservedprivacy',
  'policy',
  'ads',
  'search',
  'aloha',
  'profile',
  'logout',
  'aloha',
  'guest!login',
  'register',
  'sections',
  'page',
  'kauai',
  'news',
  'weather',
  'forecast',
  'surf',
  'report',
  'tourism',
  'hawaii',
  'news',
  'ʻōlelo',
  'hawaiʻi',
  'videos',
  'kauai',
  'news',
  'update',
  'calvin',
  'storm',
  'storm',
  'hawaiʻi',
  'july',
  'hst',
  'july',
  'playlisten',
  'article3',
  'audio',
  'article',
  'ad',
  'aaa',
  'satellite',
  'image',
  'tropical',
  'storm',
  'calvin',
  'a.m.',
  'july',
  'courtesy',
  'national',
  'hurricane',
  'center',
  'update',
  'a.m.',
  'july',
  'central',
  'pacific',
  'hurricane',
  'center',
  'tropical',
  'storm',
  'calvin',
  'storm',
  'effect',
  'big',
  'island',
  'storm',
  'cyclone',
  'center',
  'mile',
  'west',
  'southwest',
  'hilo',
  'mile',
  'honolulu',
  'system',
  'mph',
  'maximum',
  'wind',
  'mph',
  'gust',
  'weakening',
  'system',
  'thursday',
  'gale',
  'force',
  'wind',
  'mile',
  'center',
  'storm',
  'condition',
  'hawaiʻi',
  'wind',
  'today',
  'tonight',
  'article',
  'adas',
  'calvin',
  'state',
  'rainfall',
  'total',
  'inch',
  'big',
  'island',
  'inch',
  'island',
  'story',
  'tropical',
  'storm',
  'calvin',
  'big',
  'island',
  'hawaiʻi',
  'county',
  'rainfall',
  'wind',
  'kona',
  'area',
  'a.m.',
  'wednesday',
  'storm',
  'mile',
  'hilo',
  'mph',
  'wind',
  'mph',
  'gust',
  'calvin',
  'kauaʻi',
  'rest',
  'hawaiian',
  'island',
  'hour',
  'remnant',
  'low',
  'national',
  'weather',
  'service',
  'flood',
  'advisory',
  'effect',
  'a.m.',
  'big',
  'island',
  'article',
  'adband',
  'rainfall',
  'impact',
  'portion',
  'big',
  'island',
  'morning',
  'hour',
  'slope',
  'kaʻū',
  'district',
  'rainfall',
  'total',
  '4-',
  'inch',
  'range',
  'big',
  'island',
  'inch',
  'calvin',
  'condition',
  'island',
  'today',
  'calvin',
  'south',
  'a.m.',
  'wednesday',
  'radar',
  'rain',
  'east',
  'slope',
  'big',
  'island',
  'rain',
  'rate',
  'inch',
  'hour',
  'insome',
  'area',
  'tropical',
  'storm',
  'calvin',
  'big',
  'island',
  'flood',
  'watch',
  'big',
  'island',
  'effect',
  'flood',
  'advisory',
  'map',
  'big',
  'island',
  'wednesday',
  'morning',
  'national',
  'weather',
  'service',
  'article',
  'adsome',
  'location',
  'flooding',
  'hilo',
  'hawaiian',
  'paradise',
  'park',
  'waikōloa',
  'village',
  'kapaʻau',
  'honokaʻa',
  'pohakuloa',
  'camp',
  'pohakuloa',
  'training',
  'area',
  'volcano',
  'glenwood',
  'mountain',
  'view',
  'hawaii',
  'volcanoes',
  'national',
  'park',
  'papaikou',
  'honomu',
  'pepeʻekeo',
  'keaʻau',
  'hawaiian',
  'acres',
  'wood',
  'valley',
  'laupahoehoe',
  'hakalau',
  'national',
  'weather',
  'service',
  'precaution',
  'road',
  'flooddeath',
  'vehicle',
  'river',
  'bank',
  'culvert',
  'swell',
  'calvin',
  'hawaiian',
  'islands',
  'wednesday',
  'life',
  'surf',
  'sea',
  'condition',
  'shoreline',
  'wind',
  'big',
  'island',
  'shelter',
  'information',
  'closure',
  'wednesday',
  'big',
  'island',
  'sponsored',
  'content',
  'subscribe',
  'newsletter',
  'know',
  'dailyheadlines',
  'inbox',
  'cancel×',
  'related',
  'articlesupdate',
  'tropical',
  'storm',
  'calvin',
  'july',
  'update',
  'tropical',
  'storm',
  'calvin',
  'mile',
  'big',
  'july',
  'update',
  'official',
  'july',
  'update',
  'surf',
  'warning',
  'tropical',
  'storm',
  'july',
  'high',
  'surf',
  'warning',
  'extended',
  'public',
  'july',
  'update',
  '.',
  'calvin',
  'west',
  'july',
  'commentsthis',
  'comment',
  'section',
  'community',
  'forum',
  'purpose',
  'expression',
  'kauai',
  'communication',
  'content',
  'discretion',
  'view',
  'comments',
  'water',
  'advisory',
  'wailua',
  'bay',
  '2school',
  'bus',
  'driver',
  'shortage',
  'impact',
  'schools',
  'student',
  'kauaʻi',
  '3hawaii',
  'land',
  'trust',
  'names',
  'kapule',
  'torio',
  'kauai',
  'steward',
  'educator',
  '4new',
  'program',
  'time',
  'homebuyers',
  'hawaiʻi',
  'american',
  'savings',
  'bank',
  'youtuber',
  'emmy',
  'awards',
  'liliʻuokalanis',
  'royal',
  'standard',
  'hawaiʻi',
  'home',
  'page',
  'kauai',
  'news',
  'kauai',
  'weather',
  'surf',
  'report',
  'kauai',
  'tourism',
  'news',
  'hawaii',
  'news',
  'community',
  'guest',
  'columns',
  'ʻōlelo',
  'hawaiʻi',
  'hawaiian',
  'language',
  'kauai',
  'videos',
  'kauai',
  'app',
  'newsletter',
  'ads',
  'contact',
  'copyright',
  'pacific',
  'media',
  'group',
  'rights',
  'privacy',
  'policy',
  'ad'],
 ['josh',
  'spiegel',
  'commentary',
  'broadcast',
  'schedule',
  'podcast',
  'watch',
  'video',
  'baltimore',
  'traffic',
  'conditions',
  'beach',
  'weather',
  'traffic',
  'orioles',
  'news',
  'orioles',
  'hot',
  'stove',
  'podcast',
  'mlb',
  'news',
  'ravens',
  'news',
  'ravens',
  'ravens',
  'insider',
  'podcast',
  'nfl',
  'news',
  'c4',
  'bryan',
  'nehman',
  't.j.',
  'smith',
  'torrey',
  'dan',
  'jayne',
  'miller',
  'jerry',
  'rogers',
  'ravens',
  'insider',
  'orioles',
  'insider',
  'navy',
  'insider',
  'weather',
  'talk',
  'podcast',
  'wbal',
  'advertise',
  'wbal',
  'kids',
  'campaign',
  'employment',
  'events',
  'internship',
  'contests',
  'public',
  'file',
  'apps',
  'privacy',
  'notice',
  'terms',
  'storm',
  'roll',
  'maryland',
  'tornado',
  'glenelg',
  'thursday',
  'wbal',
  'tv',
  'news',
  'wbal',
  'newsradio',
  'fm',
  'storm',
  'cloud',
  'howard',
  'county',
  'credit',
  'courtesy',
  'michelle',
  'dobbs',
  'storm',
  'maryland',
  'thursday',
  'afternoon',
  'thunderstorm',
  'watch',
  'maryland',
  'p.m.',
  'west',
  'chesapeake',
  'bay',
  'afternoon',
  'latest',
  'condition',
  'tornado',
  'warning',
  'anne',
  'arundel',
  'howard',
  'county',
  'p.m.',
  'national',
  'weather',
  'service',
  'tornado',
  'glenelg',
  'p.m.',
  'weather',
  'service',
  'survey',
  'friday',
  'extent',
  'damage',
  'strength',
  'tornado',
  'tornado',
  'warning',
  'frederick',
  'county',
  'p.m.',
  'thunderstorm',
  'warning',
  'columbia',
  'md',
  'ellicott',
  'city',
  'md',
  'frederick',
  'md',
  'pm',
  'edt',
  'pic.twitter.com/hqp89ly80e',
  'nws',
  'dc',
  'baltimore',
  '@nws_baltwash',
  'wbal',
  'tv',
  'weather',
  'meteorologist',
  'taylor',
  'grenda',
  'atmosphere',
  'thursday',
  'afternoon',
  'resident',
  'rain',
  'storm',
  'damage',
  'howard',
  'county',
  'reporter',
  'weather',
  'damage',
  'howardcounty',
  'maryland',
  'mdwx',
  'pic.twitter.com/29kac45b5q',
  'andre',
  'hepkins',
  'wbal',
  '@andrehepkins',
  'quaker',
  'road',
  'huntvalley',
  'mdwx',
  '@wbalradio',
  'pic.twitter.com/ayby0ljygt',
  'phil',
  'yacuboski',
  'wall',
  'cloud',
  'air',
  'storm',
  'image',
  'jessup',
  'md',
  'pm',
  'ken',
  'lerch',
  'wallcloud',
  'pic.twitter.com/jdj1hdjtvn',
  'tony',
  'pann',
  '@tonypannwbal',
  'photo',
  'afternoon',
  'storm',
  'tenant',
  '@bwi_airport',
  'weather',
  'mdwx',
  '@wbalradio',
  'pic.twitter.com/mnq6gjm5b6',
  'phil',
  'yacuboski',
  'wall',
  'cloud',
  'air',
  'storm',
  'image',
  'jessup',
  'md',
  'pm',
  'ken',
  'lerch',
  'wallcloud',
  'pic.twitter.com/jdj1hdjtvn',
  'tony',
  'pann',
  '@tonypannwbal',
  '@wbalradio',
  'listener',
  'https://t.co/slxoikpx0z',
  'robert',
  'lang',
  'wbal',
  '@reporterroblang',
  'timeline',
  'p.m.',
  'storm',
  'east',
  'threat',
  'wind',
  'gust',
  'hail',
  'tornado',
  'wbal',
  'smart',
  'phone',
  'app',
  'article',
  'baltimore',
  'orioles',
  'game',
  'wbal',
  'newsradio',
  'mexican',
  'navy',
  'boat',
  'baltimore',
  'sailor',
  'baltimore',
  'county',
  'police',
  'year',
  'shotspotter',
  'pilot',
  'program',
  'gov.',
  'hogan',
  'door',
  'presidency',
  'year',
  'connection',
  'homicide',
  'teen',
  'overlea',
  'wbal',
  'newsradio',
  'fm',
  'wbal',
  'mobile',
  'app',
  'day',
  'day',
  'news',
  'weather',
  'traffic',
  'insight',
  'analysis',
  'flagship',
  'station',
  'baltimore',
  'ravens',
  'baltimore',
  'orioles',
  'navy',
  'football',
  'wbal',
  'radio',
  'employment',
  'advertise',
  'wbal.com',
  'contest',
  'rule',
  'rss',
  'eeo',
  'public',
  'file',
  'report',
  'public',
  'file',
  'privacy',
  'notice',
  'california',
  'privacy',
  'rights',
  'interest',
  'ads',
  'terms',
  'use',
  'md',
  'digital',
  'political',
  'ad',
  'disclosure',
  'public',
  'file',
  'assistance',
  'hearst',
  'television',
  'affiliate',
  'marketing',
  'program',
  'commission',
  'purchase',
  'link',
  'retailer',
  'site',
  'â2019',
  'hearst',
  'television',
  'inc.',
  'behalf',
  'wbal',
  'newsradio',
  'fm'],
 ['donor',
  'plaza',
  'conference',
  'room',
  'big',
  'brothers',
  'big',
  'sisters',
  'mississippi',
  'valley',
  'rock',
  'falls',
  'police',
  'department',
  'speeder',
  'heat',
  'advisory',
  'friday',
  'temperature',
  '°',
  'heat',
  'week',
  'culprit',
  'weather',
  'weather',
  'service',
  'tornado',
  'friday',
  'night',
  'storm',
  'evidence',
  'ef-2',
  'tornado',
  'damage',
  'wind',
  'mph',
  'grand',
  'mound',
  'charlotte',
  'iowa',
  'example',
  'video',
  'title',
  'video',
  'cdt',
  'april',
  'pm',
  'cdt',
  'april',
  'grand',
  'mound',
  'iowa',
  'team',
  'u.s.',
  'national',
  'weather',
  'service',
  'office',
  'quad',
  'cities',
  'finding',
  'tornado',
  'jackson',
  'clinton',
  'county',
  'iowa',
  'friday',
  'evening',
  'sunday',
  'afternoon',
  'nws',
  'tornado',
  'damage',
  'tornado',
  'wind',
  'mph',
  'dozen',
  'people',
  'injury',
  'storm',
  'tornado',
  'tipton',
  'cedar',
  'county',
  'iowa',
  'p.m.',
  'mile',
  'northeast',
  'bennett',
  'iowa',
  'damage',
  'home',
  'town',
  'semi',
  'interstate',
  'block',
  'silo',
  'damage',
  'people',
  'width',
  'tornado',
  'yard',
  'peak',
  'wind',
  'speed',
  'mph',
  'ef-2',
  'tornado',
  'enhanced',
  'fujita',
  'scale',
  'example',
  'video',
  'title',
  'video',
  'tornado',
  'grand',
  'mound',
  'iowa',
  'p.m.',
  'wind',
  'mph',
  'mile',
  'northeast',
  'charlotte',
  'iowa',
  'weather',
  'service',
  'expert',
  'damage',
  'path',
  'house',
  'charlotte',
  'house',
  'foundation',
  'people',
  'house',
  'grand',
  'mound',
  'person',
  'hospital',
  'injury',
  'tornado',
  'jackson',
  'county',
  'iowa',
  'mile',
  'andrew',
  'p.m.',
  'mile',
  'path',
  'yard',
  'cottonville',
  'p.m.',
  'roof',
  'wall',
  'street',
  'tree',
  'damage',
  'tornado',
  'ef-1',
  'bellevue',
  'iowa',
  'jackson',
  'county',
  'p.m.',
  'wind',
  'mph',
  'tornado',
  'mile',
  'northeast',
  'mississippi',
  'river',
  'hanover',
  'illinois',
  'rv',
  'park',
  'cabin',
  'damage',
  'rv',
  'people',
  'number',
  'tornado',
  'storm',
  'survey',
  'day',
  'update',
  'information',
  'injury',
  'clinton',
  'county',
  'weather',
  'house',
  'people',
  'team',
  'tornado',
  'damage',
  'strength',
  '►',
  'wqad',
  'news',
  'app',
  '►',
  'subscribe',
  'newsletter',
  '►',
  'subscribe',
  'youtube',
  'channel',
  'eeo',
  'public',
  'file',
  'report',
  'fcc',
  'online',
  'public',
  'inspection',
  'file',
  'closed',
  'caption',
  'procedure',
  'personal',
  'information',
  'wqad',
  'tv',
  'rights',
  'notification',
  'news',
  'weather',
  'notification',
  'browser',
  'setting'],
 ['r.i.',
  'energy',
  'office',
  'm',
  'federal',
  'funds',
  'uri',
  'watershed',
  'program',
  'receives',
  'national',
  'award',
  'shifting',
  'sands',
  'reshaping',
  'rhode',
  'island',
  'iconic',
  'coastline',
  'climate',
  'change',
  'southern',
  'new',
  'england',
  'support',
  'reporter',
  'beat',
  'reader',
  'support',
  'core',
  'news',
  'model',
  'environment',
  'headline',
  'superstorm',
  'sandy',
  'ocean',
  'state',
  'future',
  'storm',
  'cynthia',
  'drummond',
  'ecori',
  'news',
  'contributor',
  'weather',
  'event',
  'storm',
  'superstorm',
  'sandy',
  'toll',
  'block',
  'island',
  'coastline',
  'judy',
  'gray',
  'westerly',
  'r.i.',
  'superstorm',
  'sandy',
  'storm',
  'result',
  'air',
  'air',
  'storm',
  'rhode',
  'island',
  'oct.',
  'damage',
  'home',
  'business',
  'national',
  'flood',
  'insurance',
  'program',
  'claim',
  'rhode',
  'island',
  'decade',
  'researcher',
  'way',
  'storm',
  'community',
  'isaac',
  'ginis',
  'professor',
  'university',
  'rhode',
  'island',
  'graduate',
  'school',
  'oceanography',
  'storm',
  'intensity',
  'prediction',
  'model',
  'computer',
  'model',
  'national',
  'weather',
  'service',
  'ginis',
  'sandy',
  'type',
  'storm',
  'rhode',
  'island',
  'fall',
  'winter',
  'winter',
  'time',
  'temperature',
  'land',
  'air',
  'canada',
  'temperature',
  'water',
  'temperature',
  'difference',
  'gradient',
  'nor’easter',
  'sandy',
  'new',
  'england',
  'energy',
  'ocean',
  'water',
  'ginis',
  'storm',
  'energy',
  'atmosphere',
  'air',
  'temperature',
  'difference',
  'transition',
  'storm',
  'new',
  'england',
  'sandy',
  'death',
  'rhode',
  'island',
  'storm',
  'mile',
  'death',
  'united',
  'states',
  'rhode',
  'island',
  'sandy',
  'damage',
  'charlestown',
  'westerly',
  'newport',
  'rhode',
  'island',
  'emergency',
  'management',
  'agency',
  'spokesperson',
  'melissa',
  'carden',
  'challenge',
  'agency',
  'resident',
  'service',
  'westerly',
  'newport',
  'charlestown',
  'area',
  'state',
  'sandy',
  'carden',
  'comment',
  'erosion',
  'building',
  'roadway',
  'communication',
  'issue',
  'cell',
  'tower',
  'issue',
  'term',
  'deployment',
  'state',
  'resource',
  'challenge',
  'safety',
  'citizen',
  'home',
  'check',
  'area',
  'normalcy',
  'power',
  'superstorm',
  'sandy',
  'section',
  'corn',
  'neck',
  'road',
  'block',
  'island',
  'stone',
  'marker',
  'location',
  'edge',
  'parking',
  'lot',
  'judy',
  'gray',
  'westerly',
  'building',
  'official',
  'dave',
  'murphy',
  'look',
  'aftermath',
  'storm',
  'shore',
  'road',
  'street',
  'ocean',
  'dune',
  'case',
  'building',
  'impression',
  'step',
  'damage',
  'geologist',
  'janet',
  'freedman',
  'time',
  'coastal',
  'resources',
  'management',
  'council',
  'crmc',
  'uri',
  'coastal',
  'institute',
  'charlestown',
  'south',
  'kingstown',
  'border',
  'charlestown',
  'cadaver',
  'dog',
  'direction',
  'people',
  'sandy',
  'south',
  'coast',
  'beach',
  'freedman',
  'sand',
  'intervention',
  'sand',
  'deposit',
  'overwash',
  'fan',
  'sand',
  'storm',
  'lot',
  'sand',
  'bar',
  'lot',
  'overwash',
  'storm',
  'surge',
  'lot',
  'landward',
  'street',
  'westerly',
  'sand',
  'bar',
  'wave',
  'sand',
  'beach',
  'process',
  'reservoir',
  'sand',
  'beach',
  'week',
  'recovery',
  'misquamicut',
  'beach',
  'army',
  'corps',
  'engineers',
  'sand',
  'replenishment',
  'project',
  'pamela',
  'rubinoff',
  'manager',
  'coastal',
  'resources',
  'center',
  'community',
  'strategy',
  'impact',
  'climate',
  'sea',
  'level',
  'storm',
  'surge',
  'storm',
  'sandy',
  'context',
  'flood',
  'irene',
  'rain',
  'superstorm',
  'sandy',
  'storm',
  'winter',
  'storm',
  'nemo',
  'awareness',
  'thing',
  'world',
  'newport',
  'rep.',
  'lauren',
  'carson',
  'hurricane',
  'ian',
  'category',
  'storm',
  'fort',
  'myers',
  'area',
  'florida',
  'sept.',
  'people',
  'warning',
  'rhode',
  'islanders',
  'ian',
  'florida',
  'wake',
  'community',
  'country',
  'hurricane',
  'lifetime',
  'community',
  'neighborhood',
  'newport',
  'community',
  'hurricane',
  'ian',
  'resident',
  'business',
  'owner',
  'rhode',
  'island',
  'superstorm',
  'sandy',
  'freedman',
  'recovery',
  'period',
  'sandy',
  'thing',
  'chaos',
  'lot',
  'shoreline',
  'structure',
  'lot',
  'structure',
  'row',
  'boulder',
  'revetment',
  'shoreline',
  'murphy',
  'resident',
  'risk',
  'requirement',
  'flood',
  'zone',
  'home',
  'flood',
  'level',
  'construction',
  'flood',
  'zone',
  'homeowner',
  'risk',
  'standard',
  'freeboard',
  'requirement',
  'freeboard',
  'level',
  'safety',
  'flood',
  'zone',
  'state',
  'foot',
  'town',
  'foot',
  'freeboard',
  'home',
  'foot',
  'freeboard',
  'flood',
  'insurance',
  'year',
  'rubinoff',
  'sandy',
  'element',
  'urgency',
  'completion',
  'special',
  'area',
  'management',
  'plan',
  'samp',
  'rhode',
  'island',
  'westerly',
  'superstorm',
  'sandy',
  'waterfront',
  'property',
  'climate',
  'change',
  'frank',
  'carini',
  'ecori',
  'news',
  'superstorm',
  'sandy',
  'momentum',
  'shoreline',
  'perspective',
  'area',
  'context',
  'condition',
  'condition',
  'samp',
  'portal',
  'member',
  'public',
  'policymaker',
  'storm',
  'potential',
  'coastal',
  'hazards',
  'application',
  'planning',
  'resource',
  'shore',
  'permit',
  'crmc',
  'process',
  'change',
  'sea',
  'level',
  'rise',
  'life',
  'project',
  'storm',
  'surge',
  'time',
  'rubinoff',
  'state',
  'rhody',
  'climate',
  'action',
  'strategy',
  'rhode',
  'island',
  'infrastructure',
  'bank',
  'municipal',
  'resilience',
  'program',
  'community',
  'climate',
  'adaptation',
  'strategy',
  'program',
  'project',
  'grant',
  'ginis',
  'team',
  'modeling',
  'tool',
  'rhode',
  'island',
  'coastal',
  'hazards',
  'analysis',
  'modeling',
  'prediction',
  'ri',
  'champ',
  'model',
  'time',
  'impact',
  'weather',
  'infrastructure',
  'reason',
  'ri',
  'champ',
  'system',
  'storm',
  'forecast',
  'system',
  'impact',
  'prediction',
  'system',
  'ginis',
  'community',
  'climate',
  'thing',
  'solution',
  'order',
  'solution',
  'gap',
  'time',
  'gap',
  'knowledge',
  'perspective',
  'need',
  'adaptation',
  'strategy',
  'storm',
  'sandy',
  'rhode',
  'island',
  'hurricane',
  'sea',
  'level',
  'rise',
  'freedman',
  'inch',
  'inch',
  'storm',
  'surge',
  'reply',
  'cancel',
  'email',
  'address',
  'field',
  'comment',
  'email',
  'email',
  'browser',
  'time',
  'checkmark',
  'inventory',
  'decline',
  'r.i.',
  'greenhouse',
  'gas',
  'emissions',
  'epa',
  'rhode',
  'island',
  'hospital',
  'emission',
  'rhode',
  'island',
  'progress',
  'emission',
  'reduction',
  'mandate',
  'support',
  'reporter',
  'beat',
  'reader',
  'support',
  'core',
  'news',
  'model',
  'environment',
  'headline',
  'story',
  'matter',
  'inbox',
  'know',
  'enewsletter',
  'email',
  'select',
  'list(s',
  'totuesday',
  'e',
  '-',
  'newsletter',
  'example',
  'email',
  'ecori',
  'contact',
  'use',
  'field',
  'form',
  'marketing',
  'email',
  'ecori',
  'news',
  'davol',
  'square',
  'providence',
  'ri',
  'http://www.ecori.org',
  'consent',
  'email',
  'time',
  'safeunsubscribe',
  'link',
  'email',
  'email',
  'contact',
  'resources',
  'staff',
  'board',
  'advertise',
  'job',
  'listing',
  'submit',
  'event',
  'listing',
  'privacy',
  'policy',
  'website',
  'gravity',
  'switch',
  'roy',
  'web',
  'design',
  'cookie',
  'experience',
  'content',
  'view',
  'cookie',
  'setting'],
 ['bbc',
  'homepageskip',
  'helpyour',
  'accounthomenewssportreelworklifetravelfuturemore',
  'menumore',
  'bbchomenewssportreelworklifetravelfutureculturemusictvweathersoundsclose',
  'newsmenuhomewar',
  'ukraineclimatevideoworldus',
  'canadaukbusinesstechsciencemoreentertainment',
  'artshealthin',
  'picturesbbc',
  'verifyworld',
  'news',
  'tvnewsbeatus',
  'canadacalifornia',
  'flood',
  'wind',
  'rainpublished22',
  'marchshareclose',
  'panelshare',
  'video',
  'video',
  'javascript',
  'browser',
  'medium',
  'caption',
  'apocalyptic',
  'wind',
  'san',
  'francisco',
  'bay',
  'areaby',
  'madeline',
  'halpert',
  'brandon',
  'drenonbbc',
  'news',
  'new',
  'yorkat',
  'people',
  'california',
  'storm',
  'force',
  'wind',
  'rain',
  'flooding',
  'million',
  'people',
  'flood',
  'watch',
  'river',
  'season',
  'state',
  'customer',
  'power',
  'poweroutage.us',
  'california',
  'weather',
  'wednesday',
  'forecast',
  'storm',
  'tuesday',
  'pacific',
  'coast',
  'highway',
  'flooding',
  'rainfall',
  'level',
  'san',
  'francisco',
  'bay',
  'area',
  'national',
  'weather',
  'service',
  'cm',
  'rain',
  'region',
  'wall',
  'interstate',
  'tuesday',
  'pressure',
  'rain',
  'san',
  'francisco',
  'chronicle',
  'chunk',
  'concrete',
  'rain',
  'hill',
  'traffic',
  'delay',
  'damage',
  'week',
  'month',
  'official',
  'bay',
  'area',
  'man',
  'sewer',
  'truck',
  'wind',
  'tree',
  'vehicle',
  'cbs',
  'affiliate',
  'train',
  'passenger',
  'bay',
  'area',
  'tree',
  'flood',
  'advisory',
  'effect',
  'san',
  'francisco',
  'thursday',
  'image',
  'source',
  'reutersimage',
  'caption',
  'house',
  'san',
  'joaquin',
  'river',
  'water',
  'california',
  'town',
  'alpaugh',
  'allensworth',
  'state',
  'tulare',
  'county',
  'image',
  'source',
  'getty',
  'imagesimage',
  'caption',
  'farmland',
  'tule',
  'river',
  'californiawhile',
  'resident',
  'foot',
  'water',
  'home',
  'aftermath',
  'storm',
  'ferocity',
  'wind',
  'rain',
  'snowfall',
  'storm',
  'temperature',
  'winter',
  'weather',
  'advisory',
  'place',
  'nevada',
  'nebraska',
  'snow',
  'prediction',
  'winter',
  'storm',
  'warning',
  'effect',
  'nevada',
  'north',
  'western',
  'arizona',
  'utah',
  'national',
  'weather',
  'service',
  'flag',
  'warning',
  'texas',
  'oklahoma',
  'kansas',
  'colorado',
  'new',
  'mexico',
  'wind',
  'gust',
  'mph',
  'h).image',
  'source',
  'reutersimage',
  'caption',
  'woman',
  'dog',
  'wade',
  'san',
  'joaquin',
  'river',
  'floodedthe',
  'california',
  'rain',
  'year',
  'drought',
  'trillion',
  'gallon',
  'rainwater',
  'state',
  'storm',
  'december',
  'river',
  'southwest',
  'rocky',
  'mountains',
  'wednesday',
  'evening',
  'image',
  'source',
  'reutersimage',
  'caption',
  'resident',
  'way',
  'floodwater',
  'evacuation',
  'san',
  'joaquin',
  'valley',
  'river',
  'water',
  'air',
  'wind',
  'current',
  'sky',
  'river',
  'land',
  'rain',
  'snowfall',
  'image',
  'source',
  'getty',
  'imagesimage',
  'caption',
  'road',
  'central',
  'valley',
  'california',
  'farmland',
  'tuesdayimage',
  'source',
  'getty',
  'imagesthe',
  'flooding',
  'season',
  'california',
  'restriction',
  'water',
  'use',
  'rainfall',
  'state',
  'drought',
  'expert',
  'condition',
  'year',
  'factor',
  'flooding',
  'warming',
  'atmosphere',
  'climate',
  'change',
  'rainfall',
  'image',
  'source',
  'getty',
  'imagesimage',
  'caption',
  'allensworth',
  'california',
  'rain',
  'statescaliforniamore',
  'storyno',
  'respite',
  'california',
  'storm',
  'loomspublished13',
  'marchcalifornians',
  'break',
  'drought',
  'marchwhy',
  'california',
  'storm',
  'droughtpublished10',
  'januarytop',
  'storiesniger',
  'soldier',
  'coup',
  'tvpublished1',
  'hour',
  'singer',
  'sinãad',
  "o'connor",
  'hour',
  'agohow',
  'ukraine',
  'offensive',
  'south',
  'hour',
  'agofeaturessinãad',
  "o'connor",
  'obituary',
  'talent',
  'comparehow',
  'sinãad',
  "o'connor",
  'uhow',
  'ukraine',
  'offensive',
  'south',
  'stutteredn',
  'koreaâ\x80\x99s',
  'prisoner',
  'war',
  'plot',
  'flame',
  'buddha',
  'china',
  'videowatch',
  'flame',
  'buddha',
  'chinathe',
  'claim',
  'india',
  'violenceputin',
  'leader',
  'star',
  'role?can',
  'india',
  'chip',
  'powerhouse?world',
  'city',
  'bbcthe',
  'way',
  'homeswhy',
  'brand',
  'mediathe',
  'film',
  'usmost',
  'read1irish',
  'singer',
  'sinãad',
  "o'connor",
  'family',
  "grid'3how",
  'ukraine',
  'offensive',
  'south',
  'stuttered4niger',
  'soldier',
  'coup',
  'national',
  'tv5alien',
  'congress',
  'biden',
  'plea',
  'deal',
  'apart7mastercard',
  'bank',
  'debit',
  'weed8sinãad',
  "o'connor",
  'obituary',
  'talent',
  'koreaâ\x80\x99s',
  'prisoner',
  'war',
  'plot',
  'toy',
  'maker',
  'movie',
  'sale',
  'news',
  'mobileon',
  'news',
  'alertscontact',
  'bbc',
  'newshomenewssportreelworklifetravelfutureculturemusictvweathersoundsterms',
  'useabout',
  'bbcprivacy',
  'policycookiesaccessibility',
  'helpparental',
  'guidancecontact',
  'bbcget',
  'newsletterswhy',
  'bbcadvertise',
  'usâ',
  'bbc',
  'bbc',
  'content',
  'site',
  'approach',
  'linking'],
 ['account',
  'sign',
  'sign',
  'facebook',
  'climate',
  'kansas',
  'weather',
  'condition',
  'summer',
  'winter',
  'temperature',
  '°',
  'f',
  'january',
  '°',
  'f',
  'july',
  'rain',
  'wind',
  'storm',
  'blizzard',
  'state',
  'climate',
  'kansas',
  'temperature',
  'statewide',
  'high',
  'winter',
  '°',
  'f',
  'december',
  'february',
  'temperature',
  'snowfall',
  'condition',
  'snow',
  'day',
  'year',
  'blizzard',
  'time',
  'summer',
  '°',
  'f',
  'june',
  'august',
  'humidity',
  'level',
  'percent',
  'air',
  'precipitation',
  'spring',
  'summer',
  'condition',
  'west',
  'kansas',
  'america',
  'tornado',
  'alley',
  'swath',
  'midwest',
  'thunderstorm',
  'hail',
  'wind',
  'tornado',
  'time',
  'year',
  'spring',
  'summer',
  'march',
  'condition',
  'tornado',
  'time',
  'weather',
  'september',
  'time',
  'kansas',
  'doubt',
  'weather',
  'kansas',
  'fall',
  'end',
  'september',
  'air',
  '°',
  'f',
  'humidity',
  'level',
  'rain',
  'end',
  'summer',
  'october',
  'beauty',
  'high',
  '°',
  'f',
  'sky',
  'weather',
  'november',
  'fall',
  'harvest',
  'time',
  'lot',
  'fun',
  'festival',
  'color',
  'tree',
  'plenty',
  'food',
  'menu',
  'deal',
  'fall',
  'time',
  'kansas',
  'november',
  'hotel',
  'rate',
  'visitor',
  'winter',
  'spring',
  'season',
  'rock',
  'room',
  'rate',
  'cold',
  'countries',
  'planet',
  'deserts',
  'bloom',
  'spot',
  'springtime',
  'wildflower',
  'luxury',
  'safari',
  'africa',
  'yoho',
  'national',
  'park',
  'incredible',
  'place',
  'source',
  'adventure',
  'tourism',
  'travel',
  'guide'],
 ['hunter',
  'biden',
  'plea',
  'deal',
  'ufo',
  'takeaway',
  'whistleblower',
  'congress',
  'uap',
  'sinéad',
  "o'connor",
  'grammy',
  'singer',
  'netherlands',
  'u.s.',
  'draw',
  'rematch',
  'world',
  'cup',
  'federal',
  'reserve',
  'interest',
  'rate',
  'level',
  'year',
  'niger',
  'president',
  'guard',
  'coup',
  'ohio',
  'officer',
  'k-9',
  'man',
  'hand',
  'story',
  'tic',
  'tac',
  'ufo',
  'florence',
  'flooding',
  'crisis',
  'north',
  'carolina',
  'update',
  'september',
  'cbs',
  'ap',
  'red',
  'cross',
  'hurricane',
  'florence',
  'recovery',
  'florence',
  'factsat',
  'people',
  'storm',
  'incident',
  'north',
  'carolina',
  'south',
  'carolina',
  'people',
  'power',
  'north',
  'carolina',
  'a.m.',
  'tuesday',
  'florence',
  'cyclone',
  'mile',
  'west',
  'northwest',
  'new',
  'york',
  'city',
  'wind',
  'mph',
  'national',
  'hurricane',
  'center',
  'cape',
  'fear',
  'river',
  'crest',
  'foot',
  'tuesday',
  'inch',
  'rain',
  'elizabethtown',
  'north',
  'carolina',
  'cbs',
  'raleigh',
  'affiliate',
  'wncn',
  'tv',
  'report',
  'town',
  'inch',
  'thursday',
  'authority',
  'health',
  'patient',
  'van',
  'flood',
  'water',
  'south',
  'carolina',
  'horry',
  'county',
  'sheriff',
  'department',
  'spokeswoman',
  'brooke',
  'holden',
  'sheriff',
  'office',
  'van',
  'patient',
  'deputy',
  'conway',
  'darlington',
  'tuesday',
  'night',
  'flood',
  'water',
  'victim',
  'prison',
  'detainee',
  'official',
  'patient',
  'hospital',
  'official',
  'van',
  'little',
  'pee',
  'dee',
  'river',
  'body',
  'water',
  'official',
  'south',
  'carolina',
  'water',
  'state',
  'upriver',
  'north',
  'carolina',
  'rain',
  'florence',
  'marion',
  'county',
  'coroner',
  'jerry',
  'richardson',
  'ap',
  'tuesday',
  'woman',
  'incident',
  'holden',
  'deputy',
  'health',
  'patient',
  'door',
  'water',
  'rescue',
  'team',
  'deputy',
  'van',
  'tonight',
  'incident',
  'tragedy',
  'question',
  'horry',
  'county',
  'sheriff',
  'phillip',
  'thompson',
  'statement',
  'state',
  'law',
  'enforcement',
  'division',
  'investigation',
  'event',
  '"death',
  'toll',
  'cbs',
  'news',
  'death',
  'storm',
  'monday',
  'evening',
  'north',
  'carolina',
  'south',
  'carolina',
  'virginia',
  'lesha',
  'murphy',
  'johnson',
  'month',
  'son',
  'tree',
  'house',
  'wilmington',
  'north',
  'carolina',
  'child',
  'kaiden',
  'lee',
  'welch',
  'official',
  'water',
  'richardson',
  'creek',
  'union',
  'county',
  'north',
  'carolina',
  'kade',
  'gills',
  'month',
  'official',
  'tree',
  'home',
  'dallas',
  'north',
  'carolina',
  'trump',
  'north',
  'carolina',
  'wednesday',
  'president',
  'trump',
  'look',
  'impact',
  'hurricane',
  'florence',
  'white',
  'house',
  'press',
  'secretary',
  'sarah',
  'sanders',
  'trump',
  'plan',
  'wednesday',
  'north',
  'carolina',
  'brunt',
  'storm',
  'day',
  'hurricane',
  'region',
  'flooding',
  'wilmington',
  'north',
  'carolina',
  'resident',
  'tuesday',
  'food',
  'water',
  'tarp',
  'official',
  'route',
  'city',
  'florence',
  'death',
  'state',
  'remnant',
  'category',
  'hurricane',
  'mass',
  'chicken',
  'north',
  'carolina',
  'chicken',
  'storm',
  'poultry',
  'producer',
  'sanderson',
  'farms',
  'statement',
  'company',
  'broiler',
  'house',
  'need',
  'repair',
  'sanderson',
  'farms',
  'farm',
  'lumberton',
  'north',
  'carolina',
  'floodwater',
  'feed',
  'truck',
  'joe',
  'sanderson',
  'jr.',
  'company',
  'chairman',
  'ceo',
  'employee',
  'contractor',
  'storm.\u200bwest',
  'virginia',
  'brunt',
  'storm',
  'resident',
  'west',
  'virginia',
  'reprieve',
  'prediction',
  'devastation',
  'fruition',
  'remnant',
  'hurricane',
  'florence',
  'storm',
  'landfall',
  'week',
  'forecaster',
  'life',
  'flooding',
  'rainfall',
  'mountain',
  'north',
  'carolina',
  'virginia',
  'west',
  'virginia',
  'storm',
  'inch',
  'rain',
  'west',
  'virginia',
  'tuesday',
  'state',
  'june',
  'flood',
  'people',
  'greenbrier',
  'county',
  'community',
  'rainelle',
  'florence',
  'fleet',
  'truck',
  'ground',
  'anticipation',
  'storm.\u200boperation',
  'bbq',
  'relief',
  'meal',
  'n.c.',
  'operation',
  'bbq',
  'relief',
  'missouri',
  'organization',
  'north',
  'carolina',
  'staple',
  'area',
  'hurricane',
  'florence',
  'company',
  'group',
  'barbecue',
  'enthusiast',
  'wilmington',
  'fayetteville',
  'recovery',
  'effort',
  'meal',
  'resident',
  'responder',
  'organization',
  'wilmington',
  'fayetteville',
  'deployment',
  'location',
  'meal',
  'day',
  'organization',
  'tornado',
  'joplin',
  'missouri',
  'organization',
  'disaster',
  'south',
  'carolina',
  'flooding',
  'hurricane',
  'harvey',
  'michael',
  'jordan',
  'hurricane',
  'relief',
  'nba',
  'legend',
  'michael',
  'jordan',
  'school',
  'basketball',
  'wilmington',
  'north',
  'carolina',
  'resident',
  'north',
  'south',
  'carolina',
  'year',
  'owner',
  'nba',
  'charlotte',
  'hornets',
  'american',
  'red',
  'cross',
  'foundation',
  'carolinas',
  'hurricane',
  'florence',
  'response',
  'fund',
  'news',
  'release',
  'tuesday',
  'addition',
  'member',
  'hornets',
  'organization',
  'disaster',
  'food',
  'box',
  'friday',
  'second',
  'harvest',
  'food',
  'bank',
  'metrolina',
  'charlotte',
  'north',
  'carolina',
  'disaster',
  'food',
  'box',
  'meal',
  'wilmington',
  'n.c.',
  'fayetteville',
  'n.c.',
  'myrtle',
  'beach',
  's.c.',
  'hurricane',
  'goal',
  'food',
  'box',
  'fanatics',
  'nba',
  'merchandising',
  'partner',
  'carolina',
  'strong',
  't',
  'shirt',
  '%',
  'proceed',
  'foundation',
  'fund',
  'target',
  'hurricane',
  'relief',
  'effort',
  'company',
  'money',
  'organization',
  'team',
  'rubicon',
  'disaster',
  'cleanup',
  'recovery',
  'cbs',
  'greenville',
  'affiliate',
  'wnct',
  'n.c.',
  'official',
  'north',
  'carolina',
  'official',
  'sun',
  'state',
  'flooding',
  'aftermath',
  'florence',
  'area',
  'gov.',
  'roy',
  'cooper',
  'river',
  'flood',
  'stage',
  'tuesday',
  'forecast',
  'wednesday',
  'thursday',
  'north',
  'carolinians',
  'nightmare',
  'resident',
  'floodwater',
  'apartment',
  'september',
  'spring',
  'lake',
  'north',
  'carolina',
  '\u200b10,000',
  'people',
  'n.c.',
  'shelter',
  'tobacco',
  'crop',
  'people',
  'shelter',
  'north',
  'carolina',
  'responder',
  'people',
  'gov.',
  'roy',
  'cooper',
  'news',
  'conference',
  'tuesday',
  'floodwater',
  'farmer',
  'crop',
  'harvest',
  'cotton',
  'peanut',
  'quarter',
  'half',
  'tobacco',
  'crop',
  'cooper',
  'people',
  'power',
  'wastewater',
  'n.c.',
  'river',
  'tributary',
  'heavy',
  'rainfall',
  'remnant',
  'hurricane',
  'florence',
  'thousand',
  'gallon',
  'wastewater',
  'tributary',
  'north',
  'carolina',
  'cape',
  'fear',
  'river',
  'basin',
  'weekend',
  'city',
  'greensboro',
  'statement',
  'tuesday',
  'gallon',
  'wastewater',
  'sewer',
  'main',
  'hour',
  'sunday',
  'official',
  'infiltration',
  'rainfall',
  'florence',
  'wastewater',
  'north',
  'buffalo',
  'tributary',
  'cape',
  'fear',
  'river',
  'basin',
  'official',
  'area',
  'supply',
  'handout',
  'wilmington',
  'north',
  'carolina',
  'city',
  'wilmington',
  'floodwater',
  'hurricane',
  'florence',
  'official',
  'food',
  'water',
  'tarps',
  'resident',
  'people',
  'neighborhood',
  'worker',
  'supply',
  'resident',
  'city',
  'people',
  'tuesday',
  'morning',
  'county',
  'official',
  'road',
  'wilmington',
  'official',
  'item',
  'city',
  'truck',
  'helicopter',
  'people',
  'home',
  'structure',
  'rain',
  'sun',
  'north',
  'carolina',
  'gov.',
  'roy',
  'cooper',
  'water',
  'day',
  'resident',
  'area',
  'road',
  'flooding',
  'community',
  'crew',
  'rescue',
  'new',
  'hanover',
  'county',
  'wilmington',
  'percent',
  'home',
  'business',
  'power',
  'authority',
  'sun',
  'flood',
  'water',
  'wilmington',
  'september',
  'fema',
  'assistance',
  'north',
  'carolina',
  'county',
  'disaster',
  'aid',
  'homeowner',
  'renter',
  'business',
  'hurricane',
  'florence',
  'damage',
  'federal',
  'emergency',
  'management',
  'agency',
  'monday',
  'county',
  'assistance',
  'resident',
  'business',
  'damage',
  'insurance',
  'claim',
  'government',
  'assistance',
  'aid',
  'grant',
  'interest',
  'loan',
  'county',
  'monday',
  'bladen',
  'columbus',
  'cumberland',
  'duplin',
  'harnett',
  'lenoir',
  'jones',
  'robeson',
  'sampson',
  'wayne',
  'county',
  'county',
  'government',
  'state',
  'government',
  'debris',
  'removal',
  'emergency',
  'action',
  '"cajun',
  'navy',
  'volunteer',
  'north',
  'carolina',
  'nursing',
  'home',
  'resident',
  'group',
  'volunteer',
  'flooding',
  'north',
  'carolina',
  'aftermath',
  'florence',
  'cajun',
  'navy',
  'relief',
  'rescue',
  'group',
  'volunteer',
  'country',
  'group',
  'louisiana',
  'cbs',
  'news',
  'team',
  'lumberton',
  'people',
  'highland',
  'acres',
  'nursing',
  'rehabilitation',
  'center',
  'resident',
  'life',
  'chris',
  'russell',
  'volunteer',
  'hour',
  'resident',
  'area',
  'hospital',
  'tonight',
  'people',
  'dignity',
  'hand',
  'allen',
  'lenard',
  'volunteer',
  'blessing',
  'people',
  'matter',
  'fact',
  'blessing',
  'tonight',
  'city',
  'history',
  'flooding',
  'year',
  'hurricane',
  'matthew',
  'inch',
  'rain',
  'lumberton',
  'rescue',
  'sight',
  'storm',
  'country',
  'year',
  'cbs',
  'news',
  'volunteer',
  'houston',
  'aftermath',
  'hurricane',
  'harvey',
  'cajun',
  'navy',
  'volunteer',
  'people',
  'floodwater',
  'wake',
  'hurricane',
  'katrina',
  'makeshift',
  'flotilla',
  'people',
  'home',
  'rooftop',
  'florence',
  'landfall',
  'hurricane',
  'death',
  'home',
  'business',
  'power',
  'north',
  'south',
  'carolina',
  'storm',
  'rain',
  'flash',
  'flooding',
  'concern',
  'carolinas',
  'manure',
  'pit',
  'hog',
  'farm',
  'pollution',
  'north',
  'carolina',
  'regulator',
  'air',
  'manure',
  'pit',
  'hog',
  'farm',
  'pollution',
  'department',
  'environmental',
  'quality',
  'secretary',
  'michael',
  'regan',
  'monday',
  'dam',
  'hog',
  'lagoon',
  'duplin',
  'county',
  'report',
  'lagoon',
  'level',
  'jones',
  'pender',
  'county',
  'regan',
  'state',
  'investigator',
  'site',
  'condition',
  'pit',
  'hog',
  'farm',
  'fece',
  'urine',
  'animal',
  'field',
  'associated',
  'press',
  'photo',
  'hog',
  'farm',
  'trenton',
  'sunday',
  'waste',
  'pit',
  'floodwater',
  'n.c.',
  'pork',
  'council',
  'industry',
  'trade',
  'group',
  'report',
  'spill',
  'price',
  'complaint',
  'north',
  'carolina',
  'heel',
  'florence',
  'north',
  'carolina',
  'law',
  'enforcement',
  'official',
  'complaint',
  'price',
  'gouging',
  'wake',
  'hurricane',
  'florence',
  'attorney',
  'general',
  'josh',
  'stein',
  'complaint',
  'price',
  'gouging',
  'essential',
  'gas',
  'water',
  'office',
  'monday',
  'state',
  'investigation',
  'gas',
  'station',
  'percent',
  'gas',
  'station',
  'state',
  'gasoline',
  'monday',
  'morning',
  'gasbuddy',
  'percent',
  'power',
  'south',
  'carolina',
  'percent',
  'station',
  'gas',
  'station',
  'line',
  'car',
  'report',
  'medium',
  'patrick',
  'dehaan',
  'head',
  'petroleum',
  'analysis',
  'gasbuddy',
  'app',
  'report',
  'gouging',
  'date',
  'photo',
  'receipt',
  'sign',
  'price',
  'preparation',
  'hurricane',
  'florence',
  'gas',
  'price',
  'cent',
  'gallon',
  'south',
  'carolina',
  'cent',
  'north',
  'carolina',
  'cent',
  'virginia',
  'aaa',
  'price',
  'south',
  'carolina',
  'virginia',
  'today',
  'state',
  'gas',
  'situation',
  'time',
  'news',
  'fuel',
  'supply',
  'gasbuddy',
  'analyst',
  'note',
  'north',
  'carolina',
  'governor',
  'flooding',
  'florence',
  'north',
  'carolina',
  'governor',
  'flooding',
  'florence',
  'fayetteville',
  'n.c.',
  'city',
  'cape',
  'fear',
  'river',
  'worry',
  'cbs',
  'news',
  'correspondent',
  ...],
 ['month',
  '99¢/month',
  'subscribe',
  'month',
  '99¢/month',
  'subscribe',
  'month',
  '99¢/month',
  'subscribe',
  'storm',
  'sd',
  'tuesday',
  'wind',
  'mph',
  'lime',
  'hail',
  'national',
  'weather',
  'service',
  'mitchell',
  'area',
  'north',
  'east',
  'risk',
  'storm',
  'risk',
  'category',
  'july',
  'pm',
  'news',
  'reporting',
  'fact',
  'reporter',
  'source',
  'falls',
  'portion',
  'south',
  'dakota',
  'storm',
  'system',
  'area',
  'tuesday',
  'wind',
  'hail',
  'region',
  'national',
  'weather',
  'service',
  'sioux',
  'falls',
  'area',
  'huron',
  'mitchell',
  'sioux',
  'falls',
  'brookings',
  'risk',
  'thunderstorm',
  'tuesday',
  'evening',
  'risk',
  'risk',
  'category',
  'thunderstorm',
  'area',
  'national',
  'weather',
  'service',
  'category',
  'risk',
  'thunderstorm',
  'area',
  'courtesy',
  'national',
  'weather',
  'service',
  'tuesday',
  'storm',
  'northwest',
  'huron',
  'area',
  'p.m.',
  'mitchell',
  'area',
  'storm',
  'system',
  'wind',
  'mph',
  'hail',
  'inch',
  'diameter',
  'period',
  'rain',
  'weather',
  'risk',
  'afternoon',
  'moderate',
  'portion',
  'sd',
  'mn',
  'ia',
  'risk',
  'storm',
  'wind',
  'gust',
  'mph',
  'hail',
  'inch',
  'pic.twitter.com/hfurnfgsr1',
  'nws',
  'sioux',
  'falls',
  '@nwssiouxfalls',
  'july',
  'national',
  'weather',
  'service',
  'likelihood',
  'tornado',
  'area',
  'risk',
  'flooding',
  'warning',
  'kind',
  'national',
  'weather',
  'service',
  'resident',
  'shelter',
  'level',
  'basement',
  'window',
  'weather',
  'information',
  'watch',
  'warning',
  'national',
  'weather',
  'service',
  'tuesday',
  'july',
  'storm',
  'look',
  'storm',
  'arrival',
  'time',
  'time',
  'storm',
  'weather',
  'pic.twitter.com/hkejuirt6s',
  'nws',
  'sioux',
  'falls',
  '@nwssiouxfalls',
  'july',
  'editor',
  'note',
  'information',
  'article',
  'datum',
  'national',
  'weather',
  'service',
  'p.m.',
  'tuesday',
  'july',
  'news',
  'reporting',
  'fact',
  'reporter',
  'source',
  'south',
  'dakota',
  'native',
  'hunter',
  'forum',
  'communications',
  'reporter',
  'mitchell',
  's.d.',
  'republic',
  'june',
  'reporter',
  'sioux',
  'falls',
  'live',
  'focus',
  'crime',
  'sioux',
  'falls',
  'government',
  'lincoln',
  'county',
  'lightning',
  'summer',
  'storm',
  'wind',
  'clobber',
  'community',
  'davison',
  'county',
  'felony',
  'court',
  'case',
  'july',
  'canova',
  'man',
  'victim',
  'hanson',
  'county',
  'atv',
  'crash',
  'amateur',
  'roundup',
  'july',
  'winner',
  'colome',
  'alexandria',
  'advance',
  'district',
  '5b',
  'semifinal',
  'news',
  'account',
  'e',
  '-',
  'paper',
  'mitchell',
  'republic',
  'forum',
  'communications',
  'company',
  'north',
  'rowley',
  'mitchell',
  'sd',
  'javascript',
  'javascript',
  'page',
  'news',
  'message',
  'error',
  'customer',
  'support',
  'team'],
 ['hunter',
  'biden',
  'plea',
  'deal',
  'ufo',
  'takeaway',
  'whistleblower',
  'congress',
  'uap',
  'sinéad',
  "o'connor",
  'grammy',
  'singer',
  'netherlands',
  'u.s.',
  'draw',
  'rematch',
  'world',
  'cup',
  'federal',
  'reserve',
  'interest',
  'rate',
  'level',
  'year',
  'niger',
  'president',
  'guard',
  'coup',
  'ohio',
  'officer',
  'k-9',
  'man',
  'hand',
  'story',
  'tic',
  'tac',
  'ufo',
  'sighting',
  'storm',
  'system',
  'killer',
  'tornado',
  'south',
  'blizzard',
  'condition',
  'great',
  'plains',
  'december',
  'pm',
  'cbs',
  'ap',
  'storm',
  'blizzard',
  'tornado',
  'storm',
  'trail',
  'destruction',
  'south',
  'midwest',
  'blizzard',
  'storm',
  'system',
  'u.s.',
  'people',
  'louisiana',
  'tornado',
  'state',
  'north',
  'south',
  'new',
  'orleans',
  'area',
  'memory',
  'hurricane',
  'ida',
  'tornado',
  'march',
  'linger',
  'system',
  'blizzard',
  'condition',
  'great',
  'plains',
  'rain',
  'portion',
  'northeast',
  'cbs',
  'news',
  'weather',
  'producer',
  'david',
  'parkinson',
  'rain',
  'pennsylvania',
  'corridor',
  'virginia',
  'maryland',
  'thursday',
  'morning',
  'inch',
  'ice',
  'power',
  'outage',
  'snow',
  'thursday',
  'friday',
  'parkinson',
  'snow',
  'new',
  'york',
  'total',
  'foot',
  'snow',
  'dark',
  'friday',
  'northern',
  'new',
  'england',
  'coastline',
  'rain',
  'injury',
  'louisiana',
  'authority',
  'number',
  'power',
  'outage',
  'wednesday',
  'night',
  'thursday',
  'morning',
  'poweroutage.us',
  'storm',
  'wednesday',
  'mother',
  'son',
  'state',
  'day',
  'system',
  'tornado',
  'woman',
  'wednesday',
  'southeast',
  'louisiana',
  'st.',
  'charles',
  'parish',
  'new',
  'orleans',
  'jefferson',
  'st.',
  'bernard',
  'parish',
  'area',
  'march',
  'tornado',
  'tornado',
  'new',
  'iberia',
  'louisiana',
  'people',
  'window',
  'building',
  'iberia',
  'medical',
  'center',
  'hospital',
  'night',
  'tornado',
  'threat',
  'mississippi',
  'county',
  'florida',
  'alabama',
  'weather',
  'threat',
  'vehicle',
  'window',
  'tornado',
  'damage',
  'gretna',
  'la.',
  'jefferson',
  'parish',
  'new',
  'orleans',
  'dec.',
  'new',
  'orleans',
  'emergency',
  'director',
  'collin',
  'arnold',
  'business',
  'residence',
  'city',
  'wind',
  'damage',
  'mississippi',
  'river',
  'west',
  'bank',
  'home',
  'people',
  'word',
  'damage',
  'home',
  'business',
  'damage',
  'jefferson',
  'parish',
  'sheriff',
  'office',
  'statement',
  'suburb',
  'west',
  'new',
  'orleans',
  'building',
  'sheriff',
  'office',
  'training',
  'academy',
  'building',
  'city',
  'gretna',
  'seat',
  'jefferson',
  'parish',
  'michael',
  'willis',
  'suv',
  'tornado',
  'cbs',
  'new',
  'orleans',
  'affiliate',
  'wwl',
  'tv."it',
  'tornado',
  'willis',
  'wood',
  'building',
  'spin',
  '"willis',
  'power',
  'wire',
  'willis',
  'damage',
  'naw',
  'god',
  'willis',
  'debris',
  'windshield',
  'passenger',
  'window',
  'tinting',
  'glass',
  'tint',
  'life',
  'willis',
  'passenger',
  'window',
  'tornado',
  'highway',
  'new',
  'iberia',
  'louisiana',
  'dec.',
  'st.',
  'bernard',
  'parish',
  'march',
  'twister',
  'devastation',
  'sheriff',
  'jimmy',
  'pohlman',
  'tornado',
  'damage',
  'mile',
  'stretch',
  'parish',
  'president',
  'guy',
  'mcinnis',
  'damage',
  'march',
  'tornado',
  'roof',
  'authority',
  'st.',
  'charles',
  'parish',
  'west',
  'new',
  'orleans',
  'woman',
  'tornado',
  'wednesday',
  'community',
  'killona',
  'mississippi',
  'river',
  'home',
  'people',
  'hospital',
  'injury',
  'residence',
  'st.',
  'charles',
  'parish',
  'sheriff',
  'greg',
  'champagne',
  'woman',
  'debris',
  'tornado',
  'mile',
  'louisiana',
  'hour',
  'authority',
  'body',
  'mother',
  'child',
  'tornado',
  'home',
  'tuesday',
  'keithville',
  'shreveport',
  'house',
  'house',
  'gov.',
  'john',
  'bel',
  'edwards',
  'reporter',
  'challenge',
  'emergency',
  'responder',
  'mile',
  'path',
  'destruction',
  'keithville',
  'emergency',
  'declaration',
  'day',
  'caddo',
  'parish',
  'coroner',
  'office',
  'body',
  'year',
  'nikolus',
  'little',
  'tuesday',
  'night',
  'wood',
  'body',
  'mother',
  'yoshiko',
  'a.',
  'smith',
  'storm',
  'debris',
  'wednesday',
  'caddo',
  'parish',
  'sheriff',
  'sgt',
  'casey',
  'jones',
  'boy',
  'father',
  'grocery',
  'storm',
  'family',
  'house',
  'jones',
  'storm',
  'louisiana',
  'north',
  'south',
  'union',
  'parish',
  'arkansas',
  'line',
  'farmerville',
  'mayor',
  'john',
  'crow',
  'tornado',
  'tuesday',
  'night',
  'apartment',
  'complex',
  'family',
  'neighboring',
  'trailer',
  'park',
  'home',
  'crow',
  'wednesday',
  'home',
  'lake',
  "d'arbonne",
  'tornado',
  'wednesday',
  'new',
  'iberia',
  'louisiana',
  'building',
  'new',
  'iberia',
  'medical',
  'center',
  'hospital',
  'official',
  'people',
  'injury',
  'mississippi',
  'rankin',
  'county',
  'tornado',
  'chicken',
  'house',
  'rooster',
  'sheriff',
  'bryan',
  'bailey',
  'mobile',
  'home',
  'park',
  'sharkey',
  'county',
  'mississippi',
  'debris',
  'storm',
  'journey',
  'snow',
  'sierra',
  'nevada',
  'damage',
  'tuesday',
  'thunderstorm',
  'storm',
  'texas',
  'people',
  'dallas',
  'suburb',
  'grapevine',
  'police',
  'spokesperson',
  'amanda',
  'mcnew',
  'storm',
  'east',
  'coast',
  'chaos',
  'forecaster',
  'system',
  'midwest',
  'ice',
  'rain',
  'snow',
  'day',
  'appalachians',
  'northeast',
  'national',
  'weather',
  'service',
  'winter',
  'storm',
  'wednesday',
  'night',
  'friday',
  'afternoon',
  'timing',
  'storm',
  'resident',
  'west',
  'virginia',
  'vermont',
  'mix',
  'snow',
  'ice',
  'sleet',
  'system',
  'fact',
  'impact',
  'area',
  'way',
  'california',
  'northeast',
  'meteorologist',
  'frank',
  'pereira',
  'national',
  'weather',
  'service',
  'college',
  'park',
  'maryland',
  'black',
  'hills',
  'south',
  'dakota',
  'snow',
  'foot',
  'spot',
  'hour',
  'end',
  'vicki',
  'weekly',
  'hotel',
  'tourist',
  'gambling',
  'city',
  'deadwood',
  'visitor',
  'casino',
  'mile',
  'span',
  'interstate',
  'south',
  'dakota',
  'wednesday',
  'state',
  'official',
  'driver',
  'highway',
  'minnesota',
  'snow',
  'tree',
  'limb',
  'wednesday',
  'weather',
  'service',
  'meteorologist',
  'ketzel',
  'levens',
  'duluth',
  'inch',
  'snow',
  'area',
  'startribune',
  'blizzard',
  'warning',
  'effect',
  'p.m.',
  'thursday',
  'inch',
  'snowfall',
  'weekend',
  'ufo',
  'takeaway',
  'whistleblower',
  'congress',
  'uap',
  'hunter',
  'biden',
  'plea',
  'deal',
  'story',
  'tic',
  'tac',
  'ufo',
  'sighting',
  'hammerhead',
  'worm',
  'december',
  'cbs',
  'interactive',
  'inc.',
  'rights',
  'material',
  'associated',
  'press',
  'report',
  'thank',
  'cbs',
  'news',
  'account',
  'feature',
  'email',
  'address',
  'email',
  'address',
  'alert',
  'forecast',
  'storm',
  'evening',
  'chicago',
  'weather',
  'alert',
  'storm',
  'threat',
  'humid',
  'thursday',
  'overnight',
  'storm',
  'wind',
  'minnesota',
  'lightning',
  'house',
  'fire',
  'metro',
  'weather',
  'alert',
  'thunderstorm',
  'warning',
  'heat',
  'index',
  'degree',
  'copyright',
  'cbs',
  'interactive',
  'inc.',
  'right',
  'privacy',
  'policy',
  'california',
  'notice',
  'personal',
  'information',
  'terms',
  'use',
  'advertise',
  'captioning',
  'cbs',
  'news',
  'paramount+',
  'cbs',
  'news',
  'store',
  'site',
  'map',
  'contact',
  'browser',
  'notification',
  'news',
  'event',
  'reporting'],
 ['site',
  'browser',
  'server',
  'script',
  'page',
  'informedbe',
  'informedsign',
  'alertsknow',
  'threatsknow',
  'communityready',
  'pa',
  'newsletteremergency',
  'preparedness',
  'guidebe',
  'preparedbe',
  'preparedmake',
  'planbuild',
  'kitplan',
  'needsbe',
  'involvedbe',
  'involvedways',
  'volunteernational',
  'preparedness',
  'volunteersyouth',
  'preparedness',
  'councilafter',
  'emergencyafter',
  'emergencyrecover',
  'rebuildafter',
  'disaster',
  'guidesearch',
  'sign',
  'alert',
  'threat',
  'community',
  'ready',
  'pa',
  'newsletter',
  'emergency',
  'preparedness',
  'guide',
  'plan',
  'kit',
  'plan',
  'need',
  'way',
  'volunteer',
  'national',
  'preparedness',
  'month',
  'servpa',
  'volunteers',
  'youth',
  'preparedness',
  'council',
  'emergency',
  'recover',
  'disaster',
  'guide',
  'ready',
  'pa',
  'pa',
  'article',
  'tag',
  'emergency',
  'management',
  'preparedness',
  'severe',
  'weather',
  'snow',
  'squall',
  'safety',
  'weather',
  'safety',
  'winter',
  'weather',
  'month',
  'veteran',
  'family',
  'time',
  'thanksgiving',
  'start',
  'winter',
  'indicator',
  'pennsylvania',
  'winter',
  'december',
  'february',
  'weather',
  'pa',
  'wetter',
  'weather',
  'pa',
  'region',
  'signal',
  'temperature',
  'precipitation',
  'pattern',
  'average',
  'month',
  'winter',
  'season',
  'weather',
  'snow',
  'sleet',
  'ice',
  'storm',
  'winter',
  'winter',
  'season',
  'time',
  'winter',
  'weather',
  'terminology',
  'start',
  'eye',
  'detail',
  'pema',
  'facebook',
  'twitter',
  'page',
  'nws',
  'office',
  'facebook',
  'twitter',
  'page',
  'website',
  'pa',
  'winter',
  'weather',
  'awareness',
  'snow',
  'squall',
  'awareness',
  'weeks',
  'weather',
  'terminologyblizzard',
  'wind',
  'gust',
  'mph',
  'snow',
  'snow',
  'visibility',
  'quarter',
  'mile',
  'hour',
  'snow',
  'wind',
  'snow',
  'visibility',
  'snow',
  'snow',
  'snow',
  'ground',
  'wind',
  'snow',
  'squalls',
  'brief',
  'snow',
  'shower',
  'wind',
  'accumulation',
  'snow',
  'showers',
  'snow',
  'intensity',
  'period',
  'time',
  'accumulation',
  'flurry',
  'light',
  'snow',
  'duration',
  'accumulation',
  'rain',
  'rain',
  'object',
  'ground',
  'coating',
  'ice',
  'road',
  'walkway',
  'tree',
  'power',
  'line',
  'sleet',
  'rain',
  'ice',
  'pellet',
  'ground',
  'sleet',
  'moisture',
  'road',
  'storm',
  'day',
  'winter',
  'storm',
  'watch',
  'possibility',
  'blizzard',
  'snow',
  'rain',
  'sleet',
  'wind',
  'chill',
  'watch',
  'possibility',
  'wind',
  'chill',
  'temperature',
  'life',
  'minute',
  'exposure',
  'storm',
  'day',
  'winter',
  'weather',
  'advisories',
  'accumulation',
  'snow',
  'rain',
  'drizzle',
  'sleet',
  'inconvenience',
  'caution',
  'life',
  'situation',
  'winter',
  'storm',
  'warning',
  'winter',
  'weather',
  'form',
  'snow',
  'rain',
  'sleet',
  'ice',
  'storm',
  'warning',
  'icing',
  'utility',
  'tree',
  'travel',
  'blizzard',
  'warning',
  'wind',
  'mph',
  'snow',
  'visibility',
  '¼',
  'mile',
  'condition',
  'hour',
  'lake',
  'effect',
  'snow',
  'warning',
  'lake',
  'snow',
  'squall',
  'snow',
  'shower',
  'snowfall',
  'accumulation',
  'hour',
  'wind',
  'chill',
  'warning',
  'wind',
  'chill',
  'temperature',
  'life',
  'minute',
  'exposure',
  'pennsylvanians',
  'information',
  'resource',
  'emergency',
  'disaster',
  'preparedness',
  'recovery',
  'blog',
  'tag',
  'fire',
  'safe',
  'pa',
  'burn',
  'prevention',
  'safety',
  'covid-19',
  'cybersecurity',
  'safety',
  'emergency',
  'management',
  'financial',
  'capability',
  'financial',
  'literacy',
  'fireworks',
  'safety',
  'flooding',
  'holiday',
  'safety',
  'lightning',
  'safety',
  'national',
  'preparedness',
  'month',
  'power',
  'outage',
  'preparedness',
  'school',
  'safety',
  'severe',
  'weather',
  'snow',
  'squall',
  'safety',
  'vaccine',
  'weather',
  'safety',
  'winter',
  'weather',
  'post',
  'veterinarian',
  'pets',
  'heat',
  'safety',
  'thunder',
  'indoors',
  'hurricane',
  'season',
  'mart',
  'mart',
  'recovery',
  'meteorologist',
  'ready',
  'pa',
  'newsletter',
  'subscribe',
  'ready',
  'pa',
  'newsletter',
  'commonwealth',
  'pennsylvania',
  'keystone',
  'state',
  'place',
  'tolerance',
  'freedom',
  'services',
  'register',
  'votefind',
  'dmvget',
  'birth',
  'certificatejoin',
  'veterans',
  'registryvisit',
  'law',
  'government',
  'governor',
  'josh',
  'shapirodirectorystate',
  'housestate',
  'governor',
  'austin',
  'davisattorney',
  'generalauditor',
  'generaltreasurer',
  'arepennsylvania',
  'facebookpennsylvania',
  'twitterstate',
  'symbolsnewssocial',
  'mediaappscareers',
  'internships',
  'accessibilityprivacy',
  'disclaimerstranslation',
  'disclaimersecurity',
  'copyright',
  'commonwealth',
  'pennsylvania',
  'right'],
 ['article',
  'journal',
  'variations',
  'wave',
  'climate',
  'sediment',
  'transport',
  'climate',
  'change',
  'coast',
  'vietnam',
  'article',
  'special',
  'issue',
  'multi',
  'stratification',
  'baltic',
  'sea',
  'insight',
  'modeling',
  'study',
  'reference',
  'environmental',
  'conditions',
  'article',
  'journal',
  'enhancement',
  'protein',
  'pigment',
  'content',
  'chlorella',
  'species',
  'industrial',
  'process',
  'water',
  'article',
  'special',
  'issue',
  'development',
  'hydrodynamic',
  'model',
  'long',
  'term',
  'simulation',
  'water',
  'quality',
  'processes',
  'tidal',
  'james',
  'river',
  'virginia',
  'author',
  'reviewers',
  'editor',
  'librarians',
  'publishers',
  'societies',
  'conference',
  'organizers',
  'open',
  'access',
  'policy',
  'institutional',
  'open',
  'access',
  'program',
  'special',
  'issues',
  'guidelines',
  'editorial',
  'process',
  'research',
  'publication',
  'ethics',
  'article',
  'processing',
  'charges',
  'awards',
  'testimonial',
  'submission',
  'journal',
  'machine',
  'page',
  'order',
  'human',
  'rss',
  'reader',
  'article',
  'mdpi',
  'access',
  'license',
  'permission',
  'article',
  'mdpi',
  'figure',
  'table',
  'article',
  'access',
  'creative',
  'common',
  'cc',
  'license',
  'article',
  'permission',
  'article',
  'information',
  'https://www.mdpi.com/openaccess',
  'feature',
  'paper',
  'research',
  'potential',
  'impact',
  'field',
  'feature',
  'paper',
  'article',
  'technique',
  'approach',
  'outlook',
  'research',
  'direction',
  'research',
  'application',
  'feature',
  'paper',
  'invitation',
  'recommendation',
  'editor',
  'feedback',
  'reviewer',
  'editor',
  'choice',
  'article',
  'recommendation',
  'editor',
  'mdpi',
  'journal',
  'world',
  'editor',
  'number',
  'article',
  'journal',
  'reader',
  'research',
  'area',
  'aim',
  'snapshot',
  'work',
  'research',
  'area',
  'journal',
  'javascript',
  'page',
  'functionality',
  'javascript',
  'big',
  'data',
  'cognitive',
  'computing',
  'bdcc',
  'issues',
  'molecular',
  'biology',
  'cimb',
  'european',
  'journal',
  'investigation',
  'health',
  'psychology',
  'education',
  'ejihpe',
  'gout',
  'urate',
  'crystal',
  'deposition',
  'disease',
  'gucdd',
  'international',
  'journal',
  'environmental',
  'research',
  'public',
  'health',
  'ijerph',
  'international',
  'journal',
  'financial',
  'studies',
  'ijfs',
  'international',
  'journal',
  'molecular',
  'sciences',
  'ijms',
  'international',
  'journal',
  'neonatal',
  'screening',
  'ijns',
  'international',
  'journal',
  'plant',
  'biology',
  'ijpb',
  'international',
  'journal',
  'translational',
  'medicine',
  'ijtm',
  'international',
  'journal',
  'turbomachinery',
  'propulsion',
  'power',
  'ijtpp',
  'isprs',
  'international',
  'journal',
  'geo',
  'information',
  'ijgi',
  'journal',
  'ageing',
  'longevity',
  'jal',
  'journal',
  'cardiovascular',
  'development',
  'disease',
  'jcdd',
  'journal',
  'clinical',
  'translational',
  'ophthalmology',
  'jcto',
  'journal',
  'composites',
  'science',
  'j.',
  'compos',
  'sci',
  'journal',
  'cybersecurity',
  'privacy',
  'jcp',
  'journal',
  'experimental',
  'theoretical',
  'analyses',
  'jeta',
  'journal',
  'functional',
  'morphology',
  'kinesiology',
  'jfmk',
  'journal',
  'low',
  'power',
  'electronics',
  'applications',
  'jlpea',
  'journal',
  'manufacturing',
  'materials',
  'processing',
  'jmmp',
  'journal',
  'marine',
  'science',
  'engineering',
  'jmse',
  'journal',
  'otorhinolaryngology',
  'hearing',
  'balance',
  'medicine',
  'ohbm',
  'journal',
  'risk',
  'financial',
  'management',
  'jrfm',
  'journal',
  'sensor',
  'actuator',
  'networks',
  'jsan',
  'journal',
  'theoretical',
  'applied',
  'electronic',
  'commerce',
  'research',
  'jtaer',
  'journal',
  'zoological',
  'botanical',
  'gardens',
  'jzbg',
  'machine',
  'learning',
  'knowledge',
  'extraction',
  'tropical',
  'medicine',
  'infectious',
  'disease',
  'tropicalmed',
  'article',
  'types',
  'article',
  'review',
  'communication',
  'editorial',
  'book',
  'review',
  'brief',
  'report',
  'case',
  'report',
  'comment',
  'commentary',
  'concept',
  'paper',
  'conference',
  'report',
  'correction',
  'creative',
  'data',
  'descriptor',
  'discussion',
  'entry',
  'essay',
  'expression',
  'extended',
  'abstract',
  'guidelines',
  'hypothesis',
  'interesting',
  'images',
  'letter',
  'new',
  'book',
  'received',
  'obituary',
  'opinion',
  'perspective',
  'proceeding',
  'paper',
  'project',
  'report',
  'protocol',
  'registered',
  'report',
  'reply',
  'retraction',
  'short',
  'note',
  'study',
  'protocol',
  'systematic',
  'review',
  'technical',
  'note',
  'tutorial',
  'viewpoint',
  'support',
  'problem',
  'support',
  'section',
  'website',
  'product',
  'service',
  'information',
  'section',
  'mdpi',
  'effect',
  'coastal',
  'erosion',
  'storm',
  'surge',
  'case',
  'study',
  'southern',
  'coast',
  'rhode',
  'island',
  'google',
  'scholar',
  'mohammad',
  'reza',
  'hashemimohammad',
  'reza',
  'hashemi',
  'scilit',
  'google',
  'scholar',
  '*',
  'malcolm',
  'spauldingmalcolm',
  'spaulding',
  'scilit',
  'google',
  'scholar',
  'bryan',
  'oakleybryan',
  'oakley',
  'scilit',
  'google',
  'scholar',
  'chris',
  'baxterchris',
  'baxter',
  'scilit',
  'author',
  'correspondence',
  'j.',
  'mar.',
  'sci',
  'eng',
  '.',
  'https://doi.org/10.3390/jmse4040085',
  'july',
  'october',
  'accepted',
  'november',
  'december',
  'article',
  'special',
  'issue',
  'selected',
  'papers',
  'estuarine',
  'coastal',
  'modeling',
  'conference',
  'abstract',
  'objective',
  'study',
  'effect',
  'shoreline',
  'retreat',
  'erosion',
  'flooding',
  'case',
  'study',
  'coast',
  'rhode',
  'island',
  'usa',
  'dataset',
  'adcirc',
  'model',
  'propagation',
  'storm',
  'surge',
  'area',
  'inlet',
  'pond',
  'methodology',
  'assessment',
  'trend',
  'shoreline',
  'retreat',
  'erosion',
  'area',
  'model',
  'erosion',
  'result',
  'storm',
  'year',
  'event',
  'dune',
  'area',
  'flooding',
  'extent',
  'erosion',
  'failure',
  'dune',
  'increase',
  'flooding',
  'extent',
  'storm',
  'dampening',
  'storm',
  'surge',
  'elevation',
  'pond',
  'storm',
  'inlet',
  'pond',
  'surge',
  'model',
  'shoreline',
  'change',
  'extent',
  'flooding',
  'accuracy',
  'storm',
  'surge',
  'model',
  'ability',
  'inlet',
  'storm',
  'surge',
  'prediction',
  'area',
  'inlet',
  'basin',
  'system',
  'keyword',
  'erosion',
  'pond',
  'storm',
  'surge',
  'flooding',
  'introductionthe',
  'northeast',
  'region',
  'rhode',
  'island',
  'hurricane',
  'past',
  'hurricane',
  'sandy',
  'climate',
  'change',
  'strength',
  'frequency',
  'event',
  'area',
  'risk',
  'sea',
  'level',
  'm',
  'northeast',
  'impact',
  'flooding',
  'flooding',
  'change',
  'bathymetry',
  'topography',
  'region',
  'erosion',
  'storm',
  'surge',
  'propagation',
  'storm',
  'surge',
  'erosion',
  'way',
  'storm',
  'wave',
  'force',
  'erosion',
  'erosion',
  'propagation',
  'storm',
  'surge',
  'extent',
  'flooding',
  'way',
  'interaction',
  'process',
  'model',
  'sediment',
  'transport',
  'bed',
  'level',
  'change',
  'model',
  'model',
  'case',
  'scenario',
  'erosion',
  'shoreline',
  'retreat',
  'rate',
  'method',
  'effect',
  'erosion',
  'flooding',
  'scenario',
  'case',
  'study',
  'coast',
  'rhode',
  'island',
  'figure',
  'pond',
  'barrier',
  'shoreline',
  'rate',
  'area',
  'm',
  'year',
  'dune',
  'storm',
  'event',
  'figure',
  'failure',
  'dune',
  'dynamic',
  'inlet',
  'basin',
  'pond',
  'system',
  'objective',
  'study',
  'effect',
  'erosion',
  'shoreline',
  'retreat',
  'storm',
  'surge',
  'study',
  'modeling',
  'analysis',
  'field',
  'datum',
  'section',
  'source',
  'datum',
  'hindcast',
  'study',
  'datum',
  'storm',
  'surge',
  'modeling',
  'study',
  'region',
  'section',
  'methodology',
  'shoreline',
  'retreat',
  'erosion',
  'detail',
  'adcirc',
  'advanced',
  'circulation',
  'model',
  'study',
  'area',
  'section',
  'scenario',
  'erosion',
  'storm',
  'surge',
  'section',
  'discussion',
  'summary',
  'result',
  'end',
  'datafrom',
  'july',
  'september',
  'woods',
  'hole',
  'group',
  'data',
  'collection',
  'program',
  'army',
  'corp',
  'engineers',
  'usace',
  'new',
  'england',
  'district',
  'wave',
  'tide',
  'current',
  'data',
  'collection',
  'washington',
  'county',
  'rhode',
  'island',
  'purpose',
  'work',
  'site',
  'datum',
  'ri',
  'regional',
  'sediment',
  'management',
  'study',
  'collection',
  'water',
  'elevation',
  'current',
  'wave',
  'datum',
  'study',
  'measurement',
  'water',
  'elevation',
  'pond',
  'figure',
  'wave',
  'current',
  'datum',
  'source',
  'effect',
  'inlet',
  'pond',
  'system',
  'water',
  'elevation',
  'area',
  'hurricane',
  'irene',
  'area',
  'observation',
  'period',
  'model',
  'validation',
  'simulation',
  'storm',
  'year',
  'event',
  'north',
  'atlantic',
  'coast',
  'comprehensive',
  'study',
  'naccs',
  'naccs',
  'system',
  'model',
  'adcirc',
  'wave',
  'model',
  'wam',
  'state',
  'wave',
  'model',
  'stwave',
  'wave',
  'field',
  'storm',
  'storm',
  'atlantic',
  'coast',
  'model',
  'resolution',
  'mesh',
  'm–50',
  'coast',
  'storm',
  'analysis',
  'storm',
  'naccs',
  'model',
  'result',
  'save',
  'point',
  'figure',
  'time',
  'series',
  'wind',
  'wave',
  'water',
  'level',
  'event',
  'period',
  'analysis',
  'storm',
  'datum',
  'model',
  'boundary',
  'storm',
  'year',
  'event',
  'point',
  'naccs',
  'pond',
  'year',
  'event',
  'storm',
  'naccs',
  'storm',
  'surge',
  'event',
  'water',
  'level',
  'year',
  'storm',
  'surge',
  'newport',
  'providence',
  'national',
  'oceanic',
  'atmospheric',
  'adminstration',
  'noaa',
  'water',
  'level',
  'station',
  'storm',
  'surge',
  'm',
  'mean',
  'sea',
  'level',
  'msl',
  'newport',
  'figure',
  'm',
  'msl',
  'm',
  'higher',
  'high',
  'water',
  'mhhw',
  'year',
  'event',
  'year',
  'event',
  '%',
  'confidence',
  'level',
  'erosion',
  'storm',
  'hurricane',
  'study',
  'validation',
  'hurricane',
  'irene',
  'august',
  'datum',
  'hurricane',
  'location',
  'model',
  'domain',
  'storm',
  'event',
  'hurricane',
  'bob',
  'storm',
  'august',
  'hurricane',
  'bob',
  'representation',
  'storm',
  'area',
  'barrier',
  'storm',
  'naccs',
  'storm',
  'year',
  'event',
  'planning',
  'purpose',
  'surge',
  'model',
  'bathymetry',
  'topography',
  'domain',
  'elevation',
  'model',
  'dem',
  'dem',
  'resolution',
  'm',
  'national',
  'geography',
  'data',
  'center',
  'ngdc',
  'bathymetry',
  'data',
  'usace',
  'light',
  'imaging',
  'detection',
  'lidar',
  'survey',
  'lidar',
  'survey',
  'coast',
  'km',
  'datum',
  'adcirc',
  'model',
  'usace',
  'wave',
  'information',
  'study',
  'wis',
  'domain',
  'wis',
  'datum',
  'period',
  'study',
  'wind',
  'field',
  'storm',
  'event',
  'interest',
  'model',
  'domain',
  'coast',
  'ri',
  'variability',
  'wind',
  'area',
  'year',
  'period',
  'hurricane',
  'bob',
  'land',
  'ri',
  'august',
  'hurricane',
  'bob',
  'representation',
  'storm',
  'area',
  'storm',
  'noaa',
  'tide',
  'gauge',
  'newport',
  'ri',
  'year',
  'event',
  'analysis',
  'site',
  'figure',
  'newport',
  'water',
  'elevation',
  'station',
  'station',
  'study',
  'area',
  'w',
  'n',
  'record',
  'hurricane',
  'wind',
  'field',
  'hurricane',
  'bob',
  'wis',
  'figure',
  'coastal',
  'erosion',
  'scenarioscoastal',
  'erosion',
  'scenario',
  'shoreline',
  'retreat',
  'erosion',
  'storm',
  'event',
  'shoreline',
  'retreat',
  'rate',
  'erosion',
  'rate',
  'erosion',
  'scenario',
  'dem',
  'rate',
  'rate',
  'erosion',
  'sea',
  'level',
  'rise',
  'slr',
  'assumption',
  'analysis',
  'research',
  'effect',
  'slr',
  'rate',
  'erosion',
  'shoreline',
  'retreat',
  'rate',
  'photograph',
  'figure',
  'shoreline',
  'storm',
  'weather',
  'trend',
  'shoreline',
  'retreat',
  'decade',
  'region',
  'shoreline',
  'retreat',
  'year',
  'shoreline',
  'profile',
  'figure',
  'area',
  'beach',
  ...],
 ['weather',
  'datum',
  'durango',
  'herald',
  'weatherkit.org',
  '%',
  'chance',
  'precipitation',
  '%',
  'chance',
  'precipitation',
  '%',
  'chance',
  'precipitation',
  '%',
  'chance',
  'precipitation',
  'cloudy',
  '%',
  'chance',
  'precipitation',
  'cloudy',
  '%',
  'chance',
  'precipitation',
  'new',
  'mexico',
  'sports',
  'outdoors',
  'business',
  'real',
  'estate',
  'arts',
  'entertainment',
  'columns',
  'videos',
  'galleries',
  'subscribe',
  'obituaries',
  'calendar',
  '4cornersjobs',
  'corners',
  'flavor',
  'local',
  'representatives',
  'real',
  'estate',
  'classifieds',
  'eeditions',
  'public',
  'notices',
  'wave',
  'storm',
  'southwest',
  'colorado',
  'megan',
  'k.',
  'olsen',
  'herald',
  'staff',
  'writer',
  'saturday',
  'jan',
  'saturday',
  'jan.',
  'pm',
  'pressure',
  'system',
  'california',
  'oregon',
  'snow',
  'region',
  'city',
  'crew',
  'snow',
  'thursday',
  'arroyo',
  'drive',
  'west',
  'durango',
  'street',
  'problem',
  'street',
  'ice',
  'water',
  'drainage',
  'snow',
  'preparation',
  'storm',
  'city',
  'dump',
  'truck',
  'load',
  'snow',
  'lane',
  'mile',
  'road',
  'city',
  'durango',
  'jerry',
  'mcbride',
  'durango',
  'herald',
  'city',
  'crew',
  'snow',
  'thursday',
  'arroyo',
  'drive',
  'west',
  'durango',
  'street',
  'problem',
  'street',
  'ice',
  'water',
  'drainage',
  'snow',
  'preparation',
  'storm',
  'city',
  'dump',
  'truck',
  'load',
  'snow',
  'lane',
  'mile',
  'road',
  'city',
  'durango',
  'jerry',
  'mcbride',
  'durango',
  'herald',
  'parade',
  'pressure',
  'system',
  'way',
  'southwest',
  'colorado',
  'blast',
  'moisture',
  'saturday',
  'evening',
  'sunday',
  'night',
  'system',
  'west',
  'coast',
  'national',
  'weather',
  'service',
  'meteorologist',
  'kris',
  'sanders',
  'oregon',
  'california',
  'mountain',
  'wave',
  'precipitation',
  'snow',
  'u.s.',
  'highway',
  'corridor',
  'uptick',
  'valley',
  'snowfall',
  'sunday',
  'sunday',
  'night',
  'sanders',
  'valley',
  'area',
  'southwest',
  'colorado',
  'day',
  'sunday',
  'road',
  'condition',
  'morning',
  'thing',
  'day',
  'sunday',
  'night',
  'mountain',
  'area',
  'foot',
  'inch',
  'snow',
  'peak',
  'inch',
  'area',
  'foot',
  'inch',
  'durango',
  'pagosa',
  'ignacio',
  'sanders',
  'cortez',
  'inch',
  'storm',
  'way',
  'parade',
  'system',
  'break',
  'monday',
  'monday',
  'night',
  'pressure',
  'system',
  'precipitation',
  'mountain',
  'valley',
  'area',
  'parade',
  'pressure',
  'system',
  'snowfall',
  'southwest',
  'colorado',
  'saturday',
  'evening',
  'jerry',
  'mcbride',
  'durango',
  'herald',
  'parade',
  'pressure',
  'system',
  'snowfall',
  'southwest',
  'colorado',
  'saturday',
  'evening',
  'jerry',
  'mcbride',
  'durango',
  'herald',
  'sanders',
  'pressure',
  'system',
  'atmospheric',
  'river',
  'california',
  'flooding',
  'state',
  'system',
  'river',
  'sanders',
  'river',
  'intensity',
  'east',
  'ar',
  'remnant',
  'ar',
  '4s',
  'california',
  'glacier',
  'club',
  'metro',
  'district',
  'agreement',
  'la',
  'plata',
  'county',
  'debt',
  'jul',
  'manna',
  'resource',
  'center',
  'hand',
  'hand',
  'jul',
  'infamous',
  'corners',
  'manhunt',
  'screen',
  'jul',
  'glacier',
  'club',
  'metro',
  'district',
  'agreement',
  'la',
  'plata',
  'county',
  'debtmanna',
  'resource',
  'center',
  'hand',
  'hand',
  'corners',
  'manhunt',
  'screen',
  'event',
  'corners',
  'expos',
  'browse',
  'local',
  'jobs',
  'careers',
  'report',
  'paper',
  'delivery',
  'issue',
  'delivery',
  'advertise',
  'staff',
  'contact',
  'sign',
  'email',
  'newsletter',
  'news',
  'inbox',
  'print',
  'subscription',
  'package',
  'herald'],
 ['contentskip',
  'content',
  'register',
  'article',
  'newsletter',
  'weather',
  'forecast',
  'weather',
  'alert',
  'inbox',
  'subscriber',
  'sign',
  'time',
  'owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'lee',
  'enterprises',
  'terms',
  'service',
  '',
  '',
  'privacy',
  'policy',
  'help',
  'center',
  'account',
  'dashboard',
  'profile',
  'item',
  'chance',
  'storm',
  'nebraska',
  'friday',
  'night',
  'saturday',
  'morning',
  'detail',
  'chance',
  'storm',
  'nebraska',
  'friday',
  'night',
  'saturday',
  'morning',
  'detail',
  'jun',
  'jun',
  'storm',
  'nebraska',
  'friday',
  'night',
  'saturday',
  'wind',
  'hail',
  'spot',
  'flooding',
  'tornado',
  'storm',
  'timing',
  'hazard',
  'state',
  'forecast',
  'video',
  'apple',
  'podcast',
  'google',
  'podcast',
  'rss',
  'feed',
  'omny',
  'studio',
  'apple',
  'podcast',
  'google',
  'podcast',
  'rss',
  'feed',
  'omny',
  'studio',
  'weather',
  'forecast',
  'weather',
  'alert',
  'inbox',
  'registration',
  'use',
  'site',
  'agreement',
  'user',
  'agreement',
  'privacy',
  'policy',
  'chance',
  'storm',
  'nebraska',
  'friday',
  'night',
  'saturday',
  'morning',
  'detail',
  'matt',
  'holiner',
  'forecast',
  'watch',
  'mitch',
  'mcconnell',
  'freezes',
  'press',
  'conference',
  'republican',
  'colleagues',
  'ivy',
  'league',
  'colleges',
  'rich',
  'class',
  'student',
  'ivy',
  'league',
  'colleges',
  'rich',
  'class',
  'student',
  'swimming',
  'seine',
  'returns',
  'paris',
  'year',
  'swimming',
  'seine',
  'returns',
  'paris',
  'year',
  'fifa',
  'lotr',
  'fan',
  'new',
  'zealand',
  'hobbiton',
  'fifa',
  'lotr',
  'fan',
  'new',
  'zealand',
  'hobbiton',
  'copyright',
  'nptelegraph.com',
  'north',
  'chestnut',
  'street',
  'po',
  'box',
  'north',
  'platte',
  'ne',
  'term',
  'use',
  '',
  '',
  'privacy',
  'policy',
  '',
  '',
  'info',
  '',
  '',
  'cookie',
  'preferences',
  'blox',
  'content',
  'management',
  'system',
  'minute',
  'news',
  'device'],
 ['associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'u.s.',
  'news',
  'tornado',
  'pfizer',
  'plant',
  'north',
  'carolina',
  'heat',
  'flood',
  'tornado',
  'home',
  'pfizer',
  'plant',
  'north',
  'carolina',
  'string',
  'weather',
  'event',
  'u.s.',
  'july',
  'raleigh',
  'n.c.',
  'ap',
  'tornado',
  'pfizer',
  'plant',
  'north',
  'carolina',
  'wednesday',
  'rain',
  'community',
  'kentucky',
  'area',
  'california',
  'south',
  'florida',
  'heat',
  'pfizer',
  'manufacturing',
  'complex',
  'twister',
  'midday',
  'rocky',
  'mount',
  'email',
  'report',
  'injury',
  'company',
  'statement',
  'employee',
  'roof',
  'building',
  'pfizer',
  'plant',
  'store',
  'quantity',
  'medicine',
  'nash',
  'county',
  'sheriff',
  'keith',
  'stone',
  'report',
  'pallet',
  'medicine',
  'facility',
  'rain',
  'wind',
  'stone',
  'vermont',
  'phish',
  'flood',
  'recovery',
  'effort',
  'search',
  'team',
  'body',
  'child',
  'flooding',
  'nova',
  'scotia',
  'weekend',
  'cloudburst',
  'climate',
  'change',
  'plant',
  'anesthesia',
  'drug',
  '%',
  'medication',
  'pfizer',
  'supply',
  'u.s.',
  'hospital',
  'company',
  'website',
  'erin',
  'fox',
  'pharmacy',
  'director',
  'university',
  'utah',
  'health',
  'damage',
  'term',
  'shortage',
  'pfizer',
  'production',
  'site',
  'rebuild',
  'national',
  'weather',
  'service',
  'tweet',
  'damage',
  'ef3',
  'tornado',
  'wind',
  'speed',
  'mph',
  'kph).the',
  'edgecombe',
  'county',
  'sheriff',
  'office',
  'rocky',
  'mount',
  'facebook',
  'report',
  'people',
  'tornado',
  'life',
  'injury',
  'report',
  'nash',
  'county',
  'people',
  'structure',
  'wral',
  'tv',
  'home',
  'brian',
  'varnell',
  'family',
  'member',
  'dortches',
  'area',
  'news',
  'outlet',
  'sister',
  'child',
  'home',
  'room',
  'house',
  'varnell',
  'home',
  'wall',
  'chunk',
  'roof',
  'u.s.',
  'onslaught',
  'temperature',
  'floodwater',
  'phoenix',
  'time',
  'temperature',
  'record',
  'rescuer',
  'people',
  'rain',
  'home',
  'vehicle',
  'kentucky',
  'forecaster',
  'relief',
  'sight',
  'heat',
  'storm',
  'example',
  'miami',
  'heat',
  'index',
  'degree',
  'fahrenheit',
  'degree',
  'celsius',
  'week',
  'temperature',
  'weekend',
  'kentucky',
  'meteorologist',
  'life',
  'situation',
  'community',
  'mayfield',
  'wingo',
  'flash',
  'flooding',
  'week',
  'thunderstorm',
  'kentucky',
  'gov.',
  'andy',
  'beshear',
  'state',
  'emergency',
  'wednesday',
  'storm',
  'forecaster',
  'inch',
  'centimeter',
  'rain',
  'kentucky',
  'illinois',
  'missouri',
  'ohio',
  'mississippi',
  'river',
  'storm',
  'system',
  'thursday',
  'friday',
  'new',
  'england',
  'ground',
  'flood',
  'connecticut',
  'mother',
  'year',
  'daughter',
  'river',
  'tuesday',
  'pennsylvania',
  'search',
  'child',
  'flash',
  'flooding',
  'saturday',
  'night',
  'phoenix',
  'time',
  'record',
  'wednesday',
  'morning',
  'temperature',
  'f',
  'c',
  'threat',
  'heat',
  'illness',
  'resident',
  'record',
  'f',
  'c',
  'weather',
  'service',
  'lindsay',
  'lamont',
  'sweet',
  'republic',
  'ice',
  'cream',
  'shop',
  'phoenix',
  'business',
  'day',
  'people',
  'heat',
  'lot',
  'people',
  'evening',
  'ice',
  'cream',
  'thing',
  'lamont',
  'heat',
  'death',
  'maricopa',
  'county',
  'phoenix',
  'health',
  'official',
  'wednesday',
  'heat',
  'fatality',
  'week',
  'year',
  'total',
  'death',
  'week',
  'week',
  'heat',
  'investigation',
  'time',
  'year',
  'heat',
  'death',
  'county',
  'investigation',
  'phoenix',
  'desert',
  'city',
  'people',
  'record',
  'tuesday',
  'u.s.',
  'city',
  'day',
  'temperature',
  'f',
  'c',
  'wednesday',
  'national',
  'weather',
  'service',
  'meteorologist',
  'matthew',
  'hirsh',
  'phoenix',
  'f',
  'c',
  'wednesday',
  'temperature',
  'city',
  'temperature',
  'time',
  'f',
  'c',
  'country',
  'miami',
  'day',
  'heat',
  'index',
  'excess',
  'f',
  'c',
  'record',
  'day',
  'june',
  'week',
  'weekend',
  'cameron',
  'pine',
  'national',
  'weather',
  'service',
  'meteorologist',
  'region',
  'day',
  'heat',
  'index',
  'threshold',
  'f',
  'c',
  'sea',
  'surface',
  'temperature',
  'degree',
  'relief',
  'sight',
  'pine',
  'year',
  'los',
  'angeles',
  'area',
  'man',
  'trailhead',
  'death',
  'valley',
  'national',
  'park',
  'california',
  'tuesday',
  'afternoon',
  'temperature',
  'f',
  'c',
  'ranger',
  'heat',
  'factor',
  'national',
  'park',
  'service',
  'statement',
  'wednesday',
  'heat',
  'fatality',
  'death',
  'valley',
  'summer',
  'year',
  'man',
  'car',
  'july',
  'human',
  'climate',
  'change',
  'el',
  'nino',
  'heat',
  'record',
  'scientist',
  'globe',
  'heat',
  'june',
  'july',
  'day',
  'month',
  'temperature',
  'day',
  'university',
  'maine',
  'climate',
  'reanalyzer',
  'scientist',
  'warming',
  'heat',
  'southwest',
  'rainfall',
  'reality.___finley',
  'norfolk',
  'virginia',
  'associated',
  'press',
  'reporter',
  'anita',
  'snow',
  'phoenix',
  'freida',
  'frisaro',
  'miami',
  'jonel',
  'aleccia',
  'temecula',
  'california',
  'rebecca',
  'reynolds',
  'louisville',
  'kentucky',
  'report',
  'associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights'],
 ['contentskip',
  'navigationskip',
  'navigationprint',
  'subscription',
  'sign',
  'insearch',
  'jobssearchus',
  'editionus',
  'editionuk',
  'editionaustralia',
  'guardian',
  'guardiannewsopinionsportculturelifestyleshowmoreshow',
  'morenewsview',
  'newsus',
  'newsworld',
  'politicsbusinesstechsciencenewslettersfight',
  'democracyopinionview',
  'opinionthe',
  'guardian',
  'viewcolumnistslettersopinion',
  'videoscartoonssportview',
  'sportsoccernfltennismlbmlsnbanhlf1golfcultureview',
  'culturefilmbooksmusicart',
  'designtv',
  'radiostageclassicalgameslifestyleview',
  'lifestylefashionfoodrecipeslove',
  'sexhome',
  'gardenhealth',
  'fitnessfamilytravelmoneysearch',
  'input',
  'google',
  'search',
  'searchsupport',
  'usprint',
  'subscriptionsus',
  'editionuk',
  'editionaustralia',
  'editionsearch',
  'jobsdigital',
  'archiveguardian',
  'puzzles',
  'licensingthe',
  'guardian',
  'guardianguardian',
  'weeklycrosswordswordiplycorrectionsfacebooktwittersearch',
  'jobsdigital',
  'archiveguardian',
  'puzzles',
  'licensingusworldenvironmentsoccerus',
  'democracy',
  'couple',
  'lifeguard',
  'tower',
  'passage',
  'hurricane',
  'nicole',
  'vero',
  'beach',
  'florida',
  'thursday',
  'photograph',
  'ricardo',
  'arduengo',
  'couple',
  'lifeguard',
  'tower',
  'passage',
  'hurricane',
  'nicole',
  'vero',
  'beach',
  'florida',
  'thursday',
  'photograph',
  'ricardo',
  'arduengo',
  'reutersflorida',
  'article',
  'month',
  'oldat',
  'tropical',
  'storm',
  'nicole',
  'wind',
  'rain',
  'floridathis',
  'article',
  'month',
  'oldstorm',
  'hurricane',
  'force',
  'georgia',
  'carolinas',
  'thursday',
  'fridayrichard',
  'luscombe',
  'miami@richluscthu',
  'nov',
  'estfirst',
  'thu',
  'nov',
  'estthe',
  'death',
  'toll',
  'tropical',
  'storm',
  'nicole',
  'thursday',
  'november',
  'hurricane',
  'florida',
  'wind',
  'flooding',
  'rainmaker',
  'course',
  'georgia',
  'carolinas',
  'season',
  'cyclone',
  'landfall',
  'vero',
  'beach',
  'florida',
  'east',
  'coast',
  'mph',
  'wind',
  'storm',
  'surge',
  'building',
  'ocean',
  'road',
  'north',
  'daytona',
  'beach',
  'florida',
  'police',
  'man',
  'cane',
  'gunread',
  'moreat',
  'afternoon',
  'press',
  'conference',
  'jerry',
  'demings',
  'orange',
  'county',
  'mayor',
  'people',
  'orlando',
  'neighborhood',
  'electricity',
  'line',
  'vehicle',
  'accident',
  'storm',
  'storm',
  'height',
  'customer',
  'power',
  'area',
  'hurricane',
  'ian',
  'damage',
  'florida',
  'september',
  'nicole',
  'category',
  'hurricane',
  'strength',
  'wednesday',
  'afternoon',
  'bahamas',
  'hour',
  'florida',
  'landfall',
  'intensity',
  'mph',
  'predecessor',
  'storm',
  'wind',
  'mph',
  'path',
  'orlando',
  'tampa',
  'gulf',
  'mexico',
  'national',
  'hurricane',
  'center',
  'nhc',
  'miami',
  'afternoon',
  'update',
  'storm',
  'power',
  'day',
  'rainfall',
  'inland',
  'risk',
  'remnant',
  'north',
  'east',
  'path',
  'georgia',
  'carolinas',
  'new',
  'york',
  'florida',
  'peninsula',
  'portion',
  'nhc',
  'hurricane',
  'specialist',
  'jack',
  'beven',
  'bulletin',
  'rainfall',
  'evening',
  'florida',
  'peninsula',
  'flooding',
  'friday',
  'south',
  'east',
  'appalachians',
  'blue',
  'ridge',
  'mountain',
  'ohio',
  'west',
  'pennsylvania',
  'new',
  'york',
  'friday',
  'night',
  'saturday',
  '”nicole',
  'hurricane',
  'mainland',
  'november',
  'month',
  'storm',
  'season',
  'kate',
  'florida',
  'panhandle',
  'nicole',
  'hurricane',
  'season',
  'storm',
  'resident',
  'florida',
  'east',
  'coast',
  'barrier',
  'island',
  'waterfront',
  'community',
  'donald',
  'trump',
  'mar',
  'lago',
  'resort',
  'palm',
  'beach',
  'staff',
  'club',
  'president',
  'wednesday',
  'midterm',
  'election',
  'result',
  'reporter',
  'trump',
  'daytona',
  'beach',
  'building',
  'shoreline',
  'sea',
  'number',
  'block',
  'hurricane',
  'ian',
  'authority',
  'door',
  'door',
  'people',
  'possession',
  'lauderdale',
  'sea',
  'section',
  'fishing',
  'pier',
  'ocean',
  'home',
  'wilbur',
  'sea',
  'property',
  'risk',
  'volusia',
  'county',
  'sheriff',
  'mike',
  'chitwood',
  'medium',
  'message',
  'night',
  'time',
  'curfew',
  'school',
  'dozen',
  'florida',
  'district',
  'theme',
  'park',
  'orlando',
  'governor',
  'ron',
  'desantis',
  'emergency',
  'declaration',
  'dozen',
  'county',
  'joe',
  'biden',
  'emergency',
  'resource',
  'assistance',
  'state',
  'response',
  'effort',
  'federal',
  'emergency',
  'management',
  'agency',
  'personnel',
  'state',
  'hurricane',
  'ian',
  '“the',
  'storm',
  'impact',
  'center',
  'track',
  'state',
  'storm',
  'force',
  'wind',
  'desantis',
  'briefing',
  'tallahassee',
  'thursday',
  'tree',
  'power',
  'line',
  'road',
  'washout',
  'wind',
  'storm',
  'surge',
  'beach',
  'erosion',
  'area',
  'erosion',
  'hurricane',
  'ian',
  '”engineers',
  'kennedy',
  'space',
  'center',
  'damage',
  'nasa',
  'artemis',
  'moon',
  'rocket',
  'launchpad',
  'storm',
  'blast',
  'november',
  'nicole',
  'mission',
  'manager',
  'launch',
  'attempt',
  'day',
  'engineer',
  'artemis',
  'pad',
  'space',
  'launch',
  'system',
  'rocket',
  'orion',
  'capsule',
  'wind',
  '85mph',
  'orlando',
  'sentinel',
  'sensor',
  'launchpad',
  'tower',
  'cape',
  'canaveral',
  'gust',
  'walkdowns',
  'inspection',
  'pad',
  'status',
  'rocket',
  'spacecraft',
  'space',
  'agency',
  'statement',
  'associated',
  'press',
  'reportingtopicsfloridahurricanesus',
  'viewedmost',
  'viewedusworldenvironmentsoccerus',
  'politicsbusinesstechsciencenewslettersfight',
  'reporting',
  'analysis',
  'guardian',
  'ushelpcomplaint',
  'correctionssecuredropwork',
  'usprivacy',
  'policycookie',
  'policyterms',
  'conditionscontact',
  'usall',
  'topicsall',
  'newspaper',
  'archivefacebookyoutubeinstagramlinkedintwitternewslettersadvertise',
  'labssearch',
  'guardian',
  'news',
  'media',
  'limited',
  'company',
  'right'],
 ['associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'weather',
  'wisconsin',
  'day',
  'bill',
  'novak',
  'wisconsin',
  'state',
  'journal',
  'madison',
  'inch',
  'snow',
  'week',
  'thunderstorm',
  'day',
  'forecaster',
  'storm',
  'tuesday',
  'afternoon',
  'wednesday',
  'wednesday',
  'evening',
  'national',
  'weather',
  'service',
  'chance',
  'weather',
  'line',
  'dodgeville',
  'madison',
  'waukesha',
  'wednesday',
  'storm',
  'thursday',
  'state',
  'line',
  'pressure',
  'system',
  'area',
  'thunderstorm',
  'risk',
  'weather',
  'service',
  'collier',
  'double',
  'lynx',
  'mystics',
  'red',
  'sox',
  'league',
  'braves',
  'game',
  'sweep',
  'rodón',
  'bader',
  'yankees',
  'mets',
  'subway',
  'series',
  'temperature',
  'monday',
  'madison',
  'rain',
  'area',
  'weekend',
  'chance',
  'rain',
  'saturday',
  'night',
  'sunday',
  'borremans',
  'monday',
  'tuesday',
  'madison',
  'degree',
  'degree',
  'record',
  'high',
  'april',
  'low',
  'monday',
  'degree',
  'degree',
  'record',
  'low',
  'date',
  'rain',
  'airport',
  'april',
  'precipitation',
  'rain',
  'snow',
  'total',
  'inch',
  'inch',
  'record',
  'precipitation',
  'april',
  'inch',
  'spring',
  'march',
  'total',
  'inch',
  'inch',
  'total',
  'inch',
  'inch',
  'snow',
  'total',
  'inch',
  'april',
  'inch',
  'spring',
  'inch',
  'snow',
  'season',
  'record',
  'snowfall',
  'april',
  'inch',
  'associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights'],
 ['suspect',
  'self',
  'gunshot',
  'wound',
  'westbank',
  'expressway',
  'swat',
  'presence',
  'drum',
  'church',
  'sundays',
  'night',
  'harvey',
  'home',
  'death',
  'humidity',
  'bit',
  'day',
  'wave',
  'coast',
  'africa',
  'chance',
  'development',
  'hurricane',
  'hurricane',
  'fatigue',
  'louisiana',
  'preparation',
  'disaster',
  'strike',
  'example',
  'video',
  'title',
  'video',
  'author',
  'paul',
  'murphy',
  'eyewitness',
  'news',
  'pm',
  'cdt',
  'october',
  'pm',
  'cdt',
  'october',
  'orleans',
  'tropical',
  'storm',
  'delta',
  'list',
  'thing',
  'night',
  'monday',
  'lot',
  'people',
  'advantage',
  'weather',
  'sky',
  'new',
  'orleans',
  'city',
  'park',
  'anxiety',
  'deo',
  'garcia',
  'roller',
  'skating',
  'thing',
  'stress',
  'roller',
  'skating',
  'garcia',
  'tromp',
  'thing',
  'bit',
  'list',
  'coronavirus',
  'concern',
  'uncertainty',
  'school',
  'worry',
  'layer',
  'trouble',
  'tropic',
  'level',
  'anxiety',
  'najah',
  'hamdan',
  'forecast',
  'track',
  'tropical',
  'storm',
  'delta',
  'louisiana',
  'category',
  'hurricane',
  'end',
  'week',
  'lsu',
  'health',
  'clinical',
  'psychologist',
  'dr.',
  'michelle',
  'moore',
  'people',
  'thing',
  'disruption',
  'lot',
  'weight',
  'type',
  'disruption',
  'moore',
  'trauma',
  'building',
  'dr.',
  'moore',
  'hurricane',
  'fatigue',
  'strength',
  'preparation',
  'disaster',
  'strike',
  'moore',
  'guy',
  'mcinnis',
  'president',
  'storm',
  'st.',
  'bernard',
  'parish',
  'resident',
  'guard',
  'delta',
  'mcinnis',
  'way',
  'thing',
  'mcinnis',
  'state',
  'emergency',
  'st.',
  'bernard',
  'tuesday',
  'region',
  'mcinnis',
  'fatigue',
  'property',
  'community',
  'family',
  'energy',
  'delta',
  'storm',
  'louisiana',
  'state',
  'cone',
  'uncertainty',
  'time',
  'hurricane',
  'season',
  '►',
  'news',
  'neighborhood',
  'free',
  'wwl',
  'tv',
  'news',
  'app',
  'ios',
  'app',
  'store',
  'google',
  'play',
  '\u200estay',
  'date',
  'news',
  'weather',
  'new',
  'orleans',
  'area',
  'wwl',
  'tv',
  'app',
  'app',
  'breaking',
  'news',
  'family',
  'weather',
  'radar',
  'video',
  'newscast',
  'event',
  'local',
  'breaking',
  'news',
  'r',
  'eeo',
  'public',
  'file',
  'report',
  'fcc',
  'online',
  'public',
  'inspection',
  'file',
  'closed',
  'caption',
  'procedure',
  'personal',
  'information',
  'wwl',
  'tv',
  'rights',
  'wwl',
  'notification',
  'news',
  'weather',
  'notification',
  'browser',
  'setting'],
 ['main',
  'content',
  'sensor',
  'network',
  'maps',
  'radar',
  'severe',
  'weather',
  'news',
  'blogs',
  'mobile',
  'apps',
  'nearest',
  'station',
  'manage',
  'favorite',
  'citieslog',
  'joinsettingsaccount_box',
  'log',
  'person_add',
  'join',
  'setting',
  'settings',
  'sensor',
  'networkmaps',
  'radarsevere',
  'weathernews',
  'blogsmobile',
  'appshistorical',
  'weatherstarnews',
  'blogs',
  'category',
  'new',
  'stories',
  'infographics',
  'posters',
  'category',
  'category',
  'storiesinfographicspostersthe',
  'blizzard',
  'america',
  'greatest',
  'snow',
  'disasterchristopher',
  'c.',
  'burt',
  'march',
  'pm',
  'edtabove',
  'snowdrift',
  'tunnel',
  'farmington',
  'connecticut',
  'foot',
  'headroom',
  'new',
  'york',
  'society.)new',
  'york',
  'central',
  'park',
  'inch',
  'snow',
  'winter',
  'march',
  'snow',
  'forecast',
  'winter',
  'snow',
  'total',
  'central',
  'park',
  'year',
  'recordkeeping',
  'week',
  'anniversary',
  'new',
  'york’s',
  'america’',
  'blizzard',
  'record',
  'storm',
  'blizzard',
  'winter',
  'storm',
  'annal',
  'storm',
  'magnitude',
  'united',
  'states',
  'new',
  'york',
  'city',
  'drift',
  'downtown',
  'manhattan',
  'march',
  'temperature',
  'new',
  'york',
  '°',
  'f',
  'storm',
  'temperature',
  'season',
  'recap',
  'event',
  'blog',
  'entry',
  'winter',
  'children',
  'blizzardjanuary',
  'wave',
  'record',
  'impact',
  'intermountain',
  'west',
  'northwest',
  'portion',
  'country',
  'week',
  'month',
  'time',
  'record',
  'upper',
  'midwest',
  'time',
  'low',
  'january',
  'today',
  '°',
  'eureka',
  'california',
  'jan.',
  '°',
  'lakeview',
  'oregon',
  'jan.',
  '°',
  'roseburg',
  'oregon',
  'jan.',
  '°',
  'boise',
  'idaho',
  'jan.',
  '°',
  'missoula',
  'montana',
  'jan.',
  '°',
  'ely',
  'nevada',
  'jan.',
  '°',
  'spokane',
  'washington',
  'jan.',
  '°',
  'st.',
  'paul',
  'minneapolis',
  'minnesota',
  'jan.',
  '°',
  'green',
  'bay',
  'wisconsin',
  'jan.',
  '21the',
  'temperature',
  'month',
  '°',
  'poplar',
  'river',
  'montana',
  'january',
  'weather',
  'station',
  'west',
  'rocky',
  'mountain',
  'area',
  'location',
  'temperature',
  'observation',
  'site',
  'point',
  'wave',
  'blizzard',
  'plains',
  'midwest',
  'january',
  'children',
  'blizzard',
  'david',
  'laskin',
  'book',
  'storm',
  'death',
  'settler',
  'exposure',
  'child',
  'storm',
  'way',
  'school',
  'south',
  'dakota',
  'minnesota',
  'blizzard',
  'u.s.',
  'history',
  'east',
  'coast',
  'storm',
  'week',
  'great',
  'blizzard',
  'march',
  'paul',
  'kocin',
  'louis',
  'uccellini',
  'compendium',
  'northeast',
  'snowstorms',
  'blizzard',
  'reason',
  'winter',
  'storm',
  'northeast',
  'outbreak',
  'air',
  'u.s.',
  'new',
  'england',
  'canada',
  'air',
  'mass',
  'place',
  'development',
  'storm',
  'storm',
  'center',
  'counterclockwise',
  'loop',
  'coast',
  'new',
  'england',
  'peak',
  'intensity',
  'pressure',
  'southwest',
  'northeast',
  'path',
  'winter',
  'storm',
  'pressure',
  'center',
  'sea',
  'sequence',
  'map',
  'storm',
  'new',
  'york',
  'city',
  'rain',
  'snow',
  'a.m.',
  'monday',
  'march',
  'temperature',
  'freezing',
  'blizzard',
  'condition',
  'wind',
  'mph',
  'a.m.',
  'monday',
  'city',
  'blinding',
  'snow',
  'wind',
  'telegraph',
  'communication',
  'subway',
  'time',
  'rail',
  'line',
  'ground',
  'halt',
  'train',
  'passenger',
  'crew',
  'street',
  'people',
  'new',
  'york',
  'city',
  'snowdrift',
  'city',
  'sidewalk',
  'victim',
  'senator',
  'roscoe',
  'conkling',
  'new',
  'york',
  'republican',
  'party',
  'kingpin',
  'aspirant',
  'u.s.',
  'presidency',
  'result',
  'exposure',
  'wall',
  'street',
  'office',
  'new',
  'york',
  'club',
  'madison',
  'square',
  'refugee',
  'hotel',
  'astor',
  'hotel',
  'cot',
  'lobby',
  'sunset',
  'day',
  'temperature',
  '°',
  'sunset',
  'wind',
  'snowdrift',
  'foot',
  'street',
  'city',
  'storm',
  'area',
  'east',
  'new',
  'york',
  'city',
  'train',
  'albany',
  'city',
  'long',
  'island',
  'new',
  'jersey',
  'connecticut',
  'drift',
  'connecticut',
  'drift',
  'rail',
  'line',
  'cheshire',
  'drift',
  'foot',
  'bangall',
  'town',
  'dutchess',
  'county',
  'new',
  'york',
  'fatality',
  'blizzard',
  'new',
  'york',
  'city',
  'passenger',
  'train',
  'crew',
  'town',
  'train',
  'ship',
  'sea',
  'mph',
  'wind',
  'sea',
  'ice',
  'accumulation',
  'deck',
  'weight',
  'snow',
  'fell?the',
  'point',
  'accumulation',
  'storm',
  'saratoga',
  'springs',
  'north',
  'albany',
  'new',
  'york',
  'albany',
  'troy',
  'new',
  'york',
  'city',
  'accumulation',
  'central',
  'park',
  'brooklyn',
  'queens',
  'connecticut',
  'new',
  'haven',
  'hartford',
  'figure',
  'weather',
  'site',
  'hartford',
  'hill',
  'wind',
  'snow',
  'snowfall',
  'maxima',
  'blizzard',
  'york',
  'saratoga',
  'springsconnecticut',
  'middletonvermont',
  'benningtonnew',
  'hampshire',
  'dublinmassachusetts',
  'north',
  'adamspennsylvania',
  'grovenew',
  'jersey',
  'rahwayrhode',
  'island',
  'kingstonmaine',
  'boothbymap',
  'snow',
  'accumulation',
  'storm',
  'northeast',
  'snowstorm',
  'paul',
  'kocin',
  'louis',
  'uccellini)when',
  'storm',
  'new',
  'england',
  'coast',
  'air',
  'new',
  'england',
  'snow',
  'accumulation',
  'boston',
  'line',
  'air',
  'point',
  'monday',
  'night',
  'march',
  'temperature',
  '°',
  'northfield',
  'vermont',
  '°',
  'nashua',
  'new',
  'hampshire',
  'mile',
  'paul',
  'kocin)how',
  'storm',
  'americathe',
  'blizzard',
  'disaster',
  'u.s.',
  'history',
  'line',
  'rail',
  'disaster',
  'city',
  'new',
  'york',
  'subway',
  'system',
  'world',
  'breakdown',
  'communication',
  'washington',
  'd.c.',
  'burying',
  'telegraph',
  'line',
  'mid',
  '-',
  'northeast',
  'region',
  'power',
  'line',
  'book',
  'storm',
  'blizzard',
  'storm',
  'judd',
  'caplovich',
  'vero',
  'publishing',
  'co.',
  'material',
  'post',
  'work',
  'northeast',
  'snowstorm',
  'volume',
  'overview',
  'volume',
  'ii',
  'case',
  'paul',
  'j.',
  'kocin',
  'louis',
  'w.',
  'uccellini',
  'american',
  'meteorological',
  'society',
  'wave',
  'frost',
  'united',
  'states',
  'weather',
  'bureau',
  'bulletin',
  'p',
  'u.s.',
  'dept',
  '.',
  'agriculture',
  '1906).christopher',
  'c.',
  'burtweather',
  'historian',
  'view',
  'author',
  'position',
  'weather',
  'company',
  'parent',
  'ibm',
  'christopher',
  'c.',
  'burtchristopher',
  'c.',
  'burt',
  'author',
  'extreme',
  'weather',
  'guide',
  'record',
  'book',
  'meteorology',
  'university',
  'wisconsin–madison.emailccburt@earthlink.net',
  'articlescategory',
  'sight',
  'rainbow',
  'bob',
  'henson',
  'june',
  'edt',
  'section',
  'miscellaneous',
  'alexander',
  'von',
  'humboldt',
  'scientist',
  'extraordinaire',
  'tom',
  'niziol',
  'june',
  'pm',
  'edt',
  'section',
  'time',
  'weather',
  'underground',
  'favorite',
  'posts',
  'christopher',
  'c.',
  'burt',
  'june',
  'pm',
  'edt',
  'section',
  'miscellaneous',
  'appsabout',
  'uscontactcareerspws',
  'networkwundermapfeedback',
  'supportterms',
  'useprivacy',
  'policyaccessibility',
  'statementadchoicesdata',
  'vendorswe',
  'responsibility',
  'datum',
  'technology',
  'datum',
  'data',
  'vendor',
  'control',
  'datum',
  'datum',
  'rightspowered',
  'ibm',
  'cloud',
  'copyright',
  'twc',
  'product',
  'technology',
  'llc',
  'javascript',
  'application'],
 ['salvation',
  'army',
  'red',
  'kettle',
  'challenge',
  'quick',
  'link',
  'weather',
  'news',
  'school',
  'nc5',
  'investigates',
  'talk',
  'town',
  'contest',
  'blue',
  'cross',
  'henry',
  'county',
  'hospital',
  'money',
  'franklin',
  'kroger',
  'self',
  'checkout',
  'millersville',
  'cop',
  'newschannel',
  'investigation',
  'franklin',
  'police',
  'man',
  'gun',
  'woman',
  'twra',
  'agent',
  'business',
  'bird',
  'prey',
  'shooting',
  'lebanon',
  'grandmother',
  'police',
  'justice',
  'news',
  'franklin',
  'coach',
  'child',
  'rape',
  'case',
  'nashville',
  'victim',
  'news',
  'bill',
  'nes',
  'house',
  'news',
  'shoe',
  'supply',
  'student',
  'davidson',
  'county',
  'news',
  'extreme',
  'heat',
  'country',
  'price',
  'pump',
  'news',
  'cardiac',
  'arrest',
  'death',
  'adult',
  'news',
  'music',
  'city',
  'grand',
  'prix',
  'indycar',
  'presence',
  'news',
  'safety',
  'consultant',
  'crane',
  'safety',
  'collapse',
  'nyc',
  'news',
  'legend',
  'mentor',
  'interview',
  'kid',
  'news',
  'grandmother',
  'dementia',
  'grad',
  'self',
  'wheelchair',
  'scripps',
  'news',
  'hunter',
  'biden',
  'tax',
  'crime',
  'plea',
  'deal',
  'consumer',
  'report',
  'day',
  'beach',
  'pool',
  'news',
  'women',
  'national',
  'team',
  'women',
  'world',
  'cup',
  'weather',
  'afternoon',
  'high',
  '90',
  'week',
  'kid',
  'mullet',
  'championship',
  'haircut',
  'mullet',
  'commitment',
  'kentucky',
  'thank',
  'billy',
  'ray',
  'cyrus',
  'dime',
  'dozen',
  'vogue',
  'kid',
  'story',
  'week',
  'forrest',
  'sanders',
  'tennessee',
  'kid',
  'lock',
  'hill',
  'news',
  'new',
  'alzheimer',
  'drug',
  'patient',
  'symptom',
  'month',
  'news',
  'mnpd',
  'use',
  'force',
  'report',
  'spike',
  'escalation',
  'case',
  'news',
  'mansion',
  'renovation',
  'news',
  'speedway',
  'proposal',
  'news',
  'group',
  'old',
  'stone',
  'fort',
  'bridge',
  'location',
  'news',
  'run',
  'rudolph',
  'run',
  'k',
  'run',
  'child',
  'gift',
  'newschannel',
  'investigates',
  'dozens',
  'trial',
  'charge',
  'newschannel',
  'investigates',
  'deputy',
  'charge',
  'use',
  'force',
  'investigator',
  'tennessee',
  'post',
  'commissioner',
  'millersville',
  'pd',
  'levi',
  'ismail',
  'pm',
  'jul',
  'investigation',
  'nashville',
  'da',
  'office',
  'state',
  'attorney',
  'phil',
  'williams',
  'pm',
  'jul',
  'nashville',
  'family',
  'transition',
  'toddler',
  'poisoning',
  'levi',
  'ismail',
  'pm',
  'jul',
  'nashville',
  'lawmaker',
  'tennessee',
  'hospital',
  'jennifer',
  'kraus',
  'pm',
  'jul',
  'thing',
  'middle',
  'tennessee',
  'jefferson',
  'street',
  'jazz',
  'blues',
  'festival',
  'nashville',
  'araceli',
  'crescencio',
  'pm',
  'jul',
  'engine',
  'throttle',
  'music',
  'city',
  'grand',
  'prix',
  'guide',
  'kelly',
  'broderick',
  'jul',
  'bee',
  'renaissance',
  'world',
  'tour',
  'weekend',
  'kelly',
  'broderick',
  'jul',
  'sec',
  'media',
  'day',
  'nashville',
  'time',
  'kelly',
  'broderick',
  'jul',
  'family',
  'community',
  'calendar',
  'newschannel',
  'nashville',
  'scripps',
  'local',
  'media',
  'scripps',
  'media',
  'inc',
  'light',
  'people',
  'way'],
 ['woman',
  'fury',
  'rendition',
  'star',
  'spangled',
  'banner',
  'world',
  'cup',
  'holland',
  'player',
  'anthem',
  'arm',
  'moment',
  'operator',
  'crane',
  'moment',
  'manhattan',
  'sidewalk',
  'co',
  '-',
  'worker',
  'chant',
  'water',
  'motherf****r',
  'beyonce',
  'mom',
  'tina',
  'knowles',
  'divorce',
  'husband',
  'richard',
  'lawson',
  'year',
  'marriage',
  'difference',
  'warning',
  'sign',
  'alzheimer',
  'symptom',
  'study',
  'acting',
  'meghan',
  'markle',
  'actor',
  'strike',
  'ohio',
  'cop',
  'fired',
  'footage',
  'k-9',
  'trucker',
  'hand',
  'police',
  'chase',
  'mud',
  'flap',
  'revealed',
  'marines',
  'carbon',
  'monoxide',
  'poisoning',
  'car',
  'gas',
  'station',
  'camp',
  'lejeune',
  'outdoors',
  'nbc',
  'report',
  'people',
  'space',
  'trauma',
  'people',
  'trump',
  'flag',
  'ariana',
  'grande',
  'boyfriend',
  'ethan',
  'slater',
  'divorce',
  'wife',
  'romance',
  'singer',
  'set',
  'movie',
  'month',
  'search',
  'la',
  'attorney',
  'downtown',
  'area',
  'day',
  'family',
  'physio',
  '50',
  'kg',
  'body',
  'ache',
  'pain',
  'person',
  'week',
  'joe',
  'rogan',
  'critic',
  'jason',
  'aldean',
  'song',
  'small',
  'town',
  'rap',
  'song',
  'vampire',
  'appliance',
  'cash',
  'device',
  'energy',
  'bill',
  'somber',
  'michelle',
  'martha',
  'vineyard',
  'golf',
  'club',
  'game',
  'tennis',
  'outing',
  'chef',
  'paddle',
  'boarding',
  'obamas',
  'home',
  'shocking',
  'moment',
  'naked',
  'woman',
  'fire',
  'driver',
  'police',
  'chase',
  'san',
  'francisco',
  'bay',
  'bridge',
  'california',
  'gov.',
  'gavin',
  'newsom',
  'hollywood',
  'strike',
  'industry',
  'billion',
  'state',
  'economy',
  'chaos',
  'fiancé',
  'sperm',
  'friend',
  'lady',
  'view',
  'hunter',
  'biden',
  'joe',
  'pain',
  'loss',
  'republicans',
  'witch',
  'hunt',
  'son',
  'judge',
  'hunter',
  'job',
  'president',
  'son',
  'drug',
  'alcohol',
  'employment',
  'condition',
  'release',
  'plea',
  'deal',
  'hunter',
  'biden',
  'extent',
  'drug',
  'alcohol',
  'use',
  'president',
  'addict',
  'son',
  'rehab',
  'stint',
  'year',
  'court',
  'appearance',
  'hunter',
  'plea',
  'deal',
  'joe',
  'president',
  'line',
  'son',
  'deal',
  'china',
  'ukraine',
  'republicans',
  'allegation',
  'hunter',
  'biden',
  'prosecutor',
  'crime',
  'deal',
  'china',
  'ukraine',
  'joe',
  'moment',
  'judge',
  'hunter',
  'sweetheart',
  'plea',
  'deal',
  'tax',
  'gun',
  'charge',
  'investigation',
  'karine',
  'jean',
  'pierre',
  'rejects',
  'white',
  'house',
  'story',
  'joe',
  'knowledge',
  'hunter',
  'deal',
  'press',
  'secretary',
  'plea',
  'deal',
  'firearm',
  'possession',
  'northeast',
  'brace',
  'flooding',
  'hurricane',
  'irene',
  'region',
  'flash',
  'flood',
  'watch',
  'rain',
  'onehudson',
  'valley',
  'new',
  'york',
  'inch',
  'rain',
  'yesterday',
  'way',
  'flash',
  'flood',
  'weather',
  'warning',
  'place',
  'northeast',
  'state',
  'monday',
  'woman',
  'home',
  'dog',
  'west',
  'point',
  'military',
  'academy',
  'basedby',
  'claudia',
  'aoraha',
  'reporter',
  'dailymail',
  'com',
  'published',
  'edt',
  'july',
  'edt',
  'july',
  'e',
  '-',
  'mail',
  'share',
  'view',
  'comment',
  'advertisement',
  'swathe',
  'northeast',
  'flooding',
  'monday',
  'downpour',
  'inch',
  'rain',
  'road',
  'person',
  'storm',
  'hurricane',
  'irene',
  'new',
  'york',
  'road',
  'hudson',
  'valley',
  'sunday',
  'flood',
  'today',
  'rain',
  'new',
  'york',
  'downpours',
  'pennsylvania',
  'massachusetts',
  'connecticut',
  'vermont',
  'new',
  'hampshire',
  'maine',
  'morning',
  'americans',
  'flash',
  'flood',
  'alert',
  'woman',
  'yesterday',
  'highland',
  'falls',
  'westchester',
  'home',
  'town',
  'bank',
  'hudson',
  'river',
  'west',
  'point',
  'town',
  'home',
  'military',
  'academy',
  'local',
  'year',
  'rain',
  'event',
  'home',
  'meteorologist',
  'damage',
  'hurricane',
  'irene',
  'people',
  'storm',
  'east',
  'coast',
  'caribbean',
  'yesterday',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'risk',
  'warning',
  'light',
  'storm',
  'new',
  'york',
  'governor',
  'kathy',
  'hochul',
  'state',
  'emergency',
  'county',
  'night',
  'home',
  'power',
  'emergency',
  'team',
  'house',
  'house',
  'yesterday',
  'stony',
  'point',
  'new',
  'york',
  'woman',
  'home',
  'dog',
  'highland',
  'falls',
  'west',
  'point',
  'vehicle',
  'way',
  'flood',
  'water',
  'old',
  'yorktown',
  'rd',
  'shrub',
  'oak',
  'n.y.',
  'july',
  'storm',
  'sunday',
  'evening',
  'flash',
  'flooding',
  'fatality',
  'new',
  'york',
  'hudson',
  'valley',
  'cars',
  'drift',
  'road',
  'west',
  'point',
  'year',
  'rain',
  'event',
  'riverside',
  'town',
  'home',
  'road',
  'bear',
  'mountain',
  'state',
  'park',
  'tourist',
  'attraction',
  'summer',
  'month',
  'washout',
  'yesterday',
  'storm',
  'king',
  'highway/9w',
  'orange',
  'county',
  'new',
  'york',
  'storm-',
  'portion',
  'road',
  'number',
  'vehicle',
  'stream',
  'rainwater',
  'deluge',
  'new',
  'york',
  'car',
  'water',
  'rescue',
  'team',
  'night',
  'flash',
  'flooding',
  'red',
  'mill',
  'road',
  'cortlandt',
  'manor',
  'new',
  'york',
  'new',
  'york',
  'governor',
  'kathy',
  'hochul',
  'state',
  'emergency',
  'state',
  'night',
  'home',
  'power',
  'bridge',
  'road',
  'deluge',
  'trooper',
  'steven',
  'v.',
  'nevel',
  'new',
  'york',
  'state',
  'police',
  'search',
  'mission',
  'hour',
  'monday',
  'hand',
  'deck',
  'new',
  'york',
  'city',
  'forecaster',
  'weather',
  'borough',
  'manhattan',
  'queens',
  'bronx',
  'basement',
  'level',
  'tenant',
  'ground',
  'night',
  'preparation',
  'flooding',
  'official',
  'monday',
  'home',
  'ontario',
  'county',
  'resident',
  'american',
  'red',
  'cross',
  'shelter',
  'town',
  'hall',
  'storm',
  'national',
  'weather',
  'service',
  'flash',
  'flood',
  'warning',
  'connecticut',
  'city',
  'stamford',
  'greenwich',
  'massachusetts',
  'forecaster',
  'area',
  'inch',
  'rain',
  'vehicle',
  'standstill',
  'portion',
  'palisades',
  'parkway',
  'traffic',
  'circle',
  'bear',
  'mountain',
  'bridge',
  'county',
  'executive',
  'steve',
  'neuhaus',
  'state',
  'emergency',
  'orange',
  'county',
  'new',
  'york',
  'town',
  'cornwall',
  'shore',
  'hudson',
  'river',
  'state',
  'emergency',
  'sunday',
  'night',
  'goat',
  'trail',
  'bear',
  'mountain',
  'bridge',
  'hudson',
  'valley',
  'weather',
  'forecast',
  'maps',
  'woman',
  'floodwater',
  'west',
  'point',
  'home',
  'military',
  'academy',
  'road',
  'river',
  'area',
  'force',
  'flash',
  'flooding',
  'boulder',
  'woman',
  'house',
  'wall',
  'orange',
  'county',
  'executive',
  'steven',
  'neuhaus',
  'associated',
  'press',
  'house',
  'water',
  "'she",
  'flooding',
  'dog',
  'wave',
  'type',
  'wave',
  'photo',
  'road',
  'thayer',
  'road',
  'base',
  'state',
  'official',
  'road',
  'orange',
  'county',
  'new',
  'york',
  'official',
  'resident',
  'line',
  'storm',
  'road',
  "'the",
  'water',
  'governor',
  'kathy',
  'hochul',
  'night',
  'extent',
  'destruction',
  'storm',
  'area',
  'inch',
  'rain',
  'sunrise',
  'resident',
  'official',
  'damage',
  'official',
  'storm',
  'million',
  'dollar',
  'damage',
  'hochul',
  'wcbs',
  'radio',
  'people',
  'home',
  'commuter',
  'rain',
  'east',
  'coast',
  'sunday',
  'amtrak',
  'train',
  'service',
  'new',
  'york',
  'city',
  'albany',
  'weather',
  'condition',
  'flight',
  'new',
  'york',
  'city',
  'boston',
  'philadelphia',
  'airport',
  'sunday',
  'weather',
  'area',
  'north',
  'carolina',
  'northeast',
  'watch',
  'warning',
  'rain',
  'region',
  'new',
  'york',
  'new',
  'jersey',
  'pennsylvania',
  'rest',
  'new',
  'england',
  'rescuers',
  'family',
  'wheelchair',
  'female',
  'flood',
  'water',
  'park',
  'stony',
  'point',
  'town',
  'unit',
  'victim',
  'water',
  'war',
  'zone',
  'video',
  'video',
  'grey',
  'smoke',
  'sea',
  'foot',
  'ship',
  'fire',
  'video',
  'ohio',
  'man',
  'meltdown',
  'gender',
  'bathroom',
  'cctv',
  'connor',
  'gibson',
  'sister',
  'amber',
  'video',
  'ex',
  '-',
  'official',
  'technology',
  'ufo',
  'video',
  'whistleblower',
  'congress',
  'government',
  'knowledge',
  'uap',
  'watch',
  'video',
  'disturbing',
  'footage',
  'cop',
  'kid',
  'dog',
  'cage',
  'watch',
  'video',
  'moment',
  'shoplifter',
  'getaway',
  'burlington',
  'store',
  'watch',
  'video',
  'grusch',
  'biological',
  'pilot',
  'video',
  'ufo',
  'whistleblower',
  'government',
  'possession',
  'ufo',
  'video',
  'retired',
  'air',
  'force',
  'officer',
  'ufo',
  'info',
  'video',
  'bodycam',
  'moment',
  'police',
  'head',
  'trial',
  'watch',
  'video',
  'ex',
  '-',
  'official',
  'info',
  'state',
  'senator',
  'james',
  'skoufis',
  'infrastructure',
  'home',
  'weather',
  'event',
  'brave',
  'rescuer',
  'night',
  'video',
  'video',
  'grey',
  'smoke',
  'sea',
  'foot',
  'ship',
  'fire',
  'video',
  'ohio',
  'man',
  'meltdown',
  'gender',
  'bathroom',
  'cctv',
  'connor',
  'gibson',
  'sister',
  'amber',
  'video',
  'ex',
  '-',
  'official',
  'technology',
  'ufo',
  'video',
  'whistleblower',
  'congress',
  'government',
  'knowledge',
  'uap',
  'watch',
  'video',
  'disturbing',
  'footage',
  'cop',
  'kid',
  'dog',
  'cage',
  'watch',
  'video',
  'moment',
  'shoplifter',
  'getaway',
  'burlington',
  'store',
  'watch',
  'video',
  'grusch',
  'biological',
  'pilot',
  'video',
  'ufo',
  'whistleblower',
  'government',
  'possession',
  'ufo',
  'video',
  'retired',
  'air',
  'force',
  'officer',
  'ufo',
  'info',
  'video',
  'bodycam',
  'moment',
  'police',
  'head',
  'trial',
  'watch',
  'video',
  'ex',
  '-',
  'official',
  'info',
  'piermont',
  'fire',
  'department',
  'stony',
  'point',
  'rescue',
  'squad',
  'adult',
  'male',
  'home',
  'flood',
  'executive',
  'steve',
  'neuhaus',
  'state',
  'emergency',
  'orange',
  'county',
  'new',
  'york',
  'town',
  'cornwall',
  'shore',
  'hudson',
  'river',
  'state',
  'emergency',
  'sunday',
  'night',
  'neuhaus',
  'village',
  'highland',
  'falls',
  'west',
  'point',
  'scene',
  'war',
  'zone',
  'repair',
  'water',
  'damage',
  'month',
  'situation',
  'lot',
  'people',
  'way',
  'state',
  'senator',
  'james',
  'skoufis',
  'infrastructure',
  'home',
  'weather',
  'event',
  'rockland',
  'county',
  'executive',
  'ed',
  'day',
  'hiker',
  'location',
  'dozen',
  'driver',
  'downpour',
  'day',
  'orange',
  'county',
  'rockland',
  'county',
  'fire',
  'dept',
  'people',
  'car',
  'mountain',
  'circle',
  'palisades',
  'parkway',
  'lee',
  'grant',
  'housing',
  'area',
  '¿',
  'pic.twitter.com/xfa81f80bg',
  'mike',
  'lyons',
  'july',
  'military',
  'academy',
  'west',
  'point',
  'hudson',
  'river',
  'car',
  'home',
  'area',
  'people',
  'knee',
  'water',
  'car',
  'road',
  'camp',
  'rosemary',
  'willkomm',
  'cornwall',
  'hudson',
  'destruction',
  'home',
  'fence',
  'inch',
  'water',
  'basement',
  'way',
  'den',
  'property',
  'piermont',
  'fire',
  'department',
  'stony',
  'point',
  'rescue',
  'squad',
  'adult',
  'male',
  'home',
  'flood',
  'water',
  'rescuer',
  'family',
  ...],
 ['nowcast',
  'kmbc',
  'news',
  'kcwe',
  'pm',
  'search',
  'homepage',
  'local',
  'news',
  'state',
  'addiction',
  'national',
  'news',
  'alert',
  'weather',
  'radar',
  'alerts',
  'map',
  'room',
  'future',
  'kmbc',
  'investigates',
  'heart',
  'matter',
  'community',
  'traffic',
  'sports',
  'chiefs',
  'draft',
  'kc',
  'royals',
  'high',
  'school',
  'sports',
  'politic',
  'fact',
  'fact',
  'local',
  'entertainment',
  'cw',
  'community',
  'news',
  'love',
  'news',
  'team',
  'editorial',
  'contests',
  'metv',
  'advertise',
  'kmbc',
  'advertise',
  'kcwe',
  'privacy',
  'notice',
  'terms',
  'use',
  'press',
  'type',
  'search',
  'storm',
  'morning',
  'kansas',
  'missouri',
  'national',
  'weather',
  'service',
  'severe',
  'thunderstorm',
  'watch',
  'updated',
  'cdt',
  'jul',
  'storm',
  'morning',
  'kansas',
  'missouri',
  'national',
  'weather',
  'service',
  'severe',
  'thunderstorm',
  'watch',
  'updated',
  'cdt',
  'jul',
  'severe',
  'thunderstorms',
  'severe',
  'thunderstorm',
  'watch',
  'issued',
  'kansas',
  'city',
  'area',
  'west',
  'central',
  'northwestern',
  'missouri',
  'kansas',
  'noon',
  'storms',
  'damaging',
  'wind',
  'hail',
  'main',
  'threats',
  'concerned',
  'morning',
  'alert',
  'radar',
  'severe',
  'thunderstorms',
  'moving',
  'severe',
  'thunderstorm',
  'watch',
  'northwestern',
  'missouri',
  'big',
  'cluster',
  'thunderstorms',
  'severe',
  'thunderstorm',
  'county',
  'communities',
  'fairfax',
  'tokyo',
  'mound',
  'city',
  'oregon',
  'skidmore',
  'area',
  'severe',
  'weather',
  'oregon',
  'maitland',
  'skidmore',
  'savannah',
  'king',
  'city',
  'albany',
  'maysville',
  'saint',
  'joseph',
  'storms',
  'east',
  'kansas',
  'city',
  'later',
  'morning',
  'time',
  'severe',
  'weather',
  'noon',
  'northwest',
  'kansas',
  'city',
  'closer',
  'metro',
  'later',
  'morning',
  'wind',
  'hail',
  'likely',
  'threats',
  'morning',
  'umbrella',
  'rain',
  'jacket',
  'kmbc',
  'app',
  'severe',
  'door',
  'humid',
  'instability',
  'storms',
  'intensity',
  'southeast',
  'forecast',
  'today',
  'kansas',
  'city',
  'highest',
  'chance',
  'thunderstorms',
  'severe',
  'morning',
  'noon',
  'kansas',
  'city',
  'clear',
  'afternoon',
  'you’re',
  'heat',
  'humidity',
  'big',
  'impact',
  'remainder',
  'week',
  'weekend',
  'alert',
  'day',
  'forecast',
  'extended',
  'heat',
  'wave',
  'day',
  'daytime',
  'highs',
  'upper',
  'near',
  'heat',
  'index',
  'values',
  'overnight',
  'lows',
  'drop',
  'degrees',
  'kansas',
  'city',
  'night',
  'lot',
  'relief',
  'couple',
  'rogue',
  'thunderstorm',
  'cluster',
  'week',
  'possibly',
  'friday',
  'saturdays',
  'likely',
  'chance',
  'alerts',
  'breaking',
  'update',
  'email',
  'inbox',
  'storm',
  'morning',
  'kansas',
  'missouri',
  'national',
  'weather',
  'service',
  'severe',
  'thunderstorm',
  'watch',
  'updated',
  'cdt',
  'jul',
  'shower',
  'thunderstorm',
  'plan',
  'today',
  'noon',
  'storm',
  'hail',
  'wind',
  'cloud',
  'afternoon',
  'temperature',
  '90',
  'heat',
  'wave',
  'tuesday',
  'weekend',
  'time',
  'morning',
  'low',
  '70',
  '80',
  'afternoon',
  'high',
  '90',
  'heat',
  'index',
  'value',
  'rain',
  'storm',
  'chance',
  'remainder',
  'week',
  '%',
  'rogue',
  'cluster',
  'thunderstorm',
  'time',
  'shower',
  'thunderstorm',
  'plan',
  'today',
  'noon',
  'storm',
  'hail',
  'wind',
  'cloud',
  'afternoon',
  'temperature',
  '90',
  'heat',
  'wave',
  'tuesday',
  'weekend',
  'time',
  'morning',
  'low',
  '70',
  '80',
  'afternoon',
  'high',
  '90',
  'heat',
  'index',
  'value',
  'rain',
  'storm',
  'chance',
  'remainder',
  'week',
  '%',
  'rogue',
  'cluster',
  'thunderstorm',
  'time',
  'contact',
  'news',
  'team',
  'apps',
  'social',
  'email',
  'alerts',
  'careers',
  'internships',
  'advertise',
  'kmbc',
  'advertise',
  'kcwe',
  'digital',
  'advertising',
  'terms',
  'conditions',
  'broadcast',
  'terms',
  'conditions',
  'rss',
  'eeo',
  'captioning',
  'contact',
  'kmbc',
  'public',
  'inspection',
  'file',
  'kcwe',
  'public',
  'inspection',
  'file',
  'public',
  'file',
  'assistance',
  'fcc',
  'applications',
  'news',
  'policy',
  'statements',
  'hearst',
  'television',
  'affiliate',
  'marketing',
  'program',
  'commission',
  'product',
  'link',
  'retailer',
  'site',
  'hearst',
  'television',
  'inc.',
  'behalf',
  'kmbc',
  'tv',
  'privacy',
  'notice',
  'california',
  'privacy',
  'rights',
  'interest',
  'ads',
  'terms',
  'use',
  'site',
  'map'],
 ['newsletter',
  'love',
  'delaware',
  'story',
  'email',
  'error',
  'alabama',
  'alaska',
  'arizona',
  'arkansas',
  'northern',
  'california',
  'southern',
  'california',
  'colorado',
  'connecticut',
  'delaware',
  'florida',
  'georgia',
  'hawaii',
  'idaho',
  'illinois',
  'indiana',
  'iowa',
  'kansas',
  'kentucky',
  'louisiana',
  'maine',
  'maryland',
  'massachusetts',
  'michigan',
  'minnesota',
  'mississippi',
  'missouri',
  'montana',
  'nebraska',
  'nevada',
  'new',
  'hampshire',
  'new',
  'jersey',
  'new',
  'mexico',
  'new',
  'york',
  'north',
  'carolina',
  'north',
  'dakota',
  'ohio',
  'oklahoma',
  'oregon',
  'pennsylvania',
  'rhode',
  'island',
  'south',
  'carolina',
  'south',
  'dakota',
  'tennessee',
  'texas',
  'utah',
  'vermont',
  'virginia',
  'washington',
  'west',
  'virginia',
  'wisconsin',
  'wyoming',
  'albuquerque',
  'arlington',
  'atlanta',
  'austin',
  'baltimore',
  'boise',
  'boston',
  'buffalo',
  'charlotte',
  'chicago',
  'cincinnati',
  'cleveland',
  'columbus',
  'd.c.',
  'dallas',
  'fort',
  'worth',
  'denver',
  'des',
  'moines',
  'detroit',
  'galveston',
  'gulf',
  'shores',
  'honolulu',
  'houston',
  'indianapolis',
  'jacksonville',
  'kansas',
  'city',
  'louisville',
  'los',
  'angeles',
  'memphis',
  'miami',
  'milwaukee',
  'minneapolis',
  'nashville',
  'new',
  'orleans',
  'orlando',
  'philadelphia',
  'phoenix',
  'pittsburgh',
  'portland',
  'salt',
  'lake',
  'city',
  'san',
  'antonio',
  'san',
  'diego',
  'san',
  'francisco',
  'seattle',
  'st.',
  'louis',
  'tampa',
  'newsletter',
  'newsletter',
  'error',
  'delaware',
  'nature',
  'june',
  'kim',
  'magaraci',
  'terrifying',
  'storm',
  'struck',
  'delaware',
  'march',
  'delaware',
  'snow',
  'rain',
  'day',
  'temperature',
  '50',
  '30',
  'inch',
  'rain',
  'snow',
  'month',
  'blizzard',
  'nor’easter',
  'trouble',
  'afternoon',
  'commuter',
  'march',
  'march',
  'march',
  'fact',
  'weather',
  'report',
  'week',
  'march',
  'chance',
  'rain',
  'monday',
  'tuesday',
  'monday',
  'night',
  'meteorologist',
  'nor’easter',
  'snow',
  'gust',
  'daybreak',
  'tuesday',
  'wind',
  'tide',
  'storm',
  'storm',
  'friday',
  'storm',
  'storm',
  'ash',
  'wednesday',
  'storm',
  'storm',
  'delaware',
  'life',
  'delaware',
  'million',
  'dollar',
  'property',
  'damage',
  'look',
  'picture',
  'delaware',
  'archives',
  'destruction',
  'storm',
  'state',
  'delaware',
  'public',
  'archives',
  'beachfront',
  'home',
  'storm',
  'mile',
  'delaware',
  'public',
  'archives',
  'pickering',
  'slaughter',
  'beach',
  'ocean',
  'water',
  'storm',
  'delaware',
  'public',
  'archives',
  'milton',
  'height',
  'storm',
  'delaware',
  'public',
  'archives',
  'indian',
  'river',
  'inlet',
  'area',
  'spring',
  'tide',
  'house',
  'seawater',
  'delaware',
  'public',
  'archives',
  'rehoboth',
  'beach',
  'store',
  'boardwalk',
  'floodwater',
  'delaware',
  'department',
  'transportation',
  'sussex',
  'county',
  'beach',
  'delaware',
  'public',
  'archives',
  'tower',
  'thing',
  'dewey',
  'beach',
  'henlopen',
  'hotel',
  'rehoboth',
  'tide',
  'storm',
  'delaware',
  'department',
  'transportation',
  'bethany',
  'beach',
  'boardwalk',
  'water',
  'sand',
  'storm',
  'storm',
  'exception',
  'rule',
  'delaware',
  'storm',
  'aftermath',
  'story',
  'comment',
  'onlyinyourstate',
  'compensation',
  'affiliate',
  'link',
  'article',
  'newsletter',
  'love',
  'delaware',
  'story',
  'email',
  'error',
  'share',
  'share',
  'facebook',
  'pin',
  'pinterest',
  'kim',
  'magaraci',
  'rutgers',
  'university',
  'degree',
  'geography',
  'year',
  'freelance',
  'travel',
  'writer',
  'contact',
  'newsletter',
  'gem',
  'destination',
  'inbox',
  'error',
  'delaware',
  'foods',
  'drink',
  'kim',
  'magaraci',
  'food',
  'trucks',
  'stroll',
  'summer',
  'night',
  'hagley',
  'delaware',
  'meghan',
  'byers',
  'massive',
  'fabric',
  'warehouse',
  'delaware',
  'dream',
  'kim',
  'magaraci',
  'dig',
  'treat',
  'food',
  'trucks',
  'summer',
  'concert',
  'series',
  'delaware',
  'meghan',
  'byers',
  'horrific',
  'winter',
  'storm',
  'delaware',
  'history',
  'kim',
  'magaraci',
  'breathtaking',
  'bridge',
  'delaware',
  'indian',
  'river',
  'inlet',
  'bridge',
  'history',
  'kim',
  'magaraci',
  'disaster',
  'delaware',
  'kim',
  'magaraci',
  'year',
  'delaware',
  'snowfall',
  'kim',
  'magaraci',
  'contact',
  'travel',
  'insights',
  'terms',
  'use',
  'accessibility',
  'copyright',
  'policy',
  'privacy',
  'notice',
  'cookie',
  'notice',
  'california',
  'notice',
  'collection',
  'manage',
  'preferences'],
 ['news',
  'datum',
  'analytic',
  'market',
  'aboutrefinitivreuter',
  'statesat',
  'tornado',
  'thunderstorm',
  'alabamareutersjanuary',
  'utcupdated',
  'agojan',
  'reuters',
  'people',
  'alabama',
  'thursday',
  'thunderstorm',
  'tornado',
  'region',
  'official',
  'autauga',
  'county',
  'sheriff',
  'spokeswoman',
  'reuters',
  'people',
  'storm',
  'detail',
  'alabamians',
  'storm',
  'state',
  'prayer',
  'community',
  'weather',
  'people',
  'alabama',
  'governor',
  'kay',
  'ivey',
  'friend',
  'justin',
  'amber',
  'wallace',
  'damage',
  'home',
  'tornado',
  'deatsville',
  'alabama',
  'u.s.',
  'january',
  'reuters',
  'evan',
  'garciaautauga',
  'county',
  'coroner',
  'buster',
  'barber',
  'people',
  'debris',
  'tornado',
  'barber',
  'formation',
  'ivey',
  'thursday',
  'state',
  'emergency',
  'alabama',
  'county',
  'storm',
  'autauga',
  'chambers',
  'coosa',
  'dallas',
  'elmore',
  'tallapoosa',
  'wind',
  'rain',
  'home',
  'thousand',
  'customer',
  'power',
  'georgia',
  'mississippi',
  'alabama',
  'flight',
  'hartsfield',
  'jackson',
  'atlanta',
  'international',
  'airport',
  'charlotte',
  'douglas',
  'international',
  'airport',
  'kanishka',
  'singh',
  'alexandra',
  'ulmer',
  'dan',
  'whitcomb',
  'sandra',
  'malerour',
  'standards',
  'thomson',
  'reuters',
  'trust',
  'principles',
  'read',
  'nextarticle',
  'statescategorytop',
  'senate',
  'republican',
  'mitch',
  'mcconnell',
  'press',
  'airline',
  'detail',
  'newark',
  'new',
  'jersey',
  'airport',
  'flight',
  'galleryworldcategorychina',
  'agenda',
  'biden',
  'italy',
  'meloni',
  'washington4:14',
  'utcunited',
  'statescategorypolice',
  'officer',
  'dog',
  'man',
  'ohio',
  'traffic',
  'stopjuly',
  'reutersworldbiden',
  'war',
  'crime',
  'evidence',
  'iccworldcategory',
  'july',
  'president',
  'joe',
  'biden',
  'administration',
  'evidence',
  'war',
  'crime',
  'ukraine',
  'hague',
  'international',
  'criminal',
  'court',
  'icc',
  'u.s',
  'official',
  'wednesday.article',
  'galleryunited',
  'statescategoryus',
  'house',
  'republicans',
  'hurdle',
  'spending',
  'share',
  'fed',
  'stick',
  'utc',
  'agoarticle',
  'salvador',
  'trial',
  'thousand',
  'crime',
  'aircraft',
  'drone',
  'syria',
  '-white',
  'housejuly',
  '2023site',
  'indexbrowseworldbusinessmarketssustainabilitylegalbreakingviewstechnologyinvestigations',
  'tabsportssciencelifestyleabout',
  'reutersabout',
  'reuters',
  'tabcareer',
  'tabreuters',
  'news',
  'agency',
  'attribution',
  'guidelines',
  'leadership',
  'fact',
  'check',
  'tabreuters',
  'diversity',
  'report',
  'informeddownload',
  'app',
  'tabnewsletter',
  'tabinformation',
  'trustreuter',
  'news',
  'medium',
  'division',
  'thomson',
  'reuters',
  'world',
  'multimedia',
  'news',
  'provider',
  'billion',
  'people',
  'day',
  'reuters',
  'business',
  'news',
  'professional',
  'desktop',
  'terminal',
  'world',
  'medium',
  'organization',
  'industry',
  'event',
  'consumer',
  'usthomson',
  'reuters',
  'productswestlaw',
  'tabbuild',
  'argument',
  'content',
  'attorney',
  'editor',
  'expertise',
  'industry',
  'technology',
  'onesource',
  'tabthe',
  'solution',
  'tax',
  'compliance',
  'need',
  'checkpoint',
  'tabthe',
  'industry',
  'leader',
  'information',
  'tax',
  'accounting',
  'finance',
  'professional',
  'refinitiv',
  'productsrefinitiv',
  'workspace',
  'tab',
  'access',
  'datum',
  'news',
  'content',
  'workflow',
  'experience',
  'desktop',
  'web',
  'refinitiv',
  'data',
  'catalogue',
  'tab',
  'browse',
  'portfolio',
  'time',
  'market',
  'datum',
  'insight',
  'source',
  'expert',
  'refinitiv',
  'world',
  'check',
  'tabscreen',
  'risk',
  'individual',
  'entity',
  'risk',
  'business',
  'relationship',
  'network',
  'advertise',
  'tabadvertising',
  'guidelines',
  'tabcoupon',
  'tabcookie',
  'tabterms',
  'use',
  'tabprivacy',
  'tabdigital',
  'accessibility',
  'tabcorrection',
  'feedback',
  'taball',
  'quote',
  'minimum',
  'minute',
  'list',
  'exchange',
  'delay',
  'reuters',
  'right'],
 ['owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'log',
  'account',
  'log',
  'account',
  'sign',
  'today',
  'account',
  'dashboard',
  'profile',
  'item',
  'ohio',
  'community',
  'storm',
  'damage',
  'j.d.',
  'davidson',
  'center',
  'square',
  'ohio',
  'gov.',
  'mike',
  'dewine',
  'jan.',
  'newark',
  'ohio',
  'center',
  'square',
  'ohio',
  'community',
  'state',
  'disaster',
  'relief',
  'storm',
  'year',
  'storm',
  'county',
  'state',
  'february',
  'june',
  'july',
  'state',
  'reimbursement',
  'fund',
  'entity',
  '“the',
  'impact',
  'weather',
  'community',
  'ohio',
  'emergency',
  'management',
  'agency',
  'executive',
  'director',
  'sima',
  'merick',
  'gov.',
  'dewine',
  'fund',
  'relief',
  'jurisdiction',
  'holmes',
  'knox',
  'noble',
  'richland',
  'tascarawas',
  'county',
  'grant',
  'jefferson',
  'township',
  'tascarawas',
  'county',
  'share',
  '53,345.87.also',
  'frontier',
  'power',
  'utility',
  'provider',
  'repair',
  'june',
  'windstorm',
  'reimbursement',
  'program',
  'storm',
  'damage',
  'threshold',
  'assistance',
  'program',
  'state',
  'assistance',
  'government',
  'organization',
  'cost',
  'debris',
  'removal',
  'emergency',
  'measure',
  'work',
  'dewine',
  'authorization',
  'november',
  'use',
  'fund',
  'ohio',
  'ema',
  'funding',
  'ohio',
  'controlling',
  'board',
  'ohio',
  'm',
  'child',
  'bike',
  'school',
  'proposal',
  'initiative',
  'process',
  'marijuana',
  'group',
  'signature',
  'abortion',
  'right',
  'amendment',
  'ohio',
  'november',
  'ballot',
  'ohio',
  'unemployment',
  'rate',
  'record',
  'ohio',
  'carbon',
  'emissions',
  'states',
  'ohio',
  'veteran',
  'population',
  'states',
  'best',
  'place',
  'ohio',
  'cannabis',
  'consumption',
  'ohio',
  'rest',
  'spn',
  'poll',
  'majority',
  'parent',
  'teacher',
  'course',
  'curriculum',
  'sen.',
  'mcconnell',
  'press',
  'conference',
  'concern',
  'u.s.',
  'house',
  'committee',
  'report',
  'mayorkas',
  'border',
  'policy',
  'dereliction',
  'duty',
  'desantis',
  'nation',
  'decline',
  'coast',
  'guard',
  'stockpile',
  'food',
  'water',
  'emergency',
  'report',
  'federal',
  'reserve',
  'hike',
  'rate',
  'level',
  'year',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'copyright',
  'franklin',
  'news',
  'foundation',
  'n.',
  'clark',
  'st.',
  'suite',
  'chicago',
  'il',
  'term',
  'use',
  '',
  '',
  'privacy',
  'policy'],
 ['boston',
  'news',
  'weather',
  'sports',
  'whdh',
  '7new',
  'local',
  'regional',
  'air',
  'live',
  'stream',
  'breaking',
  'news',
  'stream',
  'world',
  'politics',
  'entertainment',
  'area',
  'traffic',
  'team',
  '7new',
  'social',
  'media',
  'video',
  'forecast',
  'interactive',
  'radar',
  'weather',
  'blog',
  'watches',
  'warning',
  'storm',
  'closings',
  'school',
  'organization',
  'closing',
  'delay',
  'cw56',
  'community',
  'calendar',
  'internships',
  'advertise',
  'employment',
  'opportunities',
  'contact',
  'news',
  'tips',
  'mobile',
  'app',
  'whdh',
  'tv',
  'listings',
  'tv',
  'storm',
  'havoc',
  'new',
  'hampshire',
  'eric',
  'kane',
  'august',
  'manchester',
  'n.h.',
  'whdh',
  'series',
  'storm',
  'new',
  'hampshire',
  'friday',
  'evening',
  'tornado',
  'warning',
  'tree',
  'road',
  'river',
  'town',
  'city',
  'new',
  'hampshire',
  'pair',
  'tornado',
  'warning',
  'effect',
  'point',
  'rain',
  'street',
  'manchester',
  'motorist',
  'pedestrian',
  'knee',
  'water',
  'wind',
  'tree',
  'home',
  'gilmanton',
  'power',
  'line',
  'hopkinton',
  'library',
  'damage',
  'lightning',
  'strike',
  'damage',
  'hopkinton',
  'nh',
  'library',
  'lightning',
  'strike',
  'evening',
  'pic.twitter.com/x3f8qc64dt',
  'eric',
  'kane',
  'august',
  '2018@7news',
  '@jackielayeron7',
  '@clamberton7',
  '@brieggers',
  'gilmanton',
  'nh',
  'pic.twitter.com/e7qhispbnx',
  'sammy',
  '@finewineo',
  'august',
  'copyright',
  'c',
  'sunbeam',
  'television',
  'rights',
  'material',
  'newsletter',
  'news',
  'inbox',
  '7weather',
  'storm',
  'way',
  'tomorrow',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'judge',
  'concern',
  'term',
  'agreement',
  'naacp',
  'national',
  'convention',
  'boston',
  'sinéad',
  'o’connor',
  'singer',
  'u',
  'media',
  'retired',
  'bruins',
  'star',
  'bergeron',
  'uber',
  'driver',
  'family',
  'jaylen',
  'brown',
  'celtics',
  'year',
  'deal',
  'nba',
  'history',
  'whdh',
  'tv',
  '7news',
  'wlvi',
  'tv',
  'cw56',
  'sunbeam',
  'television',
  'corp',
  '7',
  'bulfinch',
  'place',
  'boston',
  'ma',
  'news',
  'tips',
  'tips',
  'hank',
  'hank',
  'mobile',
  'apps',
  'news',
  'tips',
  'whdh',
  'tv',
  'listings',
  'cw56',
  'tv',
  'listing',
  'community',
  'calendar',
  'advertise',
  'contact',
  'internships',
  'employment',
  'opportunities',
  'privacy',
  'policy',
  'terms',
  'service',
  'children',
  'programming',
  'captioning',
  'concern',
  'eeo',
  'public',
  'file',
  'whdh',
  'fcc',
  'public',
  'file',
  'wlvi',
  'fcc',
  'public',
  'file',
  'content',
  'copyright',
  'whdh',
  'tv',
  'whdh',
  'programming',
  'child',
  'report',
  'fcc',
  'station',
  'outreach',
  'child',
  'public',
  'report',
  'fcc',
  'public',
  'file',
  'fcc',
  'website',
  'information',
  'site',
  'privacy',
  'policy',
  'terms',
  'service'],
 ['permission',
  'article',
  'account',
  'dashboard',
  'profile',
  'item',
  'account',
  'dashboard',
  'profile',
  'item',
  'today',
  'cloud',
  '52f.',
  'wind',
  'light',
  'tonight',
  'cloud',
  '52f.',
  'wind',
  'light',
  'july',
  'pm',
  'peak',
  'winter',
  'storm',
  'season',
  'storm',
  'watcher',
  'stretch',
  'oregon',
  'coast',
  'jan',
  'feb',
  'winter',
  'month',
  'oregon',
  'coast',
  'cape',
  'arago',
  'area',
  'view',
  'storm',
  'oregon',
  'support',
  'journalism',
  'today',
  'offer',
  'heart',
  'winter',
  'oregon',
  'coast',
  'gargantuan',
  'pacific',
  'ocean',
  'swell',
  'sea',
  'wind',
  'cloud',
  'foam',
  'display',
  'peak',
  'winter',
  'storm',
  'season',
  'winter',
  'storm',
  'display',
  'oregon',
  'adventure',
  'coast',
  'coos',
  'bay',
  'north',
  'bend',
  'charleston',
  'area',
  'condition',
  'monster',
  'storm',
  'storm',
  'storm',
  'oregon',
  'coast',
  'oregon',
  'adventure',
  'coast',
  'level',
  'janice',
  'langlinais',
  'director',
  'coos',
  'bay',
  'north',
  'bend',
  'charleston',
  'visitor',
  'convention',
  'bureau',
  'oregon',
  'adventure',
  'coast',
  'cliff',
  'coastline',
  'ocean',
  'swell',
  'tide',
  'swing',
  'storm',
  'storm',
  'march',
  'time',
  'winter',
  'storm',
  'oregon',
  'adventure',
  'coast',
  'place',
  'shore',
  'acres',
  'state',
  'park',
  'charleston',
  'foot',
  'cliff',
  'shore',
  'acres',
  'jumble',
  'sandstone',
  'formation',
  'ocean',
  'storm',
  'brewing',
  'wave',
  'rock',
  'ground',
  'plume',
  'foot',
  'park',
  'area',
  'storm',
  'hut',
  'shelter',
  'view',
  'ocean',
  'vista',
  'winter',
  'storm',
  'bluff',
  'bastendorff',
  'beach',
  'sunset',
  'bay',
  'state',
  'park',
  'cape',
  'arago',
  'highway',
  'storm',
  'oregon',
  'coast',
  'weather',
  'ocean',
  'condition',
  'impact',
  'wave',
  'cliff',
  'condition',
  'ocean',
  'swell',
  'wave',
  'action',
  'swell',
  'foot',
  'spray',
  'foot',
  'air',
  'sandstone',
  'cliff',
  'shore',
  'acres',
  'storm',
  'watcher',
  'storm',
  'oregon',
  'adventure',
  'coast',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'tides',
  'currents',
  'page',
  'tide',
  'prediction',
  'ocean',
  'condition',
  'noaa',
  'forecast',
  'service',
  'oregon',
  'adventure',
  'coast',
  'facebook',
  'page',
  'storm',
  'tip',
  'surf',
  'warning',
  'sign',
  'storm',
  'information',
  'oregon',
  'adventure',
  'coast',
  'classified',
  'ad',
  'crescent',
  'city',
  'chamber',
  'commerce',
  'outside',
  'page',
  'crescent',
  'city',
  'chamber',
  'commerce',
  'inside',
  'page',
  'crescent',
  'city',
  'chamber',
  'commerce',
  'outside',
  'page',
  'evacuation',
  'plan',
  'case',
  'wildfire',
  'emergency',
  'triplicate',
  'e',
  '-',
  'edition',
  'triplicate',
  'e',
  '-',
  'edition',
  'brother',
  'jonathan',
  'shipwreck',
  'mystery',
  'plan',
  'future',
  'northwest',
  'forest',
  'climate',
  'change',
  'hughes',
  'degree',
  'murder',
  'stars',
  'stripes',
  'summer',
  'nights',
  'update',
  'wildland',
  'firefighter',
  'pay',
  'protection',
  'act',
  'electricity',
  'demand',
  '%',
  'decade',
  'photo',
  'tree',
  'sea',
  'hopelessness',
  'discussion',
  'discussion',
  'email',
  'notification',
  'discussion',
  'notification',
  'discussion',
  'bullying',
  'calling',
  'insult',
  'language',
  'threat',
  'person',
  'post',
  'report',
  'comment',
  'topic',
  'comment',
  'post',
  'abuse',
  'rule',
  'thread',
  'comment',
  'user',
  'turn',
  'caps',
  'lock',
  'discussion',
  'discussion',
  'brother',
  'jonathan',
  'shipwreck',
  'mystery',
  'plan',
  'future',
  'northwest',
  'forest',
  'climate',
  'change',
  'hughes',
  'degree',
  'murder',
  'stars',
  'stripes',
  'summer',
  'nights',
  'retired',
  'del',
  'norte',
  'teacher',
  'nun',
  'memoir',
  'update',
  'wildland',
  'firefighter',
  'pay',
  'protection',
  'act',
  'electricity',
  'demand',
  '%',
  'decade',
  'photo',
  'tree',
  'sea',
  'hopelessness',
  'abatement',
  'street',
  'ad',
  'news',
  'community',
  'news',
  'photo',
  'video',
  'crescent',
  'city',
  'chamber',
  'commerce',
  'outside',
  'page',
  'crescent',
  'city',
  'chamber',
  'commerce',
  'outside',
  'page',
  'crescent',
  'city',
  'chamber',
  'commerce',
  'inside',
  'page',
  'crescent',
  'city',
  'chamber',
  'commerce',
  'inside',
  'page',
  'articlesbrother',
  'jonathan',
  'shipwreck',
  'mystery',
  'enduresstars',
  'stripes',
  'summer',
  'nightshughes',
  'degree',
  'del',
  'norte',
  'teacher',
  'nun',
  'e',
  '-',
  'edition4th',
  'july',
  'k',
  'resultsphoto',
  'tree',
  'sea',
  'hopelessnessnew',
  'details',
  'odf',
  'increase',
  'human',
  'traffic',
  'washington',
  'blvd.2023',
  'dixon',
  'field',
  'day',
  'lake',
  'earl',
  'grange',
  'articlesbrother',
  'jonathan',
  'shipwreck',
  'mystery',
  'enduresstars',
  'stripes',
  'summer',
  'nightshughes',
  'degree',
  'del',
  'norte',
  'teacher',
  'nun',
  'e',
  '-',
  'edition4th',
  'july',
  'k',
  'resultsphoto',
  'tree',
  'sea',
  'hopelessnessnew',
  'details',
  'odf',
  'increase',
  'human',
  'traffic',
  'washington',
  'blvd.2023',
  'dixon',
  'field',
  'day',
  'lake',
  'earl',
  'grange',
  'publication',
  'today!subscribe',
  'month',
  'access',
  'subscriber',
  'h',
  'st.',
  'crescent',
  'city',
  'phone',
  'email',
  'browser',
  'date',
  'security',
  'risk',
  'browser'],
 ['day',
  'woman',
  'birth',
  'hospital',
  'heart',
  'attack',
  'seizure',
  'kidney',
  'failure',
  'blood',
  'transfusion',
  'problem',
  'death',
  'human',
  'trafficking',
  'sports',
  'entertainment',
  'life',
  'money',
  'tech',
  'travel',
  'opinion',
  'obituariesonly',
  'usa',
  'today',
  'newsletters',
  'subscribers',
  'archives',
  'crossword',
  'enewspaper',
  'magazines',
  'investigations',
  'weather',
  'forecast',
  'video',
  'humankind',
  'curiousbest',
  'booklist',
  'pets',
  'food',
  'reviewed',
  'coupons',
  'blueprint',
  'best',
  'auto',
  'insurance',
  'best',
  'pet',
  'insurance',
  'best',
  'travel',
  'insurance',
  'best',
  'credit',
  'cards',
  'best',
  'cd',
  'rate',
  'best',
  'personal',
  'loans',
  "topic'angry",
  'sea',
  'storm',
  'flood',
  'road',
  'home',
  'alaska',
  'governor',
  'fernando',
  'claire',
  'thorntonusa',
  'todayalaska',
  'gov.',
  'mike',
  'dunleavy',
  'state',
  'disaster',
  'saturday',
  'storm',
  'swath',
  'state',
  'coastline',
  'town',
  'wind',
  'flooding',
  'power',
  'outage',
  'storm',
  'forecaster',
  'state',
  'history',
  'storm',
  'system',
  'duration',
  'storm',
  'surge',
  'wind',
  'alaska',
  'national',
  'weather',
  'service',
  'saturday',
  'people',
  'school',
  'hooper',
  'bay',
  'floodwater',
  'saturday',
  'afternoon',
  'ak',
  'public',
  'media',
  'news',
  'tide',
  'level',
  'nome',
  'foot',
  'saturday',
  'afternoon',
  'weather',
  'service',
  'gage',
  'remnant',
  'typhoon',
  'merbok',
  'rainfall',
  'region',
  'sunday',
  'morning',
  'saturday',
  'morning',
  'sea',
  'storm',
  'surge',
  'community',
  'port',
  'nome',
  'weather',
  'service',
  'station',
  'fairbanks',
  'alaska',
  'wind',
  'gust',
  'hurricane',
  'strength',
  'area',
  'weather',
  'service',
  'forecast',
  'flooding',
  'sunday',
  'morning',
  'water',
  'level',
  'saturday',
  'afternoon',
  'weather',
  'service',
  'saturday',
  'photo',
  'road',
  'golovin',
  'alaska',
  'floodwater',
  'tide',
  'home',
  'couple',
  'home',
  'foundation',
  'weather',
  'service',
  'station',
  'fairbanks',
  'alaska',
  'photo',
  'foot',
  'water',
  'fencing',
  'stair',
  'swing',
  'set',
  'golovin',
  'alaska',
  'town',
  'mile',
  'nome',
  'photo',
  'vehicle',
  'building',
  'bridge',
  'foundation',
  'level',
  "storm':alaska",
  'brace',
  'flood',
  'power',
  'gust',
  'mph',
  'tree',
  'damage',
  'roof',
  'building',
  'power',
  'outage',
  'accuweather',
  'storm',
  'life',
  'condition',
  'fishing',
  'operation',
  'accuweather',
  'boat',
  'port',
  'injury',
  'saturday',
  'afternoon',
  'dunleavy',
  'twitter',
  'storm',
  'state',
  'forecaster',
  'saythe',
  'storm',
  'impact',
  'bering',
  'sea',
  'superstorm',
  'cyclone',
  'alaska',
  'record',
  'national',
  'weather',
  'service',
  'fairbanks',
  'state',
  'flooding',
  'year',
  'accuweather',
  'storm',
  'state',
  'alaska',
  'storm',
  'weekend',
  'arctic',
  'circle',
  'accuweather',
  'storm',
  'impact',
  'alaska',
  'state',
  'fairbanks',
  'anchorage',
  'rain',
  'sunday',
  'night',
  'monday',
  'accuweather',
  'tropical',
  'storm',
  'fiona',
  'forms',
  'storm',
  'puerto',
  'ricotropical',
  'storm',
  'fiona',
  'puerto',
  'ricomeanwhile',
  'tropical',
  'storm',
  'fiona',
  'inch',
  'rain',
  'puerto',
  'rico',
  'saturday',
  'flooding',
  'landslide',
  'power',
  'outage',
  'storm',
  'hurricane',
  'puerto',
  'rico',
  'island',
  'death',
  'saturday',
  'guadeloupe',
  'territory',
  'caribbean',
  'sea',
  'authority',
  'shelter',
  'beach',
  'theater',
  'museum',
  'people',
  'indoor',
  'associated',
  'presscontact',
  'news',
  'reporter',
  'christine',
  'fernando',
  'twitter',
  '@christinetfern',
  'weekly',
  'adabout',
  'newsroom',
  'staff',
  'ethical',
  'principles',
  'correction',
  'press',
  'accessibility',
  'sitemap',
  'subscription',
  'terms',
  'conditions',
  'terms',
  'service',
  'california',
  'privacy',
  'rights',
  'privacy',
  'policy',
  'privacy',
  'policydo',
  'sell',
  'share',
  'target',
  'infocookie',
  'settingscontact',
  'account',
  'feedback',
  'home',
  'delivery',
  'enewspaper',
  'usa',
  'today',
  'shop',
  'usa',
  'today',
  'print',
  'editions',
  'licensing',
  'reprints',
  'advertise',
  'careers',
  'internships',
  'businessnews',
  'tips',
  'letter',
  'editor',
  'newsletters',
  'mobile',
  'app',
  'facebook',
  'twitter',
  'instagram',
  'linkedin',
  'pinterest',
  'youtube',
  'reddit',
  'flipboard',
  'jobs',
  'sports',
  'betting',
  'sports',
  'weekly',
  'studio',
  'gannett',
  'classifieds',
  'coupons',
  'blueprint',
  'auto',
  'insurance',
  'pet',
  'insurance',
  'travel',
  'insurance',
  'credit',
  'cards',
  'banking',
  'personal',
  'loans',
  'usa',
  'today',
  'division',
  'gannett',
  'satellite',
  'information',
  'network',
  'llc'],
 ['contentskip',
  'navigationskip',
  'navigationprint',
  'subscription',
  'sign',
  'insearch',
  'jobssearchus',
  'editionus',
  'editionuk',
  'editionaustralia',
  'guardian',
  'guardiannewsopinionsportculturelifestyleshowmoreshow',
  'morenewsview',
  'newsus',
  'newsworld',
  'politicsbusinesstechsciencenewslettersfight',
  'democracyopinionview',
  'opinionthe',
  'guardian',
  'viewcolumnistslettersopinion',
  'videoscartoonssportview',
  'sportsoccernfltennismlbmlsnbanhlf1golfcultureview',
  'culturefilmbooksmusicart',
  'designtv',
  'radiostageclassicalgameslifestyleview',
  'lifestylefashionfoodrecipeslove',
  'sexhome',
  'gardenhealth',
  'fitnessfamilytravelmoneysearch',
  'input',
  'google',
  'search',
  'searchsupport',
  'usprint',
  'subscriptionsus',
  'editionuk',
  'editionaustralia',
  'editionsearch',
  'jobsdigital',
  'archiveguardian',
  'puzzles',
  'licensingthe',
  'guardian',
  'guardianguardian',
  'weeklycrosswordswordiplycorrectionsfacebooktwittersearch',
  'jobsdigital',
  'archiveguardian',
  'puzzles',
  'licensingusworldenvironmentsoccerus',
  'democracy',
  'snowplow',
  'patrol',
  'colorado',
  'saturday',
  'hour',
  'winter',
  'storm',
  'meteorologist',
  'foot',
  'snow',
  'state',
  'photograph',
  'kevin',
  'mohatt',
  'reutersa',
  'snowplow',
  'patrol',
  'colorado',
  'saturday',
  'hour',
  'winter',
  'storm',
  'meteorologist',
  'foot',
  'snow',
  'state',
  'photograph',
  'kevin',
  'mohatt',
  'reutersus',
  'weather',
  'article',
  'year',
  'oldpowerful',
  'snow',
  'storm',
  'wind',
  'usthis',
  'article',
  'year',
  'oldblizzard',
  'warning',
  'wyoming',
  'nebraska',
  'ft',
  'snow',
  'colorado',
  'weekendreuterssat',
  'mar',
  'estlast',
  'sun',
  'mar',
  'edta',
  'spring',
  'snow',
  'storm',
  'day',
  'rockies',
  'plain',
  'forecaster',
  'condition',
  'power',
  'outage',
  'avalanche',
  'national',
  'weather',
  'service',
  'nws',
  'blizzard',
  'warning',
  'wyoming',
  'nebraska',
  'snowfall',
  'ft',
  'cm',
  'wind',
  'mph',
  'km',
  'hour',
  'condition',
  'saturday',
  'monday',
  'weather',
  'service',
  'traveler',
  'road',
  'emergency',
  'supply',
  'flashlight',
  'wind',
  'snow',
  'damage',
  'tree',
  'power',
  'line',
  '“we’re',
  'winter',
  'storm',
  'east',
  'wyoming',
  'mark',
  'gordon',
  'wyoming',
  'governor',
  'twitter',
  'option',
  'road',
  'weekend',
  'south',
  'colorado',
  'condition',
  'day',
  'saturday',
  'i-25',
  'corridor',
  'people',
  'city',
  'denver',
  'ft',
  'snow',
  'mph',
  'wind',
  'weekend',
  'denver',
  'rain',
  'snow',
  'saturday',
  'morning',
  'temperature',
  'freezing',
  'air',
  'pattern',
  'city',
  'afternoon',
  'rate',
  'snowfall',
  'nws',
  'twitter',
  'snow',
  'afternoon',
  'evening',
  'sunday',
  'weather',
  'service',
  'denver',
  'airport',
  'weekend',
  'flight',
  'nation',
  'airport',
  'storm',
  'aviation',
  'tracking',
  'web',
  'site',
  'flight',
  'aware',
  'utility',
  'company',
  'xcel',
  'energy',
  'week',
  'number',
  'crew',
  'power',
  'outage',
  'snow',
  'nws',
  'traveler',
  'skier',
  'elevation',
  'avalanche',
  'snow',
  'total',
  'jared',
  'polis',
  'colorado',
  'governor',
  'state',
  'guard',
  'search',
  'rescue',
  'request',
  'weekend',
  'viewedusworldenvironmentsoccerus',
  'politicsbusinesstechsciencenewslettersfight',
  'reporting',
  'analysis',
  'guardian',
  'ushelpcomplaint',
  'correctionssecuredropwork',
  'usprivacy',
  'policycookie',
  'policyterms',
  'conditionscontact',
  'usall',
  'topicsall',
  'newspaper',
  'archivefacebookyoutubeinstagramlinkedintwitternewslettersadvertise',
  'labssearch',
  'guardian',
  'news',
  'media',
  'limited',
  'company',
  'right'],
 ['home',
  'arkansas',
  'blog',
  'tornado',
  'arkansas',
  'climate',
  'change',
  'researcher',
  'tornado',
  'arkansas',
  'climate',
  'change',
  'researcher',
  'kenneth',
  'heard',
  'june',
  'havoc',
  'kathie',
  'pace',
  'neighborhood',
  'jonesboro',
  'march',
  'tornado',
  'image',
  'courtesy',
  'anthony',
  'coy',
  'craighead',
  'county',
  'office',
  'emergency',
  'management',
  'afternoon',
  'saturday',
  'march',
  'kathie',
  'pace',
  'family',
  'stairwell',
  'tornado',
  'jonesboro',
  'subdivision',
  'window',
  'turbine',
  'roof',
  'living',
  'room',
  'piece',
  'glass',
  'month',
  'minute',
  'pace',
  'tornado',
  'ef3',
  'scale',
  'measuring',
  'intensity',
  'path',
  'heart',
  'jonesboro',
  'home',
  'business',
  'city',
  'turtle',
  'creek',
  'mall',
  'fatality',
  'people',
  'home',
  'covid-19',
  'restriction',
  'pace',
  'house',
  'worth',
  'damage',
  'cost',
  'roof',
  'homeowner',
  'slab',
  'month',
  'home',
  'subdivision',
  'neighbor',
  'storm',
  'shelter',
  'advertisement',
  'research',
  'addition',
  'investment',
  'arkansas',
  'tornado',
  'increase',
  'mid',
  'south',
  'year',
  'thank',
  'climate',
  'change',
  'weather',
  'pattern',
  'continent',
  'tornado',
  'alley',
  'region',
  'u.s.',
  'great',
  'plains',
  'storm',
  'north',
  'texas',
  'oklahoma',
  'kansas',
  'air',
  'rocky',
  'mountains',
  'heat',
  'plains',
  'advertisement',
  'scientist',
  'shift',
  'pattern',
  'arkansas',
  'bull',
  'eye',
  'storm',
  'alabama',
  'mississippi',
  'tennessee',
  'tornado',
  'plains',
  'meteorologist',
  'increase',
  'number',
  'intensity',
  'twister',
  'area',
  'dixie',
  'alley',
  'victor',
  'gensini',
  'professor',
  'meteorology',
  'northern',
  'illinois',
  'university',
  'paper',
  'shift',
  'trend',
  'drought',
  'condition',
  'u.s.',
  'line',
  'boundary',
  'air',
  'masse',
  'factor',
  'weather',
  'great',
  'plains',
  'gensini',
  'air',
  'line',
  'drought',
  'east',
  'u.s',
  'drought',
  'monitor',
  'report',
  'national',
  'drought',
  'mitigation',
  'center',
  'university',
  'nebraska',
  'lincoln',
  'west',
  'drought',
  'year',
  'year',
  'area',
  'california',
  'damage',
  'winter',
  'temperature',
  'degree',
  'lack',
  'snowfall',
  'condition',
  'dome',
  'pressure',
  'u.s.',
  'weather',
  'system',
  'tornado',
  'east',
  'drought',
  'dakotas',
  'jet',
  'stream',
  'jet',
  'stream',
  'current',
  'arctic',
  'air',
  'ingredient',
  'tornado',
  'storm',
  'tornado',
  'tornado',
  'alley',
  'gensini',
  'research',
  'decrease',
  'report',
  'tornado',
  'condition',
  'portion',
  'texas',
  'oklahoma',
  'plains',
  'state',
  'inverse',
  'southeast',
  'tornado',
  'moisture',
  'gensini',
  'gulf',
  'mexico',
  'abundance',
  'drought',
  'jet',
  'stream',
  'gulf',
  'state',
  'moisture',
  'weather',
  'activity',
  'trough',
  'storm',
  'gensini',
  'climate',
  'change',
  'shift',
  'movement',
  'tornado',
  'south',
  'share',
  'tornado',
  'arkansas',
  'ef5',
  'tornado',
  'intensity',
  'scale',
  'batesville',
  'century',
  'sneed',
  'tornado',
  'independence',
  'jackson',
  'lawrence',
  'county',
  'april',
  'meteorologist',
  'ef4',
  'tornado',
  'vilonia',
  'mayflower',
  'april',
  'ef5',
  'time',
  'mile',
  'trek',
  'gensini',
  'increase',
  'activity',
  'arkansas',
  'alabama',
  'tennessee',
  'mississippi',
  'decade',
  'measurement',
  'number',
  'tornado',
  'term',
  'intensity',
  'duration',
  'metric',
  'year',
  'year',
  'comparison',
  'gensini',
  'number',
  'tornado',
  'report',
  'study',
  'index',
  'tornado',
  'parameter',
  'ingredient',
  'formation',
  'tornado',
  'weather',
  'channel',
  'measurement',
  'tornado',
  'condition',
  'index',
  'torcon',
  'chance',
  'tornado',
  'mile',
  'radius',
  'location',
  'gensini',
  'research',
  'datum',
  'tornado',
  'statistic',
  'location',
  'strength',
  'path',
  '1950',
  'arkansas',
  'state',
  'tornado',
  'history',
  'portion',
  'justin',
  'condry',
  'national',
  'weather',
  'service',
  'meteorologist',
  'north',
  'little',
  'rock',
  'increase',
  'storm',
  'south',
  'warning',
  'state',
  'twister',
  'year',
  'year',
  'condry',
  'number',
  'average',
  'year',
  'year',
  'year',
  'arkansas',
  'tornado',
  'year',
  'june',
  'state',
  'condry',
  'national',
  'weather',
  'service',
  'climate',
  'change',
  'cause',
  'gensini',
  'finding',
  'shift',
  'extent',
  'warming',
  'condry',
  'topic',
  'weather',
  'datum',
  'year',
  'range',
  'weather',
  'pattern',
  'denying',
  'dixie',
  'alley',
  'area',
  'damage',
  'business',
  'race',
  'street',
  'jonesboro',
  'march',
  'tornado',
  'courtesy',
  'anthony',
  'coy',
  'craighead',
  'county',
  'office',
  'emergency',
  'management',
  'tornado',
  'south',
  'gensini',
  'tree',
  'hill',
  'view',
  'landscape',
  'plains',
  'tornado',
  'cover',
  'darkness',
  'area',
  'temperature',
  'day',
  'shift',
  'ingredient',
  'twister',
  'night',
  'people',
  'south',
  'great',
  'plains',
  'home',
  'recipe',
  'disaster',
  'gensini',
  'home',
  'deal',
  'casualty',
  'majority',
  'fatality',
  'injury',
  'home',
  'tornado',
  'vulnerability',
  'southeast',
  'storm',
  'area',
  'arkansas',
  'footprint',
  'change',
  'jonesboro',
  'reminder',
  'wrath',
  'storm',
  'ef3',
  'tornado',
  'march',
  'debris',
  'field',
  'old',
  'bridger',
  'road',
  'sheet',
  'metal',
  'tree',
  'branch',
  'tornado',
  'guard',
  'anthony',
  'coy',
  'director',
  'emergency',
  'service',
  'craighead',
  'county',
  'criterion',
  'day',
  'requirement',
  'emergency',
  'plan',
  'jonesboro',
  'tornado',
  'national',
  'weather',
  'service',
  'storm',
  'prediction',
  'center',
  'area',
  'possibility',
  'weather',
  'coy',
  'craighead',
  'county',
  'office',
  'emergency',
  'management',
  'emergency',
  'operation',
  'center',
  'time',
  'storm',
  'warning',
  'county',
  'warning',
  'time',
  'result',
  'jonesboro',
  'tornado',
  'change',
  'kathie',
  'pace',
  'jonesboro',
  'resident',
  'storm',
  'stairwell',
  'weather',
  'jewelry',
  'store',
  'indian',
  'mall',
  'caraway',
  'road',
  'tornado',
  'half',
  'jonesboro',
  'portion',
  'mall',
  'cloud',
  'pace',
  'tornado',
  'alley',
  'march',
  'april',
  'tornado',
  'arkansas',
  'story',
  'courtesy',
  'arkansas',
  'nonprofit',
  'news',
  'network',
  'news',
  'project',
  'journalism',
  'arkansans',
  'fight',
  'truth',
  'arkansas',
  'times',
  'year',
  'newspaper',
  'little',
  'rock',
  'force',
  'journalism',
  'facebook',
  'follower',
  'twitter',
  'follower',
  'arkansas',
  'blog',
  'follower',
  'email',
  'blast',
  'reader',
  'commitment',
  'journalism',
  'help',
  'access',
  'article',
  'effort',
  'writer',
  'coverage',
  'stand',
  'arkansas',
  'times',
  'difference',
  'subscription',
  'donation',
  'today',
  'article',
  'leader',
  'southern',
  'baptist',
  'convention',
  'handling',
  'abuse',
  'article',
  'covid',
  'count',
  'line',
  'tag',
  'annnarkansas',
  'nonprofit',
  'news',
  'networknational',
  'weather',
  'servicetornadoesvictor',
  'gensini',
  'arkansas',
  'times',
  'journalism',
  'reporting',
  'analysis',
  'news',
  'politic',
  'culture',
  'food',
  'arkansas',
  'founded',
  'arkansas',
  'times',
  'source',
  'news',
  'politic',
  'culture',
  'arkansas',
  'magazine',
  'location',
  'central',
  'arkansas',
  'copyright',
  'right',
  'privacy',
  'policy'],
 ['associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights',
  'hunter',
  'biden',
  'plea',
  'deal',
  'storm',
  'henri',
  'northeast',
  'klepper',
  'michael',
  'kunzelman',
  'david',
  'porter',
  'westerly',
  'r.i.',
  'ap',
  'tropical',
  'storm',
  'henri',
  'northeast',
  'wind',
  'landfall',
  'sunday',
  'coast',
  'rhode',
  'island',
  'band',
  'rain',
  'power',
  'home',
  'deluge',
  'bridge',
  'road',
  'people',
  'vehicle',
  'storm',
  'hurricane',
  'new',
  'england',
  'sigh',
  'relief',
  'national',
  'hurricane',
  'center',
  'storm',
  'rain',
  'swath',
  'region',
  'weekend',
  'day',
  'rain',
  'area',
  'southwest',
  'new',
  'jersey',
  'depression',
  'status',
  'storm',
  'new',
  'york',
  'connecticut',
  'border',
  'east',
  'atlantic',
  'ocean',
  'monday',
  'rain',
  'total',
  'report',
  'damage',
  'wind',
  'surf',
  'sentencing',
  'arizona',
  'mother',
  'murder',
  'child',
  'abuse',
  'starvation',
  'son',
  'bluffing',
  'putin',
  'deployment',
  'weapon',
  'belarus',
  'saber',
  'england',
  'home',
  'crowd',
  'women',
  'world',
  'cup',
  'australia',
  'president',
  'joe',
  'biden',
  'sunday',
  'help',
  'resident',
  'state',
  'president',
  'disaster',
  'region',
  'purse',
  'string',
  'recovery',
  'aid',
  'biden',
  'condolence',
  'people',
  'tennessee',
  'flooding',
  'storm',
  'child',
  'people',
  'dozen',
  'landfall',
  'westerly',
  'rhode',
  'island',
  'henri',
  'wind',
  'mph',
  'gust',
  'mph',
  'national',
  'hurricane',
  'center',
  'sunday',
  'henri',
  'wind',
  'mph',
  'kph',
  'connecticut',
  'new',
  'york',
  'state',
  'line',
  'rain',
  'storm',
  'center',
  'helmetta',
  'new',
  'jersey',
  'resident',
  'ground',
  'refuge',
  'hotel',
  'friend',
  'family',
  'flood',
  'water',
  'home',
  'blink',
  'eye',
  'town',
  'mayor',
  'christopher',
  'slavicek',
  'parent',
  'night',
  'home',
  'mayor',
  'community',
  'new',
  'jersey',
  'inch',
  'centimeter',
  'rain',
  'midday',
  'sunday',
  'jamesburg',
  'television',
  'video',
  'footage',
  'downtown',
  'street',
  'car',
  'newark',
  'public',
  'safety',
  'director',
  'brian',
  'o’hara',
  'police',
  'firefighter',
  'people',
  'incident',
  'storm',
  'flooding',
  'vehicle',
  'area',
  'lot',
  'wind',
  'new',
  'jersey',
  'gov.',
  'phil',
  'murphy',
  'sunday',
  'evening',
  'connecticut',
  'gov.',
  'ned',
  'lamont',
  'henri',
  'view',
  'mirror',
  'work',
  'evacuation',
  'community',
  'resident',
  'nursing',
  'home',
  'shoreline',
  'nursing',
  'home',
  'bridge',
  'rhode',
  'island',
  'state',
  'sunday',
  'road',
  'newport',
  'paul',
  'cherie',
  'saunders',
  'storm',
  'home',
  'family',
  'basement',
  'foot',
  'water',
  'superstorm',
  'sandy',
  'year',
  'house',
  'hurricane',
  'thing',
  'cherie',
  'saunders',
  '”rhode',
  'island',
  'hurricane',
  'storm',
  'superstorm',
  'sandy',
  'irene',
  'hurricane',
  'bob',
  'city',
  'providence',
  'flooding',
  'damage',
  'hurricane',
  'hurricane',
  'carol',
  'hurricane',
  'barrier',
  '1960',
  'downtown',
  'storm',
  'surge',
  'narragansett',
  'bay',
  'barrier',
  'gate',
  'hour',
  'sunday',
  'national',
  'weather',
  'service',
  'hour',
  'central',
  'park',
  'inch',
  'rainfall',
  'park',
  'p.m.',
  'p.m.',
  'saturday',
  'evening',
  'thousand',
  'homecoming',
  'concert',
  'park',
  'rainfall',
  'new',
  'england',
  'atlantic',
  'couple',
  'day',
  'hurricane',
  'center',
  'henri',
  'identity',
  'area',
  'pennsylvania',
  'new',
  'england',
  'rain',
  'marshall',
  'shepherd',
  'director',
  'atmospheric',
  'sciences',
  'program',
  'university',
  'georgia',
  'president',
  'american',
  'meteorological',
  'society',
  'henri',
  'way',
  'hurricane',
  'harvey',
  'storm',
  'houston',
  'area',
  '2017.“to',
  'storm',
  'banding',
  'feature',
  'rain',
  'hazard',
  'new',
  'york',
  'new',
  'jersey',
  'area',
  'shepherd',
  'tropical',
  'storm',
  'irene',
  'coast',
  'august',
  'new',
  'york',
  'city',
  'area',
  'storm',
  'green',
  'mountains',
  'irene',
  'disaster',
  'vermont',
  'flood',
  'state',
  'inch',
  'rain',
  'hour',
  'irene',
  'vermont',
  'thousand',
  'bridge',
  'mile',
  'highway',
  'irene',
  'medium',
  'outlet',
  'vermont',
  'deal',
  'vermont',
  'robert',
  'welch',
  'podcaster',
  'sunday',
  'sea',
  'radar',
  'appearance',
  'governor',
  'end',
  'monday',
  'harassment',
  'scandal',
  'new',
  'york',
  'gov.',
  'andrew',
  'cuomo',
  'state',
  'concern',
  'area',
  'hudson',
  'river',
  'valley',
  'north',
  'new',
  'york',
  'city',
  'inch',
  'rain',
  'day',
  'hudson',
  'valley',
  'hill',
  'creek',
  'water',
  'hill',
  'creek',
  'river',
  'cuomo',
  'airport',
  'region',
  'storm',
  'sunday',
  'flight',
  'service',
  'branch',
  'new',
  'york',
  'city',
  'commuter',
  'rail',
  'system',
  'sunday',
  'amtrak',
  'service',
  'new',
  'york',
  'boston',
  'power',
  'outage',
  'power',
  'home',
  'rhode',
  'island',
  'connecticut',
  'massachusetts',
  'new',
  'york',
  'connecticut',
  'utility',
  'customer',
  'thousand',
  'linda',
  'orlomoski',
  'canterbury',
  'power',
  'truck',
  'neighborhood',
  'end',
  'road',
  'power',
  'p.m.',
  'tuesday',
  'power',
  '”___kunzelman',
  'newport',
  'rhode',
  'island',
  'porter',
  'new',
  'york',
  'associated',
  'press',
  'writer',
  'william',
  'j.',
  'kole',
  'warwick',
  'rhode',
  'island',
  'michelle',
  'smith',
  'providence',
  'rhode',
  'island',
  'michael',
  'r.',
  'sisak',
  'julie',
  'walker',
  'east',
  'hampton',
  'lester',
  'washington',
  'philip',
  'marcelo',
  'boston',
  'michael',
  'melia',
  'hartford',
  'connecticut',
  'susan',
  'haigh',
  'norwich',
  'connecticut',
  'bobby',
  'caina',
  'calvan',
  'new',
  'york',
  'story',
  'utility',
  'customer',
  'orlomoski',
  'oski',
  'associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights'],
 ['sign',
  'welcome',
  'account',
  'password',
  'privacy',
  'policy',
  'password',
  'home',
  'utah',
  'news',
  'national',
  'weather',
  'service',
  'utah',
  'winter',
  'storm',
  'national',
  'weather',
  'service',
  'utah',
  'winter',
  'storm',
  'tim',
  'gurrister',
  'february',
  'photo',
  'salt',
  'lake',
  'city',
  'national',
  'weather',
  'service',
  'salt',
  'city',
  'utah',
  'feb.',
  'gephardt',
  'daily',
  'march',
  'national',
  'weather',
  'service',
  'swat',
  'winter',
  'tuesday',
  'wednesday',
  'winter',
  'storm',
  'dark',
  'tuesday',
  'utah',
  'tuesday',
  'afternoon',
  'nws',
  'inch',
  'snow',
  'valley',
  'inch',
  'mountain',
  'winter',
  'visibility',
  'snow',
  'traction',
  'restriction',
  'mountain',
  'road',
  'snowfall',
  'wednesday',
  'nws',
  'temperature',
  'day',
  'low',
  'degree',
  'cache',
  'valley',
  'degree',
  'zion',
  'canyon',
  'national',
  'park',
  'area',
  'bryce',
  'canyon',
  'national',
  'park',
  'area',
  'degree',
  'extreme',
  'nws',
  'skin',
  'time',
  'emergency',
  'kit',
  'condition',
  'weather.gov/slc',
  'photo',
  'salt',
  'lake',
  'city',
  'national',
  'weather',
  'service',
  'previous',
  'article3',
  'michigan',
  'state',
  'university',
  'year',
  'boy',
  'ice',
  'tooele',
  'reservoir',
  'tim',
  'gurrister',
  'utah',
  'dwr',
  'winter',
  'closure',
  'wildlife',
  'management',
  'area',
  'utah',
  'record',
  'snow',
  'water',
  'roof',
  'collapse',
  'hour',
  'mountain',
  'green',
  'email',
  'address',
  'email',
  'address',
  'email',
  'website',
  'browser',
  'time',
  'hunter',
  'biden',
  'tax',
  'case',
  'plea',
  'agreement',
  'arrest',
  'man',
  'stoplight',
  'suv',
  'drug',
  'provo',
  'police',
  'man',
  'stockton',
  'police',
  'chief',
  'theft',
  'fraud',
  'feds',
  'damage',
  'utah',
  'grocer',
  'labor',
  'violation',
  'hunter',
  'biden',
  'tax',
  'case',
  'plea',
  'agreement',
  'arrest',
  'man',
  'stoplight',
  'suv',
  'drug',
  'provo',
  'police',
  'man',
  'stockton',
  'police',
  'chief',
  'theft',
  'fraud',
  'feds',
  'damage',
  'utah',
  'grocer',
  'labor',
  'violation',
  'grand',
  'county',
  'sheriff',
  'office',
  'arrest',
  'crime',
  'child',
  'clearfield',
  'pd',
  'suspect',
  'vehicle',
  'dog',
  'inmate',
  'weber',
  'county',
  'jail',
  'man',
  'hammer',
  'police',
  'officer',
  'man',
  'connection',
  'slc',
  'robbery',
  'gun',
  'jordan',
  'river',
  'covid-19',
  'fact',
  'checking',
  'policy',
  'code',
  'ethics',
  'correction',
  'policy',
  'terms',
  'conditions',
  'ownership',
  'funding',
  'advertise',
  'privacy',
  'policy',
  'sitemap',
  'usgephardt',
  'daily',
  '',
  '',
  'national',
  'utah',
  'news',
  'gephardt',
  'daily',
  'utah',
  'news',
  'team',
  'news',
  'service',
  'rocky',
  'mountain',
  'west',
  'home',
  'team',
  'emmy',
  'award',
  'journalist',
  'veteran',
  'news',
  'producer',
  'reporter',
  'writer',
  'videographer',
  'medium',
  'expert',
  'covid-19',
  'fact',
  'checking',
  'policy',
  'code',
  'ethics',
  'correction',
  'policy',
  'terms',
  'conditions',
  'ownership',
  'funding',
  'advertise',
  'privacy',
  'policy',
  'sitemap'],
 ['main',
  'content',
  'sensor',
  'network',
  'maps',
  'radar',
  'severe',
  'weather',
  'news',
  'blogs',
  'mobile',
  'apps',
  'nearest',
  'station',
  'manage',
  'favorite',
  'citieslog',
  'joinsettingsaccount_box',
  'log',
  'person_add',
  'join',
  'setting',
  'settings',
  'sensor',
  'networkmaps',
  'radarsevere',
  'weathernews',
  'blogsmobile',
  'appshistorical',
  'weatherstarnews',
  'blogs',
  'category',
  'new',
  'stories',
  'infographics',
  'posters',
  'category',
  'category',
  'wind',
  'pennsylvania',
  'connecticutbob',
  'henson',
  'pm',
  'edtabove',
  'tree',
  'power',
  'line',
  'main',
  'street',
  'south',
  'bridgewater',
  'conn.',
  'storm',
  'area',
  'tuesday',
  'credit',
  'john',
  'woike',
  'hartford',
  'courant',
  'ap.at',
  'death',
  'tuesday',
  'u.s.',
  'onslaught',
  'thunderstorm',
  'wind',
  'hail',
  'flooding',
  'rain',
  'tornado',
  'complex',
  'storm',
  'region',
  'pennsylvania',
  'connecticut',
  'hudson',
  'valley',
  'new',
  'york',
  'customer',
  'northeast',
  'power',
  'height',
  'storm',
  'storm',
  'death',
  'tree',
  'car',
  'weather.com',
  'evolution',
  'today',
  'weather',
  'event',
  'northeast',
  'goes16',
  'ir',
  'pic.twitter.com/yuviqvlviv',
  'sam',
  'lillo',
  '@splillo',
  'noaa',
  'nws',
  'storm',
  'prediction',
  'center',
  'log',
  'storm',
  'report',
  'tuesday',
  'report',
  'wind',
  'northeast',
  'storm',
  'case',
  'monday',
  'event',
  'definition',
  'derecho',
  'swath',
  'line',
  'wind',
  'thunderstorm',
  'study',
  'walker',
  'ashley',
  'thomas',
  'mote',
  'weather.com',
  'jon',
  'erdman',
  'brian',
  'donegan',
  'wind',
  'swath',
  'monday',
  'tuesday',
  'kilometer',
  'mile',
  'wind',
  'criterion',
  'ashley',
  'mote',
  'km',
  'mile',
  'criterion',
  'definition',
  'nws',
  'scientist',
  'paper',
  'tuesday',
  'storm',
  'new',
  'york',
  'area',
  'transportation',
  'network',
  'chaos',
  'tree',
  'railway',
  'line',
  'metro',
  'north',
  'commuter',
  'rail',
  'system',
  'tuesday',
  'evening',
  'rush',
  'hour',
  'thousand',
  'people',
  'grand',
  'central',
  'station',
  'hour',
  'scene',
  'time',
  'commuter',
  'chaos',
  'announcement',
  'train',
  'service',
  'grand',
  'central',
  'nyc',
  'grandcentral',
  'andrew',
  'katz',
  '@katzandrews',
  'hail',
  'state',
  'record',
  'supercell',
  'storm',
  'west',
  'east',
  'area',
  'storm',
  'wind',
  'packing',
  'squall',
  'line',
  'system',
  'spotter',
  'tornado',
  'yulan',
  'new',
  'york',
  'tuesday',
  'afternoon',
  'national',
  'weather',
  'service',
  'meteorologist',
  'storm',
  'area',
  'new',
  'york',
  'connecticut',
  'wednesday',
  'tornado',
  'spc',
  'log',
  'hail',
  'report',
  'tuesday',
  'report',
  'baseball',
  'hail',
  'diameter',
  'harford',
  'pennsylvania',
  'clermont',
  'new',
  'york',
  'report',
  'frederick',
  'maryland',
  'granby',
  'connecticut',
  'wu',
  'weather',
  'historian',
  'chris',
  'burt',
  'list',
  'state',
  'level',
  'hailstone',
  'size',
  'record',
  'hailstone',
  'granby',
  'ct',
  'state',
  'record',
  'hailstone',
  'hamden',
  'ct',
  'july',
  'state',
  'record',
  'firm',
  'new',
  'york',
  'otsego',
  'county',
  'aug.',
  'pennsylvania',
  'meadville',
  'june',
  'maryland',
  'annapolis',
  'june',
  'hail',
  'area',
  'tsp',
  'columbia',
  'co.',
  'pic.twitter.com/kzcgljoubk',
  'julian',
  'diamond',
  '@juliancd38',
  'new',
  'york',
  'state',
  'mesonet',
  'network',
  'quality',
  'weather',
  'station',
  'thunderstorm',
  'wind',
  'gust',
  'founding',
  'second',
  'gust',
  'mph',
  'beacon',
  'ny',
  'mile',
  'manhattan',
  'hudson',
  'river',
  'pm',
  'edt',
  'peak',
  'mesonet',
  'new',
  'york',
  'city',
  'mph',
  'bronx',
  'mph',
  'queens',
  'mph',
  'manhattan',
  'pm',
  'edt.the',
  'mesonet',
  'state',
  'record',
  'weather',
  'event',
  'week',
  'gust',
  'mph',
  'malone',
  'new',
  'york',
  'figure',
  'wind',
  'gust',
  'new',
  'york',
  'state',
  'mesonet',
  'tuesday',
  'new',
  'york',
  'wind',
  'gust',
  'mph',
  'credit',
  'nys',
  'mesonet',
  'figure',
  'weather',
  'observation',
  'minute',
  'interval',
  'new',
  'york',
  'state',
  'mesonet',
  'station',
  'beacon',
  'ny',
  'tuesday',
  'peak',
  'wind',
  'gust',
  'anemometer',
  'height',
  'meter',
  'foot',
  'mph',
  'pm',
  'arrival',
  'thunderstorm',
  'temperature',
  'drop',
  'meter',
  'instrument',
  'height',
  '°',
  'f',
  'pm',
  'edt',
  '°',
  'f',
  'pm',
  'credit',
  'nys',
  'mesonet',
  'video',
  'tree',
  'thunderstorm',
  'wind',
  'mph',
  'beacon',
  'ny',
  'tree',
  'video',
  'webcam',
  'new',
  'york',
  'state',
  'mesonet',
  'site',
  'beacon',
  'credit',
  'nys',
  'mesonet',
  'wind',
  'meteotsunami',
  'enhancement',
  'tide',
  'weather',
  'feature',
  'coast',
  'delaware',
  'new',
  'england',
  'water',
  'level',
  'pulse',
  'order',
  'inch',
  'period',
  'hour',
  'angela',
  'fritz',
  'capital',
  'weather',
  'gang',
  'storm',
  'seasonif',
  'u.s.',
  'winter',
  'summer',
  'reason',
  'month',
  'aprils',
  'record',
  'u.s.',
  'jet',
  'stream',
  'swath',
  'air',
  'situation',
  'weather',
  'outbreak',
  'figure',
  'monday',
  'year',
  'tornado',
  'thunderstorm',
  'watch',
  'noaa',
  'nws',
  'storm',
  'prediction',
  'center',
  'point',
  'year',
  'credit',
  'sam',
  'lillo',
  'university',
  'oklahoma',
  '@splillo',
  'level',
  'wind',
  'standard',
  'week',
  'storm',
  'great',
  'plains',
  'midwest',
  'chance',
  'weather',
  'central',
  'high',
  'plains',
  'thursday',
  'friday',
  'day',
  'risk',
  'area',
  'wednesday',
  'morning',
  'end',
  'weather',
  'supercell',
  'report',
  'weather',
  'tornado',
  'figure',
  'wu',
  'depiction',
  'weather',
  'risk',
  'area',
  'day',
  'thursday',
  'friday',
  'noaa',
  'nws',
  'spc',
  'wednesday',
  'morning',
  'weather',
  'company',
  'mission',
  'weather',
  'news',
  'environment',
  'importance',
  'science',
  'life',
  'story',
  'position',
  'parent',
  'company',
  'ibm',
  'bob',
  'hensonbob',
  'henson',
  'meteorologist',
  'writer',
  'weather.com',
  'category',
  'news',
  'site',
  'weather',
  'underground',
  'year',
  'national',
  'center',
  'atmospheric',
  'research',
  'author',
  'thinking',
  'person',
  'guide',
  'climate',
  'change',
  'air',
  'history',
  'broadcast',
  'meteorology',
  'articlescategory',
  'sight',
  'rainbow',
  'bob',
  'henson',
  'june',
  'edt',
  'section',
  'miscellaneous',
  'alexander',
  'von',
  'humboldt',
  'scientist',
  'extraordinaire',
  'tom',
  'niziol',
  'june',
  'pm',
  'edt',
  'section',
  'time',
  'weather',
  'underground',
  'favorite',
  'posts',
  'christopher',
  'c.',
  'burt',
  'june',
  'pm',
  'edt',
  'section',
  'miscellaneous',
  'appsabout',
  'uscontactcareerspws',
  'networkwundermapfeedback',
  'supportterms',
  'useprivacy',
  'policyaccessibility',
  'statementadchoicesdata',
  'vendorswe',
  'responsibility',
  'datum',
  'technology',
  'datum',
  'data',
  'vendor',
  'control',
  'datum',
  'datum',
  'rightspowered',
  'ibm',
  'cloud',
  'copyright',
  'twc',
  'product',
  'technology',
  'llc',
  'javascript',
  'application'],
 ['contentskip',
  'content',
  'register',
  'article',
  'newsletter',
  'weather',
  'forecast',
  'weather',
  'alert',
  'inbox',
  'subscriber',
  'sign',
  'time',
  'owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'lee',
  'enterprises',
  'terms',
  'service',
  '',
  '',
  'privacy',
  'policy',
  'help',
  'center',
  'account',
  'dashboard',
  'profile',
  'item',
  'wind',
  'snow',
  'thousand',
  'power',
  'arizona',
  'storm',
  'wind',
  'snow',
  'thousand',
  'power',
  'arizona',
  'storm',
  'susan',
  'immel',
  'dog',
  'wednesday',
  'afternoon',
  'snowstorm',
  'condition',
  'jake',
  'bacon',
  'arizona',
  'daily',
  'sun',
  'chase',
  'christopher',
  'journeyman',
  'lineman',
  'arizona',
  'public',
  'service',
  'power',
  'line',
  'flagstaff',
  'wednesday',
  'morning',
  'line',
  'power',
  'area',
  'flagstaff',
  'power',
  'outage',
  'blizzard',
  'wind',
  'area',
  'jake',
  'bacon',
  'arizona',
  'daily',
  'sun',
  'snow',
  'hurricane',
  'force',
  'wind',
  'arizona',
  'tuesday',
  'night',
  'wednesday',
  'thousand',
  'cold',
  'utility',
  'ponderosa',
  'pine',
  'snow',
  'blizzard',
  'buffalo',
  'park',
  'wednesday',
  'afternoon',
  'jake',
  'bacon',
  'arizona',
  'daily',
  'sun',
  'wednesday',
  'morning',
  'national',
  'weather',
  'service',
  'nws',
  'snowfall',
  'inch',
  'nws',
  'meteorologist',
  'charge',
  'brian',
  'klimowski',
  'certainty',
  'snowfall',
  'blizzard',
  'condition',
  'severity',
  'wind',
  'snow',
  'landscape',
  'nws',
  'wind',
  'mph',
  'flagstaff',
  'area',
  'ability',
  'power',
  'outage',
  'road',
  'closure',
  'impact',
  'wind',
  'situation',
  'klimowski',
  'outage',
  'flagstaff',
  'community',
  'hour',
  'wednesday',
  'morning',
  'wind',
  'tree',
  'power',
  'line',
  'coconino',
  'county',
  'official',
  'utility',
  'provider',
  'arizona',
  'public',
  'service',
  'aps',
  '%',
  'coconino',
  'county',
  'customer',
  'electricity',
  'wednesday',
  'morning',
  'height',
  'outage',
  'customer',
  'power',
  'nws',
  'office',
  'weather',
  'thank',
  'system',
  'office',
  'las',
  'vegas',
  'lake',
  'powell',
  'water',
  'level',
  'lining',
  'cmt',
  'music',
  'video',
  'jason',
  'aldean',
  'song',
  'singer',
  'lyric',
  'window',
  'cleaning',
  'truck',
  'collision',
  'industrial',
  'avenue',
  'flagstaff',
  'coconino',
  'county',
  'board',
  'supervisors',
  'term',
  'ordinance',
  'flagstaff',
  'rescue',
  'hiker',
  'elden',
  'lookout',
  'trail',
  'arizona',
  'woman',
  'power',
  'debt',
  'utility',
  'earthquake',
  'arizona',
  'town',
  'report',
  'injury',
  'damage',
  'bakery',
  'owner',
  'scratch',
  'winter',
  'roof',
  'collapse',
  'kachina',
  'village',
  'arizona',
  'woman',
  'yellowstone',
  'bison',
  'attack',
  'boyfriend',
  'hospital',
  'proposal',
  'tom',
  'brady',
  'supermodel',
  'twitter',
  'x',
  'today',
  'news',
  'building',
  'buffet',
  'pawn',
  'shop',
  'nau',
  'master',
  'plan',
  'mask',
  'burger',
  'chain',
  'employee',
  'state',
  'utah',
  'man',
  'park',
  'grand',
  'canyon',
  'packraft',
  'trip',
  'movie',
  'flagstaff',
  'lady',
  'van',
  'park',
  'downtown',
  'street',
  'artist',
  'jetsonorama',
  'flagstaff',
  'history',
  'mural',
  'south',
  'san',
  'francisco',
  'street',
  'doney',
  'park',
  'resident',
  'nicolle',
  'young',
  'power',
  'outage',
  'wood',
  'stove',
  'child',
  'solution',
  'wind',
  'fire',
  'smoke',
  'house',
  'smoke',
  'alarm',
  'young',
  'house',
  'smoke',
  'inspection',
  'young',
  'wind',
  'rooftop',
  'spark',
  'arrestor',
  'angle',
  'smoke',
  'chimney',
  'stack',
  'house',
  'youngs',
  'room',
  'week',
  'year',
  'power',
  'power',
  'doney',
  'park',
  'customer',
  'a.m.',
  'period',
  'outage',
  'water',
  'provider',
  'doney',
  'park',
  'water',
  'dpw',
  'result',
  'customer',
  'water',
  'pressure',
  'home',
  'dpw',
  'general',
  'manager',
  'marc',
  'twidwell',
  'power',
  'outage',
  'booster',
  'station',
  'booster',
  'station',
  'line',
  'tidwell',
  'a.m.',
  'facility',
  'a.m.',
  'meantime',
  'dpw',
  'customer',
  'd.j.',
  'montoya',
  'water',
  'station',
  'home',
  'pot',
  'snow',
  'iron',
  'wood',
  'stove',
  'lot',
  'camping',
  'wood',
  'house',
  'montoya',
  'lesson',
  'son',
  'problem',
  'solution',
  'core',
  'flagstaff',
  'outage',
  'fourth',
  'street',
  'resident',
  'jason',
  'spoon',
  'morning',
  'second',
  'power',
  'outage',
  'ice',
  'storm',
  'flagstaff',
  'resident',
  'rob',
  'jones',
  'scene',
  'snow',
  'maggedon',
  'flagstaff',
  'wednesday',
  'morning',
  'generation',
  'storm',
  'wind',
  'mph',
  'snow',
  'jake',
  'bacon',
  'arizona',
  'daily',
  'sun',
  'garbage',
  'foot',
  'snow',
  'floor',
  'jones',
  'day',
  'colorado',
  'plateau',
  'day',
  'aps',
  'restoration',
  'time',
  'area',
  'hope',
  'power',
  'restoration',
  'push',
  'evening',
  'continental',
  'country',
  'club',
  'resident',
  'sherri',
  'jablonski',
  'hour',
  'power',
  'wind',
  'chill',
  'temperature',
  'degree',
  'fahrenheit',
  'situation',
  'aps',
  'jablonski',
  'jablonski',
  'camp',
  'stove',
  'garage',
  'meal',
  'water',
  'midday',
  'house',
  'temperature',
  'degree',
  'layer',
  'resident',
  'continental',
  'country',
  'club',
  'area',
  'coconino',
  'county',
  'emergency',
  'services',
  'red',
  'cross',
  'station',
  'sinagua',
  'middle',
  'school',
  'nick',
  'leatherwood',
  'chase',
  'christopher',
  'journeyman',
  'arizona',
  'public',
  'service',
  'work',
  'wednesday',
  'morning',
  'power',
  'line',
  'east',
  'flagstaff',
  'blizzard',
  'wind',
  'power',
  'interruption',
  'neighborhood',
  'city',
  'jake',
  'bacon',
  'arizona',
  'daily',
  'sun',
  'situation',
  'munds',
  'park',
  'outage',
  'customer',
  'midday',
  'area',
  'power',
  'p.m.',
  'severity',
  'munds',
  'park',
  'propane',
  'delivery',
  'failure',
  'establishment',
  'warming',
  'shelter',
  'munds',
  'park',
  'community',
  'church',
  'failure',
  'location',
  'generator',
  'aps',
  'division',
  'director',
  'mackenzie',
  'rodgers',
  'loss',
  'power',
  'munds',
  'park',
  'area',
  'outage',
  'line',
  'transmission',
  'line',
  'crew',
  'line',
  'damage',
  'tree',
  'wind',
  'way',
  'transmission',
  'line',
  'tree',
  'power',
  'line',
  'photo',
  'arizona',
  'public',
  'service',
  'aps',
  'aps',
  'official',
  'incident',
  'power',
  'outage',
  'mph',
  'wind',
  'forest',
  'arizona',
  'wednesday',
  'feb',
  'tree',
  'tree',
  'mile',
  'line',
  'hurricane',
  'force',
  'wind',
  'ponderosa',
  'pine',
  'forest',
  'arizona',
  'hour',
  'wednesday',
  'morning',
  'tree',
  'power',
  'line',
  'place',
  'power',
  'outage',
  'rodgers',
  'crew',
  'area',
  'need',
  'repair',
  'progress',
  'munds',
  'park',
  'day',
  'power',
  'member',
  'community',
  'nightfall',
  'wednesday',
  'beginning',
  'marathon',
  'aps',
  'power',
  'outage',
  'situation',
  'rodgers',
  'wind',
  'folk',
  'foot',
  'snow',
  'area',
  'foot',
  'bulldozer',
  'equipment',
  'truck',
  'snow',
  'wind',
  'excess',
  'mph',
  'power',
  'outage',
  'arizona',
  'wednesday',
  'utility',
  'provider',
  'arizona',
  'public',
  'service',
  'crew',
  'blizzard',
  'condition',
  'power',
  'thousand',
  'customer',
  'courtesy',
  'arizona',
  'public',
  'service',
  'snow',
  'wind',
  'forecast',
  'slew',
  'incident',
  'arizona',
  'rodgers',
  'aps',
  'response',
  'resource',
  'resource',
  'period',
  'rodgers',
  'snow',
  'thursday',
  'friday',
  'point',
  'saturday',
  'outage',
  'time',
  'period',
  'customer',
  'chase',
  'christopher',
  'journeyman',
  'lineman',
  'arizona',
  'public',
  'service',
  'line',
  'crew',
  'power',
  'line',
  'flagstaff',
  'wednesday',
  'morning',
  'blizzard',
  'line',
  'city',
  'loss',
  'power',
  'neighborhood',
  'jake',
  'bacon',
  'arizona',
  'daily',
  'sun',
  'wednesday',
  'afternoon',
  'nws',
  'winter',
  'storm',
  'friday',
  'a.m.',
  'time',
  'official',
  'potential',
  'inch',
  'snow',
  'accumulation',
  'wind',
  'chill',
  'temperature',
  'degree',
  'fahrenheit',
  'wind',
  'gust',
  'mph',
  'flagstaff',
  'area',
  'respite',
  'friday',
  'night',
  'chance',
  'snow',
  'return',
  'saturday',
  'evening',
  '"[saturday',
  'night',
  'event',
  'klimowski',
  'inch',
  'snow',
  'event',
  'information',
  'aps',
  'power',
  'outage',
  'outagemap.aps.com/outageviewer/',
  'gallery',
  'snowstorm',
  'flagstaff',
  'outage',
  'closure',
  'cancellation',
  'snowstorm',
  'condition',
  'closure',
  'cancellation',
  'wind',
  'flagstaff',
  'hour',
  'wednesday',
  'morning',
  'sean',
  'golightly',
  'sgolightly@azdailysun.com',
  'weather',
  'forecast',
  'weather',
  'alert',
  'inbox',
  'registration',
  'use',
  'site',
  'agreement',
  'user',
  'agreement',
  'privacy',
  'policy',
  'storm',
  'wind',
  'snow',
  'arizona',
  'winter',
  'storm',
  'wind',
  'snow',
  'wednesday',
  'arizona',
  'new',
  'mexico',
  'mile',
  'stretch',
  'thousand',
  'power',
  'coconino',
  'county',
  'wind',
  'snow',
  'snarl',
  'p.m.',
  'update',
  'aps',
  'restoration',
  'estimation',
  'continental',
  'country',
  'club',
  'bellemont',
  'area',
  'p.m.',
  'storm',
  'wind',
  'snow',
  'potential',
  'outage',
  'arizona',
  'outage',
  'aps',
  'northern',
  'arizona',
  'division',
  'director',
  'mackenzie',
  'rogers',
  'crew',
  'rush',
  'storm',
  'flagstaff',
  'city',
  'street',
  'crew',
  'prep',
  'round',
  'snowfall',
  'road',
  'event',
  'city',
  'street',
  'section',
  'director',
  'samuel',
  'beckett',
  'propane',
  'provider',
  'amerigas',
  'flagstaff',
  'area',
  'connie',
  'olmstead',
  'abandonment',
  'money',
  'highway',
  'closure',
  'thursday',
  'morning',
  'motorist',
  'caution',
  'highway',
  'closure',
  'thursday',
  'morning',
  'forecast',
  'wind',
  'snow',
  'afternoon',
  'flagstaff',
  'family',
  'food',
  'center',
  'delivery',
  'volunteer',
  'force',
  'storm',
  'hurdle',
  'food',
  'bank',
  'community',
  'search',
  'rescue',
  'crew',
  'shelter',
  'coconino',
  'county',
  'people',
  'coconino',
  'county',
  'spot',
  'onslaught',
  'wind',
  'snow',
  'meal',
  'wheels',
  'food',
  'adult',
  'flagstaff',
  'meals',
  'wheels',
  'lifeline',
  'senior',
  'coconino',
  'county',
  'winter',
  'flagstaff',
  'winter',
  'history',
  'date',
  'winter',
  'flagstaff',
  'receipt',
  'watch',
  'mitch',
  'mcconnell',
  'freezes',
  'press',
  'conference',
  'republican',
  'colleagues',
  'ivy',
  'league',
  'colleges',
  'rich',
  'class',
  'student',
  'ivy',
  'league',
  'colleges',
  'rich',
  'class',
  'student',
  'swimming',
  'seine',
  'returns',
  'paris',
  'year',
  'swimming',
  'seine',
  'returns',
  'paris',
  'year',
  'fifa',
  'lotr',
  'fan',
  'new',
  'zealand',
  'hobbiton',
  'fifa',
  'lotr',
  'fan',
  'new',
  'zealand',
  'hobbiton',
  'copyright',
  'arizona',
  'daily',
  'sun',
  's',
  'thompson',
  'st',
  'flagstaff',
  'az',
  'term',
  'use',
  '',
  '',
  'privacy',
  'policy',
  '',
  '',
  'info',
  '',
  '',
  'cookie',
  'preferences',
  'blox',
  'content',
  'management',
  'system',
  'minute',
  'news',
  'device'],
 ['nowcast',
  'kcra',
  'news',
  'pm',
  'weekday',
  'evening',
  'noticias',
  'national',
  'news',
  'politics',
  'fact',
  'fact',
  'explore',
  'outdoors',
  'sports',
  'high',
  'school',
  'playbook',
  'entertainment',
  'cent',
  'project',
  'community',
  'stitch',
  'upload',
  'dignity',
  'health',
  'heart',
  'hub',
  'ad',
  'metv',
  'my58',
  'estrellatv',
  'h&i',
  'community',
  'news',
  'team',
  'editorials',
  'contact',
  'advertise',
  'kcra',
  'privacy',
  'notice',
  'notice',
  'collection',
  'terms',
  'privacy',
  'choices',
  'sale',
  'targeted',
  'ads',
  'press',
  'type',
  'search',
  'california',
  'storm',
  'recap',
  'weather',
  'northern',
  'california',
  'weekend',
  'weekend',
  'impact',
  'weather',
  'pm',
  'pdt',
  'mar',
  'california',
  'storm',
  'recap',
  'weather',
  'northern',
  'california',
  'weekend',
  'weekend',
  'impact',
  'weather',
  'pm',
  'pdt',
  'mar',
  'scattered',
  'clouds',
  'chance',
  'foothills',
  'rain',
  'pollock',
  'pines',
  'hill',
  'keifer',
  'east',
  'chance',
  'snowfall',
  'highway',
  'currently',
  'kirkwood',
  'spot',
  'arnold',
  'rain',
  'shower',
  'passing',
  'currently',
  'mild',
  'start',
  'modesto',
  'door',
  'degrees',
  'shore',
  'gone',
  'rain',
  'snow',
  'times',
  'turning',
  'snow',
  'snow',
  'level',
  'foot',
  'range',
  'half',
  'afternoon',
  'start',
  'breezy',
  'better',
  'chance',
  'shower',
  'afternoon',
  'thunderstorm',
  'hyzaar',
  'low',
  'mid',
  'atmospheric',
  'river',
  'hour',
  'snow',
  'level',
  'minutes',
  'briana',
  'airport',
  'boulevard',
  'offramp',
  'people',
  'airport',
  'offramp',
  'vehicle',
  'crash',
  'sound',
  'ramp',
  'you’re',
  'heading',
  'way',
  'eye',
  'lane',
  'eye',
  'westbound',
  'couple',
  'minor',
  'incident',
  'travel',
  'times',
  'moment',
  'west',
  'delay',
  'interstate',
  'couple',
  'vehicles',
  'crash',
  'backup',
  'northbound',
  'income',
  'modesto',
  'vehicles',
  'location',
  'vehicle',
  'freeway',
  'westbound',
  'bit',
  'slow',
  'delay',
  'minutes',
  'delay',
  'mainlines',
  'deirdre',
  'lot',
  'community',
  'agency',
  'high',
  'alert',
  'teo',
  'team',
  'morning',
  'preparation',
  'underway',
  'mike',
  'sacramento',
  'latest',
  'power',
  'outage',
  'pg&e',
  'lights',
  'deirdre',
  'tc',
  'emergency',
  'services',
  'teo',
  'erin',
  'stanislaus',
  'county',
  'neighborhood',
  'evacuation',
  'warnings',
  'patterson',
  'grayson',
  'area',
  'flank',
  'san',
  'joaquin',
  'river',
  'river',
  'water',
  'bank',
  'trees',
  'submerged',
  'river',
  'effect',
  'affected',
  'highlighted',
  'area',
  'county',
  'warning',
  'issued',
  'potential',
  'threat',
  'life',
  'property',
  'area',
  'prepare',
  'leave',
  'moment',
  'notice',
  'option',
  'evacuate',
  'shelter',
  'resident',
  'red',
  'shelter',
  'option',
  'fairground',
  'north',
  'broadway',
  'turlock',
  'snow',
  'water',
  'thursday',
  'friday',
  'got',
  'san',
  'joaquin',
  'river',
  'week',
  'deirdre',
  'heads',
  'student',
  'modification',
  'schedule',
  'truckee',
  'elementary',
  'school',
  'hour',
  'delayed',
  'start',
  'school',
  'campus',
  'limit',
  'snow',
  'teo',
  'progress',
  'state',
  'power',
  'deirdre',
  'concern',
  'dark',
  'round',
  'weather',
  'rolls',
  'mike',
  'joins',
  'outage',
  'situation',
  'mike',
  'don’t',
  'happen',
  'moving',
  'round',
  'weather',
  'speculation',
  'thing',
  'dark',
  'people',
  'power',
  'tuolumne',
  'county',
  'customer',
  'power',
  'county',
  'plus',
  'nevada',
  'county',
  'point',
  'customer',
  'power',
  'number',
  'customer',
  'outage',
  'situation',
  'thing',
  'improving',
  'wave',
  'weather',
  'comes',
  'deirdre',
  'pg&e',
  'agency',
  'alert',
  'teo',
  'office',
  'emergency',
  'services',
  'california',
  'flooding',
  'leticia',
  'agency',
  'leticia',
  'team',
  'state',
  'standby',
  'city',
  'firefighter',
  'respond',
  'crisis',
  'situation',
  'swift',
  'water',
  'rescue',
  'team',
  'trained',
  'discovery',
  'park',
  'attentional',
  'rescues',
  'trained',
  'swift',
  'water',
  'rescues',
  'flood',
  'evacuation',
  'emergency',
  'services',
  'hazmat',
  'community',
  'rule',
  'taken',
  'chance',
  'flooded',
  'streets',
  'water',
  'rapidly',
  'car',
  'meantime',
  'ground',
  'deirdre',
  'urged',
  'aware',
  'surroundings',
  'times',
  'emergency',
  'plan',
  'place',
  'kits',
  'ready',
  'don’t',
  'forget',
  'fill',
  'car',
  'gas',
  'road',
  'case',
  'delay',
  'you’re',
  'ordered',
  'evacuate',
  'quickly',
  'safety',
  'water',
  'rescue',
  'team',
  'training',
  'discovery',
  'park',
  'morning',
  'deirdre',
  'sacramento',
  'county',
  'community',
  'flooding',
  'storms',
  'left',
  'people',
  'emergency',
  'crews',
  'storms',
  'levee',
  'don’t',
  'issue',
  'staff',
  'materials',
  'gets',
  'thrown',
  'deirdre',
  'levee',
  'repairs',
  'repair',
  'wrapped',
  'saturday',
  'alerts',
  'breaking',
  'update',
  'email',
  'inbox',
  'california',
  'storm',
  'recap',
  'weather',
  'northern',
  'california',
  'weekend',
  'weekend',
  'impact',
  'weather',
  'pm',
  'pdt',
  'mar',
  'river',
  'aim',
  'region',
  'monday',
  'tuesday',
  'coverage',
  'round',
  'weather',
  'northern',
  'california',
  'coverage',
  'weekend',
  'update',
  'wednesday',
  'thursday.)get',
  'stormdownload',
  'app',
  'track',
  'doppler',
  'radar',
  'time',
  'traffic',
  'map',
  'newscastcheck',
  'forecastshelter',
  'resident',
  'stormsshare',
  'weather',
  'video',
  'chain',
  'control',
  'road',
  'condition',
  'sandbag',
  'location',
  'emergency',
  'alert',
  'report',
  'power',
  'outage',
  'power',
  'outage',
  'tree',
  'street',
  'flooding',
  'sacramentowhat',
  'emergency',
  'kitnorthern',
  'california',
  'storm',
  'sunday',
  'p.m.',
  'eastbound',
  'vehicle',
  'i-80',
  'chain',
  'wheel',
  'drive',
  'snow',
  'tire',
  'kingvale',
  'truckee.8:56',
  'traffic',
  'echo',
  'summit',
  'chain',
  'control',
  'twin',
  'bridges',
  'meyers',
  'el',
  'dorado',
  'county.8:11',
  'caltrans',
  'traffic',
  'direction',
  'echo',
  'summit',
  'spinout',
  'p.m.',
  'kcra',
  'weather',
  'team',
  'flash',
  'flood',
  'tuolumne',
  'county',
  'area',
  'mountain',
  'p.m.',
  'evacuation',
  'warning',
  'rural',
  'patterson',
  'grayson',
  'area',
  'san',
  'joaquin',
  'river.2:40',
  'chain',
  'control',
  'highway',
  'interstate',
  'caltrans',
  'national',
  'weather',
  'service',
  'tornado',
  'tuolumne',
  'county',
  'saturday',
  'look',
  'video',
  'viewer',
  'yesterday',
  'hailstorm',
  'backcountry',
  'avalanche',
  'danger',
  'today',
  'heavenly',
  'opening.8:55',
  'look',
  'new',
  'melones',
  'lake',
  'yesterday',
  'weather',
  'caloe',
  'flood',
  'personnel',
  'river',
  'calaveras',
  'county:6',
  'government',
  'engines',
  'type',
  'government',
  'imt',
  'membersel',
  'dorado',
  'county:3',
  'local',
  'government',
  'engines',
  'type',
  'oes',
  'engines',
  'type',
  'government',
  'imt',
  'members2',
  'local',
  'government',
  'swiftwater',
  'rescue',
  'teamsplacer',
  'county:3',
  'local',
  'government',
  'engines',
  'type',
  'government',
  'imt',
  'member2',
  'local',
  'government',
  'swift',
  'water',
  'rescue',
  'teamsnevada',
  'county:1',
  'local',
  'government',
  'engine',
  'type',
  'local',
  'government',
  'engine',
  'type',
  'oes',
  'engines',
  'type',
  'government',
  'imt',
  'member1',
  'local',
  'government',
  'swift',
  'water',
  'rescue',
  'teamtuolumne',
  'county:5',
  'local',
  'government',
  'engines',
  'type',
  'government',
  'imt',
  'memberstahoe',
  'basin:5',
  'local',
  'government',
  'engines',
  'type',
  'government',
  'imt',
  'membersacramento',
  'county',
  'oes',
  'sacramento',
  'fire',
  'department',
  'swift',
  'water',
  'rescue',
  'team',
  'condition',
  "shamrock'n",
  'half',
  'marathon',
  'sacramento',
  'meteorologist',
  'eileen',
  'javora',
  'chance',
  'thunderstorm',
  'today',
  'p.m.',
  'p.m.',
  'hour',
  'a.m.',
  'caltrans',
  'carson',
  'pass',
  'highway',
  'snow',
  'sierra',
  'chain',
  'control',
  'effect',
  'highway',
  'road',
  'condition',
  'saturday',
  'updates:9:17',
  'traffic',
  'echo',
  'summit',
  'avalanche',
  'control',
  'work.8:04',
  'caltrans',
  'traffic',
  'echo',
  'summit',
  'avalanche',
  'control',
  'work',
  'chain',
  'control',
  'effect',
  'p.m.',
  'kcra',
  'lee',
  'anne',
  'denyer',
  'tuolumne',
  'county',
  'look',
  'storm',
  'damage',
  'p.m.',
  'people',
  'power',
  'tuolumne',
  'county',
  'decline',
  'people',
  'outage',
  'update',
  'road',
  'sonora',
  'p.m.',
  'home',
  'fire',
  'jamestown',
  'power',
  'line',
  'cal',
  'fire',
  'people',
  'tornado',
  'warning',
  'area',
  'p.m.',
  'sonora',
  'park',
  'weather',
  'p.m.',
  'evacuation',
  'warning',
  'riverdale',
  'neighborhood',
  'modesto',
  'area',
  'kcra',
  'michelle',
  'bandur',
  'p.m.',
  'national',
  'weather',
  'service',
  'flash',
  'flood',
  'warning',
  'area',
  'copperopolis',
  'jamestown',
  'sonora',
  'tuolumne',
  'city',
  'twain',
  'harte',
  'soulbyville',
  'columbia',
  'warning',
  'p.m.3:20',
  'kcra',
  'meteorologist',
  'dirk',
  'verdoorn',
  'doppler',
  'radar',
  'warning',
  'sonora',
  'tuolumne',
  'county',
  'national',
  'weather',
  'service',
  'tornado',
  'warning',
  'tuolumne',
  'county',
  'nws',
  'warning',
  'p.m.',
  'california',
  'highway',
  'patrol',
  'truckee',
  'reminder',
  'chain',
  'control',
  'status',
  'area',
  'saturday',
  'afternoon.2:00',
  'state',
  'route',
  'hardin',
  'flat',
  'road',
  'south',
  'fork',
  'tuolumne',
  'bridge',
  'caltrans',
  'crew',
  'road.1:50',
  'kcra',
  'team',
  'meteorologist',
  'doppler',
  'radar',
  'thunderstorm',
  'warning',
  'place',
  'p.m.',
  'tuolumne',
  'calaveras',
  'san',
  'joaquin',
  'stanislaus',
  'counties.12:50',
  'national',
  'weather',
  'service',
  'thunderstorm',
  'warning',
  'san',
  'joaquin',
  'county',
  'stanislaus',
  'county',
  'p.m',
  'look',
  'yesterday',
  'water',
  'rescue',
  'american',
  'river',
  'sacramento',
  'county.7:27',
  'a.m.',
  'customer',
  'power',
  'nevada',
  'county',
  'state',
  'dashboard',
  'chain',
  'control',
  'sierra',
  'traveler',
  'road',
  'condition',
  'friday',
  'kcra',
  'melanie',
  'wingo',
  'south',
  'lake',
  'tahoe',
  'update',
  'work',
  'road',
  'snow',
  'p.m.',
  'kcra',
  'josie',
  'heart',
  'look',
  'home',
  'tracy.5:08',
  'rescue',
  'progress',
  'american',
  'river',
  'howe',
  'avenue',
  'boat',
  'ramp',
  'sacramento',
  'county.4:46',
  'heavenly',
  'resort',
  'resort',
  'tomorrow',
  'list',
  'road',
  'closure',
  'calaveras',
  'county',
  'p.m.',
  'stanislaus',
  'county',
  'office',
  'emergency',
  'services',
  'evacuation',
  'order',
  'modesto',
  'area',
  'south',
  'street',
  'west',
  'avon',
  'street',
  'river',
  'road',
  'tuolumne',
  'river',
  'tuolumne',
  'river',
  'flood',
  'stage',
  'p.m.',
  'chief',
  'meteorologist',
  'mark',
  'finan',
  'river',
  'level',
  'storm',
  'forecast',
  'storm',
  'week',
  'river',
  'flood',
  'stage',
  'finan',
  'says.4:19',
  'video',
  'road',
  'area',
  'tracy',
  'look',
  'condition',
  'night',
  'highway',
  'chain',
  'control',
  'tweet',
  'p.m.',
  'gov.',
  'newsom',
  'order',
  'floodwater',
  'store',
  'groundwater',
  'order',
  'regulation',
  'water',
  'agency',
  'user',
  'flood',
  'stage',
  'water',
  'groundwater',
  'recharge',
  'governor',
  'office',
  'northstar',
  'tomorrow.2:22',
  'chp',
  'list',
  'road',
  'tracy',
  'flooding',
  'livecopter',
  'folsom',
  'dam',
  'foot',
  'water',
  'second',
  'american',
  'river',
  'foot',
  'look',
  'peak',
  'wind',
  'region',
  'water',
  'release',
  'oroville',
  'dam',
  'today',
  'noon',
  'state',
  'official',
  'people',
  'storm',
  'people',
  'evacuation',
  'state',
  'official',
  'flood',
  'control',
  'oroville',
  ...],
 ['news',
  'events',
  'maryland',
  'realtors',
  'online',
  'housing',
  'statistics',
  'association',
  'calendar',
  'events',
  'maryland',
  'realtor',
  'magazine',
  'estate',
  'podcast',
  'professional',
  'development',
  'certifications',
  'designations',
  'graduate',
  'realtor',
  'institute',
  'certified',
  'international',
  'property',
  'specialist',
  'housing',
  'opportunity',
  'certification',
  'maryland',
  'residential',
  'property',
  'management',
  'certification',
  'membership',
  'member',
  'benefits',
  'code',
  'ethics',
  'ethics',
  'complaint',
  'dispute',
  'resolution',
  'ombudsman',
  'mediation',
  'request',
  'arbitration',
  'join',
  'member',
  'volunteer',
  'industry',
  'award',
  'nominees',
  'brochures',
  'flyers',
  'webinars',
  'governance',
  'team',
  'leadership',
  'team',
  'board',
  'directors',
  'maryland',
  'realtors',
  'committees',
  'staff',
  'nar',
  'directors',
  'executive',
  'committee',
  'dei',
  'local',
  'associations',
  'boards',
  'presidents',
  'contact',
  'news',
  'events',
  'maryland',
  'realtors',
  'online',
  'articles',
  'association',
  'update',
  'maryland',
  'realtors',
  'membership',
  'professional',
  'development',
  'comment',
  'hurricane',
  'metaphor',
  'water',
  'wind',
  'flooding',
  'picture',
  'nar',
  'nxt',
  'annual',
  'conference',
  'orlando',
  'florida',
  'november',
  'storm',
  'flight',
  'tampa',
  'car',
  'eye',
  'hurricane',
  'nicole',
  'realtor',
  'tion',
  'thousand',
  'central',
  'florida',
  'education',
  'networking',
  'governance',
  'work',
  'traveling',
  'trip',
  'nar',
  'event',
  'idea',
  'work',
  'realtor',
  'idea',
  'association',
  'member',
  'brand',
  'originator',
  'nar',
  'president',
  'kenny',
  'parcell',
  'colleague',
  'brand',
  'event',
  'maryland',
  'homeownership',
  'expo',
  'june',
  'event',
  'brand',
  'consumer',
  'homeownership',
  'month',
  'nar',
  'chief',
  'economist',
  'dr.',
  'lawrence',
  'yun',
  'housing',
  'sale',
  'dr.',
  'yun',
  'remark',
  'datum',
  'perspective',
  'inventory',
  'maryland',
  'housing',
  'price',
  'economy',
  'issue',
  'finding',
  'economist',
  'thought',
  'home',
  'sale',
  'dr.',
  'yun',
  'anirban',
  'basu',
  'thought',
  'page',
  'lisa',
  'director',
  'advocacy',
  'public',
  'policy',
  'session',
  'annapolis',
  'solution',
  'maryland',
  'housing',
  'shortage',
  'support',
  'tion',
  'accessory',
  'dwelling',
  'units',
  'article',
  'voice',
  'government',
  'affairs',
  'directors',
  'gads',
  'lobby',
  'day',
  'annapolis',
  'february',
  'advice',
  'gads',
  'foot',
  'legislator',
  'member',
  'nar',
  'committee',
  'board',
  'council',
  'end',
  'cover',
  'issue',
  'magazine',
  'member',
  'impact',
  'copy',
  'member',
  'cover',
  'page',
  'hurricane',
  'metaphor',
  'nicole',
  'travel',
  'realtor',
  'orlando',
  'rain',
  'wind',
  'day',
  'florida',
  'sunshine',
  'hurricane',
  'nicole',
  'storm',
  'metaphor',
  'heading',
  'year',
  'interest',
  'rate',
  'inflation',
  'sale',
  'economist',
  'sign',
  'inflation',
  'home',
  'value',
  'percent-',
  'age',
  'point',
  'rain',
  'wind',
  'sunshine',
  'categories',
  'advocacy',
  'consumer',
  'dei',
  'ethics',
  'law',
  'legal',
  'hotline',
  'membership',
  'professional',
  'development',
  'agent',
  'services?july',
  'disappearing',
  'act',
  'middle',
  'housingjune',
  'flood',
  'insurance',
  'realtors(r',
  'client',
  'homesmay',
  'line',
  'zoningmay',
  'biasmay',
  '2023read',
  'locationaddress',
  'harry',
  's.',
  'truman',
  'pkwy',
  'annapolis',
  'md',
  'suite',
  'copyright',
  'maryland',
  'realtor',
  'terms',
  'use',
  'privacy',
  'statement'],
 ['town',
  'cities',
  'parks',
  'nature',
  'hike',
  'bike',
  'history',
  'museums',
  'town',
  'cities',
  'parks',
  'nature',
  'hike',
  'bike',
  'history',
  'museums',
  'northern',
  'virginia',
  'snowstorms',
  'site',
  'winter',
  'weather',
  'site',
  'update',
  'information',
  'northern',
  'virginia',
  'snowstorm',
  'winter',
  'weather',
  'site',
  'condition',
  'emergency',
  'area',
  'winter',
  'flake',
  'day',
  'power',
  'snowstorm',
  'record',
  'total',
  'winter',
  'storm',
  'jonas',
  'snowzilla',
  'blizzard',
  'dusting',
  'understanding',
  'washington',
  'dc',
  'area',
  'knee',
  'accumulation',
  'wintry',
  'mix',
  'look',
  'article',
  'weather',
  'wimp',
  'disclosure',
  'article',
  'affiliate',
  'link',
  'commission',
  'link',
  'cost',
  'snow',
  'place',
  'northern',
  'virginia',
  'snowstorm',
  'site',
  'monitoring',
  'northern',
  'virginia',
  'snowstorms',
  'computer',
  'site',
  'winter',
  'snowstorm',
  'northern',
  'virginia',
  'washington',
  'dc',
  'area',
  'capital',
  'weather',
  'gang',
  'washington',
  'post',
  'photo',
  'credit',
  'weatherbell',
  'capital',
  'weather',
  'gang',
  'depth',
  'area',
  'weather',
  'forecast',
  'update',
  'capital',
  'weather',
  'gang',
  'weather',
  'geek',
  'discussion',
  'forecast',
  'model',
  'gang',
  'update',
  'weather',
  'twitter',
  'account',
  'dose',
  'humor',
  'gang',
  'cwg',
  'january',
  'storm',
  'snowzilla',
  'honor',
  'size',
  'help',
  'reader',
  'poll',
  'cwg',
  'resource',
  'weather',
  'update',
  'year',
  'round',
  'northern',
  'virginia',
  'snowstorm',
  'vdot',
  'vdot',
  'vdot',
  'map',
  'inch',
  'snow',
  'map',
  'progress',
  'virginia',
  'snow',
  'tool',
  'plow',
  'neighborhood',
  'look',
  'snow',
  'map',
  'date',
  'caution',
  'vdot',
  'map',
  'street',
  'virginia',
  'web',
  'vdot',
  'virginia',
  'traffic',
  'information',
  'map',
  'vdot',
  'map',
  'update',
  'road',
  'closure',
  'accident',
  'link',
  'traffic',
  'camera',
  'state',
  'camera',
  'site',
  'northern',
  'virginia',
  'snowstorm',
  'weather',
  'emergency',
  'site',
  'storm',
  'road',
  'dominion',
  'power',
  'outage',
  'dominion',
  'virginia',
  'power',
  'dominion',
  'energy',
  'virginia',
  'power',
  'outage',
  'map',
  'view',
  'outage',
  'region',
  'text',
  'grid',
  'map',
  'power',
  'outage',
  'number',
  'line',
  'county',
  'emergency',
  'sites',
  'fairfax',
  'county',
  'emergency',
  'site',
  'fairfax',
  'county',
  'collection',
  'link',
  'advice',
  'snow',
  'emergency',
  'page',
  'update',
  'northern',
  'virginia',
  'snowstorm',
  'weather',
  'impact',
  'fairfax',
  'county',
  'emergency',
  'blog',
  'twitter',
  'source',
  'update',
  'northern',
  'virginia',
  'snowstorm',
  'twitter',
  'account',
  'fairfax',
  'county',
  'department',
  'emergency',
  'management',
  'fairfax',
  'county',
  'government',
  'prince',
  'willian',
  'county',
  'emergency',
  'info',
  'prince',
  'william',
  'county',
  'emergency',
  'site',
  'closure',
  'weather',
  'issue',
  'county',
  'site',
  'lot',
  'information',
  'link',
  'resource',
  'weather',
  'emergency',
  'page',
  'loudoun',
  'county',
  'website',
  'option',
  'alert',
  'loudoun',
  'notification',
  'system',
  'bonus',
  'skyline',
  'drive',
  'snow',
  'dc',
  'shenandoah',
  'national',
  'park',
  'condition',
  'closing',
  'skyline',
  'drive',
  'park',
  'winter',
  'hotline',
  'number',
  'skyline',
  'drive',
  'status',
  'dial',
  'park',
  'alert',
  'shenandoah',
  'national',
  'park',
  'twitter',
  'number',
  'look',
  'snow',
  'shenandoah',
  'park',
  'webcams',
  'guide',
  'indoor',
  'activities',
  'northern',
  'virginia',
  'winter',
  'cold',
  'rainy',
  'day',
  'snow',
  'facebook',
  'twitter',
  'pinterest',
  'instagram',
  'fun',
  'travel',
  'northern',
  'virginia',
  'categories',
  'winter',
  'event',
  'fun',
  'place',
  'northern',
  'virginia',
  'snowstorm12',
  'fun',
  'dc',
  'northern',
  'virginia',
  'ice',
  'skating',
  'rink',
  'julie',
  'mccool',
  'northern',
  'virginia',
  'park',
  'hike',
  'site',
  'restaurant',
  'brewery',
  'winery',
  'event',
  'virginia',
  'travel',
  'guide',
  'resource',
  'resident',
  'visitor',
  'tourist',
  'spot',
  'fun',
  'thing',
  'virginia',
  'washington',
  'dc',
  'region',
  'amazon',
  'affiliate',
  'program',
  'disclosure',
  'amazon',
  'associate',
  'purchase',
  'press',
  'media',
  'disclosures',
  'privacy',
  'policy',
  'disclosure',
  'link',
  'article',
  'affiliate',
  'link',
  'commission',
  'cost',
  'product',
  'service'],
 ['main',
  'contentskip',
  'wall',
  'street',
  'journalenglish',
  'editionenglish中文',
  'chinese)日本語',
  'japanese)print',
  'headlinesmore',
  'products',
  'wsjbuy',
  'wsjwsj',
  'americamiddle',
  'eastsectionseconomymoreworld',
  'videou.s.sectionseconomylawpoliticsmoreu.s.',
  'videowhat',
  'news',
  'podcastpoliticsmorepolitics',
  'probankruptcycentral',
  'bankingprivate',
  'equityventure',
  'capitalmoreeconomic',
  'forecasting',
  'surveyeconomy',
  'videosectionscapital',
  'reportsthe',
  'future',
  'everythingobituariestech',
  'defenseautos',
  'transportationcommercial',
  'real',
  'estateconsumer',
  'productsenergyentrepreneurshipfinancial',
  'servicesfood',
  'serviceshealth',
  'carehospitalitylawmanufacturingmedia',
  'marketingnatural',
  'resourcesretailc',
  'suitecfo',
  'journalcio',
  'journalcmo',
  'todaylogistics',
  'reportrisk',
  'compliancethe',
  'workplace',
  'reportcolumnsheard',
  'streetwsj',
  'probankruptcycentral',
  'businessventure',
  'capitalmorebusiness',
  'videobusiness',
  'podcastspace',
  'sciencetechsectionscio',
  'journalthe',
  'future',
  'everythingpersonal',
  'techcolumnschristopher',
  'mimsjoanna',
  'sternjulie',
  'jargonnicole',
  'videotech',
  'podcastmarketssectionsbondscommercial',
  'real',
  'estatecommodities',
  'futuresstockspersonal',
  'financewsj',
  'moneystreetwiseintelligent',
  'investorcolumnsheard',
  'streetgreg',
  'ipjason',
  'zweiglaura',
  'saundersjames',
  'mackintoshmarket',
  'datamarket',
  'data',
  'homeu.s.',
  'ratesmutual',
  'funds',
  'journalmarkets',
  'videoyour',
  'money',
  'briefing',
  'podcastsecrets',
  'wealthy',
  'women',
  'podcastsearch',
  'quotes',
  'bakersadanand',
  'dhumeallysia',
  'finleyjames',
  'freemanwilliam',
  'a.',
  'galstondaniel',
  'henningerholman',
  'w.',
  'jenkinsandy',
  'kesslerwilliam',
  'mcgurnwalter',
  'russell',
  'meadpeggy',
  'noonanmary',
  'anastasia',
  "o'gradyjason",
  'rileyjoseph',
  'sternbergkimberley',
  'a.',
  'strasselmoreeditorialscommentaryfuture',
  'viewhouses',
  'worshipcross',
  'countryletters',
  'editorthe',
  'weekend',
  'interviewpotomac',
  'podcastforeign',
  'edition',
  'podcastfree',
  'expression',
  'podcastopinion',
  'videonotable',
  'quotablebooks',
  'artsreviewsfilmtelevisiontheatermasterpiece',
  'seriesmusicdanceoperaexhibitioncultural',
  'commentaryartarchitecturesectionsartsbooksmorewsj',
  'puzzleswhat',
  'watcharts',
  'calendarreal',
  'real',
  'estatemorereal',
  'estate',
  'videolife',
  'worksectionscarscareersfood',
  'drinkhome',
  'designideaspersonal',
  'financerecipestravelwellnesscolumnsyour',
  'healthwork',
  'lifecarry',
  'onbondsturning',
  'pointson',
  'clockmorewsj',
  'puzzlesspace',
  'sciencestylesectionslifestylefashionfilmtelevisionmusicart',
  'monday',
  'morningoff',
  'brandon',
  'trendsportssectionsbaseballbasketballfootballgolfhockeyolympicssoccertenniscolumnsjason',
  'gaysearchhomeworldregionsafricaasiacanadachinaeuropelatin',
  'americamiddle',
  'eastsectionseconomymoreworld',
  'videou.s.sectionseconomylawpoliticsmoreu.s.',
  'videowhat',
  'news',
  'podcastpoliticsmorepolitics',
  'probankruptcycentral',
  'bankingprivate',
  'equityventure',
  'capitalmoreeconomic',
  'forecasting',
  'surveyeconomy',
  'videosectionscapital',
  'reportsthe',
  'future',
  'everythingobituariestech',
  'defenseautos',
  'transportationcommercial',
  'real',
  'estateconsumer',
  'productsenergyentrepreneurshipfinancial',
  'servicesfood',
  'serviceshealth',
  'carehospitalitylawmanufacturingmedia',
  'marketingnatural',
  'resourcesretailc',
  'suitecfo',
  'journalcio',
  'journalcmo',
  'todaylogistics',
  'reportrisk',
  'compliancethe',
  'workplace',
  'reportcolumnsheard',
  'streetwsj',
  'probankruptcycentral',
  'businessventure',
  'capitalmorebusiness',
  'videobusiness',
  'podcastspace',
  'sciencetechsectionscio',
  'journalthe',
  'future',
  'everythingpersonal',
  'techcolumnschristopher',
  'mimsjoanna',
  'sternjulie',
  'jargonnicole',
  'videotech',
  'podcastmarketssectionsbondscommercial',
  'real',
  'estatecommodities',
  'futuresstockspersonal',
  'financewsj',
  'moneystreetwiseintelligent',
  'investorcolumnsheard',
  'streetgreg',
  'ipjason',
  'zweiglaura',
  'saundersjames',
  'mackintoshmarket',
  'datamarket',
  'data',
  'homeu.s.',
  'ratesmutual',
  'funds',
  'journalmarkets',
  'videoyour',
  'money',
  'briefing',
  'podcastsecrets',
  'wealthy',
  'women',
  'podcastsearch',
  'quotes',
  'bakersadanand',
  'dhumeallysia',
  'finleyjames',
  'freemanwilliam',
  'a.',
  'galstondaniel',
  'henningerholman',
  'w.',
  'jenkinsandy',
  'kesslerwilliam',
  'mcgurnwalter',
  'russell',
  'meadpeggy',
  'noonanmary',
  'anastasia',
  "o'gradyjason",
  'rileyjoseph',
  'sternbergkimberley',
  'a.',
  'strasselmoreeditorialscommentaryfuture',
  'viewhouses',
  'worshipcross',
  'countryletters',
  'editorthe',
  'weekend',
  'interviewpotomac',
  'podcastforeign',
  'edition',
  'podcastfree',
  'expression',
  'podcastopinion',
  'videonotable',
  'quotablebooks',
  'artsreviewsfilmtelevisiontheatermasterpiece',
  'seriesmusicdanceoperaexhibitioncultural',
  'commentaryartarchitecturesectionsartsbooksmorewsj',
  'puzzleswhat',
  'watcharts',
  'calendarreal',
  'real',
  'estatemorereal',
  'estate',
  'videolife',
  'worksectionscarscareersfood',
  'drinkhome',
  'designideaspersonal',
  'financerecipestravelwellnesscolumnsyour',
  'healthwork',
  'lifecarry',
  'onbondsturning',
  'pointson',
  'clockmorewsj',
  'puzzlesspace',
  'sciencestylesectionslifestylefashionfilmtelevisionmusicart',
  'monday',
  'morningoff',
  'brandon',
  'trendsportssectionsbaseballbasketballfootballgolfhockeyolympicssoccertenniscolumnsjason',
  'gaysearchsearch',
  'foundwe',
  'page',
  'url',
  'browser',
  'page',
  'site',
  'search',
  'articles',
  'u.s.hunter',
  'biden',
  'tax',
  'charges',
  'u.s.',
  'economyfed',
  'set',
  'rate',
  'year',
  'review',
  'outlookthe',
  'real',
  'desantis',
  'covid',
  'recordpopular',
  'videosvideo',
  'center',
  'na',
  "factbox'so",
  'heartbreaking',
  'whale',
  'australia',
  'na',
  'factboxparis',
  'olympics',
  'year',
  'countdown',
  'summer',
  'games',
  'na',
  'factboxwatch',
  'crane',
  'partially',
  'collapses',
  'new',
  'yorklatest',
  'podcastspodcast',
  'centeropinion',
  'potomac',
  'watchamerica',
  'broken',
  'immigration',
  'law',
  'court',
  'againthe',
  'wall',
  'street',
  'journal',
  'google',
  'news',
  'updatefed',
  'rate',
  'year',
  'highwhat',
  'newsfed',
  'rate',
  'year',
  'highthe',
  'wall',
  'street',
  'journalenglish',
  'editionenglish中文',
  'chinese)日本語',
  'wsj',
  'membershipbuy',
  'exclusivessubscription',
  'optionswhy',
  'subscribe?corporate',
  'subscriptionswsj',
  'higher',
  'education',
  'programwsj',
  'high',
  'school',
  'programpublic',
  'library',
  'programwsj',
  'livecommercial',
  'partnershipscustomer',
  'servicecustomer',
  'centercontact',
  'uscancel',
  'subscriptiontools',
  'featuresnewsletters',
  'alertsguidestopicsmy',
  'newsrss',
  'feedsvideo',
  'real',
  'estate',
  'adsplace',
  'classified',
  'adsell',
  'businesssell',
  'homerecruitment',
  'career',
  'adscouponsdigital',
  'self',
  'servicemoreabout',
  'uscontent',
  'partnershipscorrectionsjobs',
  'archiveregister',
  'freereprints',
  'licensingbuy',
  'issueswsj',
  'shopfacebooktwitterinstagramyoutubepodcastssnapchatgoogle',
  'playapp',
  'storedow',
  'jones',
  "productsbarron'sbigchartsdow",
  'jones',
  'newswiresfactivafinancial',
  'newsmansion',
  'globalmarketwatchrisk',
  'compliancebuy',
  'wsjwsj',
  'prowsj',
  'wineupdated',
  'privacy',
  'noticeupdated',
  'cookie',
  'noticecopyright',
  'policydata',
  'policysubscriber',
  'agreement',
  'terms',
  'useyour',
  'ad',
  'choicesaccessibilitycopyright',
  'dow',
  'jones',
  'company',
  'inc.',
  'rights'],
 ['automotive',
  'news',
  'border',
  'report',
  'tour',
  'entertainment',
  'depth',
  'reports',
  'lottery',
  'wjtv',
  'mobile',
  'apps',
  'press',
  'releases',
  'stock',
  'market',
  'today',
  'share',
  'federal',
  'soldier',
  'niger',
  'cambodia',
  'hun',
  'sen',
  'asia',
  'leader',
  'greece',
  'country',
  'millipede',
  'specie',
  'leg',
  'election',
  'mississippi',
  'politics',
  'mississippi',
  'insight',
  'washington',
  'dc',
  'politics',
  'hill',
  'hosemann',
  'mcdaniel',
  'trade',
  'neshoba',
  'county',
  'attorney',
  'general',
  'candidate',
  'neshoba',
  'co.',
  'presley',
  'ms',
  'trans',
  'law',
  'watch',
  'day',
  'neshoba',
  'county',
  'fair',
  'speech',
  'ms',
  'absentee',
  'voting',
  'assistance',
  'neshoba',
  'co.',
  'fair',
  'speech',
  'sports',
  'zone',
  'friday',
  'night',
  'fever',
  'high',
  'school',
  'sports',
  'sec',
  'football',
  'swac',
  'geaux',
  'black',
  'gold',
  'mississippi',
  'braves',
  'pine',
  'belt',
  'storm',
  'team',
  'pine',
  'belt',
  'forecast',
  'k',
  'bestreviews',
  'bestreviews',
  'daily',
  'deals',
  'cool',
  'schools',
  'health',
  'mississippi',
  'keath',
  'killebrew',
  'memorial',
  'rodeo',
  'living',
  'local',
  'videos',
  'morning',
  'sip',
  'hometown',
  'virtual',
  'job',
  'fair',
  'job',
  'post',
  'job',
  'contact',
  'advertise',
  'calendar',
  'team',
  'newsletters',
  'tv',
  'schedule',
  'regional',
  'news',
  'partners',
  'bestreviews',
  'mississippi',
  'structure',
  'storm',
  'jun',
  'cdt',
  'jun',
  'pm',
  'cdt',
  'jun',
  'cdt',
  'jun',
  'pm',
  'cdt',
  'jasper',
  'county',
  'miss.',
  'whlt',
  'home',
  'business',
  'week',
  'storm',
  'mississippi',
  'mississippi',
  'emergency',
  'management',
  'agency',
  'mema',
  'jackson',
  'county',
  'official',
  'structure',
  'june',
  'home',
  'apartment',
  'business',
  'church',
  'school',
  'snap',
  'replacement',
  'benefit',
  'mississippians',
  'storm',
  'mema',
  'official',
  'people',
  'jackson',
  'county',
  'storm',
  'storm',
  'person',
  'dozen',
  'june',
  'jasper',
  'county',
  'county',
  'damage',
  'home',
  'tornado',
  'mema',
  'resident',
  'damage',
  'insurance',
  'claim',
  'photo',
  'damage',
  'report',
  'damage',
  'county',
  'mema',
  'self',
  'report',
  'tool',
  'thank',
  'inbox',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'amazon',
  'school',
  'deal',
  'schooler',
  'school',
  'corner',
  'amazon',
  'supply',
  'school',
  'deal',
  'supply',
  'schooler',
  'august',
  'vegetable',
  'flower',
  'flower',
  'plant',
  'hour',
  'soil',
  'air',
  'temperature',
  'sunshine',
  'august',
  'month',
  'planting',
  'chemical',
  'guys',
  'kit',
  'car',
  'car',
  'care',
  'hour',
  'chemical',
  'guys',
  'car',
  'wash',
  'kit',
  'time',
  'deal',
  'hosemann',
  'mcdaniel',
  'trade',
  'neshoba',
  'county',
  'jpd',
  'officer',
  'feds',
  'jackson',
  'sewer',
  'system',
  'watch',
  'day',
  'neshoba',
  'county',
  'fair',
  'speech',
  'ms',
  'absentee',
  'voting',
  'assistance',
  'bluffing',
  'putin',
  'deployment',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'taiwan',
  'school',
  'office',
  'typhoon',
  'bomb',
  'threat',
  'stock',
  'market',
  'today',
  'share',
  'federal',
  'russia',
  'un',
  'meeting',
  'soldier',
  'niger',
  'biden',
  'relief',
  'heat',
  'mississippi',
  'absentee',
  'voting',
  'assistance',
  'hosemann',
  'mcdaniel',
  'trade',
  'neshoba',
  'county',
  'mdot',
  'job',
  'brandon',
  'death',
  'year',
  'feds',
  'jackson',
  'sewer',
  'system',
  'mississippi',
  'absentee',
  'voting',
  'assistance',
  'brandon',
  'presley',
  'mississippi',
  'voter',
  'speech',
  'neshoba',
  'county',
  'fair',
  'william',
  'carey',
  'student',
  'jpd',
  'officer',
  'hattiesburg',
  'man',
  'vehicle',
  'i-59',
  'hosemann',
  'mcdaniel',
  'trade',
  'neshoba',
  'county',
  'mississippi',
  'absentee',
  'voting',
  'assistance',
  'hosemann',
  'mcdaniel',
  'trade',
  'neshoba',
  'county',
  'mdot',
  'job',
  'brandon',
  'death',
  'year',
  'feds',
  'jackson',
  'sewer',
  'system',
  'mississippi',
  'absentee',
  'voting',
  'assistance',
  'brandon',
  'presley',
  'mississippi',
  'voter',
  'speech',
  'neshoba',
  'county',
  'fair',
  'william',
  'carey',
  'student',
  'jpd',
  'officer',
  'hattiesburg',
  'man',
  'vehicle',
  'i-59',
  'hosemann',
  'mcdaniel',
  'trade',
  'neshoba',
  'county',
  'death',
  'year',
  'atlantic',
  'hurricane',
  'season',
  'ramp',
  'mega',
  'millions',
  'jackpot',
  'number',
  'm',
  'mega',
  'millions',
  'jackpot',
  'mother',
  'infant',
  'death',
  'brandon',
  'day',
  'care',
  'ms',
  'inmate',
  'bathroom',
  'break',
  'neshoba',
  'co.',
  'fair',
  'speech',
  'man',
  'murder',
  'canton',
  'gift',
  'summer',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'home',
  'depot',
  'foot',
  'skeleton',
  'halloween',
  'deal',
  'day',
  'prime',
  'day',
  'favorite',
  'news',
  'weather',
  'jackson',
  'ms',
  'politics',
  'sports',
  'watch',
  'ad',
  'wjtv',
  'fcc',
  'public',
  'files',
  'wjtv',
  'eeo',
  'public',
  'file',
  'whlt',
  'eeo',
  'public',
  'file',
  'whlt',
  'fcc',
  'public',
  'file',
  'nexstar',
  'cc',
  'certification',
  'android',
  'app',
  'google',
  'play',
  'android',
  'weather',
  'app',
  'google',
  'play',
  'personal',
  'information',
  'personal',
  'information',
  'nexstar',
  'media',
  'inc.',
  'rights'],
 ['hunter',
  'biden',
  'plea',
  'deal',
  'ufo',
  'takeaway',
  'whistleblower',
  'congress',
  'uap',
  'sinéad',
  "o'connor",
  'grammy',
  'singer',
  'netherlands',
  'u.s.',
  'draw',
  'rematch',
  'world',
  'cup',
  'federal',
  'reserve',
  'interest',
  'rate',
  'level',
  'year',
  'niger',
  'president',
  'guard',
  'coup',
  'ohio',
  'officer',
  'k-9',
  'man',
  'hand',
  'story',
  'tic',
  'tac',
  'ufo',
  'vermont',
  'flooding',
  'railroad',
  'track',
  'mid',
  '-',
  'air',
  'gorge',
  'july',
  'cbs',
  'news',
  'vermont',
  'town',
  'floodwater',
  'vermont',
  'town',
  'water',
  'record',
  'flood',
  'flooding',
  'vermont',
  'day',
  'storm',
  'sunday',
  'town',
  'knee',
  'water',
  'case',
  'railroad',
  'track',
  'mid',
  '-',
  'air',
  'footage',
  'railroad',
  'track',
  'sky',
  'connection',
  'ground',
  'gorge',
  'tree',
  'middle',
  'railroad',
  'track',
  'ludlow',
  'vt',
  '@weatherchannel',
  '@accuweather',
  '@wcvb',
  '@nwsburlington',
  '@abc',
  '@foxweather',
  'pic.twitter.com/ss0ceduw5u',
  'henry',
  'swenson',
  '@henryswenson',
  'july',
  'railroad',
  'ludlow',
  'vermont',
  'half',
  'inch',
  'rain',
  'july',
  'total',
  'national',
  'weather',
  'service',
  'town',
  'damage',
  'storm',
  'week',
  'municipal',
  'manager',
  'brendan',
  'mcnamara',
  'people',
  'burden',
  'piece',
  'brunt',
  'storm',
  'spokesperson',
  'vermont',
  'rail',
  'system',
  'cbs',
  'news',
  'video',
  'washout',
  'green',
  'mountain',
  'railroad',
  'railroad',
  'freight',
  'line',
  'rutland',
  'bellows',
  'falls',
  'operation',
  'line',
  'vermont',
  'track',
  'inspection',
  'repair',
  'rail',
  'freight',
  'service',
  'customer',
  'community',
  'vermont',
  'spokesperson',
  'rail',
  'system',
  'damage',
  'ludlow',
  'boil',
  'water',
  'notice',
  'official',
  'resident',
  'water',
  'people',
  'today',
  'house',
  'loss',
  'life',
  'mcnamara',
  'ludlow',
  'people',
  'care',
  'storm',
  'floodwater',
  'area',
  'vehicle',
  'home',
  'rain',
  'national',
  'weather',
  'service',
  'burlington',
  'floodwater',
  'round',
  'shower',
  'thunderstorm',
  'thursday',
  'friday',
  'storm',
  'inch',
  'rain',
  'service',
  'threat',
  'flooding',
  'floodwater',
  'today',
  'condition',
  'round',
  'shower',
  'thunderstorm',
  'thursday',
  'friday',
  'rainfall',
  'excess',
  'threat',
  'flooding',
  'pic.twitter.com/qnbmzn706',
  'nws',
  'burlington',
  '@nwsburlington',
  'july',
  'flooding',
  'water',
  'rescue',
  'chester',
  'county',
  'storm',
  'fema',
  'crew',
  'flooding',
  'damage',
  'austin',
  'week',
  'storm',
  'vermont',
  'phish',
  'flood',
  'recovery',
  'effort',
  'official',
  'damage',
  'flooding',
  'month',
  'west',
  'resident',
  'help',
  'alert',
  'weather',
  'temperature',
  'air',
  'quality',
  'alert',
  'li',
  'cohen',
  'media',
  'producer',
  'content',
  'writer',
  'cbs',
  'news',
  'july',
  'cbs',
  'interactive',
  'inc.',
  'rights',
  'thank',
  'cbs',
  'news',
  'account',
  'feature',
  'email',
  'address',
  'email',
  'address',
  'flooding',
  'water',
  'rescue',
  'chester',
  'county',
  'storm',
  'fema',
  'crew',
  'flooding',
  'damage',
  'austin',
  'week',
  'storm',
  'vermont',
  'phish',
  'flood',
  'recovery',
  'effort',
  'official',
  'damage',
  'flooding',
  'month',
  'west',
  'resident',
  'help',
  'copyright',
  'cbs',
  'interactive',
  'inc.',
  'right',
  'privacy',
  'policy',
  'california',
  'notice',
  'personal',
  'information',
  'terms',
  'use',
  'advertise',
  'captioning',
  'cbs',
  'news',
  'paramount+',
  'cbs',
  'news',
  'store',
  'site',
  'map',
  'contact',
  'browser',
  'notification',
  'news',
  'event',
  'reporting'],
 ['contentwe',
  'localomaha',
  'everydayadvertise',
  'usheartland',
  'heroesfirst',
  'alert',
  'weather24/7',
  'weatherlivestream6',
  'news',
  'streamingsportscws',
  'ushomenewscrimeeducationforecasthealthinternationalnationalregionalsportsstate24/7',
  'weather6',
  'sidecollege',
  'world',
  'seriescovid-19',
  'coveragefirst',
  'alert',
  'weatherget',
  'alert',
  'weather',
  'appinteractive',
  'radarsevere',
  'weather',
  'dashboardweather',
  'mapscitycam',
  'networktornadoclosingssportshigh',
  'world',
  'seriesstats',
  'predictionshow',
  'watchomaha',
  'everydaycommunitycommunity',
  'calendarwe',
  'localheartland',
  'usnextgen',
  'tvmeet',
  'teammeet',
  'sales',
  'teamcozi',
  'tvheroes',
  'iconsion',
  'televisionstart',
  'tvcircle',
  'tvcontestsemployment',
  'opportunitiespoliticselection',
  'resultsnewslettermr',
  'food',
  'recipesknicely',
  'donetv',
  'listingssubmit',
  'photos',
  'videostake',
  'pollcircle',
  'country',
  'music',
  'lifestylegray',
  'dc',
  'newscastspress',
  'weather',
  'alert',
  'weather',
  'alerts',
  'alerts',
  'bartornadoes',
  'destruction',
  'nebraskafriday',
  'night',
  'storm',
  'damage',
  'dodge',
  'countyby',
  'johan',
  'marinpublished',
  '.',
  'pm',
  'cdtshare',
  'facebookemail',
  'linkshare',
  'twittershare',
  'pinterestshare',
  'linkedindodge',
  'county',
  'neb.',
  'wowt',
  'friday',
  'night',
  'storm',
  'damage',
  'nebraska',
  'dodge',
  'county',
  'mile',
  'omaha',
  'metro',
  'national',
  'weather',
  'service',
  'dodge',
  'county',
  'area',
  'damage',
  'storm',
  'survey',
  'team',
  'today',
  'damage',
  'tornado',
  'friday',
  'result',
  'evening',
  'pic.twitter.com/lmrfjormij',
  'nws',
  'omaha',
  '@nwsomaha',
  'weather',
  'nebraska',
  'county',
  'pig',
  'tree',
  'home',
  'barn',
  'destruction',
  'area',
  'dodge',
  'county',
  'storm',
  'power',
  'saturday',
  'oppd',
  'check',
  'saturday',
  'evening',
  'customer',
  'dodge',
  'county',
  'power',
  'story',
  'news',
  'update',
  'copyright',
  'wowt',
  'right',
  'readbudweiser',
  'clydesdale',
  'appearance',
  'nebraska',
  'week',
  'house',
  'construction',
  'door',
  'golf',
  'course',
  'beaver',
  'lake',
  'sarpy',
  'county',
  'treasurer',
  'm.u.d.',
  'customer',
  'water',
  'usage',
  'break',
  'dave',
  'chappelle',
  'fall',
  'tour',
  'stop',
  'omahalatest',
  'news',
  'emily',
  'alert',
  'forecast',
  'heat',
  'work',
  'wednesday',
  'night',
  'forecasthealth',
  'expert',
  'heatpavement',
  'surface',
  'temperature',
  'concern',
  'heat',
  'wavetemperature',
  'weeknews6',
  'sidewowt',
  'news',
  'crime',
  'stoppersfirst',
  'alert',
  'weatheromaha',
  'everydaycontact',
  'uselection',
  'resultsknicely',
  'farnam',
  'st.',
  'omaha',
  'ne',
  'inspection',
  '6666term',
  'serviceprivacy',
  'statementadvertisingdigital',
  'advertisingclosed',
  'captioning',
  'audio',
  'descriptionat',
  'gray',
  'journalist',
  'news',
  'content',
  'community',
  'approach',
  'intelligence',
  'gray',
  'media',
  'group',
  'inc.',
  'station',
  'gray',
  'television',
  'inc.'],
 ['pennsylvania',
  'news',
  'harrisburg',
  'news',
  'carlisle',
  'news',
  'lancaster',
  'news',
  'lebanon',
  'news',
  'york',
  'news',
  'local',
  'business',
  'beat',
  'abc27',
  'newsletter',
  'signup',
  'summer',
  'pennsylvania',
  'al',
  'día',
  'con',
  'abc27',
  'consumer',
  'daybreak',
  'digital',
  'originals',
  'good',
  'national',
  'push',
  'pa.',
  'government',
  'fleet',
  'vehicle',
  'midstate',
  'center',
  'heat',
  'wave',
  'app',
  'ramp',
  'pa.',
  'people',
  'week',
  'pennsylvania',
  'pennsylvania',
  'senate',
  'race',
  'pa',
  'state',
  'supreme',
  'court',
  'race',
  'pennsylvania',
  'attorney',
  'general',
  'race',
  'pennsylvania',
  'election',
  'result',
  'local',
  'election',
  'hq',
  'shapiro',
  'administration',
  'hill',
  'pa',
  'politics',
  'city',
  'erie',
  'donald',
  'trump',
  'security',
  'midstate',
  'lawmaker',
  'i-95',
  'repair',
  'pennsylvania',
  'bill',
  'pa',
  'bill',
  'condo',
  'hoa',
  'resident',
  'clothe',
  'week',
  'pennsylvania',
  'senator',
  'kim',
  'ward',
  'senator',
  'bob',
  'casey',
  'pregnant',
  'workers',
  'fairness',
  'today',
  'forecast',
  'day',
  'forecast',
  'abc27',
  'weather',
  'interactive',
  'radar',
  'future',
  'radar',
  'weather',
  'cameras',
  'weathernet',
  'forecast',
  'weather',
  'wagers',
  'traffic',
  'river',
  'levels',
  'closings',
  'delays',
  'local',
  'sports',
  'nittany',
  'nation',
  'dirt',
  'track',
  'tuesday',
  'girl',
  'hershey',
  'bears',
  'harrisburg',
  'senators',
  'sports',
  'team',
  'hershey',
  'bears',
  'pen',
  'echl',
  'affiliate',
  'j&s',
  'classics',
  'central',
  'pa',
  'sprint',
  'cars',
  'update',
  'harrisburg',
  'university',
  'way',
  'pa.',
  'esports',
  'hershey',
  'bears',
  'tyson',
  'empey',
  'york',
  'revolution',
  'rival',
  'lancaster',
  'barnstormers',
  'community',
  'calendar',
  'cool',
  'car',
  'auto',
  'reviews',
  'destination',
  'pa',
  'gas',
  'prices',
  'healthy',
  'living',
  'holiday',
  'vacations',
  'hometown',
  'hero',
  'karns',
  'meal',
  'deal',
  'mommy',
  'minute',
  'pa',
  'lottery',
  'penn',
  'state',
  'health',
  'webchats',
  'pledge',
  'allegiance',
  'pocono',
  'television',
  'network',
  'upmc',
  'webchats',
  'val',
  'kids',
  'pennslyvania',
  'outdoor',
  'corps',
  'summer',
  'camp',
  'al',
  'día',
  'con',
  'abc27',
  'acuerdo',
  'de',
  'ups',
  'apertura',
  'del',
  'banco',
  'official',
  'child',
  'lancaster',
  'author',
  'spotlight',
  'studio',
  'sessions',
  'word',
  'mouth',
  'vibrant',
  'balance',
  'guest',
  'good',
  'day',
  'pa',
  'retirement',
  'checklist',
  'grandview',
  'asset',
  'management',
  'hershey',
  'brew',
  'fest',
  'englewood',
  'brewing',
  'abc27',
  'tv',
  'schedule',
  'watch',
  'abc27',
  'news',
  'online',
  'abc27',
  'newsletters',
  'contact',
  'team',
  'jobs',
  'jobs',
  'abc27',
  'news',
  'tip',
  'regional',
  'news',
  'partners',
  'contests',
  'air',
  'advertising',
  'digital',
  'advertising',
  'abc27',
  'rescan',
  'bestreviews',
  'bestreviews',
  'daily',
  'deal',
  'personal',
  'information',
  'pr',
  'newswire',
  'press',
  'releases',
  'job',
  'post',
  'job',
  'jobs',
  'abc27',
  'abc27',
  'job',
  'fair',
  'employer',
  'spotlight',
  'jobs',
  'pennsylvania',
  'tornado',
  'bucks',
  'county',
  'apr',
  'pm',
  'edt',
  'apr',
  'pm',
  'edt',
  'apr',
  'pm',
  'edt',
  'apr',
  'pm',
  'edt',
  'wrightstown',
  'township',
  'pa.',
  'whtm',
  'tornado',
  'bucks',
  'county',
  'saturday',
  'april',
  'national',
  'weather',
  'service',
  'nws',
  'tornado',
  'line',
  'storm',
  'bucks',
  'county',
  'tornado',
  'mile',
  'wrightstown',
  'township',
  'tree',
  'attraction',
  'hershey',
  'chocolate',
  'world',
  'nws',
  'tree',
  'damage',
  'campus',
  'bucks',
  'county',
  'community',
  'college',
  'wind',
  'speed',
  'mile',
  'hour',
  'damage',
  'newtown',
  'roof',
  'façade',
  'portion',
  'strip',
  'mall',
  'building',
  'damage',
  'downtown',
  'newtown',
  'area',
  'newtown',
  'cemetery',
  'tornado',
  'mechanicsburg',
  'man',
  'gun',
  'tsa',
  'harrisburg',
  'international',
  'airport',
  'national',
  'weather',
  'service',
  'tornado',
  'ef-1',
  'wind',
  'mile',
  'hour',
  'path',
  'mile',
  'tornado',
  'yard',
  'national',
  'weather',
  'service',
  'ef-3',
  'tornado',
  'portion',
  'delaware',
  'storm',
  'system',
  'saturday',
  'tornado',
  'wind',
  'mph',
  'death',
  'tornado',
  'death',
  'state',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'amazon',
  'school',
  'deal',
  'schooler',
  'school',
  'corner',
  'amazon',
  'supply',
  'school',
  'deal',
  'supply',
  'schooler',
  'august',
  'vegetable',
  'flower',
  'flower',
  'plant',
  'hour',
  'soil',
  'air',
  'temperature',
  'sunshine',
  'august',
  'month',
  'planting',
  'chemical',
  'guys',
  'kit',
  'car',
  'car',
  'care',
  'hour',
  'chemical',
  'guys',
  'car',
  'wash',
  'kit',
  'time',
  'deal',
  'thank',
  'inbox',
  'bomb',
  'threat',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'russia',
  'un',
  'meeting',
  'cambodia',
  'hun',
  'sen',
  'asia',
  'leader',
  'sinéad',
  'o’connor',
  'singer',
  'songwriter',
  'bluffing',
  'putin',
  'deployment',
  'nuclear',
  'elon',
  'musk',
  'tweet',
  'x',
  '’',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'taiwan',
  'school',
  'office',
  'typhoon',
  'bomb',
  'threat',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'stock',
  'market',
  'today',
  'share',
  'federal',
  'government',
  'fleet',
  'midstate',
  'center',
  'heat',
  'wave',
  'ada',
  'anniversary',
  'app',
  'harrisburg',
  'pennslyvania',
  'outdoor',
  'corps',
  'summer',
  'camp',
  'home',
  'remodeling',
  'company',
  'mecum',
  'auctions',
  'pa',
  'farm',
  'complex',
  'midstate',
  'community',
  'home',
  'repair',
  'program',
  'pa.',
  'government',
  'fleet',
  'vehicle',
  'search',
  'infant',
  'pennsylvania',
  'mcconnell',
  'biden',
  'elk',
  'expo',
  'weekend',
  'susquehanna',
  'river',
  'raft',
  'wave',
  'medium',
  'midstate',
  'center',
  'heat',
  'wave',
  'ugi',
  'step',
  'money',
  'heat',
  'wave',
  'ohio',
  'officer',
  'k-9',
  'man',
  'harrisburg',
  'news',
  'hershey',
  'news',
  'lebanon',
  'pa',
  'news',
  'york',
  'pa',
  'news',
  'pennsylvania',
  'news',
  'local',
  'election',
  'hq',
  'harrisburg',
  'weather',
  'abc27',
  'sports',
  'watch',
  'abc27',
  'news',
  'newsnation',
  'good',
  'day',
  'pa',
  'pa',
  'lottery',
  'local',
  'news',
  'jobs',
  'traffic',
  'pennsylvania',
  'school',
  'closing',
  'ads',
  'fcc',
  'public',
  'file',
  'eeo',
  'eeo',
  'policy',
  'nexstar',
  'cc',
  'certification',
  'children',
  'programming',
  'android',
  'app',
  'google',
  'play',
  'android',
  'weather',
  'app',
  'google',
  'play',
  'personal',
  'information',
  'personal',
  'information',
  'nexstar',
  'media',
  'inc.',
  'rights'],
 ['search',
  'fox',
  'weather',
  'fox',
  'weather',
  'app',
  'podcast',
  'weather',
  'news',
  'february',
  'est',
  'tornado',
  'oklahoma',
  'city',
  'area',
  'hurricane',
  'force',
  'wind',
  'plains',
  'report',
  'tornado',
  'damage',
  'home',
  'tree',
  'power',
  'line',
  'norman',
  'dozen',
  'sunday',
  'night',
  'thunderstorm',
  'hurricane',
  'force',
  'wind',
  'plains',
  'mph',
  'gust',
  'memphis',
  'texas',
  'scott',
  'sistek',
  'brandy',
  'campbell',
  'source',
  'fox',
  'weather',
  'facebook',
  'twitter',
  'email',
  'link',
  'drone',
  'video',
  'damage',
  'norman',
  'oklahoma',
  'tornado',
  'drone',
  'video',
  'light',
  'damage',
  'norman',
  'oklahoma',
  'tornado',
  'area',
  'sunday',
  'evening',
  'norman',
  'okla.',
  'line',
  'thunderstorm',
  'mile',
  'plains',
  'sunday',
  'evening',
  'dozen',
  'destruction',
  'hand',
  'february',
  'tornado',
  'oklahoma',
  'tornado',
  'siren',
  'oklahoma',
  'city',
  'metro',
  'area',
  'twister',
  'storm',
  'region',
  'sunday',
  'evening',
  'report',
  'damage',
  'home',
  'tree',
  'power',
  'line',
  'norman',
  'home',
  'university',
  'oklahoma',
  'noaa',
  'storm',
  'prediction',
  'center',
  'storm',
  'spotter',
  'tornado',
  'sighting',
  'doppler',
  'radar',
  'debris',
  'foot',
  'air',
  'fox',
  'forecast',
  'center',
  'people',
  'storm',
  'norman',
  'victim',
  'injury',
  'report',
  'death',
  'town',
  'city',
  'official',
  'injury',
  'leg',
  'storm',
  'crash',
  'school',
  'road',
  'highway',
  'monday',
  'nws',
  'storm',
  'survey',
  'team',
  'area',
  'damage',
  'result',
  'tornado',
  'rating',
  'survey',
  'team',
  'ef-2',
  'level',
  'damage',
  'tornado',
  'goldsby',
  'norman',
  'meteorologist',
  'nws',
  'norman',
  'twister',
  'ayedelott',
  'oklahoma',
  'north',
  'shawnee',
  'ef-2.how',
  'tornadoes',
  'enhanced',
  'fujita',
  'scale',
  'explained‘i',
  'norman',
  'resident',
  'neighborhood',
  'hit',
  'tornado',
  'fox',
  'weather',
  'brandy',
  'campbell',
  'window',
  'storm',
  'shelter',
  'daylight',
  'scope',
  'damage',
  'norman',
  'oklahoma',
  'tornado',
  'fox',
  'weather',
  'brandy',
  'campbell',
  'norman',
  'oklahoma',
  'resident',
  'tornado',
  'damage',
  'sunday',
  'weather',
  'window',
  'house',
  'garage',
  'door',
  'hole',
  'roof',
  'david',
  'stanley',
  'glass',
  'image',
  'people',
  'norman',
  'oklahoma',
  'neighborhood',
  'damage',
  'feb.',
  'tornado',
  'area',
  'night',
  'brandy',
  'campbell',
  'prevnext',
  'image',
  'tornado',
  'damage',
  'norman',
  'oklahoma',
  'feb.',
  'twister',
  'area',
  'night',
  'brandy',
  'campbell',
  'prevnext',
  'image',
  'people',
  'norman',
  'oklahoma',
  'neighborhood',
  'damage',
  'feb.',
  'tornado',
  'night',
  'brandy',
  'campbell',
  'prevnext',
  'image',
  'people',
  'norman',
  'oklahoma',
  'neighborhood',
  'debris',
  'feb.',
  'tornado',
  'area',
  'night',
  'brandy',
  'campbell',
  'prevnext',
  'image',
  'car',
  'home',
  'feb.',
  'norman',
  'oklahoma',
  'tornado',
  'area',
  'night',
  'brandy',
  'campbell',
  'prevnext',
  'image',
  'pair',
  'tennis',
  'shoe',
  'driveway',
  'home',
  'norman',
  'oklahoma',
  'feb.',
  'tornado',
  'area',
  'night',
  'brandy',
  'campbell',
  'prevnext',
  'image',
  'people',
  'debris',
  'norman',
  'oklahoma',
  'feb.',
  'tornado',
  'area',
  'night',
  'brandy',
  'campbell',
  'prevnext',
  'image',
  'street',
  'sign',
  'norman',
  'oklahoma',
  'feb.',
  'tornado',
  'area',
  'night',
  'brandy',
  'campbell',
  'prevnext',
  'image',
  'debris',
  'neighborhood',
  'norman',
  'oklahoma',
  'feb.',
  'morning',
  'tornado',
  'area',
  'brandy',
  'campbell',
  'image',
  'homes',
  'norman',
  'oklahoma',
  'feb.',
  'morning',
  'tornado',
  'area',
  'brandy',
  'campbell)stanley',
  'family',
  'neighborhood',
  'california',
  'year',
  'time',
  'storm',
  'shelter',
  'destruction',
  'intensity',
  'violence',
  'time',
  'second',
  'what?"tornadoes',
  'hit',
  'city',
  'tornado',
  'norman',
  'oklahoma',
  'meteorology',
  'student',
  'tyler',
  'pardun',
  'video',
  'home',
  'tornado',
  'complex',
  'norman',
  'oklahoma',
  'tornado',
  'town',
  'tuttle',
  'mustang',
  'outskirt',
  'oklahoma',
  'city',
  'level',
  'damage',
  'nws',
  'storm',
  'surveyor',
  'shawnee',
  'tornado',
  'shawnee',
  'mall',
  'city',
  'official',
  'twister',
  'home',
  'east',
  'mall',
  'mile',
  'stretch',
  'power',
  'line',
  'crew',
  'tornado',
  'damage',
  'mcloud',
  'doppler',
  'radar',
  'tornado',
  'strike',
  'oklahoma',
  'city',
  'town',
  'yukon',
  'storm',
  'oklahomain',
  'western',
  'oklahoma',
  'tornado',
  'town',
  'cheyenne',
  'year',
  'grandfather',
  'storm',
  'roger',
  'mills',
  'county',
  'emergency',
  'manager',
  'levi',
  'blackketter',
  'blackketter',
  'fox',
  'house',
  'loss',
  'house',
  'roof',
  'damage',
  'debris',
  'town',
  'tornado',
  'february',
  'oklahoma',
  'decade',
  'oklahoma',
  'february',
  'tornado',
  'twister',
  'feb.',
  'fox',
  'forecast',
  'center',
  'tornado',
  'record',
  'february',
  'tornado',
  'oklahoma',
  'record',
  '1950',
  'farther',
  'north',
  'tornado',
  'liberal',
  'kansas',
  'home',
  'tree',
  'power',
  'line',
  'sunday',
  'afternoon',
  'national',
  'weather',
  'service',
  'law',
  'enforcement',
  'report',
  'funnel',
  'cloud',
  'liberal',
  'kansas',
  'feb.',
  'michael',
  'strickland',
  'fox',
  'weather)tornadoes',
  'illinois',
  'monday',
  'morningas',
  'system',
  'tornado',
  'illinois',
  'monday',
  'nws',
  'tornado',
  'chicago',
  'area',
  'monday',
  'joliet',
  'naperville',
  'fox',
  'office',
  'report',
  'damage',
  'tree',
  'window',
  'fence',
  'roof',
  'damage',
  'tornado',
  'warnings',
  'illinois',
  'tornado',
  'champaign',
  'home',
  'university',
  'illinois',
  'tornadoes',
  'likely',
  'occur',
  'february?the',
  'nws',
  'ef-1',
  'tornado',
  'indiana',
  'ground',
  'minute',
  'hancock',
  'county',
  'barn',
  'foundation',
  'building',
  'tornado',
  'ingalls',
  'ground',
  'minute',
  'roof',
  'wall',
  'barn',
  'beam',
  'ground',
  'total',
  'national',
  'weather',
  'service',
  'tornado',
  'tuesday',
  'plains',
  'midwest',
  'damage',
  'location',
  'investigation',
  'storm',
  'prediction',
  'center',
  'damage',
  'report',
  'hurricane',
  'force',
  'wind',
  'gust',
  'texas',
  'oklahomabut',
  'tornado',
  'plains',
  'wind',
  'line',
  'thunderstorm',
  'line',
  'wind',
  'gust',
  'hurricane',
  'strength',
  'case',
  'rig',
  'interstate',
  'line',
  'storm',
  'storm',
  'chaser',
  'video',
  'south',
  'norman',
  'oklahoma',
  'line',
  'storm',
  'tornado',
  'truck',
  'truck',
  'video',
  'courtesy',
  'gust',
  'night',
  'memphis',
  'texas',
  'wind',
  'gauge',
  'mph',
  'gust',
  'national',
  'weather',
  'service',
  'storm',
  'golf',
  'ball',
  'hail',
  'gust',
  'window',
  'town',
  'storm',
  'spotter',
  'addition',
  'texas',
  'gust',
  'mph',
  'oklahoma',
  'town',
  'bridgeport',
  'mph',
  'fittstown',
  'mph',
  'kansas',
  'town',
  'sublette',
  'monday',
  'knoxville',
  'tennessee',
  'mph',
  'wind',
  'gust',
  'storm',
  'chaser',
  'lightning',
  'storm',
  'chaser',
  'car',
  'lightning',
  'chaser',
  'downdraft',
  'sublette',
  'kansas',
  'p.m.',
  'video',
  'courtesy',
  '@jakeslyveon)other',
  'gust',
  'mph',
  'texas',
  'amarillo',
  'el',
  'paso',
  'person',
  'el',
  'paso',
  'county',
  'fort',
  'bliss',
  'foot',
  'national',
  'weather',
  'service',
  'storm',
  'report',
  'fort',
  'bliss',
  'weather',
  'spotter',
  'exit',
  'interstate',
  'power',
  'pole',
  'el',
  'paso',
  'mph',
  'gust',
  'gust',
  'city',
  'record',
  'century',
  'nws',
  'fox',
  'weather',
  'storm',
  'system',
  'forecast',
  'area',
  'national',
  'weather',
  'service',
  'forecaster',
  'norman',
  'oklahoma',
  'p.m.',
  'cst',
  'forecast',
  'discussion',
  'sunday',
  'soccer',
  'goal',
  'norman',
  'oklahoma',
  'match',
  'line',
  'storm',
  'meteorology',
  'student',
  'picture',
  'twitter',
  'post',
  'street',
  'avenue',
  'norman',
  'mesovortex',
  'minute',
  'tyler',
  'pardun',
  'fox',
  'weather)the',
  'wind',
  'gust',
  'toll',
  'power',
  'line',
  'region',
  'poweroutage',
  'customer',
  'power',
  'oklahoma',
  'texas',
  'new',
  'mexico',
  'point',
  'sunday',
  'night',
  'monday',
  'storm',
  'power',
  'ohio',
  'mississippi',
  'valleys',
  'sunday',
  'evening',
  'thunderstorm',
  'mph',
  'national',
  'weather',
  'service',
  'national',
  'weather',
  'service',
  'report',
  'wind',
  'mph',
  'gust',
  'mph',
  'monday',
  'hail',
  'report',
  'inch',
  'diameter',
  'threat',
  'weather',
  'monday',
  'evening',
  'storm',
  'system',
  'eastern',
  'seaboard',
  'oklahoma',
  'tornado',
  'record',
  'straight',
  'tornado',
  'oklahoma',
  'february',
  'month',
  'record',
  'number',
  'tornado',
  'month',
  'fox',
  'weather',
  'meteorologist',
  'jordan',
  'overton',
  'sooner',
  'state',
  'tornado',
  'december',
  'majority',
  'dec.',
  'storm',
  'morning',
  'hour',
  'central',
  'oklahoma',
  'january',
  'new',
  'year',
  'storm',
  'tornado',
  'state',
  'midday',
  'hour',
  'jan.',
  'eastern',
  'oklahoma',
  'january',
  'tornado',
  'record',
  'year',
  'february',
  'sunday',
  'night',
  'tornado',
  'outbreak',
  'record',
  'set',
  'weathertexastornadoeswind',
  'download',
  'fox',
  'weather',
  'app',
  'available',
  'android',
  'weather',
  'news',
  'loading',
  'fox',
  'weather',
  'app',
  'privacy',
  'policy',
  'terms',
  'condition',
  'privacy',
  'choices',
  'media',
  'relations',
  'corporate',
  'information',
  'facebook',
  'twitter',
  'instagram',
  'youtube',
  'linkedin',
  'tiktok',
  'rss',
  'download',
  'app',
  'store',
  'google',
  'play',
  'material',
  'fox',
  'news',
  'network',
  'llc',
  'right'],
 ['colonial',
  'revolutionary',
  'century',
  'century',
  'civil',
  'war',
  '20th',
  'century',
  'civil',
  'rights',
  '21st',
  'century',
  'winner',
  'emmy',
  'awards',
  'southeast',
  'chapter',
  'national',
  'academy',
  'television',
  'arts',
  'sciences',
  'today',
  'georgia',
  'history',
  'collaboration',
  'georgia',
  'historical',
  'society',
  'georgia',
  'public',
  'broadcasting',
  'hurricane',
  'force',
  'katrina',
  'georgia',
  'coast',
  'day',
  'sea',
  'island',
  'storm',
  'people',
  'hurricane',
  'coast',
  'georgia',
  'sea',
  'islands',
  'way',
  'mile',
  'foot',
  'storm',
  'surge',
  'hurricane',
  'landfall',
  'savannah',
  'wind',
  'mph',
  'category',
  'storm',
  'pressure',
  'storm',
  'east',
  'coast',
  'impact',
  'property',
  'damage',
  'million',
  'savannah',
  'paper',
  'governor',
  'william',
  'northen',
  'clara',
  'barton',
  'red',
  'cross',
  'relief',
  'help',
  'october',
  'sea',
  'island',
  'storm',
  'history',
  'hour',
  'night',
  'august',
  'today',
  'georgia',
  'history',
  'vocabulary',
  'daily',
  'activity',
  'image',
  'credits',
  'century',
  'disaster',
  'newspaper',
  'people',
  'places',
  'environments',
  'storm',
  'weather',
  'watie',
  'general',
  'winfield',
  'scott',
  'georgia',
  'land',
  'lottery',
  'building',
  'sea',
  'island',
  'repair',
  'storm'],
 ['computer',
  'browser',
  'operating',
  'system',
  'shopping',
  'south',
  'dakota',
  'magazine',
  'order',
  'phone',
  'question',
  'inconvenience',
  'heidi',
  'marsh',
  'marketing',
  'director',
  'south',
  'dakota',
  'magazine',
  'yankton',
  'sd',
  'gift',
  'south',
  'dakota',
  'subscriptions',
  'south',
  'dakota',
  'magazine',
  'gift',
  'today',
  'year',
  'issue',
  'school',
  'basketball',
  'fan',
  'shelter',
  'spring',
  'blizzard',
  'farmhouse',
  'refuge',
  'bob',
  'glanzer',
  'blizzard',
  'south',
  'dakota',
  'storm',
  'century',
  'storm',
  'place',
  'march',
  'life',
  'people',
  'sheep',
  'cattle',
  'hog',
  'wind',
  'gust',
  'mph',
  'visibility',
  'hour',
  'quarter',
  'mile',
  'visibility',
  'hour',
  'region',
  'basketball',
  'tournament',
  'thursday',
  'march',
  'doland',
  'playoff',
  'chance',
  'bryant',
  'game',
  'doland',
  'fan',
  'player',
  'student',
  'huron',
  'arena',
  'doland',
  'bus',
  'car',
  'highway',
  'blizzard',
  'condition',
  'bus',
  'load',
  'car',
  'pheasant',
  'city',
  'country',
  'gas',
  'station',
  'intersection',
  'highway',
  'mile',
  'huron',
  'people',
  'grocery',
  'store',
  'gas',
  'station',
  'people',
  'mile',
  'pheasant',
  'city',
  'storm',
  'bloomfield',
  'linda',
  'hofer',
  'loewen',
  'school',
  'junior',
  'time',
  'family',
  'highway',
  'mile',
  'pheasant',
  'city',
  'loewen',
  'father',
  'storm',
  'yard',
  'light',
  'life',
  'father',
  'hour',
  'mile',
  'fan',
  'road',
  'door',
  'school',
  'bus',
  'bus',
  'load',
  'student',
  'car',
  'load',
  'doland',
  'fan',
  'farm',
  'yard',
  'bed',
  'loewen',
  'people',
  'door',
  'line',
  'people',
  'country',
  'farmhouse',
  'day',
  'blizzard',
  'room',
  'people',
  'bed',
  'seat',
  'bathroom',
  'loewen',
  'day',
  'night',
  'clock',
  'mom',
  'recipe',
  'friday',
  'afternoon',
  'mom',
  'lady',
  'noodle',
  'hofers',
  'milk',
  'cow',
  'chicken',
  'freeze',
  'good',
  'meat',
  'string',
  'twine',
  'dad',
  'barn',
  'cow',
  'egg',
  'loewen',
  'mom',
  'dozen',
  'egg',
  'gallon',
  'gallon',
  'milk',
  'couple',
  'birthday',
  'day',
  'lady',
  'birthday',
  'cake',
  'noon',
  'saturday',
  'march',
  'wind',
  'snow',
  'foot',
  'guest',
  'school',
  'bus',
  'home',
  'doland',
  'freeze',
  'house',
  'mess',
  'dozen',
  'egg',
  'people',
  'money',
  'kitchen',
  'table',
  'mom',
  'loewen',
  'mom',
  'life',
  'author',
  'bob',
  'glanzer',
  'educator',
  'banker',
  'year',
  'south',
  'dakota',
  'state',
  'fair',
  'huron',
  'south',
  'dakota',
  'state',
  'fair',
  'huron',
  'subscribe',
  'renew',
  'change',
  'address',
  'gift',
  'shop',
  'group',
  'gift',
  'giving',
  'newsstands',
  'past',
  'issues',
  'index'],
 ['health',
  'sex',
  'relationships',
  'viral',
  'trends',
  'human',
  'interest',
  'parenting',
  'fashion',
  'beauty',
  'food',
  'drink',
  'travel',
  'tornadoes',
  'indiana',
  'sunday',
  'storm',
  'power',
  'k',
  'ohio',
  'valley',
  'south',
  'social',
  'link',
  'steven',
  'yablonski',
  'fox',
  'weather',
  'thank',
  'submission',
  'el',
  'nino',
  'winter',
  'florida',
  'man',
  'son',
  'hiking',
  'trip',
  'heat',
  'fisherman',
  'alligator',
  'south',
  'carolina',
  'pond',
  'tornado',
  'indiana',
  'sunday',
  'building',
  'power',
  'threat',
  'thunderstorm',
  'ohio',
  'valley',
  'south',
  'sunday',
  'tornado',
  'indiana',
  'sunday',
  'building',
  'greenwood',
  'indiana',
  'debris',
  'air',
  'tornado',
  'johnson',
  'county',
  'heather',
  'holeman',
  'tornado',
  'whiteland',
  'size',
  'tennis',
  'ball',
  'indiana',
  'arkansas',
  'storm',
  'tornado',
  'watch',
  'indiana',
  'michigan',
  'kentucky',
  'ohio',
  'p.m.',
  'et',
  'debris',
  'air',
  'tornado',
  'greenwood',
  'indiana',
  'june',
  'reuters',
  'severe',
  'thunderstorm',
  'watch',
  'evening',
  'hour',
  'noaa',
  'storm',
  'prediction',
  'center',
  'area',
  'level',
  'thunderstorm',
  'risk',
  'category',
  'scale',
  'thunderstorm',
  'hail',
  'wind',
  'gust',
  'tornado',
  'ohio',
  'valley',
  'south',
  'fox',
  'weather',
  'app',
  'notification',
  'weather',
  'warning',
  'area',
  'view',
  'damage',
  'aftermath',
  'tornado',
  'greenwood',
  'indiana',
  'june',
  'twitter',
  '@colebasey9',
  'reuters',
  'power',
  'severe',
  'storm',
  'power',
  'sunday',
  'evening',
  'poweroutage.us',
  '.',
  'georgia',
  'power',
  'customer',
  'woman',
  'uber',
  'driver',
  'story',
  'time',
  'girl',
  'montana',
  'police',
  'station',
  'miracle',
  'story',
  'time',
  'onlooker',
  'hunter',
  'biden',
  'sweetheart',
  'plea',
  'deal',
  'court',
  'story',
  'time',
  'teen',
  'country',
  'concert',
  'girlfriend',
  'horror',
  'expert',
  'weight',
  'overview',
  'found',
  'program',
  'safety',
  'pack',
  'fire',
  'extinguisher',
  '%',
  'sheet',
  'sleeper',
  'review',
  'expert',
  'sleep',
  'foundation',
  '%',
  'wayfair',
  'outdoor',
  'seating',
  'sale',
  'set',
  'sectional',
  'today',
  'beach',
  'wagon',
  'cart',
  'rollin',
  'beach',
  'kylie',
  'jenner',
  'boob',
  'job',
  'year',
  'denial',
  'jamie',
  'lynn',
  'spears',
  'responsibility',
  'fame',
  'selena',
  'gomez',
  'francia',
  'raísa',
  'birthday',
  'feud',
  'life',
  'noise',
  'activity',
  'mid',
  '-',
  'prison',
  'r.i.p.',
  'sinéad',
  'o’connor',
  'irish',
  'singer',
  'compare',
  'subject',
  'dead',
  'kevin',
  'spacey',
  'drinking',
  'acquittal',
  'london',
  'hotspot',
  'girl',
  'montana',
  'police',
  'station',
  'miracle',
  'news',
  'metro',
  'sports',
  'sports',
  'betting',
  'business',
  'opinion',
  'entertainment',
  'fashion',
  'beauty',
  'shopping',
  'lifestyle',
  'real',
  'estate',
  'media',
  'tech',
  'health',
  'travel',
  'astrology',
  'video',
  'photos',
  'stories',
  'alexa',
  'cover',
  'horoscopes',
  'sport',
  'odd',
  'podcast',
  'columnists',
  'classifieds',
  'email',
  'newsletters',
  'rss',
  'ny',
  'post',
  'official',
  'store',
  'home',
  'delivery',
  'new',
  'york',
  'post',
  'customer',
  'service',
  'apps',
  'community',
  'guidelines',
  'contact',
  'tips',
  'newsroom',
  'letters',
  'editor',
  'licensing',
  'reprints',
  'careers',
  'vulnerability',
  'disclosure',
  'program',
  'nyp',
  'holdings',
  'inc.',
  'rights',
  'reserved',
  'terms',
  'use',
  'membership',
  'terms',
  'privacy',
  'notice',
  'sitemap',
  'information'],
 ['skip',
  'navigationwatchlivemarketspre',
  'marketsu.s.',
  'marketscurrenciescryptocurrencyfutures',
  'commoditiesbondsfunds',
  'etfsbusinesseconomyfinancehealth',
  'sciencemediareal',
  'estateenergyclimatetransportationindustrialsretailwealthlifesmall',
  'financefintechfinancial',
  'advisorsoptions',
  'actionetf',
  'streetbuffett',
  'archiveearningstrader',
  'talktechcybersecurityenterpriseinternetmediamobilesocial',
  'mediacnbc',
  'disruptor',
  'tvlive',
  'tvlive',
  'audiobusiness',
  'day',
  'showsentertainment',
  'episodeslatest',
  'videotop',
  'interviewscnbc',
  'worlddigital',
  'originalslive',
  'tv',
  'clubtrust',
  'portfolioanalysistrade',
  'videoshomestretchjim',
  'newspro',
  'livemarket',
  'forecastsubscribesign',
  'inmenumake',
  'itselectall',
  'selectcredit',
  'cards',
  'loans',
  'banking',
  'mortgages',
  'insurance',
  'credit',
  'monitoring',
  'personal',
  'finance',
  'small',
  'business',
  'taxes',
  'help',
  'low',
  'credit',
  'scores',
  'investing',
  'selectall',
  'credit',
  'cardsfind',
  'credit',
  'card',
  'youbest',
  'credit',
  'cardsbest',
  'rewards',
  'credit',
  'cardsbest',
  'travel',
  'credit',
  'cardsbest',
  '%',
  'apr',
  'credit',
  'cardsbest',
  'balance',
  'transfer',
  'credit',
  'cash',
  'credit',
  'cardsbest',
  'credit',
  'card',
  'welcome',
  'bonusesbest',
  'credit',
  'cards',
  'loansfind',
  'best',
  'personal',
  'loan',
  'youbest',
  'personal',
  'loansbest',
  'debt',
  'consolidation',
  'loansbest',
  'loans',
  'refinance',
  'credit',
  'card',
  'debtbest',
  'loans',
  'fast',
  'fundingbest',
  'small',
  'personal',
  'loansbest',
  'large',
  'personal',
  'loansbest',
  'personal',
  'loans',
  'onlinebest',
  'student',
  'loan',
  'bankingfind',
  'savings',
  'account',
  'youbest',
  'high',
  'yield',
  'savings',
  'accountsbest',
  'big',
  'bank',
  'savings',
  'accountsbest',
  'big',
  'bank',
  'checking',
  'accountsbest',
  'fee',
  'checking',
  'accountsno',
  'overdraft',
  'fee',
  'checking',
  'accountsbest',
  'checking',
  'account',
  'bonusesbest',
  'money',
  'market',
  'accountsbest',
  'credit',
  'unionsselectall',
  'mortgagesbest',
  'mortgagesbest',
  'mortgages',
  'small',
  'paymentbest',
  'mortgage',
  'paymentbest',
  'mortgage',
  'origination',
  'feebest',
  'mortgages',
  'credit',
  'scoreadjustable',
  'rate',
  'mortgagesaffording',
  'insurancebest',
  'life',
  'insurancebest',
  'homeowners',
  'insurancebest',
  'renters',
  'insurancebest',
  'car',
  'insurancetravel',
  'insuranceselectall',
  'credit',
  'monitoringbest',
  'credit',
  'monitoring',
  'servicesbest',
  'identity',
  'theft',
  'protectionhow',
  'credit',
  'scorecredit',
  'repair',
  'servicesselectall',
  'personal',
  'financebest',
  'budgeting',
  'appsbest',
  'expense',
  'tracker',
  'appsbest',
  'money',
  'transfer',
  'appsbest',
  'resale',
  'apps',
  'sitesbuy',
  'bnpl',
  'appsbest',
  'debt',
  'reliefselectall',
  'small',
  'businessbest',
  'small',
  'business',
  'savings',
  'accountsbest',
  'small',
  'business',
  'checking',
  'accountsbest',
  'credit',
  'cards',
  'small',
  'businessbest',
  'small',
  'business',
  'loansbest',
  'tax',
  'software',
  'taxesbest',
  'tax',
  'softwarebest',
  'tax',
  'software',
  'businessestax',
  'help',
  'low',
  'credit',
  'scoresbest',
  'credit',
  'cards',
  'bad',
  'creditbest',
  'personal',
  'loans',
  'bad',
  'creditbest',
  'debt',
  'consolidation',
  'loans',
  'bad',
  'creditpersonal',
  'loans',
  'creditbest',
  'credit',
  'cards',
  'building',
  'creditpersonal',
  'loans',
  'credit',
  'score',
  'lowerpersonal',
  'loans',
  'credit',
  'score',
  'lowerbest',
  'mortgages',
  'bad',
  'creditbest',
  'hardship',
  'loanshow',
  'credit',
  'scoreselectall',
  'investingbest',
  'ira',
  'accountsbest',
  'roth',
  'ira',
  'accountsbest',
  'investing',
  'appsbest',
  'free',
  'stock',
  'trading',
  'platformsbest',
  'robo',
  'advisorsindex',
  'fundsmutual',
  'fundsetfsbondsusaintlwatchlivesearch',
  'quote',
  'news',
  'videoswatchlistsign',
  'increate',
  'storm',
  'south',
  'alabamapublished',
  'thu',
  'jan',
  'pm',
  'estupdated',
  'thu',
  'jan',
  'pm',
  'giant',
  'storm',
  'system',
  'south',
  'people',
  'thursday',
  'alabama',
  'people',
  'hospital',
  'emergency',
  'responder',
  'tornado',
  'report',
  'thursday',
  'national',
  'weather',
  'service',
  'thursday',
  'evening',
  'file',
  'image',
  'tornadolorraine',
  'matti',
  '',
  '',
  'giant',
  'storm',
  'system',
  'south',
  'people',
  'thursday',
  'alabama',
  'authority',
  'tornado',
  'wall',
  'home',
  'roof',
  'tree',
  'selma',
  'ernie',
  'baggett',
  'emergency',
  'management',
  'director',
  'autauga',
  'county',
  'alabama',
  'associated',
  'press',
  'fatality',
  'home',
  'old',
  'kingston',
  'community',
  'baggett',
  'home',
  'home',
  'couple',
  'house',
  'people',
  'home',
  'baggett',
  'people',
  'hospital',
  'emergency',
  'responder',
  'baggett',
  'extent',
  'injury',
  'autauga',
  'county',
  'alabama',
  'mile',
  'selma',
  'official',
  'home',
  'storm',
  'strip',
  'county',
  'baggett',
  'crew',
  'thursday',
  'evening',
  'tree',
  'people',
  'rescue',
  'baggett',
  'selma',
  'city',
  'history',
  'right',
  'movement',
  'brick',
  'building',
  'car',
  'traffic',
  'pole',
  'downtown',
  'area',
  'plume',
  'smoke',
  'city',
  'fire',
  'burning',
  'storm',
  'blaze',
  'block',
  'city',
  'edmund',
  'pettus',
  'bridge',
  'symbol',
  'voting',
  'right',
  'movement',
  'building',
  'storm',
  'tree',
  'roadway',
  'selma',
  'mayor',
  'james',
  'perkins',
  'fatality',
  'time',
  'responder',
  'damage',
  '"people',
  'fatality',
  'perkins',
  'lot',
  'power',
  'line',
  'lot',
  'danger',
  'street',
  'city',
  'curfew',
  'place',
  'mayor',
  'tornado',
  'damage',
  'city',
  'national',
  'weather',
  'service',
  'report',
  'tree',
  'damage',
  'selma',
  'report',
  'damage',
  'county',
  'agency',
  'tornado',
  'report',
  'thursday',
  'national',
  'weather',
  'service',
  'thursday',
  'evening',
  'handful',
  'tornado',
  'warning',
  'effect',
  'georgia',
  'south',
  'carolina',
  'north',
  'carolina',
  'report',
  'wind',
  'damage',
  'assessment',
  'day',
  'alabama',
  'damage',
  'selma',
  'state',
  'sen.',
  'hank',
  'sanders',
  'tornado',
  'selma',
  'fact',
  'house',
  'head',
  'window',
  'bedroom',
  'living',
  'room',
  'roof',
  'kitchen',
  'sanders',
  'selma',
  'city',
  'resident',
  'mile',
  'kilometer',
  'west',
  'alabama',
  'capital',
  'city',
  'montgomery',
  'selma',
  'flashpoint',
  'right',
  'movement',
  'alabama',
  'state',
  'trooper',
  'black',
  'people',
  'right',
  'edmund',
  'pettus',
  'bridge',
  'march',
  'law',
  'enforcement',
  'officer',
  'john',
  'lewis',
  'skull',
  'career',
  'u.s.',
  'congressman',
  'tornado',
  'krishun',
  'moore',
  'home',
  'sound',
  'child',
  'mother',
  'kid',
  'roof',
  'apartment',
  'kid',
  'year',
  'facebook',
  'messenger',
  'malesha',
  'mcvay',
  'tornado',
  'family',
  'mile',
  'home',
  '%',
  'god',
  'thing',
  'house',
  'video',
  'twister',
  'home',
  'house',
  'smoke',
  'weather',
  'service',
  'tornado',
  'emergency',
  'county',
  'capital',
  'city',
  'montgomery',
  'storm',
  'system',
  'life',
  'situation',
  'shelter',
  'weather',
  'service',
  'tornado',
  'tornado',
  'warning',
  'thursday',
  'alabama',
  'mississippi',
  'tennessee',
  'storm',
  'system',
  'region',
  'customer',
  'power',
  'alabama',
  'poweroutage.us',
  'outage',
  'georgia',
  'customer',
  'electricity',
  'sunset',
  'thursday',
  'storm',
  'system',
  'path',
  'tier',
  'county',
  'atlanta',
  'poweroutage.us',
  'storm',
  'griffin',
  'atlanta',
  'wind',
  'shopping',
  'area',
  'news',
  'outlet',
  'hobby',
  'lobby',
  'store',
  'roof',
  'car',
  'parking',
  'lot',
  'walmart',
  'damage',
  'west',
  'downtown',
  'atlanta',
  'douglas',
  'county',
  'cobb',
  'county',
  'cobb',
  'county',
  'government',
  'damage',
  'report',
  'cinder',
  'block',
  'wall',
  'warehouse',
  'austell',
  'kentucky',
  'national',
  'weather',
  'service',
  'louisville',
  'tornado',
  'mercer',
  'county',
  'crew',
  'damage',
  'handful',
  'county',
  'report',
  'tree',
  'power',
  'outage',
  'damage',
  'storm',
  'state',
  'cnbc',
  'prolicensing',
  'councilsselect',
  'financecnbc',
  'peacockjoin',
  'cnbc',
  'panelsupply',
  'chain',
  'valuesselect',
  'shoppingclosed',
  'captioningdigital',
  'productsnews',
  'releasesinternshipscorrectionsabout',
  'cnbcad',
  'choicessite',
  'mappodcastscareershelpcontactnews',
  'tipsgot',
  'news',
  'tip',
  'touchadvertise',
  'usplease',
  'contact',
  'uscnbc',
  'newsletterssign',
  'newsletter',
  'cnbc',
  'inboxsign',
  'nowget',
  'inbox',
  'info',
  'product',
  'service',
  'privacy',
  'policy',
  'information',
  'notice',
  'terms',
  'service',
  'cnbc',
  'llc',
  'rights',
  'division',
  'nbcuniversaldata',
  'time',
  'snapshot',
  'data',
  'minute',
  'global',
  'business',
  'financial',
  'news',
  'stock',
  'quotes',
  'market',
  'data',
  'analysis',
  'market',
  'data',
  'terms',
  'use',
  'disclaimersdata'],
 ['know',
  'climate',
  'impact',
  'solution',
  'newsletter',
  'weekly',
  'news',
  'yale',
  'climate',
  'connections',
  'know',
  'climate',
  'impact',
  'solution',
  'newsletter',
  'submit',
  'email',
  'address',
  'site',
  'owner',
  'mailchimp',
  'email',
  'site',
  'owner',
  'unsubscribe',
  'link',
  'email',
  'time',
  'whoops',
  'error',
  'subscription',
  'page',
  'article',
  'analysis',
  'sara',
  'climate',
  'eye',
  'storm',
  'cool',
  'road',
  'commentary',
  'interviews',
  'reviews',
  'educación',
  'climática',
  'clima',
  'extremo',
  'lo',
  'puedes',
  'hacer',
  'líderes',
  'podcasts',
  'ycc',
  'browse',
  'episodes',
  'radio',
  'program',
  'climate',
  'connections',
  'podcast',
  'story',
  'locations',
  'stations',
  'map',
  'browse',
  'topic',
  'arts',
  'culture',
  'climate',
  'science',
  'communicating',
  'climate',
  'education',
  'energy',
  'food',
  'agriculture',
  'health',
  'jobs',
  'economy',
  'national',
  'security',
  'oceans',
  'policy',
  'politics',
  'religion',
  'morality',
  'snow',
  'ice',
  'species',
  'ecosystems',
  'transportation',
  'weather',
  'extremes',
  'youth',
  'browse',
  'article',
  'analysis',
  'sara',
  'climate',
  'eye',
  'storm',
  'cool',
  'road',
  'commentary',
  'interviews',
  'reviews',
  'educación',
  'climática',
  'clima',
  'extremo',
  'lo',
  'puedes',
  'hacer',
  'líderes',
  'podcasts',
  'ycc',
  'browse',
  'episodes',
  'radio',
  'program',
  'climate',
  'connections',
  'podcast',
  'story',
  'locations',
  'stations',
  'map',
  'browse',
  'topic',
  'arts',
  'culture',
  'climate',
  'science',
  'communicating',
  'climate',
  'education',
  'energy',
  'food',
  'agriculture',
  'health',
  'jobs',
  'economy',
  'national',
  'security',
  'oceans',
  'policy',
  'politics',
  'religion',
  'morality',
  'snow',
  'ice',
  'species',
  'ecosystems',
  'transportation',
  'weather',
  'extremes',
  'youth',
  'ineye',
  'storm',
  'tornado',
  'thunderstorm',
  'west',
  'texas',
  'oklahoma',
  'rash',
  'weather',
  'thursday',
  'bob',
  'henson',
  'february',
  'share',
  'twitter',
  'opens',
  'window)click',
  'facebook',
  'opens',
  'window',
  'drone',
  'footage',
  'monday',
  'february',
  'damage',
  'home',
  'tornado',
  'norman',
  'oklahoma',
  'sunday',
  'night',
  'february',
  'credit',
  'colton',
  'williams',
  'ou',
  'daily',
  'facebook',
  'thunderstorm',
  'squall',
  'line',
  'freight',
  'train',
  'speed',
  'texas',
  'panhandle',
  'oklahoma',
  'sunday',
  'night',
  'feb.',
  'condition',
  'winter',
  'swarm',
  'wind',
  'report',
  'total',
  'tornado',
  'death',
  'tornado',
  'oklahoma',
  'town',
  'cheyenne',
  'cheyenne',
  'devastation',
  'community',
  'photo',
  'family',
  'life',
  'street',
  'adult',
  'kid',
  'morning',
  'debris',
  '@kfor',
  'pic.twitter.com/c8sppvbmyh',
  'kaylee',
  'olivas',
  '@kayleeolivastv',
  'february',
  'climate',
  'journalist',
  'sense',
  'newsletter',
  'story',
  'weekly',
  'news',
  'yale',
  'climate',
  'connections',
  'sunday',
  'damage',
  'twister',
  'norman',
  'oklahoma',
  'mile',
  'national',
  'weather',
  'center',
  'noaa',
  'nws',
  'storm',
  'prediction',
  'center',
  'video',
  'tornado',
  'wind',
  'researcher',
  'james',
  'ladue',
  'tornado',
  'formation',
  'vantage',
  'point',
  'national',
  'weather',
  'center',
  'ladue',
  'view',
  'norman',
  'tornado',
  'beginning',
  'south',
  'research',
  'campus',
  'ou',
  'https://t.co/q9emyv51m8',
  'james',
  'g.',
  'ladue',
  '@jladue',
  'february',
  'street',
  'norman',
  'tree',
  'power',
  'line',
  'dozen',
  'home',
  'injury',
  'police',
  'report',
  'washington',
  'post',
  'storm',
  'survey',
  'monday',
  'twister',
  'northeast',
  'ef2',
  'rating',
  'enhanced',
  'fujita',
  'scale',
  'twister',
  'oklahoma',
  'ef1',
  'norman',
  'neighborhood',
  'sunday',
  'night',
  'storm',
  'garage',
  'home',
  'door',
  'garage',
  'roof',
  'car',
  'okwx',
  'normantornado',
  '@okcfox',
  'pic.twitter.com/awq8qbhcev',
  'jamison',
  'keefover',
  '@jamisontvnew',
  'february',
  'light',
  'tornado',
  'damage',
  'morning',
  'east',
  'norman',
  'roof',
  'wall',
  'home',
  'vortex',
  'pic.twitter.com/rira5f1mpn',
  'jordan',
  'hall',
  '@jordanhallwx',
  'february',
  'period',
  'a.m.',
  'cst',
  'monday',
  'storm',
  'prediction',
  'center',
  'report',
  'wind',
  'storm',
  'complex',
  'glance',
  'wind',
  'swath',
  'derecho',
  'corridor',
  'thunderstorm',
  'downdraft',
  'mile',
  'mile',
  'storm',
  'prediction',
  'center',
  'weather',
  'episode',
  'day',
  'advance',
  'sunday',
  'morning',
  'center',
  'derecho',
  'wind',
  'swath',
  'gust',
  'mph',
  '.@noaa',
  'goeseast',
  '',
  '',
  'thunderstorm',
  'texas',
  'oklahoma',
  'kansas',
  'yesterday',
  'evening',
  'storm',
  '',
  '',
  'lightning',
  'hail',
  'wind',
  'tornado',
  'https://t.co/icrw4nnevq',
  'noaa',
  'satellites',
  '@noaasatellite',
  'february',
  'derecho',
  'season',
  'derechos',
  'midwest',
  'spring',
  'summer',
  'catastrophe',
  'iowa',
  'aug.',
  'february',
  'derechos',
  'alabama',
  'feb.',
  'derecho',
  'sunday',
  'magnitude',
  'february',
  'north',
  'west',
  'oklahoma',
  'location',
  'weather',
  'deep',
  'south',
  'season',
  'analog',
  'mind',
  'dollar',
  'derecho',
  'northern',
  'plains',
  'upper',
  'midwest',
  'dec.',
  'day',
  'tornado',
  'outbreak',
  'december',
  'history',
  'case',
  'norman',
  'sunday',
  'tornado',
  'squall',
  'line',
  'derechos',
  'case',
  'derechos',
  'north',
  'south',
  'derechos',
  'sweep',
  'east',
  'west',
  'zone',
  '%',
  'u.s.',
  'derechos',
  'december',
  'february',
  'decade',
  'derechos',
  'great',
  'plains',
  'winter',
  'hint',
  'climate',
  'weather',
  'season',
  'north',
  'winter',
  'damage',
  'survey',
  'factoid',
  'feb.',
  'tornado',
  'ok',
  'year',
  'tornado',
  'feb.',
  'ok',
  'feb.',
  'tornado',
  'cleveland',
  'county',
  'norman',
  'f0',
  'jonathan',
  'erdman',
  '@wxjerdman',
  'february',
  'blizzard',
  'dust',
  'derecho',
  'driving',
  'sunday',
  'derecho',
  'band',
  'level',
  'wind',
  'southern',
  'plains',
  'level',
  'low',
  'friday',
  'low',
  'generation',
  'snow',
  'blitz',
  'southern',
  'california',
  'blizzard',
  'condition',
  'foot',
  'snow',
  'mountain',
  'east',
  'los',
  'angeles',
  'rain',
  'level',
  'snow',
  'nws',
  'los',
  'angeles',
  'inch',
  'mountain',
  'high',
  'foot',
  'inch',
  'mount',
  'pinos',
  'foot',
  'rainfall',
  'total',
  'inch',
  'elevation',
  'pasadena',
  'inch',
  'burbank',
  'inch',
  'beverly',
  'hills',
  'inch',
  'i-5',
  'tejonpass',
  'traffic',
  'maintenance',
  'emergency',
  'crew',
  'work',
  'thank',
  'patience',
  'crew',
  'snow',
  'lot',
  'ice',
  'sun',
  'ice',
  'pic.twitter.com/nq1d6qxcnw',
  'caltrans',
  'district',
  '7',
  '@caltransdist7',
  'february',
  'surface',
  'texas',
  'panhandle',
  'sunday',
  'dust',
  'sky',
  'thunderstorm',
  'wind',
  'mph',
  'dust',
  'storm',
  'southern',
  'plains',
  'city',
  'lubbock',
  '80',
  'memory',
  'wind',
  'mph',
  'dust',
  'visibility',
  'object',
  'hunker',
  'pic.twitter.com/adm1eegurz',
  'ronroberts',
  'tv',
  '@rrobertswxlab',
  'february',
  'wind',
  'gust',
  'mph',
  '*',
  'mesonet',
  'station',
  'memphis',
  'tx',
  'oklahoma',
  'line',
  'line',
  'storm',
  'txwx',
  'okwx',
  'pic.twitter.com/qz6xs2llle',
  'craig',
  'ceecee',
  '@cc_stormwatch',
  'february',
  'surge',
  'air',
  'oklahoma',
  'gulf',
  'mexico',
  'fact',
  'water',
  'water',
  'vapor',
  'column',
  'oklahoma',
  'squall',
  'line',
  'inch',
  'record',
  'value',
  'february',
  'inch',
  'average',
  'inch',
  'surface',
  'air',
  'instability',
  'thunderstorm',
  'turn',
  'advantage',
  'eye',
  'wind',
  'shear',
  'sounding',
  'weather',
  'balloon',
  'norman',
  'p.m.',
  'cst',
  'sunday',
  'minute',
  'tornado',
  'wind',
  'millibar',
  'level',
  'mile',
  'surface',
  'knot',
  'mile',
  'hour',
  'sounding',
  'oklahoma',
  'city',
  'area',
  'day',
  'sounding',
  'wind',
  'height',
  'apple',
  'apple',
  'comparison',
  'sounding',
  'a.m.',
  'p.m.',
  'cst',
  'p.m.',
  'level',
  'jet',
  'stream',
  'mile',
  'oklahoma',
  'nature',
  'sunday',
  'night',
  'setup',
  'wind',
  'air',
  'surface',
  'balmy',
  'surface',
  'air',
  'thunderstorm',
  'development',
  'case',
  'surface',
  'air',
  'cap',
  'tornado',
  'proximity',
  'norman',
  'tornado',
  'norman',
  'minute',
  'cap',
  'flux',
  'boundary',
  'lid',
  'pic.twitter.com/leeh9u1mbg',
  'elizabeth',
  'leitman',
  '@wxliz',
  'february',
  'rest',
  'forecaster',
  'weather',
  'outbreak',
  'week',
  'bundle',
  'wind',
  'air',
  'southern',
  'plains',
  'sunday',
  'weather',
  'threat',
  'monday',
  'time',
  'illinois',
  'ohio',
  'surface',
  'sweep',
  'area',
  'band',
  'thunderstorm',
  'tornado',
  'wind',
  'tornado',
  'monday',
  'morning',
  'illinois',
  'surface',
  'warmth',
  'moisture',
  'threat',
  'sunday',
  'tornado',
  'morning',
  'monday',
  'storm',
  'prediction',
  'center',
  'risk',
  'weather',
  'level',
  'region',
  'rest',
  'level',
  'system',
  'west',
  'day',
  'place',
  'parent',
  'system',
  'packet',
  'level',
  'air',
  'wind',
  'low',
  'swing',
  'u.s.',
  'week',
  'plenty',
  'surface',
  'air',
  'gulf',
  'mexico',
  'southern',
  'plains',
  'southeast',
  'stage',
  'outbreak',
  'tornado',
  'weather',
  'southern',
  'plains',
  'thursday',
  'mississippi',
  'valley',
  'night',
  'agreement',
  'euro',
  'gfs',
  'thursday',
  'potential',
  'south',
  'central',
  'deep',
  'south',
  '',
  'weather',
  'txwx',
  'pic.twitter.com/p5lxvg1kp6',
  'pat',
  'cavlin',
  '@pcavlin',
  'february',
  'figure',
  'weather',
  'outlook',
  'thursday',
  'march',
  'monday',
  'feb.',
  'credit',
  'noaa',
  'nws',
  'spc',
  'storm',
  'prediction',
  'center',
  'day',
  'outlook',
  'monday',
  'thursday',
  'outbreak',
  'weather',
  'thursday',
  'afternoon',
  'thursday',
  'night',
  'potential',
  'hail',
  'wind',
  'tornado',
  'outlook',
  'event',
  'climatology',
  'concern',
  'awareness',
  'march',
  'tornado',
  'season',
  'mississippi',
  'valley',
  'jeff',
  'masters',
  'post',
  'website',
  'visitor',
  'eye',
  'storm',
  'post',
  'comment',
  'policy',
  'notice',
  'posting',
  'sea',
  'carbon',
  'air',
  'tree',
  'machine',
  'climate',
  'change',
  'drought',
  'connection',
  'bob',
  'henson',
  'meteorologist',
  'journalist',
  'boulder',
  'colorado',
  'weather',
  'climate',
  'national',
  'center',
  'atmospheric',
  'research',
  'weather',
  'underground',
  'freelance',
  'bob',
  'henson',
  'newspack',
  'automattic'],
 ['boston',
  'news',
  'weather',
  'sports',
  'whdh',
  '7new',
  'local',
  'regional',
  'air',
  'live',
  'stream',
  'breaking',
  'news',
  'stream',
  'world',
  'politics',
  'entertainment',
  'area',
  'traffic',
  'team',
  '7new',
  'social',
  'media',
  'video',
  'forecast',
  'interactive',
  'radar',
  'weather',
  'blog',
  'watches',
  'warning',
  'storm',
  'closings',
  'school',
  'organization',
  'closing',
  'delay',
  'cw56',
  'community',
  'calendar',
  'internships',
  'advertise',
  'employment',
  'opportunities',
  'contact',
  'news',
  'tips',
  'mobile',
  'app',
  'whdh',
  'tv',
  'listings',
  'tv',
  'winter',
  'storm',
  'inch',
  'snow',
  'mass.',
  'news',
  'whdh',
  'chris',
  'lambert',
  'mari',
  'salazar',
  'february',
  'snowstorm',
  'area',
  'monday',
  'night',
  'tuesday',
  'morning',
  'inch',
  'snow',
  'massachusetts',
  'town',
  'coast',
  'inch',
  'snow',
  'i-95',
  'corridor',
  'inch',
  'massachusetts',
  'inch',
  'snow',
  'winter',
  'storm',
  'warning',
  'effect',
  'p.m.',
  'monday',
  'p.m.',
  'tuesday',
  'snow',
  'time',
  'p.m.',
  'a.m.',
  'west',
  'east',
  'tuesday',
  'morning',
  'commute',
  'storm',
  'snow',
  'road',
  'likelihood',
  'snow',
  'map',
  'time',
  'time',
  'ski',
  'slope',
  'sledding',
  'hill',
  'inch',
  'snow',
  'tonight',
  'tomorrow',
  'coast',
  'terrain',
  'pic.twitter.com/xee2mp1vja',
  'chris',
  'lambert',
  '@clamberton7',
  'february',
  'tuesday',
  'wind',
  'coast',
  'mph',
  'breeze',
  'mph',
  'temperature',
  '20',
  '30',
  'morning',
  'afternoon',
  'shower',
  'wednesday',
  'storm',
  'system',
  'thursday',
  'friday',
  'rain',
  'snow',
  'view',
  'weather',
  'blog',
  'update',
  'list',
  'school',
  'closure',
  'delay',
  'copyright',
  'c',
  'sunbeam',
  'television',
  'rights',
  'material',
  'newsletter',
  'news',
  'inbox',
  '7weather',
  'storm',
  'way',
  'tomorrow',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'judge',
  'concern',
  'term',
  'agreement',
  'naacp',
  'national',
  'convention',
  'boston',
  'sinéad',
  'o’connor',
  'singer',
  'u',
  'media',
  'retired',
  'bruins',
  'star',
  'bergeron',
  'uber',
  'driver',
  'family',
  'jaylen',
  'brown',
  'celtics',
  'year',
  'deal',
  'nba',
  'history',
  'whdh',
  'tv',
  '7news',
  'wlvi',
  'tv',
  'cw56',
  'sunbeam',
  'television',
  'corp',
  '7',
  'bulfinch',
  'place',
  'boston',
  'ma',
  'news',
  'tips',
  'tips',
  'hank',
  'hank',
  'mobile',
  'apps',
  'news',
  'tips',
  'whdh',
  'tv',
  'listings',
  'cw56',
  'tv',
  'listing',
  'community',
  'calendar',
  'advertise',
  'contact',
  'internships',
  'employment',
  'opportunities',
  'privacy',
  'policy',
  'terms',
  'service',
  'children',
  'programming',
  'captioning',
  'concern',
  'eeo',
  'public',
  'file',
  'whdh',
  'fcc',
  'public',
  'file',
  'wlvi',
  'fcc',
  'public',
  'file',
  'content',
  'copyright',
  'whdh',
  'tv',
  'whdh',
  'programming',
  'child',
  'report',
  'fcc',
  'station',
  'outreach',
  'child',
  'public',
  'report',
  'fcc',
  'public',
  'file',
  'fcc',
  'website',
  'information',
  'site',
  'privacy',
  'policy',
  'terms',
  'service'],
 ['main',
  'local',
  'columnists',
  'free',
  'press',
  'opinion',
  'page',
  'times',
  'opinion',
  'page',
  'letters',
  'editor',
  'cartoons',
  'rants',
  'main',
  'local',
  'business',
  'best',
  'edge',
  'magazine',
  'life',
  'faith',
  'religion',
  'chatter',
  'magazine',
  'magazine',
  'chattanooganow',
  'events',
  'marion',
  'county',
  'official',
  'storm',
  'wind',
  'damage',
  'tree',
  'injury',
  'march',
  'p.m.',
  '',
  '',
  'march',
  'screenshot',
  'video',
  'shot',
  'times',
  'free',
  'press',
  'sport',
  'editor',
  'stephen',
  'hargis',
  'rain',
  'marion',
  'county',
  'tennessee',
  'friday',
  'march',
  'line',
  'storm',
  'southeast',
  'tennessee',
  'tree',
  'power',
  'line',
  'region',
  'friday',
  'afternoon',
  'report',
  'injury',
  'p.m.',
  'est.authoritie',
  'bradley',
  'bledsoe',
  'sequatchie',
  'county',
  'report',
  'tree',
  'power',
  'line',
  'injury',
  'debris',
  'roadway',
  'highway',
  'north',
  'chickamauga',
  'dam',
  'chattanooga',
  'lane',
  'debris',
  'interstate',
  'marion',
  'county',
  'weather',
  'marion',
  'county',
  'sheriff',
  'ronnie',
  'bo',
  'burnett',
  'p.m.',
  'est."we',
  'tree',
  'burnett',
  'whitwell',
  'mountain',
  'phone',
  'chattanooga',
  'times',
  'free',
  'press.(read',
  'chattanooga',
  'road',
  'epb',
  'power',
  'outage',
  'wind',
  'gallerystorms',
  'chattanooga',
  'area',
  'march',
  'hatch',
  'burnett',
  'folk',
  'hamilton',
  'county',
  'p.m.',
  'friday',
  'marion',
  'county',
  'emergency',
  'management',
  'agency',
  'director',
  'steve',
  'lamb',
  'report',
  'wind',
  'damage',
  'end',
  'county',
  'lamb',
  'phone',
  'report',
  'tree',
  'county',
  'interstate',
  'highway',
  'south',
  'pittsburg',
  'mountain',
  'jasper',
  'power',
  'line',
  'house',
  'roof',
  'porch',
  'valley',
  'view',
  'confirmation',
  'county',
  'report',
  'tree',
  'road',
  'whitwell',
  'mountain',
  'injury',
  'damage',
  'house',
  'house',
  'damage',
  'lamb',
  'contact',
  'ben',
  'benton',
  'bbenton@timesfreepress.com',
  'main',
  'local',
  'columnists',
  'free',
  'press',
  'opinion',
  'page',
  'times',
  'opinion',
  'page',
  'letters',
  'editor',
  'cartoons',
  'rants',
  'main',
  'local',
  'business',
  'best',
  'edge',
  'magazine',
  'life',
  'faith',
  'religion',
  'chatter',
  'magazine',
  'magazine',
  'chattanooganow',
  'event',
  'contact',
  'advertise',
  'terms',
  'conditions',
  'privacy',
  'policy',
  'ethics',
  'policy',
  'manage',
  'subscription',
  'download',
  'app',
  'digital',
  'faq',
  'copyright',
  'chattanooga',
  'times',
  'free',
  'press',
  'inc.',
  'right',
  'document',
  'permission',
  'chattanooga',
  'times',
  'free',
  'press',
  'inc.',
  'material',
  'associated',
  'press',
  'copyright',
  'associated',
  'press',
  'associated',
  'press',
  'text',
  'photo',
  'audio',
  'video',
  'material',
  'broadcast',
  'broadcast',
  'publication',
  'medium',
  'ap',
  'material',
  'portion',
  'computer',
  'use',
  'ap',
  'delay',
  'inaccuracy',
  'error',
  'omission',
  'transmission',
  'delivery',
  'damage',
  'foregoing',
  'right'],
 ['contentskip',
  'navigationskip',
  'navigationprint',
  'subscription',
  'sign',
  'insearch',
  'jobssearchus',
  'editionus',
  'editionuk',
  'editionaustralia',
  'guardian',
  'guardiannewsopinionsportculturelifestyleshowmoreshow',
  'morenewsview',
  'newsus',
  'newsworld',
  'politicsbusinesstechsciencenewslettersfight',
  'democracyopinionview',
  'opinionthe',
  'guardian',
  'viewcolumnistslettersopinion',
  'videoscartoonssportview',
  'sportsoccernfltennismlbmlsnbanhlf1golfcultureview',
  'culturefilmbooksmusicart',
  'designtv',
  'radiostageclassicalgameslifestyleview',
  'lifestylefashionfoodrecipeslove',
  'sexhome',
  'gardenhealth',
  'fitnessfamilytravelmoneysearch',
  'input',
  'google',
  'search',
  'searchsupport',
  'usprint',
  'subscriptionsus',
  'editionuk',
  'editionaustralia',
  'editionsearch',
  'jobsdigital',
  'archiveguardian',
  'puzzles',
  'licensingthe',
  'guardian',
  'guardianguardian',
  'weeklycrosswordswordiplycorrectionsfacebooktwittersearch',
  'jobsdigital',
  'archiveguardian',
  'puzzles',
  'licensingusworldenvironmentsoccerus',
  'politicsbusinesstechsciencenewslettersfight',
  'democracy',
  'downed',
  'line',
  'utility',
  'pole',
  'road',
  'tornado',
  'harvey',
  'louisiana',
  'wednesday',
  'photograph',
  'christiana',
  'botic',
  'line',
  'utility',
  'pole',
  'road',
  'tornado',
  'harvey',
  'louisiana',
  'wednesday',
  'photograph',
  'christiana',
  'botic',
  'epaus',
  'weather',
  'article',
  'month',
  'oldthree',
  'people',
  'louisiana',
  'storm',
  'system',
  'article',
  'month',
  'batter',
  'louisiana',
  'storm',
  'system',
  'blizzard',
  'condition',
  'great',
  'plainsassociated',
  'press',
  'new',
  'orleansthu',
  'dec',
  'estlast',
  'thu',
  'dec',
  'esta',
  'storm',
  'system',
  'people',
  'louisiana',
  'tornado',
  'state',
  'north',
  'south',
  'new',
  'orleans',
  'area',
  'system',
  'blizzard',
  'condition',
  'great',
  'plains',
  'injury',
  'louisiana',
  'power',
  'outage',
  'wednesday',
  'night',
  'storm',
  'mother',
  'son',
  'north',
  'west',
  'state',
  'day',
  'tornado',
  'woman',
  'wednesday',
  'south',
  'east',
  'louisiana',
  'st',
  'charles',
  'parish',
  'new',
  'orleans',
  'jefferson',
  'st',
  'bernard',
  'parish',
  'area',
  'tornado',
  'march',
  'tornado',
  'new',
  'iberia',
  'louisiana',
  'people',
  'window',
  'iberia',
  'medical',
  'center',
  'hospital',
  'dark',
  'cloud',
  'bradley',
  'lane',
  'tornado',
  'home',
  'new',
  'iberia',
  'louisiana',
  'wednesday',
  'photograph',
  'leslie',
  'westbrook',
  'aptornado',
  'threat',
  'mississippi',
  'county',
  'florida',
  'alabama',
  'weather',
  'threat',
  'new',
  'orleans',
  'emergency',
  'director',
  'collin',
  'arnold',
  'business',
  'residence',
  'wind',
  'damage',
  'west',
  'bank',
  'mississippi',
  'home',
  'people',
  'word',
  'damage',
  'home',
  'business',
  'damage',
  'jefferson',
  'parish',
  'sheriff',
  'suburb',
  'west',
  'new',
  'orleans',
  'building',
  'sheriff',
  'training',
  'academy',
  'building',
  'st',
  'bernard',
  'parish',
  'march',
  'tornado',
  'devastation',
  'sheriff',
  'jimmy',
  'pohlman',
  'damage',
  'mile',
  'stretch',
  'president',
  'guy',
  'mcinnis',
  'damage',
  'march',
  'roof',
  'authority',
  'st',
  'charles',
  'parish',
  'west',
  'new',
  'orleans',
  'woman',
  'tornado',
  'killona',
  'mississippi',
  'people',
  'hospital',
  '“she',
  'residence',
  'sheriff',
  'greg',
  'champagne',
  'woman',
  'debris',
  'tornado',
  '”about',
  'mile',
  'louisiana',
  'authority',
  'body',
  'mother',
  'child',
  'tornado',
  'home',
  'tuesday',
  'keithville',
  'shreveport',
  'house',
  'house',
  'governor',
  'john',
  'bel',
  'edwards',
  'reporter',
  'mile',
  'path',
  'destruction',
  'emergency',
  'declaration',
  'debris',
  'weather',
  'wednesday',
  'keithville',
  'louisiana',
  'photograph',
  'jake',
  'bleiberg',
  'apthe',
  'caddo',
  'parish',
  'coroner',
  'body',
  'year',
  'nikolus',
  'little',
  'wood',
  'body',
  'mother',
  'yoshiko',
  'smith',
  'storm',
  'debris',
  'casey',
  'jones',
  'sheriff',
  'office',
  'boy',
  'father',
  'grocery',
  'storm',
  'family',
  'house',
  'jones',
  'storm',
  'louisiana',
  'south',
  'union',
  'parish',
  'arkansas',
  'line',
  'farmerville',
  'mayor',
  'john',
  'crow',
  'tornado',
  'tuesday',
  'night',
  'apartment',
  'complex',
  'family',
  'neighboring',
  'trailer',
  'park',
  'home',
  'crow',
  'home',
  'lake',
  'd’arbonne',
  'rankin',
  'county',
  'mississippi',
  'tornado',
  'chicken',
  'house',
  'rooster',
  'sheriff',
  'mobile',
  'home',
  'sharkey',
  'county',
  'debris',
  'storm',
  'journey',
  'snow',
  'sierra',
  'nevada',
  'tuesday',
  'thunderstorm',
  'texas',
  'people',
  'grapevine',
  'dallas',
  'suburb',
  'forecaster',
  'system',
  'midwest',
  'ice',
  'rain',
  'snow',
  'day',
  'appalachians',
  'north',
  'east',
  'national',
  'weather',
  'service',
  'winter',
  'storm',
  'wednesday',
  'night',
  'friday',
  'afternoon',
  'resident',
  'west',
  'virginia',
  'vermont',
  'mix',
  'snow',
  'ice',
  'sleet',
  'viewedusworldenvironmentsoccerus',
  'politicsbusinesstechsciencenewslettersfight',
  'reporting',
  'analysis',
  'guardian',
  'ushelpcomplaint',
  'correctionssecuredropwork',
  'usprivacy',
  'policycookie',
  'policyterms',
  'conditionscontact',
  'usall',
  'topicsall',
  'newspaper',
  'archivefacebookyoutubeinstagramlinkedintwitternewslettersadvertise',
  'labssearch',
  'guardian',
  'news',
  'media',
  'limited',
  'company',
  'right'],
 ['ad',
  'issue',
  'video',
  'player',
  'content',
  'ad',
  'video',
  'content',
  'ad',
  'audio',
  'ad',
  'ad',
  'page',
  'content',
  'ad',
  'ad',
  'ad',
  'effort',
  'contribution',
  'feedback',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'kentucky',
  'town',
  'tornado',
  'survivor',
  'clothe',
  'kelly',
  'mccleary',
  'holly',
  'yan',
  'theresa',
  'waldrop',
  'cnn',
  'pm',
  'est',
  'tue',
  'december',
  'gut',
  'feeling',
  'kentucky',
  'man',
  'dog',
  'life',
  'tornado',
  'destruction',
  'home',
  'business',
  'air',
  'weekend',
  'tornado',
  'outbreak',
  'state',
  'clothe',
  'path',
  'recovery',
  '%',
  'town',
  'dawson',
  'springs',
  'kentucky',
  'tornado',
  'mayor',
  'chris',
  'smiley',
  'spirit',
  'hopkins',
  'county',
  'coroner',
  'dennis',
  'mayfield',
  'death',
  'toll',
  'dawson',
  'springs',
  'town',
  'population',
  'life',
  'poverty',
  'line',
  'insurance',
  'home',
  'power',
  'month',
  'nick',
  'bailey',
  'county',
  'emergency',
  'management',
  'director',
  'dawson',
  'springs',
  'mother',
  'kid',
  'bed',
  'storm',
  'mattress',
  'air',
  'people',
  'storm',
  'midwest',
  'south',
  'friday',
  'saturday',
  'kentucky',
  'gov.',
  'andy',
  'beshear',
  'tornado',
  'report',
  'state',
  'tornado',
  'roof',
  'past',
  'beshear',
  'house',
  'people',
  'animal',
  'rest',
  'kentucky',
  'child',
  'beshear',
  'people',
  'tuesday',
  'morning',
  'beshear',
  'national',
  'guardsmen',
  'effort',
  'state',
  'red',
  'cross',
  'shelter',
  'home',
  'state',
  'park',
  'house',
  'family',
  'team',
  'western',
  'kentucky',
  'tornado',
  'relief',
  'fund',
  'fund',
  'recovery',
  'tuesday',
  'beshear',
  'sister',
  'resident',
  'dawson',
  'springs',
  'tornado',
  'damage',
  'life',
  'building',
  'transmission',
  'tower',
  'week',
  'month',
  'kentucky',
  'emergency',
  'management',
  'director',
  'michael',
  'dossett',
  'cnn',
  'wolf',
  'blitzer',
  'power',
  'outage',
  'mayfield',
  'electric',
  'week',
  'month',
  'dossett',
  'destruction',
  'term',
  'impact',
  'folk',
  'state',
  'sen.',
  'whitney',
  'westerfield',
  'home',
  'building',
  'time',
  'kind',
  'thing',
  'community',
  'family',
  'time',
  'cnn',
  'monday',
  'kentucky',
  'candle',
  'factory',
  'official',
  'mayfield',
  'mile',
  'drive',
  'southwest',
  'dawson',
  'springs',
  'mayfield',
  'consumer',
  'products',
  'candle',
  'factory',
  'indianapolis',
  'fire',
  'division',
  'chief',
  'tom',
  'neal',
  'search',
  'rescue',
  'team',
  'facility',
  'factory',
  'christmastime',
  'candle',
  'demand',
  'rep.',
  'james',
  'comer',
  'area',
  'cnn',
  'debris',
  'damage',
  'mayfield',
  'consumer',
  'products',
  'candle',
  'factory',
  'mayfield',
  'kentucky',
  'saturday',
  'december',
  'tornado',
  'friday',
  'night',
  'candle',
  'factory',
  '24/7',
  'christmastime',
  'demand',
  'storm',
  'tornado',
  'building',
  'friday',
  'night',
  'employee',
  'foot',
  'debris',
  'authority',
  'rubble',
  'factory',
  'worker',
  'jim',
  'douglas',
  'pain',
  'foot',
  'debris',
  'god',
  'rescue',
  'worker',
  'hero',
  'lot',
  'people',
  'douglas',
  'cnn',
  'hospital',
  'bed',
  'douglas',
  'nerve',
  'damage',
  'use',
  'arm',
  'leg',
  'worker',
  'wall',
  'head',
  'ground',
  'layer',
  'body',
  'mayfield',
  'resident',
  'factory',
  'word',
  'spread',
  'destruction',
  'navy',
  'veteran',
  'adam',
  'slack',
  'people',
  'debris',
  'road',
  'paramedic',
  'firefighter',
  'site',
  'slack',
  'survivor',
  'site',
  'people',
  'vigil',
  'tuesday',
  'december',
  'mayfield',
  'kentucky',
  'roof',
  'candle',
  'factory',
  'member',
  'bowlin',
  'family',
  'wood',
  'fire',
  'yard',
  'home',
  'december',
  'power',
  'aftermath',
  'tornado',
  'mayfield',
  'kentucky',
  'christie',
  'bonds',
  'month',
  'dog',
  'jingles',
  'shelter',
  'accommodation',
  'wingo',
  'kentucky',
  'december',
  'devin',
  'carlton',
  'fiancee',
  'asiah',
  'alubahi',
  'apartment',
  'mayfield',
  'kentucky',
  'monday',
  'december',
  'ultrasound',
  'daughter',
  'miscarriage',
  'alubahi',
  'hannah',
  'binder',
  'car',
  'edwardsville',
  'illinois',
  'december',
  'item',
  'car',
  'tree',
  'friday',
  'david',
  'carson',
  'st.',
  'louis',
  'post',
  '-',
  'dispatch',
  'ap',
  'anthony',
  'vasquez',
  'month',
  'son',
  'michael',
  'makeshift',
  'shelter',
  'wingo',
  'kentucky',
  'december',
  "j'il",
  'wimbley',
  'sister',
  'school',
  'yearbook',
  'remain',
  'father',
  'home',
  'mayfield',
  'december',
  'wimbley',
  'father',
  'home',
  'time',
  'tornado',
  'cover',
  'dining',
  'table',
  'home',
  'devastation',
  'mayfield',
  'bedroom',
  'window',
  'december',
  'red',
  'cross',
  'volunteer',
  'donation',
  'south',
  'warren',
  'high',
  'school',
  'bowling',
  'green',
  'kentucky',
  'december',
  'people',
  'tornado',
  'search',
  'rescue',
  'crew',
  'mayfield',
  'consumer',
  'products',
  'candle',
  'factory',
  'sunday',
  'silas',
  'walker',
  'lexington',
  'herald',
  'leader',
  'tribune',
  'news',
  'service',
  'getty',
  'images',
  'desiray',
  'cartledge',
  'rubble',
  'house',
  'dawson',
  'springs',
  'kentucky',
  'december',
  'austin',
  'anthony',
  'washington',
  'post',
  'getty',
  'images',
  'people',
  'belonging',
  'home',
  'december',
  'mayfield',
  'family',
  'photo',
  'debris',
  'house',
  'december',
  'tornado',
  'dawson',
  'springs',
  'james',
  'strickland',
  'breakfast',
  'porch',
  'father',
  'home',
  'december',
  'mayfield',
  'step',
  'house',
  'storm',
  'damage',
  'dawson',
  'springs',
  'december',
  'destruction',
  'mayfield',
  'saturday',
  'december',
  'theater',
  'mayfield',
  'december',
  'irene',
  'noltner',
  'hat',
  'jody',
  "o'neill",
  'lighthouse',
  'woman',
  'child',
  'shelter',
  'mayfield',
  'volunteer',
  'henry',
  'moss',
  'middle',
  'school',
  'donation',
  'tornado',
  'victim',
  'saturday',
  'night',
  'bowling',
  'green',
  'chris',
  'buchanan',
  'center',
  'niki',
  'thompson',
  'cheyenne',
  'dog',
  'tornado',
  'home',
  'mayfield',
  'saturday',
  'tree',
  'tornado',
  'home',
  'mayfield',
  'kenny',
  'sanford',
  'mother',
  'law',
  'apartment',
  'wall',
  'saturday',
  'mayfield',
  'people',
  'debris',
  'mayfield',
  'person',
  'damage',
  'debris',
  'bowling',
  'green',
  'saturday',
  'december',
  'birthday',
  'card',
  'debris',
  'mayfield',
  'man',
  'area',
  'reelfoot',
  'lake',
  'state',
  'park',
  'tiptonville',
  'tennessee',
  'saturday',
  'george',
  'walker',
  'iv',
  'tennessean',
  'usa',
  'today',
  'network',
  'severe',
  'damage',
  'monette',
  'manor',
  'nursing',
  'home',
  'monette',
  'arkansas',
  'saturday',
  'arkansas',
  'city',
  'person',
  'tornado',
  'nursing',
  'home',
  'friday',
  'night',
  'people',
  'facility',
  'mayor',
  'bob',
  'blankenship',
  'cnn',
  'joe',
  'rondone',
  'commercial',
  'appeal',
  'usa',
  'today',
  'network',
  'trail',
  'destruction',
  'bowling',
  'green',
  'tom',
  'wheeler',
  'peel',
  'holland',
  'insurance',
  'office',
  'mayfield',
  'denny',
  'simmons',
  'evansville',
  'courier',
  'press',
  'usa',
  'today',
  'network',
  'people',
  'scene',
  'train',
  'derailment',
  'earlington',
  'kentucky',
  'damage',
  'emmanuel',
  'baptist',
  'church',
  'mayfield',
  'saturday',
  'employee',
  'friend',
  'la',
  'azteca',
  'food',
  'item',
  'eatery',
  'downtown',
  'mayfield',
  'train',
  'damage',
  'debris',
  'earlington',
  'emergency',
  'worker',
  'mayfield',
  'consumer',
  'products',
  'candle',
  'factory',
  'damage',
  'downtown',
  'mayfield',
  'people',
  'rubble',
  'mayfield',
  'damage',
  'dickson',
  'county',
  'tennessee',
  'george',
  'walker',
  'iv',
  'tennessean',
  'ap',
  'debris',
  'damage',
  'mayfield',
  'consumer',
  'products',
  'candle',
  'factory',
  'mayfield',
  'saturday',
  'rescue',
  'personnel',
  'work',
  'amazon',
  'distribution',
  'center',
  'edwardsville',
  'illinois',
  'storm',
  'friday',
  'december',
  'picture',
  'tornado',
  'woman',
  'hand',
  'time',
  'dad',
  'slack',
  'cnn',
  'new',
  'day',
  'tuesday',
  'vehicle',
  'shelter',
  'blanket',
  'slack',
  'slack',
  'cell',
  'phone',
  'father',
  'slack',
  'factory',
  'site',
  'death',
  'toll',
  'tornado',
  'kentucky',
  'bit',
  'tear',
  'eye',
  'wind',
  'power',
  'line',
  'couple',
  'gas',
  'leak',
  'people',
  'mound',
  'ant',
  'people',
  'slack',
  'mile',
  'east',
  'mayfield',
  'bowling',
  'green',
  'kentucky',
  'official',
  'person',
  'report',
  'tornado',
  'monday',
  'people',
  'police',
  'chief',
  'michael',
  'delaney',
  'death',
  'toll',
  'warren',
  'county',
  'bowling',
  'green',
  'coroner',
  'office',
  'amazon',
  'warehouse',
  'illinois',
  'illinois',
  'people',
  'amazon',
  'warehouse',
  'edwardsville',
  'tornado',
  'fire',
  'chief',
  'james',
  'whiteford',
  'victim',
  'age',
  'edwardsville',
  'police',
  'department',
  'people',
  'building',
  'person',
  'hospital',
  'treatment',
  'edwardsville',
  'fire',
  'chief',
  'james',
  'whiteford',
  'saturday',
  'evening',
  'amazon',
  'worldwide',
  'consumer',
  'ceo',
  'dave',
  'clark',
  'company',
  'staff',
  'loss',
  'life',
  'facility',
  'people',
  'belonging',
  'tornado',
  'weather',
  'region',
  'december',
  'mayfield',
  'kentucky',
  'dozen',
  'tornado',
  'state',
  'people',
  'saturday',
  'president',
  'joe',
  'biden',
  'storm',
  'outbreak',
  'history',
  'photo',
  'brendan',
  'smialowski',
  'afp',
  'photo',
  'brendan',
  'smialowski',
  'afp',
  'getty',
  'images',
  'climate',
  'change',
  'role',
  'weekend',
  'tornado',
  'question',
  'thought',
  'prayer',
  'victim',
  'storm',
  'path',
  'support',
  'employee',
  'partner',
  'area',
  'community',
  'storm',
  'responder',
  'effort',
  'scene',
  'clark',
  'tweet',
  'occupational',
  'safety',
  'health',
  'administration',
  'collapse',
  'spokesperson',
  'cnn',
  'osha',
  'compliance',
  'officer',
  'complex',
  'saturday',
  'december',
  'assistance',
  'department',
  'labor',
  'spokesperson',
  'scott',
  'allen',
  'email',
  'monday',
  'osha',
  'fatality',
  'catastrophe',
  'month',
  'investigation',
  'issue',
  'citation',
  'penalty',
  'violation',
  'workplace',
  'safety',
  'health',
  'regulation',
  'allen',
  'amazon',
  'osha',
  'effort',
  'spokesperson',
  'amazon',
  'email',
  'monday',
  'arkansas',
  'storm',
  'dollar',
  'general',
  'store',
  'leachville',
  'manager',
  'june',
  'pennington',
  'mississippi',
  'county',
  'spokesman',
  'tom',
  'henry',
  'hour',
  'family',
  'dozen',
  'tornado',
  'state',
  'relief',
  'worker',
  'ground',
  'tornado',
  'victim',
  'city',
  'monette',
  'person',
  'nursing',
  'home',
  'tornado',
  'mayor',
  'bob',
  'blankenship',
  'gov.',
  'asa',
  'hutchinson',
  'miracle',
  'person',
  'nursing',
  'home',
  'facility',
  'heaven',
  'roof',
  'content',
  'miracle',
  'resident',
  'effort',
  'staff',
  'fact',
  'minute',
  'warning',
  'cnn',
  'jennifer',
  'henderson',
  'dugald',
  'mcconnell',
  'ashley',
  'killough',
  'nick',
  'valencia',
  'brynn',
  'gingras',
  'sarah',
  'boxer',
  'claudia',
  'dominguez',
  'andy',
  'rose',
  'report',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cable',
  'news',
  'network',
  'warner',
  'bros.',
  'discovery',
  'company',
  'rights',
  'cnn',
  'sans',
  'cable',
  'news',
  'network'],
 ['contentabc',
  'news',
  'homepagesearchloadingmore',
  'abcmore',
  'abcclose',
  'menuabciviewlistenabc',
  'homenewslocallistenivieweverydaymoreeditorial',
  'policiesread',
  'editorial',
  'principlesaccessibilityhelpcontact',
  'usabout',
  'abcprivacy',
  'policyterms',
  'use',
  'abcjust',
  'inwatch',
  'livevoice',
  'referendumpoliticsworldbusinessanalysissportsciencehealthartsfact',
  'checkcoronavirusothernews',
  'homeabc',
  'news',
  'homepageus',
  'tornado',
  'storm',
  'people',
  'state',
  'mississippishareus',
  'tornado',
  'storm',
  'people',
  'state',
  'mississippiposted',
  'sat',
  'mar',
  'mar',
  'mar',
  'sat',
  'mar',
  'mar',
  'mar',
  'family',
  'friend',
  'articleabc.net.au/news/us-deadly-tornado-and-storms-in-mississipi/102146074link',
  'copiedcopy',
  'linkshareat',
  'people',
  'dozen',
  'tornado',
  'thunderstorm',
  'state',
  'mississippi',
  'state',
  'emergency',
  'management',
  'agency',
  'point',
  'tornado',
  'thunderstorm',
  'mississippi',
  'friday',
  'trail',
  'damage',
  'kilometre',
  'fear',
  'death',
  'toll',
  'search',
  'rescue',
  'team',
  'aftermathat',
  'report',
  'tornado',
  'national',
  'weather',
  'service',
  'friday',
  'saturday',
  'morningthe',
  'twister',
  'trail',
  'damage',
  'kilometre',
  'friday',
  'time',
  'people',
  'search',
  'rescue',
  'team',
  'destruction',
  'survivor',
  'storm',
  'silver',
  'city',
  'town',
  'people',
  'western',
  'mississippi',
  'mississippi',
  'emergency',
  'management',
  'agency',
  'series',
  'tweet',
  'number',
  'death',
  'toll',
  'state',
  'tornado',
  'warning',
  'search',
  'rescue',
  'team',
  'rolling',
  'fork',
  'town',
  'people',
  'brunt',
  'tornado',
  'cnn',
  'mississippi',
  'resident',
  'damage',
  'weather',
  'event',
  'ap',
  'rogelio',
  'v.',
  'solis)"my',
  'city',
  'rolling',
  'fork',
  'mayor',
  'eldridge',
  'walker',
  'cnn."we',
  'twitter',
  'rolling',
  'fork',
  'bomb',
  'mr',
  'walker',
  'people',
  'rolling',
  'fork',
  'people',
  'home',
  'effort',
  'morning',
  'mr',
  'walker',
  'humphreys',
  'county',
  'sheriff',
  'bruce',
  'williams',
  'cnn',
  'town',
  'bomb',
  'derrick',
  'brady',
  'jr',
  'year',
  'sister',
  'kylie',
  'carter',
  'body',
  'tornado',
  'home',
  'bathtub',
  'mum',
  'bathroom',
  'door',
  'sensation',
  'feeling',
  'twister',
  'force',
  'time',
  'prayer',
  'head',
  '"wanda',
  'barfield',
  'grandmother',
  'derrick',
  'kylie',
  'town',
  'friday',
  'night',
  'saturday',
  'storm',
  'family',
  'member',
  'cell',
  'phone',
  'sister',
  'law',
  'wreckage',
  'responder',
  'tornado',
  'caravan',
  'home',
  'park',
  'sign',
  'life',
  'rolling',
  'fork.(ap',
  'rogelio',
  'v.',
  'solis)yazoo',
  'constable',
  'jeremy',
  'mccoy',
  'rolling',
  'fork',
  'rescue',
  'effort',
  'cnn',
  'situation',
  'ground',
  'nail',
  'mr',
  'mccoy',
  'baby',
  'dog',
  'mississippi',
  'governor',
  'tate',
  'reeves',
  'loss',
  'tornado',
  'local',
  'rogelio',
  'v.',
  'solis)a',
  'rolling',
  'fork',
  'resident',
  'brandy',
  'showah',
  'network',
  'town',
  'ms',
  'showah',
  'grandmother',
  'house',
  'damage',
  '"my',
  'friend',
  'home',
  'house',
  'ms',
  'showah',
  'people',
  'grandmother',
  'house',
  'search',
  'rescue',
  'team',
  'mississippi',
  'debris',
  'friday',
  'storm',
  'ap',
  'rogelio',
  'solis)todd',
  'terrell',
  'volunteer',
  'rescuer',
  'group',
  'united',
  'cajun',
  'navy',
  'abc',
  'news',
  'rolling',
  'fork',
  'people',
  'home',
  'mr',
  'terrell',
  'destruction',
  'tornado',
  'joplin',
  'missouri',
  'people',
  'alabama',
  'report',
  'tornadoesat',
  'report',
  'tornado',
  'national',
  'weather',
  'service',
  'friday',
  'night',
  'saturday',
  'morning',
  'storm',
  'chaser',
  'observer',
  'report',
  'edge',
  'mississippi',
  'centre',
  'state',
  'alabama',
  'sheriff',
  'deputy',
  'pile',
  'wind',
  'vehicle',
  'survivor',
  'rogelio',
  'v',
  'solis)photographs',
  'destruction',
  'news',
  'network',
  'building',
  'rubble',
  'car',
  'people',
  'debris',
  'darkness',
  '"many',
  'ms',
  'delta',
  'prayer',
  'god',
  'protection',
  'tonight',
  'governor',
  'tate',
  'reeve',
  'series',
  'tweet',
  'support',
  'ambulance',
  'emergency',
  'asset',
  'search',
  'rescue',
  'loss',
  'town',
  'god',
  'hand',
  'family',
  'friend',
  'mar',
  'mar',
  'mar',
  'mar',
  'mar',
  'mar',
  'storiesstorms',
  'north',
  'east',
  'united',
  'states',
  'south',
  'deadtornadoe',
  'trail',
  'injury',
  'power',
  'outage',
  'destructionat',
  'people',
  'tornado',
  'path',
  'storm',
  'disasterstorm',
  'eventunited',
  'statesweather',
  'phenomenatop',
  'storieslive',
  'momenttasmania',
  'police',
  'arrest',
  'man',
  'shyanne',
  'lee',
  'tatnell',
  'disappearance',
  'tim',
  'mathieson',
  'partner',
  'julia',
  'gillard',
  'assault',
  "charge'we're",
  'price',
  'boomer',
  'inflation',
  'rba',
  'rate',
  'itkevin',
  'spacey',
  'metoo',
  'london',
  'court',
  'general',
  'armageddon',
  'sergei',
  'surovikin',
  'peace?nothing',
  'compare',
  'u',
  'song',
  'prince',
  'sinéad',
  'sinéad',
  "o'connor",
  'chart',
  '90',
  'netherlands',
  'world',
  'cup',
  'draw',
  'matildas',
  'tonight',
  'matchpolice',
  'probe',
  'link',
  'sydney',
  'shooting',
  'man',
  'city',
  'south',
  'westa',
  'bladder',
  'condition',
  'kidney',
  'tour',
  'pm',
  'hipkins',
  'brief',
  'nation',
  'imperialism',
  'pacific',
  'blinken',
  'door',
  'nz',
  'giant',
  'buyer',
  'thousand',
  'home',
  'specie',
  'dinosaur',
  'thailandthis',
  'program',
  'violence',
  'track',
  'moment',
  'tasmania',
  'police',
  'man',
  'shyanne',
  'lee',
  'tatnell',
  'disappearance',
  'remain',
  'mathieson',
  'partner',
  'julia',
  'gillard',
  'assault',
  "charge3.'we're",
  'price',
  'boomer',
  'inflation',
  'rba',
  'rate',
  'it4.sinéad',
  "o'connor",
  'chart',
  '90',
  'spacey',
  'metoo',
  'london',
  'court',
  'him6.resident',
  'railway',
  'patio',
  'home',
  'transport',
  'momenttasmania',
  'police',
  'arrest',
  'man',
  'shyanne',
  'lee',
  'tatnell',
  'disappearance',
  'tim',
  'mathieson',
  'partner',
  'julia',
  'gillard',
  'assault',
  "charge'we're",
  'price',
  'boomer',
  'inflation',
  'rba',
  'rate',
  'itkevin',
  'spacey',
  'metoo',
  'london',
  'court',
  'general',
  'armageddon',
  'sergei',
  'surovikin',
  'peace?nothing',
  'compare',
  'u',
  'song',
  'prince',
  'sinéad',
  'sinéad',
  "o'connor",
  'chart',
  '90',
  'netherlands',
  'world',
  'cup',
  'draw',
  'matildas',
  'tonight',
  'matchpolice',
  'probe',
  'link',
  'sydney',
  'shooting',
  'man',
  'city',
  'south',
  'westjust',
  'driver',
  'canberra',
  'hour',
  'licence',
  'tests5',
  'ago5',
  'minute',
  'agothu',
  'jul',
  'investigate',
  'woman',
  'death',
  'perth',
  'suburb',
  'm',
  'minute',
  'agothu',
  'jul',
  'man',
  'life',
  'line',
  'mate',
  'sydney',
  'harbour',
  'bridge',
  'fall24',
  'ago24',
  'minute',
  'agothu',
  'jul',
  'government',
  'culture',
  'corruption',
  'secrecy',
  'opposition',
  'wake',
  'ibac',
  'report',
  'release28',
  'm',
  'ago28',
  'minute',
  'agothu',
  'jul',
  'imperialism',
  'pacific',
  'blinken',
  'door',
  'nz',
  'aukus30',
  'minute',
  'agothu',
  'jul',
  '4:47amas',
  'tour',
  'pm',
  'hipkins',
  'brief',
  'nation',
  'leader40',
  'm',
  'ago40',
  'minute',
  'agothu',
  'jul',
  'inback',
  'topfooterabc',
  'news',
  'homepagemore',
  'abc',
  'newswe',
  'torres',
  'strait',
  'islander',
  'people',
  'australians',
  'traditional',
  'custodians',
  'land',
  'work',
  'sectionsabc',
  'newsjust',
  'inwatch',
  'livevoice',
  'referendumpoliticsworldbusinessanalysissportsciencehealthartsfact',
  'checkcoronavirusothernews',
  'language中文berita',
  'bahasa',
  'indonesiatok',
  'pisinconnect',
  'abc',
  'newsfacebooktwitterinstagramyoutubeapple',
  'newsmore',
  'abc',
  'newscontact',
  'abc',
  'newsthis',
  'service',
  'material',
  'agence',
  'france',
  'presse',
  'afp',
  'aptn',
  'reuters',
  'aap',
  'cnn',
  'bbc',
  'world',
  'service',
  'copyright',
  'aest',
  'australian',
  'eastern',
  'standard',
  'time',
  'hour',
  'gmt',
  'greenwich',
  'time)editorial',
  'policiesaccessibilityhelpcontact',
  'usabout',
  'abcprivacy',
  'policyterms',
  'use',
  'abc'],
 ['hunter',
  'biden',
  'plea',
  'deal',
  'ufo',
  'takeaway',
  'whistleblower',
  'congress',
  'uap',
  'sinéad',
  "o'connor",
  'grammy',
  'singer',
  'netherlands',
  'u.s.',
  'draw',
  'rematch',
  'world',
  'cup',
  'federal',
  'reserve',
  'interest',
  'rate',
  'level',
  'year',
  'niger',
  'president',
  'guard',
  'coup',
  'ohio',
  'officer',
  'k-9',
  'man',
  'hand',
  'story',
  'tic',
  'tac',
  'ufo',
  'florence',
  'flooding',
  'crisis',
  'north',
  'carolina',
  'update',
  'september',
  'cbs',
  'ap',
  'red',
  'cross',
  'hurricane',
  'florence',
  'recovery',
  'florence',
  'factsat',
  'people',
  'storm',
  'incident',
  'north',
  'carolina',
  'south',
  'carolina',
  'people',
  'power',
  'north',
  'carolina',
  'a.m.',
  'tuesday',
  'florence',
  'cyclone',
  'mile',
  'west',
  'northwest',
  'new',
  'york',
  'city',
  'wind',
  'mph',
  'national',
  'hurricane',
  'center',
  'cape',
  'fear',
  'river',
  'crest',
  'foot',
  'tuesday',
  'inch',
  'rain',
  'elizabethtown',
  'north',
  'carolina',
  'cbs',
  'raleigh',
  'affiliate',
  'wncn',
  'tv',
  'report',
  'town',
  'inch',
  'thursday',
  'authority',
  'health',
  'patient',
  'van',
  'flood',
  'water',
  'south',
  'carolina',
  'horry',
  'county',
  'sheriff',
  'department',
  'spokeswoman',
  'brooke',
  'holden',
  'sheriff',
  'office',
  'van',
  'patient',
  'deputy',
  'conway',
  'darlington',
  'tuesday',
  'night',
  'flood',
  'water',
  'victim',
  'prison',
  'detainee',
  'official',
  'patient',
  'hospital',
  'official',
  'van',
  'little',
  'pee',
  'dee',
  'river',
  'body',
  'water',
  'official',
  'south',
  'carolina',
  'water',
  'state',
  'upriver',
  'north',
  'carolina',
  'rain',
  'florence',
  'marion',
  'county',
  'coroner',
  'jerry',
  'richardson',
  'ap',
  'tuesday',
  'woman',
  'incident',
  'holden',
  'deputy',
  'health',
  'patient',
  'door',
  'water',
  'rescue',
  'team',
  'deputy',
  'van',
  'tonight',
  'incident',
  'tragedy',
  'question',
  'horry',
  'county',
  'sheriff',
  'phillip',
  'thompson',
  'statement',
  'state',
  'law',
  'enforcement',
  'division',
  'investigation',
  'event',
  '"death',
  'toll',
  'cbs',
  'news',
  'death',
  'storm',
  'monday',
  'evening',
  'north',
  'carolina',
  'south',
  'carolina',
  'virginia',
  'lesha',
  'murphy',
  'johnson',
  'month',
  'son',
  'tree',
  'house',
  'wilmington',
  'north',
  'carolina',
  'child',
  'kaiden',
  'lee',
  'welch',
  'official',
  'water',
  'richardson',
  'creek',
  'union',
  'county',
  'north',
  'carolina',
  'kade',
  'gills',
  'month',
  'official',
  'tree',
  'home',
  'dallas',
  'north',
  'carolina',
  'trump',
  'north',
  'carolina',
  'wednesday',
  'president',
  'trump',
  'look',
  'impact',
  'hurricane',
  'florence',
  'white',
  'house',
  'press',
  'secretary',
  'sarah',
  'sanders',
  'trump',
  'plan',
  'wednesday',
  'north',
  'carolina',
  'brunt',
  'storm',
  'day',
  'hurricane',
  'region',
  'flooding',
  'wilmington',
  'north',
  'carolina',
  'resident',
  'tuesday',
  'food',
  'water',
  'tarp',
  'official',
  'route',
  'city',
  'florence',
  'death',
  'state',
  'remnant',
  'category',
  'hurricane',
  'mass',
  'chicken',
  'north',
  'carolina',
  'chicken',
  'storm',
  'poultry',
  'producer',
  'sanderson',
  'farms',
  'statement',
  'company',
  'broiler',
  'house',
  'need',
  'repair',
  'sanderson',
  'farms',
  'farm',
  'lumberton',
  'north',
  'carolina',
  'floodwater',
  'feed',
  'truck',
  'joe',
  'sanderson',
  'jr.',
  'company',
  'chairman',
  'ceo',
  'employee',
  'contractor',
  'storm.\u200bwest',
  'virginia',
  'brunt',
  'storm',
  'resident',
  'west',
  'virginia',
  'reprieve',
  'prediction',
  'devastation',
  'fruition',
  'remnant',
  'hurricane',
  'florence',
  'storm',
  'landfall',
  'week',
  'forecaster',
  'life',
  'flooding',
  'rainfall',
  'mountain',
  'north',
  'carolina',
  'virginia',
  'west',
  'virginia',
  'storm',
  'inch',
  'rain',
  'west',
  'virginia',
  'tuesday',
  'state',
  'june',
  'flood',
  'people',
  'greenbrier',
  'county',
  'community',
  'rainelle',
  'florence',
  'fleet',
  'truck',
  'ground',
  'anticipation',
  'storm.\u200boperation',
  'bbq',
  'relief',
  'meal',
  'n.c.',
  'operation',
  'bbq',
  'relief',
  'missouri',
  'organization',
  'north',
  'carolina',
  'staple',
  'area',
  'hurricane',
  'florence',
  'company',
  'group',
  'barbecue',
  'enthusiast',
  'wilmington',
  'fayetteville',
  'recovery',
  'effort',
  'meal',
  'resident',
  'responder',
  'organization',
  'wilmington',
  'fayetteville',
  'deployment',
  'location',
  'meal',
  'day',
  'organization',
  'tornado',
  'joplin',
  'missouri',
  'organization',
  'disaster',
  'south',
  'carolina',
  'flooding',
  'hurricane',
  'harvey',
  'michael',
  'jordan',
  'hurricane',
  'relief',
  'nba',
  'legend',
  'michael',
  'jordan',
  'school',
  'basketball',
  'wilmington',
  'north',
  'carolina',
  'resident',
  'north',
  'south',
  'carolina',
  'year',
  'owner',
  'nba',
  'charlotte',
  'hornets',
  'american',
  'red',
  'cross',
  'foundation',
  'carolinas',
  'hurricane',
  'florence',
  'response',
  'fund',
  'news',
  'release',
  'tuesday',
  'addition',
  'member',
  'hornets',
  'organization',
  'disaster',
  'food',
  'box',
  'friday',
  'second',
  'harvest',
  'food',
  'bank',
  'metrolina',
  'charlotte',
  'north',
  'carolina',
  'disaster',
  'food',
  'box',
  'meal',
  'wilmington',
  'n.c.',
  'fayetteville',
  'n.c.',
  'myrtle',
  'beach',
  's.c.',
  'hurricane',
  'goal',
  'food',
  'box',
  'fanatics',
  'nba',
  'merchandising',
  'partner',
  'carolina',
  'strong',
  't',
  'shirt',
  '%',
  'proceed',
  'foundation',
  'fund',
  'target',
  'hurricane',
  'relief',
  'effort',
  'company',
  'money',
  'organization',
  'team',
  'rubicon',
  'disaster',
  'cleanup',
  'recovery',
  'cbs',
  'greenville',
  'affiliate',
  'wnct',
  'n.c.',
  'official',
  'north',
  'carolina',
  'official',
  'sun',
  'state',
  'flooding',
  'aftermath',
  'florence',
  'area',
  'gov.',
  'roy',
  'cooper',
  'river',
  'flood',
  'stage',
  'tuesday',
  'forecast',
  'wednesday',
  'thursday',
  'north',
  'carolinians',
  'nightmare',
  'resident',
  'floodwater',
  'apartment',
  'september',
  'spring',
  'lake',
  'north',
  'carolina',
  '\u200b10,000',
  'people',
  'n.c.',
  'shelter',
  'tobacco',
  'crop',
  'people',
  'shelter',
  'north',
  'carolina',
  'responder',
  'people',
  'gov.',
  'roy',
  'cooper',
  'news',
  'conference',
  'tuesday',
  'floodwater',
  'farmer',
  'crop',
  'harvest',
  'cotton',
  'peanut',
  'quarter',
  'half',
  'tobacco',
  'crop',
  'cooper',
  'people',
  'power',
  'wastewater',
  'n.c.',
  'river',
  'tributary',
  'heavy',
  'rainfall',
  'remnant',
  'hurricane',
  'florence',
  'thousand',
  'gallon',
  'wastewater',
  'tributary',
  'north',
  'carolina',
  'cape',
  'fear',
  'river',
  'basin',
  'weekend',
  'city',
  'greensboro',
  'statement',
  'tuesday',
  'gallon',
  'wastewater',
  'sewer',
  'main',
  'hour',
  'sunday',
  'official',
  'infiltration',
  'rainfall',
  'florence',
  'wastewater',
  'north',
  'buffalo',
  'tributary',
  'cape',
  'fear',
  'river',
  'basin',
  'official',
  'area',
  'supply',
  'handout',
  'wilmington',
  'north',
  'carolina',
  'city',
  'wilmington',
  'floodwater',
  'hurricane',
  'florence',
  'official',
  'food',
  'water',
  'tarps',
  'resident',
  'people',
  'neighborhood',
  'worker',
  'supply',
  'resident',
  'city',
  'people',
  'tuesday',
  'morning',
  'county',
  'official',
  'road',
  'wilmington',
  'official',
  'item',
  'city',
  'truck',
  'helicopter',
  'people',
  'home',
  'structure',
  'rain',
  'sun',
  'north',
  'carolina',
  'gov.',
  'roy',
  'cooper',
  'water',
  'day',
  'resident',
  'area',
  'road',
  'flooding',
  'community',
  'crew',
  'rescue',
  'new',
  'hanover',
  'county',
  'wilmington',
  'percent',
  'home',
  'business',
  'power',
  'authority',
  'sun',
  'flood',
  'water',
  'wilmington',
  'september',
  'fema',
  'assistance',
  'north',
  'carolina',
  'county',
  'disaster',
  'aid',
  'homeowner',
  'renter',
  'business',
  'hurricane',
  'florence',
  'damage',
  'federal',
  'emergency',
  'management',
  'agency',
  'monday',
  'county',
  'assistance',
  'resident',
  'business',
  'damage',
  'insurance',
  'claim',
  'government',
  'assistance',
  'aid',
  'grant',
  'interest',
  'loan',
  'county',
  'monday',
  'bladen',
  'columbus',
  'cumberland',
  'duplin',
  'harnett',
  'lenoir',
  'jones',
  'robeson',
  'sampson',
  'wayne',
  'county',
  'county',
  'government',
  'state',
  'government',
  'debris',
  'removal',
  'emergency',
  'action',
  '"cajun',
  'navy',
  'volunteer',
  'north',
  'carolina',
  'nursing',
  'home',
  'resident',
  'group',
  'volunteer',
  'flooding',
  'north',
  'carolina',
  'aftermath',
  'florence',
  'cajun',
  'navy',
  'relief',
  'rescue',
  'group',
  'volunteer',
  'country',
  'group',
  'louisiana',
  'cbs',
  'news',
  'team',
  'lumberton',
  'people',
  'highland',
  'acres',
  'nursing',
  'rehabilitation',
  'center',
  'resident',
  'life',
  'chris',
  'russell',
  'volunteer',
  'hour',
  'resident',
  'area',
  'hospital',
  'tonight',
  'people',
  'dignity',
  'hand',
  'allen',
  'lenard',
  'volunteer',
  'blessing',
  'people',
  'matter',
  'fact',
  'blessing',
  'tonight',
  'city',
  'history',
  'flooding',
  'year',
  'hurricane',
  'matthew',
  'inch',
  'rain',
  'lumberton',
  'rescue',
  'sight',
  'storm',
  'country',
  'year',
  'cbs',
  'news',
  'volunteer',
  'houston',
  'aftermath',
  'hurricane',
  'harvey',
  'cajun',
  'navy',
  'volunteer',
  'people',
  'floodwater',
  'wake',
  'hurricane',
  'katrina',
  'makeshift',
  'flotilla',
  'people',
  'home',
  'rooftop',
  'florence',
  'landfall',
  'hurricane',
  'death',
  'home',
  'business',
  'power',
  'north',
  'south',
  'carolina',
  'storm',
  'rain',
  'flash',
  'flooding',
  'concern',
  'carolinas',
  'manure',
  'pit',
  'hog',
  'farm',
  'pollution',
  'north',
  'carolina',
  'regulator',
  'air',
  'manure',
  'pit',
  'hog',
  'farm',
  'pollution',
  'department',
  'environmental',
  'quality',
  'secretary',
  'michael',
  'regan',
  'monday',
  'dam',
  'hog',
  'lagoon',
  'duplin',
  'county',
  'report',
  'lagoon',
  'level',
  'jones',
  'pender',
  'county',
  'regan',
  'state',
  'investigator',
  'site',
  'condition',
  'pit',
  'hog',
  'farm',
  'fece',
  'urine',
  'animal',
  'field',
  'associated',
  'press',
  'photo',
  'hog',
  'farm',
  'trenton',
  'sunday',
  'waste',
  'pit',
  'floodwater',
  'n.c.',
  'pork',
  'council',
  'industry',
  'trade',
  'group',
  'report',
  'spill',
  'price',
  'complaint',
  'north',
  'carolina',
  'heel',
  'florence',
  'north',
  'carolina',
  'law',
  'enforcement',
  'official',
  'complaint',
  'price',
  'gouging',
  'wake',
  'hurricane',
  'florence',
  'attorney',
  'general',
  'josh',
  'stein',
  'complaint',
  'price',
  'gouging',
  'essential',
  'gas',
  'water',
  'office',
  'monday',
  'state',
  'investigation',
  'gas',
  'station',
  'percent',
  'gas',
  'station',
  'state',
  'gasoline',
  'monday',
  'morning',
  'gasbuddy',
  'percent',
  'power',
  'south',
  'carolina',
  'percent',
  'station',
  'gas',
  'station',
  'line',
  'car',
  'report',
  'medium',
  'patrick',
  'dehaan',
  'head',
  'petroleum',
  'analysis',
  'gasbuddy',
  'app',
  'report',
  'gouging',
  'date',
  'photo',
  'receipt',
  'sign',
  'price',
  'preparation',
  'hurricane',
  'florence',
  'gas',
  'price',
  'cent',
  'gallon',
  'south',
  'carolina',
  'cent',
  'north',
  'carolina',
  'cent',
  'virginia',
  'aaa',
  'price',
  'south',
  'carolina',
  'virginia',
  'today',
  'state',
  'gas',
  'situation',
  'time',
  'news',
  'fuel',
  'supply',
  'gasbuddy',
  'analyst',
  'note',
  'north',
  'carolina',
  'governor',
  'flooding',
  'florence',
  'north',
  'carolina',
  'governor',
  'flooding',
  'florence',
  'fayetteville',
  'n.c.',
  'city',
  'cape',
  'fear',
  'river',
  'worry',
  'cbs',
  'news',
  'correspondent',
  ...],
 ['app',
  'searchsign',
  'incharlottesee',
  'storiessafetyfood',
  'drinksportssee',
  'moreadditional',
  'contentnational',
  'newslocal',
  'newsletternewsbreak',
  'corporateabout',
  'uscontributorspublishersadvertisersterm',
  'use',
  'privacy',
  'policydo',
  'sell',
  'share',
  'info',
  'help',
  'centersign',
  'new',
  'york',
  'ny',
  'update',
  'newsarkansas',
  'storm',
  'team',
  'weather',
  'blog',
  'area',
  'hurricane',
  'developmentby',
  'alex',
  'libby,2022',
  'little',
  'rock',
  'ark.',
  'hurricane',
  'season',
  'time',
  'storm',
  'month',
  'august',
  'beginning',
  'september',
  'tropic',
  'storm',
  'danielle',
  'earl',
  'activity',
  'national',
  'hurricane',
  'center',
  'area',
  'development',
  'season',
  'storm',
  'storm',
  'hurricane',
  'hurricane',
  'year',
  'september',
  'storm',
  'storm',
  'hurricane',
  'hurricane',
  'area',
  'chance',
  'hurricane',
  'water',
  'chance',
  'development',
  'increase',
  'spring',
  'national',
  'hurrican',
  'center',
  'season',
  'storm',
  'august',
  'season',
  'storm',
  'lot',
  'impact',
  'arkansas',
  'storm',
  'team',
  'update',
  'hurricane',
  'season',
  'november',
  'informed',
  'arkansas',
  'storm',
  'team',
  'app',
  'date',
  'forecast',
  'arkansas',
  'storm',
  'team',
  'app',
  'update',
  'time',
  'video',
  'update',
  'arkansas',
  'storm',
  'team',
  'kark',
  'fox16',
  'arkansas',
  'storm',
  'team',
  'collaboration',
  'station',
  'weather',
  'team',
  'state',
  'arkansas',
  'weather',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'news',
  'weather',
  'sport',
  'streaming',
  'video',
  'head',
  'kark',
  'allread',
  'newsbreakcomments',
  '0add',
  'commentyou',
  'popularit',
  'climate',
  'change',
  'flooding',
  'war',
  'flood',
  'control',
  'damage',
  'montpelier',
  'vt14',
  'day',
  'agochief',
  'justice',
  'suspension',
  'matrimonial',
  'trial',
  'judicial',
  'vacanciespassaic',
  'nj15',
  'day',
  'agopowerful',
  'magnitude',
  'earthquake',
  'alaska',
  'peninsula',
  'local',
  'tsunami',
  'warningssand',
  'point',
  'ak10',
  'day',
  'agoget',
  'new',
  'york',
  'ny',
  'update',
  'emailsubscribe',
  'particle',
  'medium',
  'term',
  'use',
  'privacy',
  'policydo',
  'sell',
  'share',
  'info',
  'help',
  'centercomments',
  '0closecommunity',
  'policy'],
 ['contentlivenewsconstruction',
  'mappolitical',
  'blogweatherpodcastscontestssubmit',
  'news',
  'tipsubmit',
  'photos',
  'videosnewsletternewslocalnationalcrimeeconomypoliticsanchorage',
  'editionweatherweather',
  'headlinesweather',
  'labsky',
  'alaskapicture',
  'alaskatrafficgas',
  'sportsalaska',
  'olympiansiron',
  'dogathlete',
  'weekfishing',
  'reportiditarodmount',
  'marathonstats',
  'predictionshow',
  'shelternourish',
  'alaskatelling',
  'alaska',
  'storyin',
  'depth',
  'alaskait',
  'goodinside',
  'gatesoutside',
  'gateswatching',
  'walletthe',
  'video',
  'guzzy',
  'health',
  'minutelivestream',
  'newscastsstream',
  'ussign',
  'newslettersubmit',
  'news',
  'tipssubmit',
  'photos',
  'videosdownload',
  'appshow',
  'demandcommunity',
  'calendaradvertise',
  'usmeet',
  'teamwhat',
  'ktuujob',
  'openingsktuu',
  'press',
  'releasesprogramming',
  'scheduletransmitter',
  'faqcircle',
  'country',
  'music',
  'lifestylegray',
  'dc',
  'bureaupowernationinvestigatetvpress',
  'releasesmultiple',
  'winter',
  'weather',
  'alert',
  'effect',
  'storm',
  'aim',
  'alaskablizzard',
  'condition',
  'coastline',
  'alaskaby',
  'aaron',
  'morrisonpublished',
  'feb.',
  'akstshare',
  'facebookemail',
  'linkshare',
  'twittershare',
  'pinterestshare',
  'linkedinanchorage',
  'alaska',
  'ktuu',
  'southcentral',
  'southeast',
  'alaska',
  'area',
  'pressure',
  'bering',
  'sea',
  'stretch',
  'winter',
  'weather',
  'state',
  'form',
  'winter',
  'weather',
  'alert',
  'day',
  'detail',
  'alert',
  'article(alaska',
  'news',
  'source)the',
  'uptick',
  'weather',
  'hour',
  'bering',
  'sea',
  'low',
  'chukchi',
  'sea',
  'precipitation',
  'shield',
  'alaska',
  'impact',
  'today',
  'western',
  'alaska',
  'blizzard',
  'condition',
  'coastline',
  'area',
  'yukon',
  'delta',
  'winter',
  'alert',
  'rain',
  'snow',
  'condition',
  'temperature',
  'today',
  'accumulation',
  'rain',
  'norton',
  'sound',
  'point',
  'blizzard',
  'condition',
  'place',
  'day',
  'wind',
  'mph',
  'visibility',
  'snow',
  'coast',
  'snow',
  'seward',
  'peninsula',
  'seward',
  'peninsula',
  'foot',
  'foot',
  'half',
  'snow',
  'thursday',
  'morning',
  'precipitation',
  'shield',
  'wind',
  'area',
  'pressure',
  'water',
  'wind',
  'area',
  'interior',
  'alaska',
  'wind',
  'mph',
  'majority',
  'wind',
  'proximity',
  'gap',
  'pass',
  'mountain',
  'visibility',
  'snow',
  'snow',
  'snow',
  'interior',
  'thursday',
  'area',
  'inch',
  'snow',
  'air',
  'air',
  'potential',
  'glaze',
  'ice',
  'thursday',
  'afternoon',
  'snow',
  'brooks',
  'range',
  'foot',
  'snow',
  'north',
  'slope',
  'wind',
  'issue',
  'snow',
  'forecast',
  'inch',
  'slope',
  'exception',
  'beaufort',
  'sea',
  'coast',
  'south',
  'brooks',
  'range',
  'inch',
  'storm',
  'snow',
  'rain',
  'southcentral',
  'wednesday',
  'thursday',
  'chance',
  'flurry',
  'p.m.',
  'wednesday',
  'evening',
  'snow',
  'southcentral',
  'inch',
  'snowfall',
  'hillside',
  'valley',
  'snowfall',
  'total',
  'anchorage',
  'kenai',
  'peninsula',
  'air',
  'snow',
  'chance',
  'kenai',
  'inch',
  'snow',
  'glaze',
  'ice',
  'homer',
  'seward',
  'rain',
  'day',
  'snow',
  'rain',
  'area',
  'rain',
  'southcentral',
  'thursday',
  'evening.(alaska',
  'news',
  'source)thing',
  'anchorage',
  'wind',
  'contributor',
  'snow',
  'city',
  'level',
  'disturbance',
  'south',
  'night',
  'wind',
  'wind',
  'mph',
  'elevation',
  'snow',
  'thursday',
  'morning',
  'dent',
  'snow',
  'anchorage',
  'bowl',
  'rain',
  'snow',
  'chance',
  'inch',
  'snow',
  'anchorage',
  'hillside',
  'trouble',
  'inch',
  'snow',
  'wind',
  'wintry',
  'mix',
  'duration',
  'result',
  'snowfall',
  'total',
  'snowfall',
  'total',
  'anchorage',
  'bowl',
  'date',
  'information',
  'storm',
  'rain',
  'snow',
  'return',
  'southeast',
  'alaska',
  'condition',
  'panhandle',
  'weekend',
  'state',
  'thing',
  'weekend',
  'condition',
  'locationalerttimingimpactssoutheastern',
  'brooks',
  'rangewinter',
  'storm',
  'warninguntil',
  'friheavy',
  'snow',
  'wind',
  'mph',
  'wind',
  'chills',
  '°',
  'upper',
  'koyukuk',
  'valleywinter',
  'storm',
  'warninguntil',
  'thuheavy',
  'snow',
  'winds',
  'mph',
  'wind',
  'chills',
  '-30',
  '°',
  'yukon',
  'flats',
  'surrounding',
  'uplandswinter',
  'storm',
  'warninguntil',
  'friheavy',
  'snow',
  '8″',
  'east',
  'beaver',
  'wind',
  'chill',
  '-35',
  'central',
  'interiorwinter',
  'storm',
  'warninguntil',
  'thuheavy',
  'snow',
  'trace',
  'ice',
  'wind',
  'chill',
  '°',
  'tanana',
  'valleywinter',
  'storm',
  'd',
  'friheavy',
  'snow',
  'trace',
  'ice',
  'nenana',
  'hillsdenaliwinter',
  'storm',
  'warninguntil',
  'friheavy',
  'snow',
  'wind',
  'mph',
  'near',
  'passes',
  'light',
  'glaze',
  'ice',
  'thur',
  'alaska',
  'rangewinter',
  'weather',
  'd',
  'frisnow',
  'winds',
  'mph',
  'blowing',
  'snowst',
  'lawrence',
  'island',
  'bering',
  'strait',
  'coastblizzard',
  'warninguntil',
  'thusnow',
  'wind',
  'mph',
  'light',
  'glaze',
  'icechukchi',
  'sea',
  'coastblizzard',
  'warninguntil',
  'thusnow',
  '8″',
  'wind',
  'mphbaldwin',
  'peninsula',
  'selawik',
  'valleyblizzard',
  'warninguntil',
  'thusnow',
  'wind',
  'mphsouthern',
  'seward',
  'peninsula',
  'coastblizzard',
  'warninguntil',
  'thusnow',
  'wind',
  'mph',
  'light',
  'glaze',
  'iceeastern',
  'norton',
  'sound',
  'nulato',
  'hillsblizzard',
  'warninguntil',
  'thusnow',
  'wind',
  'mph',
  'light',
  'glaze',
  'icekobuk',
  'noatak',
  'valleyswinter',
  'storm',
  'warninguntil',
  'thuheavy',
  'snow',
  'wind',
  'mphnorthern',
  'interior',
  'seward',
  'peninsulawinter',
  'storm',
  'warninguntil',
  'thuheavy',
  'snow',
  'wind',
  'mphyukon',
  'deltawinter',
  'storm',
  'warninguntil',
  'thuheavy',
  'wintry',
  'mix',
  'snow',
  'ice',
  'wind',
  'mphlower',
  'yukon',
  'valleywinter',
  'storm',
  'warninguntil',
  'thuheavy',
  'wintry',
  'mix',
  'snow',
  'light',
  'glaze',
  'ice',
  'winds',
  'mphlower',
  'koyukuk',
  'middle',
  'yukon',
  'valleyswinter',
  'storm',
  'warninguntil',
  'thuheavy',
  'wintry',
  'mix',
  'snow',
  'light',
  'glaze',
  'ice',
  'winds',
  'mphupper',
  'kuskokwim',
  'valleywinter',
  'storm',
  'warninguntil',
  'thuheavy',
  'wintry',
  'mix',
  'snow',
  'light',
  'glaze',
  'ice',
  'wind',
  'weather',
  'advisory3am',
  'thu',
  'thuwintry',
  'mix',
  'snow',
  'winds',
  'mphwestern',
  'kenaiwinter',
  'weather',
  'advisorymidnight',
  'thuwintry',
  'snow',
  'light',
  'glaze',
  'icemat',
  'su',
  'valleywinter',
  'weather',
  'advisory6am',
  'thuwintry',
  'mix',
  'poss',
  'snow',
  '3″',
  'palmer',
  'wasillacopyright',
  'ktuu',
  'right',
  'read',
  'bronson',
  'address',
  'plane',
  'ticket',
  'population',
  'state',
  'denali',
  'business',
  'owner',
  'claim',
  'young',
  'geologist',
  'north',
  'slope',
  'helicopter',
  'crash',
  'family',
  'man',
  'swastika',
  'sticker',
  'anchorage',
  'building',
  'month',
  'hiker',
  'hour',
  'helicopter',
  'flattop',
  'mountainlatest',
  'news',
  'rain',
  'southcentral',
  'fridayrain',
  'friday',
  'sun',
  'cloud',
  'haze',
  'lingerssunshine',
  'thunderstorm',
  'activity',
  'alaskanewsweathersportscommunityktuu501',
  'east',
  'avenueanchorage',
  'ak',
  'inspection',
  'applicationsterm',
  'serviceprivacy',
  'statementadvertisingdigital',
  'advertisingclosed',
  'captioning',
  'audio',
  'descriptionat',
  'gray',
  'journalist',
  'news',
  'content',
  'community',
  'approach',
  'intelligence',
  'gray',
  'media',
  'group',
  'inc.',
  'station',
  'gray',
  'television',
  'inc.'],
 ['accessibility',
  'contentdemocracy',
  'darknesssign',
  'article',
  'year',
  'agothe',
  'washington',
  'postdemocracy',
  'darknesscapital',
  'weather',
  'gangwyoming',
  'record',
  'blizzard',
  'meteorologist',
  'office',
  'daysmore',
  'inch',
  'snow',
  'national',
  'weather',
  'service',
  'office',
  'day',
  'record',
  'matthew',
  'cappuccimarch',
  'p.m.',
  'edta',
  'pickup',
  'truck',
  'snow',
  'downtown',
  'cheyenne',
  'wyo',
  '.',
  'monday',
  'michael',
  'cummo',
  'wyoming',
  'tribune',
  'eagle',
  'ap',
  'comment',
  'storycommentgift',
  'articlesharejust',
  'weather',
  'meteorologist',
  'national',
  'weather',
  'service',
  'office',
  'cheyenne',
  'wyo',
  '.',
  'facility',
  'saturday',
  'thank',
  'road',
  'vehicle',
  'snow',
  'wpget',
  'experience',
  'planarrowrightmuch',
  'wyoming',
  'nebraska',
  'colorado',
  'range',
  'blizzard',
  'weekend',
  'system',
  'tornado',
  'outbreak',
  'texas',
  'panhandle',
  'colorado',
  'wyoming',
  'record',
  'blizzard',
  'snowfall',
  'denver',
  'cheyennecheyenne',
  'inch',
  'hour',
  'window',
  'inch',
  'saturday',
  'city',
  'calendar',
  'day',
  'snow',
  'start',
  'storm',
  'snow',
  'accumulation',
  'inch',
  'storm',
  'january',
  'saturday',
  'morning',
  'matthew',
  'brothers',
  'meteorologist',
  'cheyenne',
  'office',
  'phone',
  'wednesday',
  'process',
  'road',
  'night',
  '”advertisementsix',
  'meteorologist',
  'office',
  'weekend',
  'hour',
  'shift',
  'clock',
  'wyoming',
  'snowfall',
  'event',
  'blizzard',
  'condition',
  'place',
  'style',
  'snowplow',
  'thundersnow',
  'office',
  'height',
  'storm',
  'day',
  'brother',
  'day',
  'plenty',
  'food',
  'office',
  'people',
  'shower',
  'day',
  'pair',
  'clothe',
  'staff',
  'process',
  'lunchtime',
  'time',
  'stretch',
  'work',
  'weather',
  'store',
  'office',
  'operation',
  'office',
  'riverton',
  'wyo',
  '.',
  'rapid',
  'city',
  'photo',
  'cheyenne',
  'today',
  'traveling',
  'hunting',
  'today',
  'yesterday',
  'pic.twitter.com/fvnjcapyji',
  'michael',
  'cummo',
  '@michaelcummo',
  'march',
  'rest',
  'brother',
  'advertisementthe',
  'cheyenne',
  'office',
  'operation',
  'snow',
  'road',
  'staff',
  'home',
  'blizzard',
  'state',
  'march',
  'video',
  'storyful)it',
  'time',
  'weather',
  'service',
  'meteorologist',
  'condition',
  'december',
  'information',
  'technology',
  'officer',
  'national',
  'weather',
  'service',
  'office',
  'gray',
  'maine',
  'headline',
  'snowmobile',
  'time',
  'commute',
  'travel',
  'national',
  'weather',
  'service',
  'employee',
  'snowmobilemeteorologist',
  'weather',
  'service',
  'television',
  'station',
  'post',
  'time',
  'year',
  'tornado',
  'workplace',
  'platte',
  'river',
  'omaha',
  'national',
  'weather',
  'service',
  'office',
  'march',
  'commentsgift',
  'articlegift',
  'articleloading',
  'view',
  'more2023',
  'heat',
  'tracker1690',
  'degree',
  'day',
  'faraverage',
  'year',
  'date23yearly',
  'average40record',
  'most67',
  'fewest7',
  'year38top',
  'analysis',
  'hill',
  'white',
  'housejudge',
  'brake',
  'hunter',
  'biden',
  'pleagiuliani',
  'statement',
  'georgia',
  'election',
  'workersas',
  'inflation',
  'gop',
  'attack',
  'biden',
  'economyrefreshtry',
  'account',
  'preferencestweet',
  'post',
  'newsroom',
  'policies',
  'standards',
  'diversity',
  'inclusion',
  'careers',
  'media',
  'community',
  'relations',
  'wp',
  'creative',
  'group',
  'accessibility',
  'statement',
  'postgift',
  'subscriptions',
  'mobile',
  'apps',
  'newsletters',
  'alerts',
  'washington',
  'post',
  'live',
  'reprints',
  'permissions',
  'post',
  'store',
  'books',
  'e',
  '-',
  'book',
  'newspaper',
  'education',
  'print',
  'archives',
  'subscribers',
  'today',
  'paper',
  'public',
  'notices',
  'contact',
  'uscontact',
  'newsroom',
  'contact',
  'customer',
  'care',
  'contact',
  'opinions',
  'team',
  'advertise',
  'licensing',
  'syndication',
  'request',
  'correction',
  'news',
  'tip',
  'report',
  'vulnerability',
  'terms',
  'usedigital',
  'products',
  'terms',
  'sale',
  'print',
  'products',
  'term',
  'sale',
  'terms',
  'service',
  'privacy',
  'policy',
  'cookie',
  'settings',
  'submissions',
  'discussion',
  'policy',
  'rss',
  'terms',
  'service',
  'ad',
  'choices',
  'washington',
  'postwashingtonpost.com',
  'washington',
  'postabout',
  'post',
  'contact',
  'newsroom',
  'contact',
  'customer',
  'care',
  'request',
  'correction',
  'news',
  'tip',
  'report',
  'vulnerability',
  'download',
  'washington',
  'post',
  'app',
  'policies',
  'standards',
  'terms',
  'service',
  'privacy',
  'policy',
  'cookie',
  'settings',
  'print',
  'products',
  'terms',
  'sale',
  'digital',
  'products',
  'terms',
  'sale',
  'submissions',
  'discussion',
  'policy',
  'rss',
  'terms',
  'service',
  'ad',
  'choice'],
 ['woman',
  'fury',
  'rendition',
  'star',
  'spangled',
  'banner',
  'world',
  'cup',
  'holland',
  'player',
  'anthem',
  'arm',
  'moment',
  'operator',
  'crane',
  'moment',
  'manhattan',
  'sidewalk',
  'co',
  '-',
  'worker',
  'chant',
  'water',
  'motherf****r',
  'beyonce',
  'mom',
  'tina',
  'knowles',
  'divorce',
  'husband',
  'richard',
  'lawson',
  'year',
  'marriage',
  'difference',
  'warning',
  'sign',
  'alzheimer',
  'symptom',
  'study',
  'acting',
  'meghan',
  'markle',
  'actor',
  'strike',
  'ohio',
  'cop',
  'fired',
  'footage',
  'k-9',
  'trucker',
  'hand',
  'police',
  'chase',
  'mud',
  'flap',
  'revealed',
  'marines',
  'carbon',
  'monoxide',
  'poisoning',
  'car',
  'gas',
  'station',
  'camp',
  'lejeune',
  'outdoors',
  'nbc',
  'report',
  'people',
  'space',
  'trauma',
  'people',
  'trump',
  'flag',
  'ariana',
  'grande',
  'boyfriend',
  'ethan',
  'slater',
  'divorce',
  'wife',
  'romance',
  'singer',
  'set',
  'movie',
  'month',
  'search',
  'la',
  'attorney',
  'downtown',
  'area',
  'day',
  'family',
  'physio',
  '50',
  'kg',
  'body',
  'ache',
  'pain',
  'person',
  'week',
  'joe',
  'rogan',
  'critic',
  'jason',
  'aldean',
  'song',
  'small',
  'town',
  'rap',
  'song',
  'vampire',
  'appliance',
  'cash',
  'device',
  'energy',
  'bill',
  'somber',
  'michelle',
  'martha',
  'vineyard',
  'golf',
  'club',
  'game',
  'tennis',
  'outing',
  'chef',
  'paddle',
  'boarding',
  'obamas',
  'home',
  'shocking',
  'moment',
  'naked',
  'woman',
  'fire',
  'driver',
  'police',
  'chase',
  'san',
  'francisco',
  'bay',
  'bridge',
  'california',
  'gov.',
  'gavin',
  'newsom',
  'hollywood',
  'strike',
  'industry',
  'billion',
  'state',
  'economy',
  'chaos',
  'fiancé',
  'sperm',
  'friend',
  'lady',
  'view',
  'hunter',
  'biden',
  'joe',
  'pain',
  'loss',
  'republicans',
  'witch',
  'hunt',
  'son',
  'judge',
  'hunter',
  'job',
  'president',
  'son',
  'drug',
  'alcohol',
  'employment',
  'condition',
  'release',
  'plea',
  'deal',
  'hunter',
  'biden',
  'extent',
  'drug',
  'alcohol',
  'use',
  'president',
  'addict',
  'son',
  'rehab',
  'stint',
  'year',
  'court',
  'appearance',
  'hunter',
  'plea',
  'deal',
  'joe',
  'president',
  'line',
  'son',
  'deal',
  'china',
  'ukraine',
  'republicans',
  'allegation',
  'hunter',
  'biden',
  'prosecutor',
  'crime',
  'deal',
  'china',
  'ukraine',
  'joe',
  'moment',
  'judge',
  'hunter',
  'sweetheart',
  'plea',
  'deal',
  'tax',
  'gun',
  'charge',
  'investigation',
  'karine',
  'jean',
  'pierre',
  'rejects',
  'white',
  'house',
  'story',
  'joe',
  'knowledge',
  'hunter',
  'deal',
  'press',
  'secretary',
  'plea',
  'deal',
  'firearm',
  'possession',
  'storm',
  'vermont',
  'chaos',
  'new',
  'york',
  'west',
  'point',
  'academy',
  'flash',
  'flood',
  'alert',
  'expert',
  'damage',
  'hurricane',
  'irenethe',
  'storm',
  'road',
  'new',
  'york',
  'hudson',
  'valley',
  'woman',
  'vermont',
  'town',
  'rain',
  'day',
  'jen',
  'smith',
  'chief',
  'reporter',
  'dailymail',
  'com',
  'edt',
  'july',
  'edt',
  'july',
  'e',
  '-',
  'mail',
  'share',
  'view',
  'comment',
  'advertisement',
  'storm',
  'woman',
  'new',
  'york',
  'havoc',
  'hudson',
  'valley',
  'vermont',
  'resident',
  'rain',
  'storm',
  'new',
  'york',
  'sunday',
  'flash',
  'flooding',
  'west',
  'point',
  'academy',
  'town',
  'highland',
  'falls',
  'bank',
  'hudson',
  'woman',
  '30',
  'home',
  'dog',
  'rescue',
  'team',
  'body',
  'ravine',
  'new',
  'york',
  'governor',
  'kathy',
  'hochul',
  'today',
  'storm',
  'damage',
  'life',
  'experience',
  'white',
  'house',
  'aid',
  'people',
  'new',
  'york',
  'vermont',
  'new',
  'hampshire',
  'connecticut',
  'maine',
  'pennsylvania',
  'flash',
  'flood',
  'warning',
  'governor',
  'kathy',
  'hochul',
  'highland',
  'falls',
  'monday',
  'morning',
  'damage',
  'resident',
  'stateã¢s',
  'effort',
  'flooding',
  'area',
  'damage',
  'highland',
  'falls',
  'monday',
  'morning',
  'hochul',
  'storm',
  'life',
  'resident',
  'journalist',
  'emergency',
  'service',
  'worker',
  'main',
  'street',
  'monday',
  'july',
  'highland',
  'falls',
  'new',
  'york',
  'storm',
  'inch',
  'rain',
  'town',
  'flooding',
  'parking',
  'lot',
  'highland',
  'falls',
  'orange',
  'county',
  'new',
  'york',
  'u.s.',
  'rain',
  'empire',
  'state',
  'damage',
  'pedestrian',
  'main',
  'street',
  'day',
  'monday',
  'july',
  'highland',
  'falls',
  'n.y.',
  'rain',
  'road',
  'evacuation',
  'northeast',
  'downpour',
  'day',
  'volunteer',
  'main',
  'street',
  'debris',
  'floodwater',
  'monday',
  'july',
  'highland',
  'falls',
  'new',
  'york',
  'woman',
  'yesterday',
  'dog',
  'police',
  'tape',
  'main',
  'street',
  'floodwater',
  'roadway',
  'building',
  'day',
  'monday',
  'july',
  'highland',
  'falls',
  'video',
  'video',
  'grey',
  'smoke',
  'sea',
  'foot',
  'ship',
  'fire',
  'video',
  'ohio',
  'man',
  'meltdown',
  'gender',
  'bathroom',
  'cctv',
  'connor',
  'gibson',
  'sister',
  'amber',
  'video',
  'ex',
  '-',
  'official',
  'technology',
  'ufo',
  'passenger',
  'record',
  'moment',
  'flight',
  'collision',
  'watch',
  'video',
  'whistleblower',
  'congress',
  'government',
  'knowledge',
  'uap',
  'watch',
  'video',
  'disturbing',
  'footage',
  'cop',
  'kid',
  'dog',
  'cage',
  'watch',
  'video',
  'moment',
  'shoplifter',
  'getaway',
  'burlington',
  'store',
  'watch',
  'video',
  'ufo',
  'whistleblower',
  'government',
  'possession',
  'ufo',
  'video',
  'retired',
  'air',
  'force',
  'officer',
  'ufo',
  'info',
  'video',
  'bodycam',
  'moment',
  'police',
  'head',
  'trial',
  'watch',
  'video',
  'ex',
  '-',
  'official',
  'info',
  'prediction',
  'national',
  'weather',
  'service',
  'vermont',
  'storm',
  'hurricane',
  'irene',
  'flash',
  'flooding',
  'monday',
  'evening',
  'impact',
  'irene',
  'weather',
  'service',
  'forecast',
  'monday',
  'morning',
  'vermont',
  'state',
  'police',
  'road',
  'result',
  'flooding',
  'closure',
  'life',
  'flooding',
  'today',
  'vermont',
  'emergency',
  'crew',
  'rescue',
  'community',
  'dozen',
  'state',
  'road',
  'road',
  'vermont',
  'killington',
  'town',
  'video',
  'video',
  'grey',
  'smoke',
  'sea',
  'foot',
  'ship',
  'fire',
  'video',
  'ohio',
  'man',
  'meltdown',
  'gender',
  'bathroom',
  'cctv',
  'connor',
  'gibson',
  'sister',
  'amber',
  'video',
  'ex',
  '-',
  'official',
  'technology',
  'ufo',
  'video',
  'whistleblower',
  'congress',
  'government',
  'knowledge',
  'uap',
  'watch',
  'video',
  'disturbing',
  'footage',
  'cop',
  'kid',
  'dog',
  'cage',
  'watch',
  'video',
  'moment',
  'shoplifter',
  'getaway',
  'burlington',
  'store',
  'watch',
  'video',
  'grusch',
  'biological',
  'pilot',
  'video',
  'ufo',
  'whistleblower',
  'government',
  'possession',
  'ufo',
  'video',
  'retired',
  'air',
  'force',
  'officer',
  'ufo',
  'info',
  'video',
  'bodycam',
  'moment',
  'police',
  'head',
  'trial',
  'watch',
  'video',
  'ex',
  '-',
  'official',
  'info',
  'floodwater',
  'dam',
  'morning',
  'ottauquechee',
  'river',
  'simon',
  'pearce',
  'quechee',
  'vermont',
  'state',
  'police',
  'damage',
  'rain',
  'way',
  'national',
  'weather',
  'service',
  'storm',
  'vermont',
  'expert',
  'hurricane',
  'irene',
  'depot',
  'street',
  'proctorsville',
  'vermont',
  'black',
  'river',
  'town',
  'vermont',
  'vermont',
  'governor',
  'phil',
  'scott',
  'press',
  'conference',
  'monday',
  'morning',
  'damage',
  'irene',
  'flash',
  'flood',
  'warning',
  'effect',
  'massachusetts',
  'line',
  'border',
  'announcement',
  'force',
  'twitter',
  'account',
  'press',
  'conference',
  'vermont',
  'governor',
  'phil',
  'scott',
  'rainfall',
  'irene',
  'case',
  'people',
  'boat',
  'vermont',
  'town',
  'londonderry',
  'ludlow',
  'town',
  'vermont',
  'camp',
  'worker',
  'plymouth',
  'emergency',
  'expert',
  'dam',
  'state',
  'flooding',
  'hurricane',
  'irene',
  'people',
  'caribbean',
  'east',
  'coast',
  'west',
  'point',
  'new',
  'york',
  'train',
  'track',
  'water',
  'military',
  'academy',
  'west',
  'point',
  'new',
  'york',
  'emergency',
  'team',
  'house',
  'house',
  'yesterday',
  'stony',
  'point',
  'new',
  'york',
  'woman',
  'home',
  'dog',
  'highland',
  'falls',
  'west',
  'point',
  'cars',
  'drift',
  'road',
  'west',
  'point',
  'year',
  'rain',
  'event',
  'riverside',
  'town',
  'home',
  'road',
  'vehicle',
  'way',
  'flood',
  'water',
  'old',
  'yorktown',
  'rd',
  'shrub',
  'oak',
  'n.y.',
  'july',
  'storm',
  'sunday',
  'evening',
  'flash',
  'flooding',
  'fatality',
  'new',
  'york',
  'hudson',
  'valley',
  'addition',
  'new',
  'york',
  'vermont',
  'pennsylvania',
  'connecticut',
  'northeast',
  'state',
  'flash',
  'flood',
  'warning',
  'hand',
  'deck',
  'response',
  'rainfall',
  'irene',
  'place',
  'irene',
  'hour',
  'day',
  'concern',
  'scott',
  'meteorologist',
  'damage',
  'flight',
  'airport',
  'region',
  'new',
  'york',
  'laguardia',
  'boston',
  'logan',
  'sunday',
  'rain',
  'monday',
  'morning',
  'amtrak',
  'passenger',
  'train',
  'service',
  'albany',
  'new',
  'york',
  'track',
  'orange',
  'county',
  'executive',
  'steven',
  'neuhaus',
  'interview',
  'abc',
  'good',
  'morning',
  'america',
  'monday',
  'night',
  'chaos',
  'car',
  'roadway',
  'route',
  'hudson',
  'valley',
  'cornwall',
  'n.y.',
  'monday',
  'july',
  'debris',
  'flooding',
  'cedar',
  'pond',
  'brook',
  'stony',
  'point',
  'new',
  'york',
  'u.s.',
  'july',
  'cindy',
  'byers',
  'debris',
  'home',
  'flooding',
  'cedar',
  'pond',
  'brook',
  'stony',
  'point',
  'new',
  'york',
  'richard',
  'byers',
  'debris',
  'home',
  'flooding',
  'cedar',
  'pond',
  'brook',
  'stony',
  'point',
  'new',
  'york',
  'road',
  'bridge',
  'priority',
  'today',
  'artery',
  'woman',
  'wave',
  'dog',
  'video',
  'footage',
  'photo',
  'medium',
  'roadway',
  'floodwater',
  'house',
  'sunday',
  'monday',
  "morning'oh",
  'god',
  'knee',
  'melissa',
  'roberts',
  'video',
  'floodwater',
  'vehicle',
  'home',
  'orange',
  'county',
  'new',
  'york',
  'medium',
  'report',
  'rain',
  'road',
  'river',
  'state',
  'governor',
  'phil',
  'scott',
  'state',
  'emergency',
  'sunday',
  'emergency',
  'crew',
  'boat',
  'dozen',
  'camper',
  'andover',
  'monday',
  'boat',
  'crew',
  'north',
  'carolina',
  'way',
  'vermont',
  'medium',
  'state',
  'emergency',
  'management',
  'office',
  'morning',
  'town',
  'inch',
  'centimeter',
  'centimeter',
  'rain',
  'midnight',
  'total',
  'day',
  'robert',
  'haynes',
  'meteorologist',
  'national',
  'weather',
  'service',
  'burlington',
  'vermont',
  'water',
  'street',
  'road',
  'west',
  'point',
  'new',
  'york',
  'night',
  'we´re',
  'track',
  'flooding',
  'haynes',
  "'this",
  'event',
  'meteorologist',
  'marlon',
  'verasamy',
  'burlington',
  'monday',
  'storm',
  'ground',
  'river',
  'rain',
  'vermont',
  'mudslide',
  'road',
  'flooding',
  'storm',
  'friday',
  'night',
  'saturday',
  'morning',
  'area',
  'today',
  'community',
  'massachusetts',
  'road',
  'spokesperson',
  'massachusetts',
  'emergency',
  'management',
  'agency',
  'monday',
  'fire',
  'department',
  'adams',
  'north',
  'adams',
  ...],
 ['automotive',
  'news',
  'border',
  'report',
  'tour',
  'entertainment',
  'depth',
  'reports',
  'lottery',
  'wjtv',
  'mobile',
  'apps',
  'press',
  'releases',
  'stock',
  'market',
  'today',
  'share',
  'federal',
  'soldier',
  'niger',
  'cambodia',
  'hun',
  'sen',
  'asia',
  'leader',
  'greece',
  'country',
  'millipede',
  'specie',
  'leg',
  'election',
  'mississippi',
  'politics',
  'mississippi',
  'insight',
  'washington',
  'dc',
  'politics',
  'hill',
  'hosemann',
  'mcdaniel',
  'trade',
  'neshoba',
  'county',
  'attorney',
  'general',
  'candidate',
  'neshoba',
  'co.',
  'presley',
  'ms',
  'trans',
  'law',
  'watch',
  'day',
  'neshoba',
  'county',
  'fair',
  'speech',
  'ms',
  'absentee',
  'voting',
  'assistance',
  'neshoba',
  'co.',
  'fair',
  'speech',
  'sports',
  'zone',
  'friday',
  'night',
  'fever',
  'high',
  'school',
  'sports',
  'sec',
  'football',
  'swac',
  'geaux',
  'black',
  'gold',
  'mississippi',
  'braves',
  'pine',
  'belt',
  'storm',
  'team',
  'pine',
  'belt',
  'forecast',
  'k',
  'bestreviews',
  'bestreviews',
  'daily',
  'deals',
  'cool',
  'schools',
  'health',
  'mississippi',
  'keath',
  'killebrew',
  'memorial',
  'rodeo',
  'living',
  'local',
  'videos',
  'morning',
  'sip',
  'hometown',
  'virtual',
  'job',
  'fair',
  'job',
  'post',
  'job',
  'contact',
  'advertise',
  'calendar',
  'team',
  'newsletters',
  'tv',
  'schedule',
  'regional',
  'news',
  'partners',
  'bestreviews',
  'mississippi',
  'structure',
  'storm',
  'jun',
  'cdt',
  'jun',
  'pm',
  'cdt',
  'jun',
  'cdt',
  'jun',
  'pm',
  'cdt',
  'jasper',
  'county',
  'miss.',
  'whlt',
  'home',
  'business',
  'week',
  'storm',
  'mississippi',
  'mississippi',
  'emergency',
  'management',
  'agency',
  'mema',
  'jackson',
  'county',
  'official',
  'structure',
  'june',
  'home',
  'apartment',
  'business',
  'church',
  'school',
  'snap',
  'replacement',
  'benefit',
  'mississippians',
  'storm',
  'mema',
  'official',
  'people',
  'jackson',
  'county',
  'storm',
  'storm',
  'person',
  'dozen',
  'june',
  'jasper',
  'county',
  'county',
  'damage',
  'home',
  'tornado',
  'mema',
  'resident',
  'damage',
  'insurance',
  'claim',
  'photo',
  'damage',
  'report',
  'damage',
  'county',
  'mema',
  'self',
  'report',
  'tool',
  'thank',
  'inbox',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'amazon',
  'school',
  'deal',
  'schooler',
  'school',
  'corner',
  'amazon',
  'supply',
  'school',
  'deal',
  'supply',
  'schooler',
  'august',
  'vegetable',
  'flower',
  'flower',
  'plant',
  'hour',
  'soil',
  'air',
  'temperature',
  'sunshine',
  'august',
  'month',
  'planting',
  'chemical',
  'guys',
  'kit',
  'car',
  'car',
  'care',
  'hour',
  'chemical',
  'guys',
  'car',
  'wash',
  'kit',
  'time',
  'deal',
  'hosemann',
  'mcdaniel',
  'trade',
  'neshoba',
  'county',
  'jpd',
  'officer',
  'feds',
  'jackson',
  'sewer',
  'system',
  'watch',
  'day',
  'neshoba',
  'county',
  'fair',
  'speech',
  'ms',
  'absentee',
  'voting',
  'assistance',
  'sinéad',
  'o’connor',
  'singer',
  'songwriter',
  'bluffing',
  'putin',
  'deployment',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'taiwan',
  'school',
  'office',
  'typhoon',
  'bomb',
  'threat',
  'stock',
  'market',
  'today',
  'share',
  'federal',
  'russia',
  'un',
  'meeting',
  'soldier',
  'niger',
  'mississippi',
  'absentee',
  'voting',
  'assistance',
  'hosemann',
  'mcdaniel',
  'trade',
  'neshoba',
  'county',
  'mdot',
  'job',
  'brandon',
  'death',
  'year',
  'feds',
  'jackson',
  'sewer',
  'system',
  'mississippi',
  'absentee',
  'voting',
  'assistance',
  'brandon',
  'presley',
  'mississippi',
  'voter',
  'speech',
  'neshoba',
  'county',
  'fair',
  'william',
  'carey',
  'student',
  'jpd',
  'officer',
  'hattiesburg',
  'man',
  'vehicle',
  'i-59',
  'hosemann',
  'mcdaniel',
  'trade',
  'neshoba',
  'county',
  'mississippi',
  'absentee',
  'voting',
  'assistance',
  'hosemann',
  'mcdaniel',
  'trade',
  'neshoba',
  'county',
  'mdot',
  'job',
  'brandon',
  'death',
  'year',
  'feds',
  'jackson',
  'sewer',
  'system',
  'mississippi',
  'absentee',
  'voting',
  'assistance',
  'brandon',
  'presley',
  'mississippi',
  'voter',
  'speech',
  'neshoba',
  'county',
  'fair',
  'william',
  'carey',
  'student',
  'jpd',
  'officer',
  'hattiesburg',
  'man',
  'vehicle',
  'i-59',
  'hosemann',
  'mcdaniel',
  'trade',
  'neshoba',
  'county',
  'death',
  'year',
  'atlantic',
  'hurricane',
  'season',
  'ramp',
  'mega',
  'millions',
  'jackpot',
  'number',
  'm',
  'mega',
  'millions',
  'jackpot',
  'mother',
  'infant',
  'death',
  'brandon',
  'day',
  'care',
  'ms',
  'inmate',
  'bathroom',
  'break',
  'neshoba',
  'co.',
  'fair',
  'speech',
  'man',
  'murder',
  'canton',
  'gift',
  'summer',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'home',
  'depot',
  'foot',
  'skeleton',
  'halloween',
  'deal',
  'day',
  'prime',
  'day',
  'favorite',
  'news',
  'weather',
  'jackson',
  'ms',
  'politics',
  'sports',
  'watch',
  'ad',
  'wjtv',
  'fcc',
  'public',
  'files',
  'wjtv',
  'eeo',
  'public',
  'file',
  'whlt',
  'eeo',
  'public',
  'file',
  'whlt',
  'fcc',
  'public',
  'file',
  'nexstar',
  'cc',
  'certification',
  'android',
  'app',
  'google',
  'play',
  'android',
  'weather',
  'app',
  'google',
  'play',
  'personal',
  'information',
  'personal',
  'information',
  'nexstar',
  'media',
  'inc.',
  'rights'],
 ['health',
  'sex',
  'relationships',
  'viral',
  'trends',
  'human',
  'interest',
  'parenting',
  'fashion',
  'beauty',
  'food',
  'drink',
  'travel',
  'flash',
  'flooding',
  'vermont',
  'storm',
  'tornado',
  'northeast',
  'thursday',
  'social',
  'link',
  'chris',
  'oberholtz',
  'fox',
  'weather',
  'thank',
  'submission',
  'thunderstorm',
  'watch',
  'high',
  'plains',
  'forecaster',
  'storm',
  'hail',
  'heat',
  'wave',
  'million',
  'calvin',
  'hurricane',
  'eastern',
  'pacific',
  'new',
  'england',
  'flooding',
  'year',
  'round',
  'rain',
  'thunderstorm',
  'watch',
  'p.m.',
  'edt',
  'southeast',
  'indiana',
  'eastern',
  'kentucky',
  'ohio',
  'southwest',
  'pennsylvania',
  'west',
  'virginia',
  'thunderstorm',
  'watch',
  'effect',
  'p.m.',
  'edt',
  'new',
  'york',
  'vermont',
  'massachusetts',
  'connecticut',
  'series',
  'disturbance',
  'shower',
  'thunderstorm',
  'northeast',
  'thursday',
  'weekend',
  'city',
  'town',
  'northeast',
  'new',
  'england',
  'foot',
  'rain',
  'sunday',
  'area',
  'inch',
  'person',
  'flooding',
  'new',
  'york',
  'vermont',
  'state',
  'flooding',
  'event',
  'area',
  'flooding',
  'week',
  'vermont',
  'flash',
  'flooding',
  'inch',
  'rain',
  'northeast',
  'saturday',
  'shower',
  'thunderstorm',
  'northeast',
  'weekend',
  'fox',
  'weather',
  'day',
  'flash',
  'flood',
  'emergency',
  'hudson',
  'valley',
  'vermont',
  'fox',
  'weather',
  'meteorologist',
  'britta',
  'merwin',
  'storm',
  'rain',
  'weather',
  'flash',
  'flood',
  'emergency',
  'level',
  'trough',
  'pressure',
  'thursday',
  'east',
  'coast',
  'chance',
  'thunderstorm',
  'rain',
  'ohio',
  'valley',
  'northeast',
  'flow',
  'system',
  'moisture',
  'fox',
  'forecast',
  'center',
  'city',
  'town',
  'northeast',
  'inch',
  'rain',
  'sunday',
  'fox',
  'weather',
  'upstate',
  'new',
  'york',
  'new',
  'england',
  'ohio',
  'valley',
  'risk',
  'flash',
  'flooding',
  'friday',
  'flood',
  'watch',
  'new',
  'york',
  'vermont',
  'merwin',
  'response',
  'flash',
  'flood',
  'threat',
  'coast',
  'friday',
  'new',
  'england',
  'mid',
  'risk',
  'flooding',
  'fox',
  'forecast',
  'center',
  'flash',
  'flood',
  'threat',
  'saturday',
  'rain',
  'thunderstorm',
  'flash',
  'flooding',
  'alert',
  'new',
  'york',
  'interior',
  'new',
  'england',
  'ohio',
  'valley',
  'friday',
  'fox',
  'weather',
  'hail',
  'wind',
  'northeast',
  'ohio',
  'valley',
  'thursday',
  'thunderstorm',
  'new',
  'york',
  'vermont',
  'wind',
  'hail',
  'couple',
  'tornado',
  'thursday',
  'afternoon',
  'evening',
  'noaa',
  'storm',
  'prediction',
  'center',
  'spc',
  'schenectady',
  'utica',
  'rome',
  'saratoga',
  'springs',
  'rotterdam',
  'new',
  'york',
  'city',
  'northeast',
  'level',
  'risk',
  'zone',
  'weather',
  'level',
  'risk',
  'storm',
  'area',
  'northeast',
  'ohio',
  'valley',
  'tornado',
  'pennsylvania',
  'joke',
  'reality',
  'merwin',
  'shelter',
  'spc',
  'outlook',
  '%',
  'tornado',
  'risk',
  'area',
  'new',
  'york',
  'state',
  '%',
  'tornado',
  'risk',
  'area',
  'ohio',
  'valley',
  'vermont',
  'pentagon',
  'dig',
  'tuberville',
  'm',
  'story',
  'time',
  'girl',
  'montana',
  'police',
  'station',
  'miracle',
  'story',
  'time',
  'onlooker',
  'hunter',
  'biden',
  'sweetheart',
  'plea',
  'deal',
  'court',
  'story',
  'time',
  'teen',
  'country',
  'concert',
  'girlfriend',
  'horror',
  'expert',
  'weight',
  'overview',
  'found',
  'program',
  'safety',
  'pack',
  'fire',
  'extinguisher',
  '%',
  'sheet',
  'sleeper',
  'review',
  'expert',
  'sleep',
  'foundation',
  '%',
  'wayfair',
  'outdoor',
  'seating',
  'sale',
  'set',
  'sectional',
  'today',
  'beach',
  'wagon',
  'cart',
  'rollin',
  'beach',
  'kylie',
  'jenner',
  'boob',
  'job',
  'year',
  'denial',
  'jamie',
  'lynn',
  'spears',
  'responsibility',
  'fame',
  'selena',
  'gomez',
  'francia',
  'raísa',
  'birthday',
  'feud',
  'life',
  'noise',
  'activity',
  'mid',
  '-',
  'prison',
  'r.i.p.',
  'sinéad',
  'o’connor',
  'irish',
  'singer',
  'compare',
  'subject',
  'dead',
  'kevin',
  'spacey',
  'drinking',
  'acquittal',
  'london',
  'hotspot',
  'girl',
  'montana',
  'police',
  'station',
  'miracle',
  'news',
  'metro',
  'sports',
  'sports',
  'betting',
  'business',
  'opinion',
  'entertainment',
  'fashion',
  'beauty',
  'shopping',
  'lifestyle',
  'real',
  'estate',
  'media',
  'tech',
  'health',
  'travel',
  'astrology',
  'video',
  'photos',
  'stories',
  'alexa',
  'cover',
  'horoscopes',
  'sport',
  'odd',
  'podcast',
  'columnists',
  'classifieds',
  'email',
  'newsletters',
  'rss',
  'ny',
  'post',
  'official',
  'store',
  'home',
  'delivery',
  'new',
  'york',
  'post',
  'customer',
  'service',
  'apps',
  'community',
  'guidelines',
  'contact',
  'tips',
  'newsroom',
  'letters',
  'editor',
  'licensing',
  'reprints',
  'careers',
  'vulnerability',
  'disclosure',
  'program',
  'nyp',
  'holdings',
  'inc.',
  'rights',
  'reserved',
  'terms',
  'use',
  'membership',
  'terms',
  'privacy',
  'notice',
  'sitemap',
  'information'],
 ['livenewsweathersportsthings',
  'docontests',
  'watch',
  'expand',
  'collapse',
  'search',
  '☰',
  'search',
  'site',
  'news',
  'local',
  'newsnational',
  'newsworld',
  'newsinvestigatorspoliticsconsumervoice',
  'news',
  'sundayweather',
  'fox',
  'weather',
  'appforecastschool',
  'closingslive',
  'weather',
  'camerastrafficfox',
  'weathersports',
  'shayne',
  'wellsgarden',
  'guyrecipesmoney',
  'personal',
  'financebusinessstock',
  'marketsmall',
  'businesssavingsshow',
  'fox',
  'showsthe',
  'jason',
  'showfox',
  'good',
  'dayenough',
  'saidvikings',
  'gameday',
  'livethe',
  'pj',
  'fleck',
  'showfox',
  'sports',
  'nowthe',
  'jason',
  'swag',
  'shopthe',
  'fox',
  'storefox',
  'town',
  'ball',
  'storeregional',
  'news',
  'milwaukee',
  'news',
  'fox',
  'newschicago',
  'news',
  'fox',
  'chicagodetroit',
  'news',
  'fox',
  'detroitabout',
  'contact',
  'uscontestspersonalitiesjobs',
  'fox',
  '9what',
  'foxadvertisefcc',
  'applicationsstay',
  'ice',
  'cream',
  'socialnewsletterfacebookinstagramtwittertiktokyoutube',
  'thunderstorm',
  'wed',
  'pm',
  'cdt',
  'thu',
  'cdt',
  'beltrami',
  'county',
  'clearwater',
  'county',
  'pennington',
  'county',
  'red',
  'lake',
  'county',
  'thunderstorm',
  'warning',
  'thu',
  'cdt',
  'beltrami',
  'county',
  'lake',
  'woods',
  'county',
  'polk',
  'county',
  'red',
  'lake',
  'county',
  'excessive',
  'heat',
  'warning',
  'thu',
  'pm',
  'cdt',
  'thu',
  'pm',
  'cdt',
  'anoka',
  'county',
  'dakota',
  'county',
  'hennepin',
  'county',
  'ramsey',
  'county',
  'scott',
  'county',
  'washington',
  'county',
  'minnesota',
  'weather',
  'rain',
  'snow',
  'tuesday',
  'night',
  'fox',
  'staff',
  'march',
  'weather',
  'fox',
  'share',
  'copy',
  'link',
  'email',
  'facebook',
  'twitter',
  'linkedin',
  'reddit',
  'tuesday',
  'forecast',
  'rain',
  'tonight',
  'high',
  '40',
  'storm',
  'area',
  'tonight',
  'tomorrow',
  'rain',
  'minneapolis',
  'fox',
  'melt',
  'day',
  'tuesday',
  'temperature',
  'precipitation',
  'forecast',
  'temperature',
  '40',
  'twin',
  'cities',
  'metro',
  'tuesday',
  'evening',
  'daylight',
  'hour',
  'stray',
  'flurry',
  'morning',
  'twin',
  'cities',
  'month',
  'snow',
  'rain',
  'sunset',
  'twin',
  'cities',
  'tenth',
  'inch',
  'minnesota',
  'snow',
  'storm',
  'area',
  'winter',
  'storm',
  'area',
  'inch',
  'snow',
  'winter',
  'weather',
  'area',
  'inch',
  'stillwater',
  'flooding',
  'st.',
  'croix',
  'river',
  'winter',
  'freeze',
  'wednesday',
  'morning',
  'spot',
  'roadway',
  'sidewalk',
  'spot',
  'temperature',
  'day',
  'twin',
  'cities',
  'high',
  'degree',
  'sky',
  'evening',
  'flake',
  'iowa',
  'border',
  'article',
  'minnesota',
  'expert',
  'mosquito',
  'vengeance',
  'thursday',
  'high',
  'degree',
  'twin',
  'cities',
  'thing',
  'weekend',
  'friday',
  'high',
  'degree',
  'saturday',
  'high',
  'degree',
  'sunday',
  'high',
  'degree',
  'news',
  'view',
  'minnesota',
  'rollerblade',
  'founder',
  'inline',
  'skate',
  'wheel',
  'fortune',
  'violent',
  'crime',
  'summit',
  'datum',
  'homicide',
  'assault',
  'trend',
  'metro',
  'fugitive',
  'minnesota',
  'murder',
  'california',
  'minnesota',
  'town',
  'ball',
  'team',
  'postseason',
  'ban',
  'rule',
  'violation',
  'golfer',
  'm',
  'open',
  'contractor',
  'minnetonka',
  'home',
  'business',
  'lightning',
  'strike',
  'house',
  'fire',
  'plymouth',
  'child',
  'minneapolis',
  'wednesday',
  'mall',
  'america',
  'shooter',
  'nike',
  'store',
  'dispute',
  'wildfire',
  'friend',
  'foe',
  'e',
  '-',
  'bike',
  'use',
  'lake',
  'minnetonka',
  'community',
  'community',
  'radio',
  'station',
  'story',
  'voice',
  'minneapolis',
  'new',
  'festival',
  'art',
  'artist',
  'color',
  'mass',
  'shooting',
  'plot',
  'year',
  'sentence',
  'zimmerman',
  'man',
  'man',
  'week',
  'minneapolis',
  'rail',
  'platform',
  'trending',
  'mall',
  'america',
  'shooter',
  'nike',
  'store',
  'dispute',
  'minnesota',
  'state',
  'fair',
  'attraction',
  'teen',
  'jet',
  'bridge',
  'msp',
  'minnesota',
  'best',
  'adventure',
  'experience',
  'list',
  'minnesota',
  'town',
  'ball',
  'team',
  'postseason',
  'ban',
  'rule',
  'violation',
  'daily',
  'newsletter',
  'news',
  'day',
  'sign',
  'privacy',
  'policy',
  'terms',
  'service',
  'stream',
  'smart',
  'tv',
  'fox',
  'fox',
  'streaming',
  'app',
  'fox',
  'fox',
  'streaming',
  'app',
  'roku',
  'apple',
  'tv',
  'amazon',
  'firetv',
  'google',
  'android',
  'tv',
  'cable',
  'subscription',
  'login',
  'news',
  'local',
  'newsnational',
  'newsworld',
  'newsinvestigatorspoliticsconsumervoice',
  'news',
  'sundayweather',
  'fox',
  'weather',
  'appforecastschool',
  'closingslive',
  'weather',
  'camerastrafficfox',
  'weathersports',
  'shayne',
  'wellsgarden',
  'guyrecipesmoney',
  'personal',
  'financebusinessstock',
  'marketsmall',
  'businesssavingsshow',
  'fox',
  'showsthe',
  'jason',
  'showfox',
  'good',
  'dayenough',
  'saidvikings',
  'gameday',
  'livethe',
  'pj',
  'fleck',
  'showfox',
  'sports',
  'nowthe',
  'jason',
  'swag',
  'shopthe',
  'fox',
  'storefox',
  'town',
  'ball',
  'storeregional',
  'news',
  'milwaukee',
  'news',
  'fox',
  'newschicago',
  'news',
  'fox',
  'chicagodetroit',
  'news',
  'fox',
  'detroitabout',
  'contact',
  'uscontestspersonalitiesjobs',
  'fox',
  '9what',
  'foxadvertisefcc',
  'applicationsstay',
  'ice',
  'cream',
  'socialnewsletterfacebookinstagramtwittertiktokyoutube',
  'facebooktwitteremail',
  'new',
  'privacy',
  'policyterms',
  'serviceyour',
  'privacy',
  'choicesfcc',
  'public',
  'filejobs',
  'fox',
  '9contact',
  'material',
  'fox',
  'television',
  'stations'],
 ['associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'ian',
  'south',
  'carolina',
  'florida',
  'death',
  'toll',
  'hurricane',
  'ian',
  'south',
  'carolina',
  'friday',
  'pier',
  'flooding',
  'street',
  'storm',
  'damage',
  'florida',
  'thousand',
  'home',
  'people',
  'sept.',
  'meg',
  'kinnard',
  'adriana',
  'gomez',
  'licon',
  'charleston',
  's.c.',
  'ap',
  'hurricane',
  'ian',
  'south',
  'carolina',
  'friday',
  'pier',
  'flooding',
  'street',
  'storm',
  'damage',
  'florida',
  'thousand',
  'home',
  'people',
  'storm',
  'hurricane',
  'u.s.',
  'people',
  'week',
  'cuba',
  'florida',
  'strength',
  'water',
  'atlantic',
  'ocean',
  'south',
  'carolina',
  'ian',
  'center',
  'georgetown',
  'south',
  'carolina',
  'friday',
  'wind',
  'florida',
  'gulf',
  'coast',
  'week',
  'storm',
  'area',
  'charleston',
  'downtown',
  'peninsula',
  'water',
  'pier',
  'coast',
  'myrtle',
  'beach',
  'camera',
  'seawater',
  'neighborhood',
  'garden',
  'city',
  'calf',
  'level',
  'ian',
  'south',
  'carolina',
  'way',
  'north',
  'carolina',
  'friday',
  'evening',
  'hurricane',
  'cyclone',
  'sentencing',
  'arizona',
  'mother',
  'murder',
  'child',
  'abuse',
  'starvation',
  'son',
  'bluffing',
  'putin',
  'deployment',
  'weapon',
  'belarus',
  'saber',
  'england',
  'home',
  'crowd',
  'women',
  'world',
  'cup',
  'australia',
  'ian',
  'swath',
  'destruction',
  'florida',
  'flooding',
  'area',
  'coast',
  'home',
  'slab',
  'beachfront',
  'business',
  'people',
  'power',
  'storm',
  'system',
  'florida',
  'issue',
  'friday',
  'night',
  'mile',
  'kilometer',
  'stretch',
  'interstate',
  'direction',
  'port',
  'charlotte',
  'area',
  'water',
  'myakka',
  'river',
  'death',
  'drowning',
  'year',
  'woman',
  'ocean',
  'wave',
  'year',
  'man',
  'water',
  'home',
  'authority',
  'storm',
  'fatality',
  'year',
  'woman',
  'atv',
  'rollover',
  'road',
  'washout',
  'year',
  'man',
  'roof',
  'rain',
  'shutter',
  'year',
  'woman',
  'year',
  'man',
  'oxygen',
  'machine',
  'equipment',
  'power',
  'outage',
  'people',
  'cuba',
  'week',
  'storm',
  'death',
  'toll',
  'emergency',
  'official',
  'opportunity',
  'area',
  'rescue',
  'crew',
  'boat',
  'riverine',
  'street',
  'florida',
  'storm',
  'thousand',
  'people',
  'home',
  'building',
  'gov.',
  'ron',
  'desantis',
  'friday',
  'crew',
  'door',
  'door',
  'home',
  'area',
  'effort',
  'news',
  'conference',
  'tallahassee',
  'hurricane',
  'ian',
  'damage',
  'loss',
  'disaster',
  'firm',
  'karen',
  'clark',
  'company',
  'flash',
  'catastrophe',
  'estimate',
  'number',
  'ian',
  'hurricane',
  'u.s.',
  'history',
  'florida',
  'division',
  'emergency',
  'management',
  'director',
  'kevin',
  'guthrie',
  'responder',
  'search',
  'emergency',
  'rescue',
  'assessment',
  'wave',
  'search',
  'responder',
  'remain',
  'friday',
  'example',
  'case',
  'home',
  '“the',
  'water',
  'rooftop',
  'coast',
  'guard',
  'rescue',
  'swimmer',
  'remain',
  'guthrie',
  'media',
  'user',
  'phone',
  'number',
  'address',
  'photo',
  'family',
  'member',
  'friend',
  'orlando',
  'resident',
  'home',
  'friday',
  'pant',
  'knee',
  'water',
  'street',
  'friend',
  'ramon',
  'rodriguez',
  'ice',
  'water',
  'coffee',
  'entrance',
  'subdivision',
  'home',
  'road',
  'lake',
  'power',
  'food',
  'house',
  'car',
  'water',
  'water',
  'rodriguez',
  'situation',
  'storm',
  'surge',
  'home',
  'barrier',
  'island',
  'sanibel',
  'florida',
  'crevice',
  'sand',
  'dune',
  'taller',
  'condominium',
  'building',
  'floor',
  'tree',
  'utility',
  'pole',
  'rescuer',
  'team',
  'coast',
  'guard',
  'boat',
  'helicopter',
  'friday',
  'resident',
  'storm',
  'mainland',
  'causeway',
  'volunteer',
  'island',
  'watercraft',
  'couple',
  'area',
  'coast',
  'guard',
  'rescuer',
  'helicopter',
  'hour',
  'storm',
  'florida',
  'peninsula',
  'ian',
  'strength',
  'thursday',
  'evening',
  'atlantic',
  'ian',
  'landfall',
  'south',
  'carolina',
  'wind',
  'mph',
  'kph',
  'florida',
  'gulf',
  'coast',
  'wednesday',
  'category',
  'hurricane',
  'mph',
  'kph).after',
  'rainfall',
  'charleston',
  'shalosky',
  'elm',
  'tree',
  'house',
  'downtown',
  'street',
  'damage',
  'tree',
  'way',
  'house',
  'shalosky',
  'ian',
  'rain',
  'wind',
  'north',
  'carolina',
  'friday',
  'evening',
  'gov.',
  'roy',
  'cooper',
  'resident',
  'inch',
  'centimeter',
  'rain',
  'area',
  'ian',
  'door',
  'rain',
  'wind',
  'state',
  'cooper',
  'message',
  'today',
  'washington',
  'president',
  'joe',
  'biden',
  'action',
  'life',
  'help',
  'survivor',
  'month',
  'year',
  'biden',
  'people',
  'florida',
  'licon',
  'punta',
  'gorda',
  'florida',
  'associated',
  'press',
  'contributor',
  'anthony',
  'izaguirre',
  'tallahassee',
  'florida',
  'terry',
  'spencer',
  'tim',
  'reynolds',
  'fort',
  'myers',
  'florida',
  'cody',
  'jackson',
  'tampa',
  'florida',
  'freida',
  'frisaro',
  'miami',
  'mike',
  'schneider',
  'orlando',
  'florida',
  'seth',
  'borenstein',
  'washington',
  'bobby',
  'caina',
  'calvan',
  'new',
  'york',
  'jeffrey',
  'collins',
  'columbia',
  'south',
  'carolina',
  'meg',
  'politic',
  'life',
  'south',
  'carolina',
  'associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights'],
 ['action',
  'science',
  'technology',
  'magazine',
  'information',
  'universesubscribe',
  'today',
  '%',
  'checkout',
  'code',
  "love5'engaging",
  'article',
  'illustration',
  'interviewsissue',
  'door',
  'devicefrom$3.99view',
  'trendingdeep',
  'sea',
  'current',
  "collapse'boomerang",
  'science',
  'biopicsshark',
  'week',
  'link',
  'site',
  'affiliate',
  'commission',
  'flood',
  'typhoon',
  'merbok',
  'alaska',
  'news',
  'stephanie',
  'pappas',
  'september',
  'remnant',
  'typhoon',
  'merbok',
  'flood',
  'alaska',
  'weekend',
  'hour',
  'timelapse',
  'image',
  'noaa',
  'satellite',
  'goes',
  'west',
  'remnant',
  'typhoon',
  'merbok',
  'bering',
  'sea',
  'sept.',
  'sept.',
  'credit',
  'uw',
  'madison',
  'cimss',
  'coastal',
  'alaska',
  'monday',
  'sept.',
  'weekend',
  'flooding',
  'remnant',
  'typhoon',
  'merbok',
  'storm',
  'flooding',
  'community',
  'mile',
  'kilometer',
  'coastline',
  'alaska',
  'governor',
  'mike',
  'dunleavy',
  'news',
  'conference',
  'sunday',
  'sept.',
  'people',
  'shelter',
  'saturday',
  'sept.',
  'alaska',
  'public',
  'media',
  'road',
  'home',
  'wind',
  'mph',
  'km',
  'hour',
  'cbs',
  'news',
  'nome',
  'home',
  'foundation',
  'river',
  'water',
  'level',
  'area',
  'monday',
  'storm',
  'surge',
  'monday',
  'tuesday',
  'sept.',
  'morning',
  'national',
  'weather',
  'service',
  'fairbanks',
  '"merbok',
  'storm',
  'bering',
  'sea',
  'western',
  'alaska',
  'nws',
  'meteorologist',
  'virginia',
  'rux',
  'alaska',
  'public',
  'media',
  'sunday',
  'community',
  'storm',
  'typhoon',
  'sept.',
  'pacific',
  'east',
  'northern',
  'mariana',
  'islands',
  'accuweather',
  'strength',
  'time',
  'alaska',
  'coast',
  'wind',
  'combination',
  'wave',
  'wind',
  'swell',
  'effect',
  'storm',
  'wind',
  'foot',
  'meter',
  'hurricane',
  'typhoon',
  'cycloneswind',
  'storm',
  'west',
  'point',
  'hope',
  'alaska',
  'day',
  'nws',
  'meteorologist',
  'impact',
  'storm',
  'content',
  'hurricane',
  'season',
  'hurricanes',
  'climate',
  'model',
  'hurricane',
  'alaska',
  'stock',
  'damage',
  'restaurant',
  'nome',
  'street',
  'saturday',
  'evening',
  'conflagration',
  'wind',
  'anchorage',
  'daily',
  'news',
  'nome',
  'nugget',
  'seawall',
  'fuel',
  'tank',
  'road',
  'home',
  'foundation',
  'snake',
  'river',
  'bridge',
  'downstream',
  'sept.',
  'melissa',
  'frey',
  'meteorologist',
  'ktuu',
  'kyes',
  'anchorage',
  'photo',
  'twitter',
  'flooding',
  'newtok',
  'st.',
  'george',
  'hooper',
  'bay',
  'home',
  'wreckage',
  'coastline',
  'report',
  'wind',
  'damage',
  'flooding',
  'tonight',
  'bering',
  'w.',
  'alaska',
  'beginning',
  'wind',
  'saturday',
  'flooding',
  'storm',
  'surge',
  'way',
  'west',
  'coast.',
  'akwx',
  'pic.twitter.com/5oxbfryir8september',
  'morethe',
  'storm',
  'bering',
  'sea',
  'superstorm',
  'november',
  'wind',
  'gust',
  'mph',
  'km',
  'h',
  'region',
  'nws',
  'fairbanks',
  'gov.',
  'dunleavy',
  'state',
  'emergency',
  'saturday',
  'contact',
  'government',
  'relief',
  'time',
  'essence',
  'news',
  'conference',
  'saturday',
  'community',
  'temperature',
  'year',
  'week',
  'friend',
  'florida',
  'situation',
  'month',
  'governor',
  'week',
  'science',
  'science',
  'date',
  'science',
  'news',
  'essential',
  'newsletter',
  'news',
  'offer',
  'future',
  'email',
  'behalf',
  'partner',
  'sponsorsby',
  'information',
  'terms',
  'conditions',
  'privacy',
  'policy',
  'stephanie',
  'pappassocial',
  'navigationlive',
  'science',
  'contributorstephanie',
  'pappas',
  'writer',
  'live',
  'science',
  'topic',
  'geoscience',
  'archaeology',
  'brain',
  'behavior',
  'writer',
  'science',
  'freelancer',
  'denver',
  'colorado',
  'monitor',
  'magazine',
  'american',
  'psychological',
  'association',
  'stephanie',
  'bachelor',
  'degree',
  'psychology',
  'university',
  'south',
  'carolina',
  'graduate',
  'certificate',
  'science',
  'communication',
  'university',
  'california',
  'santa',
  'cruz',
  'wildfire',
  'smoke',
  'thousand',
  'mile',
  'norwaynyc',
  'air',
  'quality',
  'city',
  'wednesday',
  'climate',
  'change',
  'again?latestwatch',
  'drone',
  'siberia',
  'gateway',
  'underworld',
  'depression',
  '►',
  'popularsave',
  '%',
  'fitbit',
  'luxe',
  'fitness',
  'trackerby',
  'ravi',
  'davdajuly',
  'yosuda',
  'indoor',
  'cycling',
  'bikeby',
  'ravi',
  'davdajuly',
  'bite',
  'man',
  'waist',
  'water',
  'south',
  'carolina',
  'beach',
  'resortby',
  'sascha',
  'parejuly',
  'bubble',
  'goo',
  'woman',
  'tongue',
  'causeby',
  'nicoletta',
  'lanesejuly',
  'year',
  'glass',
  'workshop',
  'coin',
  'north',
  'alpsby',
  'jennifer',
  'nalewickijuly',
  'galaxy',
  'component',
  'universe',
  'scientist',
  'stumpedby',
  'robert',
  'leajuly',
  'psilocybin',
  'anorexia',
  'patient',
  'trial',
  'suggestsby',
  'emily',
  'cookejuly',
  'outburst',
  'time',
  'size',
  'texas',
  'snowball',
  'earth',
  'year',
  'agoby',
  'sascha',
  'parejuly',
  'barrier',
  'indonesia',
  'scientistsby',
  'harry',
  'bakerjuly',
  'bear',
  'woman',
  'buttermilk',
  'trail',
  'yellowstone',
  'national',
  'parkby',
  'harry',
  'bakerjuly',
  'weight',
  'evidence',
  'debateby',
  'donald',
  'm.',
  'lamkinjuly',
  'readmost',
  'year',
  'glass',
  'workshop',
  'coin',
  'north',
  'night',
  'day',
  'manhattan',
  'project',
  'scientist',
  'world',
  'bomb',
  'test3scientist',
  'link',
  'heart',
  'disease',
  'entrance',
  'underworld',
  'church',
  'mexico5ancient',
  'script',
  'year',
  'discovered1science',
  'supersede',
  'creationism',
  'einstein',
  'student',
  'contact',
  'alien',
  'genocide',
  'scholar',
  'boulder',
  'space',
  'aftermath',
  'nasa',
  'asteroid',
  'dart',
  'mission4a',
  'skyscraper',
  'size',
  'asteroid',
  'earth',
  'moon',
  'scientist',
  'day',
  'boss',
  'finalist',
  'comedy',
  'pet',
  'photography',
  'awards',
  'live',
  'science',
  'future',
  'inc',
  'medium',
  'group',
  'publisher',
  'site',
  'contact',
  'future',
  'expert',
  'term',
  'condition',
  'privacy',
  'policy',
  'cookie',
  'policy',
  'accessibility',
  'statement',
  'advertise',
  'web',
  'notification',
  'careers',
  'future',
  'inc.',
  'floor',
  'west',
  '42nd',
  'street',
  'new',
  'york',
  'ny'],
 ['thu',
  'jul',
  'gmt',
  '1690435170578)b811ce9f72504dd71cfbde548ab55bc49d22f916ff7f66dd0d6b73eb176b80eedf30afe5bb51279anewsweatherlifestylefeaturesgame',
  'centerwatch',
  'mon',
  'tue',
  'storm',
  'western',
  'oregon',
  'sw',
  'wash.',
  'snow',
  'pattern',
  'aheadby',
  'katu',
  'staffthu',
  'february',
  '23rd',
  'utc6view',
  'interstate',
  'interchange',
  'portland',
  'katu',
  'image0loading'],
 ['incharlestonsee',
  'locationsclosecharlestonsee',
  'storiessafetyfood',
  'drinksportssee',
  'moreadditional',
  'contentnational',
  'newslocal',
  'newsletternewsbreak',
  'corporateabout',
  'uscontributorspublishersadvertisersterm',
  'use',
  'privacy',
  'policydo',
  'sell',
  'share',
  'info',
  'help',
  'centersign',
  'charleston',
  'wv',
  'update',
  'emailsubscribemetro',
  'newsstorm',
  'west',
  'virginia',
  'punchby',
  'chris',
  'lawrence,2023',
  'chris',
  'lawrence,2023',
  '03',
  'publisher',
  'newsbreakcomments',
  '0add',
  'commentyou',
  'popularchief',
  'justice',
  'suspension',
  'matrimonial',
  'trial',
  'judicial',
  'vacanciespassaic',
  'nj15',
  'day',
  'agokanawha',
  'county',
  'judge',
  'man',
  'sentence',
  'degree',
  'murder',
  'pleacharleston',
  'wv1',
  'day',
  'agoit',
  'climate',
  'change',
  'flooding',
  'war',
  'flood',
  'control',
  'damage',
  'montpelier',
  'vt14',
  'day',
  'agoget',
  'charleston',
  'wv',
  'update',
  'emailsubscribe',
  'particle',
  'medium',
  'term',
  'use',
  'privacy',
  'policydo',
  'sell',
  'share',
  'info',
  'help',
  'centercomments',
  '0closecommunity',
  'policy'],
 ['day',
  'woman',
  'birth',
  'hospital',
  'heart',
  'attack',
  'seizure',
  'kidney',
  'failure',
  'blood',
  'transfusion',
  'problem',
  'death',
  'human',
  'trafficking',
  'sports',
  'entertainment',
  'life',
  'money',
  'tech',
  'travel',
  'opinion',
  'obituariesonly',
  'usa',
  'today',
  'newsletters',
  'subscribers',
  'archives',
  'crossword',
  'enewspaper',
  'magazines',
  'investigations',
  'weather',
  'forecast',
  'video',
  'humankind',
  'curiousbest',
  'booklist',
  'pets',
  'food',
  'reviewed',
  'coupons',
  'blueprint',
  'best',
  'auto',
  'insurance',
  'best',
  'pet',
  'insurance',
  'best',
  'travel',
  'insurance',
  'best',
  'credit',
  'cards',
  'best',
  'cd',
  'rate',
  'best',
  'personal',
  'loans',
  'storm',
  'flash',
  'flooding',
  'new',
  'englandrounds',
  'thunderstorm',
  'northeast',
  'sept.',
  'rain',
  'flash',
  'flood',
  'place',
  'providence',
  'rhode',
  'island',
  'accuweather',
  'accuweather',
  'accuweathermore',
  'videosnorth',
  'carolina',
  'tornado',
  'i-95',
  'injury',
  'temperature',
  'record',
  'resident',
  'heatwave',
  'result',
  'climate',
  'changetropical',
  'activity',
  'atlantic',
  'digit',
  'temperature',
  'state',
  'heatwave',
  'americanswatch',
  'wildfires',
  'rage',
  'greece',
  'heatwave',
  'eye',
  'wave',
  'storm',
  'weekforecaster',
  'eye',
  'storm',
  'newsroom',
  'staff',
  'ethical',
  'principles',
  'correction',
  'press',
  'accessibility',
  'sitemap',
  'subscription',
  'terms',
  'conditions',
  'terms',
  'service',
  'california',
  'privacy',
  'rights',
  'privacy',
  'policy',
  'privacy',
  'policydo',
  'sell',
  'share',
  'target',
  'infocookie',
  'settingscontact',
  'account',
  'feedback',
  'home',
  'delivery',
  'enewspaper',
  'usa',
  'today',
  'shop',
  'usa',
  'today',
  'print',
  'editions',
  'licensing',
  'reprints',
  'advertise',
  'careers',
  'internships',
  'businessnews',
  'tips',
  'letter',
  'editor',
  'newsletters',
  'mobile',
  'app',
  'facebook',
  'twitter',
  'instagram',
  'linkedin',
  'pinterest',
  'youtube',
  'reddit',
  'flipboard',
  'jobs',
  'sports',
  'betting',
  'sports',
  'weekly',
  'studio',
  'gannett',
  'classifieds',
  'coupons',
  'blueprint',
  'auto',
  'insurance',
  'pet',
  'insurance',
  'travel',
  'insurance',
  'credit',
  'cards',
  'banking',
  'personal',
  'loans',
  'usa',
  'today',
  'division',
  'gannett',
  'satellite',
  'information',
  'network',
  'llc'],
 ['main',
  'content',
  'sensor',
  'network',
  'maps',
  'radar',
  'severe',
  'weather',
  'news',
  'blogs',
  'mobile',
  'apps',
  'nearest',
  'station',
  'manage',
  'favorite',
  'citieslog',
  'joinsettingsaccount_box',
  'log',
  'person_add',
  'join',
  'setting',
  'settings',
  'sensor',
  'networkmaps',
  'radarsevere',
  'weathernews',
  'blogsmobile',
  'appshistorical',
  'weatherstarnews',
  'blogs',
  'category',
  'news',
  'stories',
  'infographics',
  'posters',
  'news',
  'stories',
  'category',
  'storiesinfographicsposterspublished',
  'weather',
  'company',
  'mission',
  'weather',
  'news',
  'environment',
  'importance',
  'science',
  'life',
  'story',
  'position',
  'parent',
  'company',
  'ibm.recent',
  'storiesweather',
  'articlesour',
  'appsabout',
  'uscontactcareerspws',
  'networkwundermapfeedback',
  'supportterms',
  'useprivacy',
  'policyaccessibility',
  'statementadchoicesdata',
  'vendorswe',
  'responsibility',
  'datum',
  'technology',
  'datum',
  'data',
  'vendor',
  'control',
  'datum',
  'datum',
  'rightspowered',
  'ibm',
  'cloud',
  'copyright',
  'twc',
  'product',
  'technology',
  'llc',
  'javascript',
  'application'],
 ['livenewsweathergood',
  'expand',
  'collapse',
  'search',
  '☰',
  'search',
  'site',
  'news',
  'philadelphiapennsylvanianew',
  'jerseydelawaremore',
  'newsnational',
  'newsworld',
  'newsfox',
  'news',
  'sundayweather',
  'day',
  'forecastclosingsfox',
  'weatherradartemperatureswatche',
  'warningsweather',
  'appgood',
  'day',
  'digest',
  'newsletterkelly',
  'classroomtrafficwatch',
  'liveya',
  'thisseen',
  'tvsports',
  'fifa',
  'women',
  'world',
  'cupeaglesflyersphillies76ersunionfox',
  'sports',
  'appentertainment',
  'showsthe',
  'classh',
  'roomthings',
  'fox',
  'showswatch',
  'streamnewscasts',
  'replayslivenow',
  'foxnew',
  'specialswebcamsfox',
  'mattersfox',
  'originals',
  'black',
  'history',
  'monthhank',
  'takein',
  'focuskelly',
  'drivesour',
  'race',
  'realitysave',
  'streetsthe',
  'pulsehealth',
  'coronaviruscoronavirus',
  'mapcoronavirus',
  'vaccinedr',
  'mikehealth',
  'careopioid',
  'epidemicpolitics',
  'electioninauguration',
  'dayjoe',
  'bidenkamala',
  'harrisdonald',
  'j.',
  'trumpphilly',
  'city',
  'councilmoney',
  'businesscashing',
  'news',
  'fox',
  'appnew',
  'jersey',
  'news',
  'my9njnew',
  'york',
  'news',
  'fox',
  'nywashington',
  'dc',
  'news',
  'fox',
  'dcabout',
  'appscontact',
  'usfcc',
  'applicationshow',
  'listingswork',
  'heat',
  'watch',
  'fri',
  'edt',
  'fri',
  'pm',
  'edt',
  'delaware',
  'county',
  'eastern',
  'chester',
  'county',
  'eastern',
  'montgomery',
  'county',
  'lower',
  'bucks',
  'county',
  'philadelphia',
  'county',
  'camden',
  'county',
  'gloucester',
  'county',
  'mercer',
  'county',
  'northwestern',
  'burlington',
  'county',
  'somerset',
  'county',
  'new',
  'castle',
  'county',
  'heat',
  'advisory',
  'thu',
  'pm',
  'edt',
  'fri',
  'pm',
  'edt',
  'lancaster',
  'county',
  'lebanon',
  'county',
  'heat',
  'advisory',
  'thu',
  'edt',
  'fri',
  'edt',
  'delaware',
  'county',
  'eastern',
  'chester',
  'county',
  'eastern',
  'montgomery',
  'county',
  'lower',
  'bucks',
  'county',
  'philadelphia',
  'county',
  'camden',
  'county',
  'gloucester',
  'county',
  'mercer',
  'county',
  'northwestern',
  'burlington',
  'county',
  'somerset',
  'county',
  'new',
  'castle',
  'county',
  'heat',
  'advisory',
  'thu',
  'edt',
  'fri',
  'pm',
  'edt',
  'berks',
  'county',
  'lehigh',
  'county',
  'northampton',
  'county',
  'upper',
  'bucks',
  'county',
  'western',
  'chester',
  'county',
  'western',
  'montgomery',
  'county',
  'atlantic',
  'county',
  'cape',
  'county',
  'cumberland',
  'county',
  'salem',
  'county',
  'southeastern',
  'burlington',
  'county',
  'warren',
  'county',
  'hunterdon',
  'county',
  'ocean',
  'county',
  'warren',
  'county',
  'kent',
  'county',
  'inland',
  'sussex',
  'county',
  'tornado',
  'sussex',
  'county',
  'storm',
  'mile',
  'path',
  'destruction',
  'kelly',
  'rule',
  'fox',
  'staff',
  'april',
  'april',
  'delaware',
  'fox',
  'philadelphia',
  'share',
  'copy',
  'link',
  'email',
  'facebook',
  'twitter',
  'linkedin',
  'reddit',
  'sussex',
  'county',
  'delaware',
  'family',
  'death',
  'man',
  'saturday',
  'tornado',
  'outbreak',
  'tornado',
  'sussex',
  'county',
  'family',
  'death',
  'man',
  'storm',
  'sussex',
  'county',
  'del.',
  'man',
  'saturday',
  'evening',
  'storm',
  'aim',
  'delaware',
  'national',
  'weather',
  'service',
  'tornado',
  'sussex',
  'county',
  'delaware',
  'storm',
  'damage',
  'route',
  'greenwood',
  'bridgeville',
  'coverage',
  'nws',
  'tornado',
  'n.j.',
  'storm',
  'destruction',
  'delaware',
  'valley',
  'official',
  'man',
  'house',
  'sussex',
  'county',
  'storm',
  'tornado',
  'sunday',
  'family',
  'member',
  'home',
  'home',
  'generation',
  'home',
  'area',
  'damage',
  'family',
  'joe',
  'hubert',
  'dinner',
  'wife',
  'family',
  'minute',
  'greenwood',
  'phone',
  'tornado',
  'god',
  'tree',
  'toothpick',
  'tree',
  'brand',
  'year',
  'home',
  'owens',
  'road',
  'corner',
  'home',
  'roof',
  'home',
  'door',
  'direction',
  'damage',
  'tuckers',
  'road',
  'neighbor',
  'roof',
  'window',
  'image',
  '▼',
  'coverage',
  'car',
  'fire',
  'north',
  'philadelphia',
  'saturday',
  'storm',
  'wire',
  'power',
  'official',
  'tornado',
  'mile',
  'path',
  'destruction',
  'bridgeville',
  'ellendale',
  'dozen',
  'home',
  'county',
  'home',
  'fawn',
  'road',
  'toilet',
  'home',
  'refrigerator',
  'reaction',
  'life',
  'delaware',
  'governor',
  'john',
  'carney',
  'tornado',
  'camera',
  'sussex',
  'county',
  'emergency',
  'operations',
  'center',
  'funnel',
  'sky',
  'saturday',
  'evening',
  'video',
  'tornado',
  'man',
  'sussex',
  'county',
  'tornado',
  'video',
  'cloud',
  'official',
  'tornado',
  'man',
  'house',
  'sussex',
  'county',
  'church',
  'hand',
  'rest',
  'resident',
  'jonathan',
  'tharp',
  'hour',
  'shift',
  'tree',
  'company',
  'tharp',
  'time',
  'people',
  'tharp',
  'wife',
  'picture',
  'rainbow',
  'storm',
  'roof',
  'roofing',
  'company',
  'charge',
  'hubert',
  'sussex',
  'county',
  'reaction',
  'life',
  'delaware',
  'governor',
  'john',
  'carney',
  'american',
  'red',
  'cross',
  'dhss',
  'office',
  'preparedness',
  'official',
  'time',
  'tornado',
  'delaware',
  'news',
  'alicia',
  'navarro',
  'arizona',
  'girl',
  'montana',
  'pd',
  'video',
  'gunshot',
  'south',
  'philly',
  'ambush',
  'shooting',
  'home',
  'security',
  'camera',
  'police',
  'man',
  'argument',
  'septa',
  'market',
  'frankford',
  'line',
  'train',
  'change',
  'wildwood',
  'city',
  'commission',
  'rule',
  'teen',
  'family',
  'vigil',
  'logan',
  'boy',
  'fishing',
  'trip',
  'father',
  'brother',
  'trending',
  'philadelphia',
  'eviction',
  'landlord',
  'tenant',
  'officer',
  'incident',
  'philly',
  'rapper',
  'yng',
  'cheese',
  'rest',
  'shooting',
  'mom',
  'ambush',
  'street',
  'philly',
  'park',
  'video',
  'crowd',
  'police',
  'philadelphia',
  'gas',
  'station',
  'parking',
  'lot',
  'car',
  'meetup',
  'philly',
  'park',
  'litter',
  'visitor',
  'daily',
  'newsletter',
  'news',
  'day',
  'sign',
  'privacy',
  'policy',
  'terms',
  'service',
  'fox',
  'youtube',
  'app',
  'fox',
  'philadelphia',
  'fox',
  'local',
  'click',
  'news',
  'philadelphiapennsylvanianew',
  'jerseydelawaremore',
  'newsnational',
  'newsworld',
  'newsfox',
  'news',
  'sundayweather',
  'day',
  'forecastclosingsfox',
  'weatherradartemperatureswatche',
  'warningsweather',
  'appgood',
  'day',
  'digest',
  'newsletterkelly',
  'classroomtrafficwatch',
  'liveya',
  'thisseen',
  'tvsports',
  'fifa',
  'women',
  'world',
  'cupeaglesflyersphillies76ersunionfox',
  'sports',
  'appentertainment',
  'showsthe',
  'classh',
  'roomthings',
  'fox',
  'showswatch',
  'streamnewscasts',
  'replayslivenow',
  'foxnew',
  'specialswebcamsfox',
  'mattersfox',
  'originals',
  'black',
  'history',
  'monthhank',
  'takein',
  'focuskelly',
  'drivesour',
  'race',
  'realitysave',
  'streetsthe',
  'pulsehealth',
  'coronaviruscoronavirus',
  'mapcoronavirus',
  'vaccinedr',
  'mikehealth',
  'careopioid',
  'epidemicpolitics',
  'electioninauguration',
  'dayjoe',
  'bidenkamala',
  'harrisdonald',
  'j.',
  'trumpphilly',
  'city',
  'councilmoney',
  'businesscashing',
  'news',
  'fox',
  'appnew',
  'jersey',
  'news',
  'my9njnew',
  'york',
  'news',
  'fox',
  'nywashington',
  'dc',
  'news',
  'fox',
  'dcabout',
  'appscontact',
  'usfcc',
  'applicationshow',
  'listingswork',
  'facebooktwitterinstagramyoutubeemail',
  'usnew',
  'privacy',
  'policyterms',
  'serviceyour',
  'privacy',
  'choicesfcc',
  'public',
  'public',
  'fileclosed',
  'captioningwork',
  'uscontact',
  'material',
  'fox',
  'television',
  'stations'],
 ['news',
  'headlines',
  'crime',
  'public',
  'safety',
  'photos',
  'videos',
  'elections',
  'weather',
  'capitol',
  'ideas',
  'education',
  'pennsylvania',
  'news',
  'coronavirus',
  'sports',
  'high',
  'school',
  'sports',
  'college',
  'sports',
  'philadelphia',
  'phillies',
  'athlete',
  'week',
  'philadelphia',
  'eagles',
  'outdoors',
  'golf',
  'nhl',
  'thing',
  'entertainment',
  'restaurants',
  'food',
  'drink',
  'nightcrawler',
  'music',
  'concerts',
  'theater',
  'lehigh',
  'valley',
  'insider',
  'movies',
  'tv',
  'streaming',
  'death',
  'notice',
  'listings',
  'place',
  'death',
  'notice',
  'branded',
  'content',
  'advertising',
  'ascend',
  'paid',
  'partner',
  'content',
  'paid',
  'content',
  'brandpoint',
  'storms',
  'pennsylvania',
  'twitter',
  'opens',
  'window)click',
  'facebook',
  'opens',
  'window',
  'search',
  'month',
  'family',
  'bucks',
  'county',
  'flash',
  'flood',
  'mean',
  'july',
  'pm',
  'storm',
  'pennsylvania',
  'weather',
  'pattern',
  'twitter',
  'opens',
  'window)click',
  'facebook',
  'opens',
  'window',
  'nabil',
  'k.',
  'mark',
  'ap',
  'lightning',
  'mount',
  'nittany',
  'state',
  'college',
  'pa.',
  'photo',
  'pennsylvania',
  'outbreak',
  'weather',
  'week',
  'april',
  'month',
  'period',
  'year',
  'weather',
  'outbreak',
  'united',
  'states',
  'stephanie',
  'sigafoos',
  '',
  '',
  'april',
  'weather',
  'pennsylvania',
  'mid',
  'region',
  'month',
  'spring',
  'pattern',
  'mix',
  'ingredient',
  'weather',
  'analyst',
  'pattern',
  'surprise',
  'expert',
  'april',
  'month',
  'period',
  'year',
  'weather',
  'outbreak',
  'united',
  'states',
  'weather',
  'watcher',
  'datum',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'noaa',
  'year',
  'year',
  'increase',
  'weather',
  'event',
  'state',
  'tuesday',
  'instance',
  'tornado',
  'hail',
  'wind',
  'damage',
  'year',
  'instance',
  'time',
  'period',
  'comparison',
  'year',
  'year',
  'datum',
  'perspective',
  'john',
  'hart',
  'forecaster',
  'operation',
  'branch',
  'noaa',
  'storm',
  'prediction',
  'center',
  'trend',
  'datum',
  'pattern',
  'storm',
  'pennsylvania',
  'state',
  'period',
  'pattern',
  'year',
  'spring',
  'empire',
  'weather',
  'meteorologist',
  'ed',
  'vallee',
  'forecast',
  'morning',
  'setup',
  'weather',
  'time',
  'year',
  'heat',
  'humidity',
  'vallee',
  'weather',
  'pattern',
  'country',
  'day',
  'air',
  'season',
  'airmass',
  'air',
  'atmosphere',
  'cloud',
  'storm',
  'factor',
  'storm',
  'summer',
  'month',
  'instability',
  'vallee',
  'cape',
  'weather',
  'weather',
  'pattern',
  'acronym',
  'cape',
  'superhero',
  'convective',
  'available',
  'potential',
  'energy',
  'cape',
  'fuel',
  'thunderstorm',
  'vallee',
  'instability',
  'atmosphere',
  'temperature',
  'altitude',
  'moisture',
  'weather',
  'official',
  'potential',
  'thunderstorm',
  'storm',
  'fuel',
  'analogy',
  'vallee',
  'match',
  'case',
  'airmass',
  'fuel',
  'cape',
  'thing',
  'boom',
  'pattern',
  'forecaster',
  'time',
  'weather',
  'approach',
  'forecaster',
  'race',
  'datum',
  'warning',
  'life',
  'national',
  'weather',
  'service',
  'warning',
  'weather',
  'time',
  'storm',
  'purpose',
  'life',
  'property',
  'focus',
  'meteorologist',
  'sector',
  'graphic',
  'national',
  'weather',
  'service',
  'thunderstorm',
  'risk',
  'category',
  'lot',
  'time',
  'system',
  'technology',
  'vallee',
  'weather',
  'outlook',
  'day',
  'advance',
  'weather',
  'watch',
  'storm',
  'area',
  'warning',
  'weather',
  'spotter',
  'radar',
  'vallee',
  'timing',
  'watch',
  'warning',
  'setup',
  'storm',
  'resident',
  'storm',
  'state',
  'weather',
  'radio',
  'government',
  'alert',
  'smartphone',
  'technology',
  'storm',
  'hart',
  'weather',
  'outbreak',
  'pennsylvania',
  'pattern',
  'june',
  'weather',
  'area',
  'tag',
  'weather',
  'serviceregion',
  'nationally',
  'thing',
  'step',
  'plane',
  'collision',
  'feetthe',
  'business',
  'strip',
  'club',
  'colorado',
  'dancer',
  'way',
  'uncertainties‘funnel',
  'cloud',
  'tree',
  'brooklyn',
  'power',
  'outage',
  'staten',
  'island',
  'nursing',
  'hometaylor',
  'swift',
  'album',
  'swiftie',
  '.',
  'guide',
  'tip',
  'search',
  'month',
  'family',
  'bucks',
  'county',
  'flash',
  'flood',
  'mean',
  'heat',
  'advisory',
  'lehigh',
  'valley',
  'condition',
  'week',
  'update',
  'thunderstorm',
  'watch',
  'lehigh',
  'valley',
  'tuesday',
  'temperature',
  'lehigh',
  'valley',
  'week',
  'record',
  'chicago',
  'tribune',
  'baltimore',
  'sun',
  'sun',
  'sentinel',
  'fla.',
  'daily',
  'press',
  'va.',
  'daily',
  'meal',
  'new',
  'york',
  'daily',
  'news',
  'orlando',
  'sentinel',
  'hartford',
  'courant',
  'virginian',
  'pilot',
  'studio',
  'place',
  'ad',
  'classifieds',
  'local',
  'print',
  'ads',
  'job',
  'ads',
  'subscriber',
  'terms',
  'conditions',
  'terms',
  'service',
  'privacy',
  'policy',
  'cookie',
  'policy',
  'cookie',
  'preferences',
  'notice',
  'collection',
  'notice',
  'financial',
  'incentive',
  'share',
  'information'],
 ['hunter',
  'biden',
  'plea',
  'deal',
  'ufo',
  'takeaway',
  'whistleblower',
  'congress',
  'uap',
  'sinéad',
  "o'connor",
  'grammy',
  'singer',
  'netherlands',
  'u.s.',
  'draw',
  'rematch',
  'world',
  'cup',
  'federal',
  'reserve',
  'interest',
  'rate',
  'level',
  'year',
  'niger',
  'president',
  'guard',
  'coup',
  'ohio',
  'officer',
  'k-9',
  'man',
  'hand',
  'story',
  'tic',
  'tac',
  'ufo',
  'sighting',
  'storm',
  'system',
  'killer',
  'tornado',
  'south',
  'blizzard',
  'condition',
  'great',
  'plains',
  'december',
  'pm',
  'cbs',
  'ap',
  'storm',
  'blizzard',
  'tornado',
  'storm',
  'trail',
  'destruction',
  'south',
  'midwest',
  'blizzard',
  'storm',
  'system',
  'u.s.',
  'people',
  'louisiana',
  'tornado',
  'state',
  'north',
  'south',
  'new',
  'orleans',
  'area',
  'memory',
  'hurricane',
  'ida',
  'tornado',
  'march',
  'linger',
  'system',
  'blizzard',
  'condition',
  'great',
  'plains',
  'rain',
  'portion',
  'northeast',
  'cbs',
  'news',
  'weather',
  'producer',
  'david',
  'parkinson',
  'rain',
  'pennsylvania',
  'corridor',
  'virginia',
  'maryland',
  'thursday',
  'morning',
  'inch',
  'ice',
  'power',
  'outage',
  'snow',
  'thursday',
  'friday',
  'parkinson',
  'snow',
  'new',
  'york',
  'total',
  'foot',
  'snow',
  'dark',
  'friday',
  'northern',
  'new',
  'england',
  'coastline',
  'rain',
  'injury',
  'louisiana',
  'authority',
  'number',
  'power',
  'outage',
  'wednesday',
  'night',
  'thursday',
  'morning',
  'poweroutage.us',
  'storm',
  'wednesday',
  'mother',
  'son',
  'state',
  'day',
  'system',
  'tornado',
  'woman',
  'wednesday',
  'southeast',
  'louisiana',
  'st.',
  'charles',
  'parish',
  'new',
  'orleans',
  'jefferson',
  'st.',
  'bernard',
  'parish',
  'area',
  'march',
  'tornado',
  'tornado',
  'new',
  'iberia',
  'louisiana',
  'people',
  'window',
  'building',
  'iberia',
  'medical',
  'center',
  'hospital',
  'night',
  'tornado',
  'threat',
  'mississippi',
  'county',
  'florida',
  'alabama',
  'weather',
  'threat',
  'vehicle',
  'window',
  'tornado',
  'damage',
  'gretna',
  'la.',
  'jefferson',
  'parish',
  'new',
  'orleans',
  'dec.',
  'new',
  'orleans',
  'emergency',
  'director',
  'collin',
  'arnold',
  'business',
  'residence',
  'city',
  'wind',
  'damage',
  'mississippi',
  'river',
  'west',
  'bank',
  'home',
  'people',
  'word',
  'damage',
  'home',
  'business',
  'damage',
  'jefferson',
  'parish',
  'sheriff',
  'office',
  'statement',
  'suburb',
  'west',
  'new',
  'orleans',
  'building',
  'sheriff',
  'office',
  'training',
  'academy',
  'building',
  'city',
  'gretna',
  'seat',
  'jefferson',
  'parish',
  'michael',
  'willis',
  'suv',
  'tornado',
  'cbs',
  'new',
  'orleans',
  'affiliate',
  'wwl',
  'tv."it',
  'tornado',
  'willis',
  'wood',
  'building',
  'spin',
  '"willis',
  'power',
  'wire',
  'willis',
  'damage',
  'naw',
  'god',
  'willis',
  'debris',
  'windshield',
  'passenger',
  'window',
  'tinting',
  'glass',
  'tint',
  'life',
  'willis',
  'passenger',
  'window',
  'tornado',
  'highway',
  'new',
  'iberia',
  'louisiana',
  'dec.',
  'st.',
  'bernard',
  'parish',
  'march',
  'twister',
  'devastation',
  'sheriff',
  'jimmy',
  'pohlman',
  'tornado',
  'damage',
  'mile',
  'stretch',
  'parish',
  'president',
  'guy',
  'mcinnis',
  'damage',
  'march',
  'tornado',
  'roof',
  'authority',
  'st.',
  'charles',
  'parish',
  'west',
  'new',
  'orleans',
  'woman',
  'tornado',
  'wednesday',
  'community',
  'killona',
  'mississippi',
  'river',
  'home',
  'people',
  'hospital',
  'injury',
  'residence',
  'st.',
  'charles',
  'parish',
  'sheriff',
  'greg',
  'champagne',
  'woman',
  'debris',
  'tornado',
  'mile',
  'louisiana',
  'hour',
  'authority',
  'body',
  'mother',
  'child',
  'tornado',
  'home',
  'tuesday',
  'keithville',
  'shreveport',
  'house',
  'house',
  'gov.',
  'john',
  'bel',
  'edwards',
  'reporter',
  'challenge',
  'emergency',
  'responder',
  'mile',
  'path',
  'destruction',
  'keithville',
  'emergency',
  'declaration',
  'day',
  'caddo',
  'parish',
  'coroner',
  'office',
  'body',
  'year',
  'nikolus',
  'little',
  'tuesday',
  'night',
  'wood',
  'body',
  'mother',
  'yoshiko',
  'a.',
  'smith',
  'storm',
  'debris',
  'wednesday',
  'caddo',
  'parish',
  'sheriff',
  'sgt',
  'casey',
  'jones',
  'boy',
  'father',
  'grocery',
  'storm',
  'family',
  'house',
  'jones',
  'storm',
  'louisiana',
  'north',
  'south',
  'union',
  'parish',
  'arkansas',
  'line',
  'farmerville',
  'mayor',
  'john',
  'crow',
  'tornado',
  'tuesday',
  'night',
  'apartment',
  'complex',
  'family',
  'neighboring',
  'trailer',
  'park',
  'home',
  'crow',
  'wednesday',
  'home',
  'lake',
  "d'arbonne",
  'tornado',
  'wednesday',
  'new',
  'iberia',
  'louisiana',
  'building',
  'new',
  'iberia',
  'medical',
  'center',
  'hospital',
  'official',
  'people',
  'injury',
  'mississippi',
  'rankin',
  'county',
  'tornado',
  'chicken',
  'house',
  'rooster',
  'sheriff',
  'bryan',
  'bailey',
  'mobile',
  'home',
  'park',
  'sharkey',
  'county',
  'mississippi',
  'debris',
  'storm',
  'journey',
  'snow',
  'sierra',
  'nevada',
  'damage',
  'tuesday',
  'thunderstorm',
  'storm',
  'texas',
  'people',
  'dallas',
  'suburb',
  'grapevine',
  'police',
  'spokesperson',
  'amanda',
  'mcnew',
  'storm',
  'east',
  'coast',
  'chaos',
  'forecaster',
  'system',
  'midwest',
  'ice',
  'rain',
  'snow',
  'day',
  'appalachians',
  'northeast',
  'national',
  'weather',
  'service',
  'winter',
  'storm',
  'wednesday',
  'night',
  'friday',
  'afternoon',
  'timing',
  'storm',
  'resident',
  'west',
  'virginia',
  'vermont',
  'mix',
  'snow',
  'ice',
  'sleet',
  'system',
  'fact',
  'impact',
  'area',
  'way',
  'california',
  'northeast',
  'meteorologist',
  'frank',
  'pereira',
  'national',
  'weather',
  'service',
  'college',
  'park',
  'maryland',
  'black',
  'hills',
  'south',
  'dakota',
  'snow',
  'foot',
  'spot',
  'hour',
  'end',
  'vicki',
  'weekly',
  'hotel',
  'tourist',
  'gambling',
  'city',
  'deadwood',
  'visitor',
  'casino',
  'mile',
  'span',
  'interstate',
  'south',
  'dakota',
  'wednesday',
  'state',
  'official',
  'driver',
  'highway',
  'minnesota',
  'snow',
  'tree',
  'limb',
  'wednesday',
  'weather',
  'service',
  'meteorologist',
  'ketzel',
  'levens',
  'duluth',
  'inch',
  'snow',
  'area',
  'startribune',
  'blizzard',
  'warning',
  'effect',
  'p.m.',
  'thursday',
  'inch',
  'snowfall',
  'weekend',
  'alert',
  'forecast',
  'storm',
  'evening',
  'chicago',
  'weather',
  'alert',
  'storm',
  'threat',
  'humid',
  'thursday',
  'overnight',
  'storm',
  'wind',
  'minnesota',
  'lightning',
  'house',
  'fire',
  'metro',
  'weather',
  'alert',
  'thunderstorm',
  'warning',
  'heat',
  'index',
  'degree',
  'pittsburgh',
  'weather',
  'high',
  '90',
  'storm',
  'hour',
  'december',
  'cbs',
  'interactive',
  'inc.',
  'rights',
  'material',
  'associated',
  'press',
  'report',
  'thank',
  'cbs',
  'news',
  'account',
  'feature',
  'email',
  'address',
  'email',
  'address',
  'alert',
  'forecast',
  'storm',
  'evening',
  'chicago',
  'weather',
  'alert',
  'storm',
  'threat',
  'humid',
  'thursday',
  'overnight',
  'storm',
  'wind',
  'minnesota',
  'lightning',
  'house',
  'fire',
  'metro',
  'weather',
  'alert',
  'thunderstorm',
  'warning',
  'heat',
  'index',
  'degree',
  'copyright',
  'cbs',
  'interactive',
  'inc.',
  'right',
  'privacy',
  'policy',
  'california',
  'notice',
  'personal',
  'information',
  'terms',
  'use',
  'advertise',
  'captioning',
  'cbs',
  'news',
  'paramount+',
  'cbs',
  'news',
  'store',
  'site',
  'map',
  'contact',
  'browser',
  'notification',
  'news',
  'event',
  'reporting'],
 ['contentskip',
  'content',
  'register',
  'article',
  'newsletter',
  'weather',
  'forecast',
  'weather',
  'alert',
  'inbox',
  'subscriber',
  'sign',
  'time',
  'owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'lee',
  'enterprises',
  'terms',
  'service',
  '',
  '',
  'privacy',
  'policy',
  'help',
  'center',
  'account',
  'dashboard',
  'profile',
  'item',
  'shower',
  'storm',
  'nebraska',
  'friday',
  'storm',
  'shower',
  'storm',
  'nebraska',
  'friday',
  'storm',
  'jun',
  'jun',
  'day',
  'shower',
  'storm',
  'nebraska',
  'wind',
  'hail',
  'flooding',
  'half',
  'state',
  'info',
  'threat',
  'storm',
  'state',
  'forecast',
  'video',
  'apple',
  'podcast',
  'google',
  'podcast',
  'rss',
  'feed',
  'omny',
  'studio',
  'news',
  'community',
  'local',
  'weather',
  'forecast',
  'weather',
  'alert',
  'inbox',
  'registration',
  'use',
  'site',
  'agreement',
  'user',
  'agreement',
  'privacy',
  'policy',
  'friday',
  'june',
  'weather',
  'update',
  'nebraska',
  'watch',
  'mitch',
  'mcconnell',
  'freezes',
  'press',
  'conference',
  'republican',
  'colleagues',
  'ivy',
  'league',
  'colleges',
  'rich',
  'class',
  'student',
  'ivy',
  'league',
  'colleges',
  'rich',
  'class',
  'student',
  'swimming',
  'seine',
  'returns',
  'paris',
  'year',
  'swimming',
  'seine',
  'returns',
  'paris',
  'year',
  'fifa',
  'lotr',
  'fan',
  'new',
  'zealand',
  'hobbiton',
  'fifa',
  'lotr',
  'fan',
  'new',
  'zealand',
  'hobbiton',
  'copyright',
  'scottsbluff',
  'star',
  'herald',
  'online',
  'po',
  'box',
  'scottsbluff',
  'ne',
  'term',
  'use',
  '',
  '',
  'privacy',
  'policy',
  '',
  '',
  'info',
  '',
  '',
  'cookie',
  'preferences',
  'blox',
  'content',
  'management',
  'system',
  'minute',
  'news',
  'device'],
 ['news',
  'local',
  'news',
  'state',
  'news',
  'world',
  'news',
  'weather',
  'forecast',
  'misty',
  'furrcast',
  'bluegrass',
  'care',
  'navigators',
  'skyview',
  'weather',
  'maps',
  'local',
  'weather',
  'headlines',
  'abc',
  'viewer',
  'weather',
  'photos',
  'snowatch',
  'summer',
  'fun',
  'photo',
  'contest',
  'viewers',
  'choice',
  'awards',
  'vote',
  'abc',
  'local',
  'marketplace',
  'sign',
  'event',
  'half',
  'deal',
  'gmk',
  'lee',
  'cruse',
  'hayley',
  'harmon',
  'good',
  'day',
  'kentucky',
  'news',
  'noon',
  'kentucky',
  'good',
  'afternoon',
  'kentucky',
  'tv',
  'schedule',
  'expert',
  'hometown',
  'tours',
  'mom',
  'mom',
  'motorsports',
  'monday',
  'kentucky',
  'history',
  'treasures',
  'hood',
  'news',
  'local',
  'news',
  'state',
  'news',
  'world',
  'news',
  'weather',
  'forecast',
  'misty',
  'furrcast',
  'bluegrass',
  'care',
  'navigators',
  'skyview',
  'weather',
  'maps',
  'local',
  'weather',
  'headlines',
  'abc',
  'viewer',
  'weather',
  'photos',
  'snowatch',
  'summer',
  'fun',
  'photo',
  'contest',
  'viewers',
  'choice',
  'awards',
  'vote',
  'abc',
  'local',
  'marketplace',
  'sign',
  'event',
  'half',
  'deal',
  'gmk',
  'lee',
  'cruse',
  'hayley',
  'harmon',
  'good',
  'day',
  'kentucky',
  'news',
  'noon',
  'kentucky',
  'good',
  'afternoon',
  'kentucky',
  'tv',
  'schedule',
  'expert',
  'hometown',
  'tours',
  'mom',
  'mom',
  'motorsports',
  'monday',
  'kentucky',
  'history',
  'treasures',
  'hood',
  'beshear',
  'state',
  'emergency',
  'ky.',
  'storm',
  'frankfort',
  'ky.',
  'wtvq',
  'gov.',
  'andy',
  'beshear',
  'state',
  'emergency',
  'friday',
  'kentucky',
  'storm',
  'gusty',
  'wind',
  'state',
  'saturday',
  'morning',
  'forecast',
  'tornado',
  'western',
  'kentucky',
  'jackson',
  'purchase',
  'area',
  'majority',
  'state',
  'weather',
  'thunderstorm',
  'tornado',
  'wind',
  'gust',
  'saturday',
  'beshear',
  'video',
  'twitter',
  'soe',
  'forecast',
  'governor',
  'beshear',
  'western',
  'kentuckians',
  'place',
  'storm',
  'kentuckian',
  'place',
  'storm',
  'wind',
  'way',
  'friday',
  'saturday',
  'tags',
  'andy',
  'beshear',
  'governor',
  'state',
  'emergency',
  'storm',
  'look',
  'ky.',
  'national',
  'guard',
  'response',
  'eky',
  'mother',
  'gun',
  'violence',
  'son',
  'tyler',
  'childers',
  'night',
  'rupp',
  'arena',
  'demolition',
  'year',
  'edwards',
  'building',
  'berea',
  'college',
  'campus',
  'talk',
  'talk',
  'abc',
  'news',
  'anchor',
  'reporter',
  'meteorologist',
  'news',
  'central',
  'kentucky',
  'neighbor',
  'community',
  'story',
  'source',
  'news',
  'alertsdownload',
  'abc',
  'news',
  'app',
  'phone',
  'tablet',
  'device',
  'news',
  'weather',
  'notification',
  'minute',
  'mobile',
  'app',
  'weather',
  'app',
  'wtvq',
  'email',
  'sign',
  'homecontact',
  'advertising',
  'news',
  'team',
  'mobile',
  'apps',
  'job',
  'rss',
  'newslocal',
  'news',
  'state',
  'news',
  'national',
  'news',
  'world',
  'news',
  'community',
  'event',
  'featureskentucky',
  'history',
  'mom',
  'mom',
  'hometown',
  'tours',
  'hood',
  'healthcare',
  'kentucky',
  'weatherweather',
  'forecast',
  'weather',
  'maps',
  'bluegrass',
  'care',
  'navigators',
  'skyview',
  'snowatch',
  'local',
  'weather',
  'headlines',
  'sports',
  'sports',
  'solid',
  'blue',
  'high',
  'school',
  'highlight',
  'reel',
  'wtvq',
  'dt'],
 ['owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'account',
  'dashboard',
  'profile',
  'item',
  'log',
  'account',
  'log',
  'account',
  'sign',
  'today',
  'account',
  'dashboard',
  'profile',
  'item',
  'heat',
  'advisory',
  'thu',
  'pm',
  'cdt',
  'thu',
  'pm',
  'cdt',
  'heat',
  'advisory',
  'effect',
  'noon',
  'pm',
  'cdt',
  'thursday',
  'heat',
  'index',
  'value',
  'sauk',
  'iowa',
  'dane',
  'lafayette',
  'green',
  'counties',
  'noon',
  'pm',
  'cdt',
  'thursday',
  'impact',
  'temperature',
  'humidity',
  'heat',
  'illness',
  'plenty',
  'fluid',
  'air',
  'room',
  'sun',
  'relative',
  'neighbor',
  'child',
  'pet',
  'vehicle',
  'circumstance',
  'precaution',
  'time',
  'activity',
  'morning',
  'evening',
  'sign',
  'symptom',
  'heat',
  'exhaustion',
  'heat',
  'stroke',
  'clothing',
  'risk',
  'work',
  'occupational',
  'safety',
  'health',
  'administration',
  'rest',
  'break',
  'air',
  'environment',
  'heat',
  'location',
  'heat',
  'stroke',
  'emergency',
  'jul',
  'jul',
  'stormtrack',
  'app',
  'weather',
  'alertsmadison',
  'wkow',
  'storm',
  'se',
  'madison',
  'beloit',
  'midnight',
  'temps',
  '60',
  'dewpoint',
  'tomorrow',
  'morning',
  'day',
  'high',
  '70',
  'sky',
  'jury',
  'green',
  'bay',
  'woman',
  'boyfriend',
  'heat',
  'art',
  'cheese',
  'festival',
  'madison',
  'evansville',
  'path',
  'ice',
  'age',
  'national',
  'scenic',
  'trail',
  'police',
  'madison',
  'man',
  'business',
  'fire',
  'suspect',
  'lanes',
  'beltline',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'copyright',
  'allen',
  'media',
  'broadcasting',
  'tokay',
  'boulevard',
  'madison',
  'wi',
  'term',
  'use',
  'blox',
  'content',
  'management',
  'system',
  'blox',
  'digital'],
 ['messi',
  'mania',
  'extreme',
  'heat',
  'hurricane',
  'season',
  'camera',
  'new',
  'favorite',
  'futbolista',
  'tip',
  'newsletters',
  'ian',
  'costliest',
  'hurricane',
  'florida',
  'history',
  '112b',
  'damage',
  'noaa',
  'ian',
  'category',
  'hurricane',
  'florida',
  'landfall',
  'noaa',
  'report',
  'published',
  'april',
  'april',
  'pm',
  'hurricane',
  'ian',
  'category',
  'status',
  'category',
  'storm',
  'september',
  'florida',
  'damage',
  'u.s.',
  'death',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'monday',
  'report',
  'noaa',
  'storm',
  'ian',
  'hurricane',
  'florida',
  'history',
  'u.s.',
  'addition',
  'florida',
  'ian',
  'georgia',
  'virginia',
  'carolinas',
  'cuba',
  'oct.',
  'farewell',
  'fiona',
  'ian',
  'hurricanes',
  'names',
  'retire',
  'technology',
  'quick',
  'way',
  'debris',
  'hurricane',
  'ian',
  'noaa',
  'report',
  'ian',
  'cyclone',
  'record',
  'category',
  'wind',
  'mph',
  'sept.',
  'dry',
  'tortugas',
  'island',
  'category',
  'storm',
  'florida',
  'day',
  'wind',
  'mph',
  'storm',
  'list',
  'monster',
  'camille',
  'hugo',
  'andrew',
  'katrina',
  'wilma',
  'michael',
  'south',
  'florida',
  'news',
  'weather',
  'forecast',
  'entertainment',
  'story',
  'inbox',
  'sign',
  'nbc',
  'south',
  'florida',
  'newsletter',
  'addition',
  'wind',
  'ian',
  'storm',
  'surge',
  'gulf',
  'coast',
  'florida',
  'example',
  'peak',
  'storm',
  'surge',
  'fort',
  'myers',
  'beach',
  'foot',
  'ground',
  'level',
  'sanibel',
  'surge',
  'foot',
  'ian',
  'landfall',
  'region',
  'storm',
  'surge',
  'noaa',
  'report',
  'florida',
  'storm',
  'surge',
  'wind',
  'swath',
  'destruction',
  'storm',
  'surge',
  'drowning',
  'cause',
  'death',
  'storm',
  'death',
  'fatality',
  'flooding',
  'florida',
  'death',
  'florida',
  'storm',
  'noaa',
  'world',
  'meteorological',
  'organization',
  'wednesday',
  'hurricane',
  'fiona',
  'hurricane',
  'ian',
  'hurricane',
  'list',
  'u.s.',
  'total',
  'fatality',
  'death',
  'heart',
  'attack',
  'electrocution',
  'power',
  'line',
  'inability',
  'help',
  'vehicle',
  'accident',
  'florida',
  'victim',
  'age',
  'year',
  'age',
  'storm',
  'death',
  'noaa',
  'reflection',
  'demographic',
  'county',
  'florida',
  'hurricane',
  'landfall',
  'rate',
  'report',
  'customer',
  'people',
  'power',
  'u.s.',
  'hurricane',
  'ian',
  'sept.',
  'oct.',
  'noaa',
  'florida',
  'way',
  'power',
  'outage',
  'customer',
  'thousand',
  'south',
  'carolina',
  'north',
  'carolina',
  'virginia',
  'storm',
  'damage',
  'florida',
  'structure',
  'lee',
  'county',
  'flooding',
  'river',
  'record',
  'level',
  'building',
  'florida',
  'county',
  'road',
  'recovery',
  'hurricane',
  'south',
  'florida',
  'nbc',
  'kristin',
  'sanchez',
  'rainfall',
  'total',
  'hurricane',
  'ian',
  'inch',
  'grove',
  'city',
  'florida',
  'landfall',
  'location',
  'cayo',
  'costa',
  'rainfall',
  'inch',
  'florida',
  'hurricane',
  'ian',
  'forecast',
  'noaa',
  'track',
  'error',
  'year',
  'period',
  'difficulty',
  'location',
  'landfall',
  'question',
  'storm',
  'warning',
  'people',
  'time',
  'storm',
  'coastline',
  'change',
  'heading',
  'difference',
  'landfall',
  'location',
  'noaa',
  'report',
  'ian',
  'example',
  'challenge',
  'intensification',
  'noaa',
  'area',
  'forecast',
  'error',
  'year',
  'storm',
  'surge',
  'watch',
  'hour',
  'onset',
  'storm',
  'fort',
  'myers',
  'beach',
  'prediction',
  'peak',
  'surge',
  'maximum',
  'foot',
  'foot',
  'day',
  'ian',
  'landfall',
  'noaa',
  'forecaster',
  'medium',
  'interview',
  'week',
  'september',
  'national',
  'hurricane',
  'center',
  'website',
  'time',
  'storm',
  'period',
  'marine',
  'biologist',
  'video',
  'orca',
  'key',
  'largo',
  'miami',
  'dade',
  'police',
  'director',
  'resignation',
  'mayor',
  'father',
  'aunt',
  'month',
  'baby',
  'car',
  'broward',
  'miami',
  'dade',
  'police',
  'director',
  'union',
  'president',
  'ynw',
  'melly',
  'case',
  'mistrial',
  'nbc',
  'news',
  'standards',
  'tips',
  'investigations',
  'newsletters',
  'contact',
  'public',
  'inspection',
  'file',
  'wtvj',
  'accessibility',
  'wtvj',
  'employment',
  'information',
  'fcc',
  'applications',
  'terms',
  'service',
  'advertise',
  'feedback',
  'privacy',
  'policy',
  'privacy',
  'choices',
  'notice',
  'ad',
  'choice',
  'copyright',
  'nbcuniversal',
  'media',
  'llc',
  'right'],
 ['conyers',
  'man',
  'girl',
  'victim',
  'trafficking',
  'ring',
  'metro',
  'atlanta',
  '',
  '',
  'conyers',
  'man',
  'girl',
  'conyers',
  'man',
  'sex',
  'girl',
  'metro',
  'atlanta',
  'barricaded',
  'man',
  'standoff',
  'deputy',
  'douglas',
  'county',
  'home',
  'gbi',
  'forecast',
  'heat',
  'week',
  'atlanta',
  'heat',
  'island',
  'study',
  'temperature',
  'difference',
  'nation',
  'world',
  'survivor',
  'wreckage',
  'storm',
  'people',
  'thousand',
  'people',
  'alabama',
  'georgia',
  'power',
  'storm',
  'thursday',
  'night',
  'example',
  'video',
  'title',
  'video',
  'pm',
  'est',
  'january',
  'pm',
  'est',
  'january',
  'selma',
  'ala.',
  'resident',
  'belonging',
  'rescue',
  'crew',
  'survivor',
  'house',
  'friday',
  'aftermath',
  'tornado',
  'spawning',
  'storm',
  'system',
  'people',
  'georgia',
  'alabama',
  'destruction',
  'view',
  'day',
  'storm',
  'home',
  'air',
  'tree',
  'building',
  'tree',
  'utility',
  'pole',
  'freight',
  'train',
  'life',
  'thank',
  'wreckage',
  'god',
  'tracey',
  'wilhelm',
  'remnant',
  'home',
  'alabama',
  'autauga',
  'county',
  'work',
  'thursday',
  'tornado',
  'home',
  'foundation',
  'foot',
  'heap',
  'rubble',
  'husband',
  'dog',
  'shed',
  'rescue',
  'worker',
  'search',
  'crew',
  'people',
  'storm',
  'shelter',
  'wall',
  'house',
  'autauga',
  'county',
  'coroner',
  'buster',
  'barber',
  'phone',
  'help',
  'credit',
  'ap',
  'roof',
  'business',
  'tornado',
  'selma',
  'ala.',
  'thursday',
  'jan.',
  'ap',
  'photo',
  'butch',
  'dill',
  'national',
  'weather',
  'service',
  'twister',
  'tornado',
  'damage',
  'county',
  'alabama',
  'georgia',
  'temperature',
  'area',
  'state',
  'home',
  'business',
  'power',
  'sundown',
  'twister',
  'people',
  'autauga',
  'county',
  'damage',
  'ef3',
  'tornado',
  'step',
  'category',
  'twister',
  'tornado',
  'wind',
  'mph',
  'kph',
  'weather',
  'service',
  'downtown',
  'selma',
  'mile',
  'kilometer',
  'southwest',
  'damage',
  'weather',
  'georgia',
  'atlanta',
  'james',
  'carter',
  'selma',
  'home',
  'tornado',
  'city',
  'house',
  'sound',
  'train',
  'time',
  'house',
  'house',
  'mom',
  'bed',
  'body',
  'carter',
  'people',
  'hospital',
  'ernie',
  'baggett',
  'autauga',
  'county',
  'emergency',
  'management',
  'director',
  'crew',
  'tree',
  'survivor',
  'home',
  'home',
  'air',
  'distance',
  'selma',
  'city',
  'council',
  'sidewalk',
  'light',
  'cellphone',
  'state',
  'emergency',
  'year',
  'child',
  'vehicle',
  'tree',
  'georgia',
  'butts',
  'county',
  'georgia',
  'emergency',
  'management',
  'homeland',
  'security',
  'director',
  'james',
  'stallings',
  'parent',
  'injury',
  'credit',
  'ap',
  'tree',
  'aftermath',
  'weather',
  'thursday',
  'jan.',
  'selma',
  'ala.',
  'tornado',
  'home',
  'tree',
  'alabama',
  'thursday',
  'storm',
  'system',
  'south',
  'ap',
  'photo',
  'butch',
  'dill',
  'state',
  'department',
  'transportation',
  'worker',
  'storm',
  'damage',
  'georgia',
  'gov.',
  'brian',
  'kemp',
  'detail',
  'kemp',
  'storm',
  'damage',
  'helicopter',
  'area',
  'rescue',
  'team',
  'home',
  'survivor',
  'people',
  'home',
  'house',
  'crawl',
  'space',
  'kemp',
  'reporter',
  'governor',
  'storm',
  'damage',
  'troup',
  'county',
  'georgia',
  'alabama',
  'line',
  'home',
  'people',
  'hospital',
  'spalding',
  'county',
  'atlanta',
  'weather',
  'service',
  'tornado',
  'storm',
  'spalding',
  'county',
  'mourner',
  'wake',
  'peterson',
  'funeral',
  'home',
  'griffin',
  'people',
  'shelter',
  'restroom',
  'office',
  'boom',
  'tree',
  'building',
  'shock',
  'sha',
  'meeka',
  'peterson',
  'smith',
  'home',
  'officer',
  'tree',
  'building',
  'room',
  'lounge',
  'office',
  'tornado',
  'selma',
  'path',
  'downtown',
  'area',
  'brick',
  'building',
  'oak',
  'tree',
  'car',
  'power',
  'line',
  'people',
  'injury',
  'selma',
  'mayor',
  'james',
  'perkins',
  'death',
  'folk',
  'thing',
  'help',
  'perkins',
  'kathy',
  'bunch',
  'salvation',
  'army',
  'service',
  'center',
  'selma',
  'tornado',
  'siren',
  'room',
  'roar',
  'brick',
  'building',
  'noaa',
  'ian',
  'drought',
  'weather',
  'extreme',
  'roof',
  'window',
  'bunch',
  'god',
  'worker',
  'selma',
  'machinery',
  'framing',
  'siding',
  'friday',
  'utility',
  'pole',
  'angle',
  'power',
  'line',
  'street',
  'credit',
  'ap',
  'debris',
  'business',
  'tornado',
  'downtown',
  'selma',
  'ala.',
  'thursday',
  'jan.',
  'ap',
  'photo',
  'butch',
  'dill',
  'alabama',
  'gov.',
  'kay',
  'ivey',
  'city',
  'president',
  'joe',
  'biden',
  'disaster',
  'declaration',
  'aid',
  'official',
  'assistance',
  'community',
  'selma',
  '%',
  'city',
  'resident',
  'poverty',
  'television',
  'roof',
  'tree',
  'toothpick',
  'ivey',
  'damage',
  'selma',
  'mile',
  'kilometer',
  'west',
  'montgomery',
  'alabama',
  'capital',
  'selma',
  'flashpoint',
  'right',
  'movement',
  'state',
  'trooper',
  'people',
  'voting',
  'right',
  'edmund',
  'pettus',
  'bridge',
  'march',
  'factor',
  'la',
  'nina',
  'weather',
  'cycle',
  'warming',
  'gulf',
  'mexico',
  'climate',
  'change',
  'decade',
  'shift',
  'tornado',
  'activity',
  'thursday',
  'tornado',
  'outbreak',
  'victor',
  'gensini',
  'meteorology',
  'professor',
  'northern',
  'illinois',
  'university',
  'tornado',
  'trend',
  'associated',
  'press',
  'writer',
  'alina',
  'hartounian',
  'phoenix',
  'arizona',
  'jeff',
  'amy',
  'atlanta',
  'seth',
  'borenstein',
  'denver',
  'rebecca',
  'reynolds',
  'louisville',
  'kentucky',
  'christopher',
  'weber',
  'los',
  'angeles',
  'photographer',
  'butch',
  'dill',
  'selma',
  'alabama',
  'report',
  'eeo',
  'public',
  'file',
  'report',
  'fcc',
  'online',
  'public',
  'inspection',
  'file',
  'closed',
  'caption',
  'procedure',
  'personal',
  'information',
  'wxia',
  'tv',
  'rights',
  'wxia',
  'notification',
  'news',
  'weather',
  'notification',
  'browser',
  'setting'],
 ['hunter',
  'biden',
  'plea',
  'deal',
  'ufo',
  'takeaway',
  'whistleblower',
  'congress',
  'uap',
  'sinéad',
  "o'connor",
  'grammy',
  'singer',
  'netherlands',
  'u.s.',
  'draw',
  'rematch',
  'world',
  'cup',
  'federal',
  'reserve',
  'interest',
  'rate',
  'level',
  'year',
  'niger',
  'president',
  'guard',
  'coup',
  'ohio',
  'officer',
  'k-9',
  'man',
  'hand',
  'story',
  'tic',
  'tac',
  'ufo',
  'rain',
  'road',
  'new',
  'york',
  'u.s.',
  'road',
  'weather',
  'july',
  'pm',
  'cbs',
  'news',
  'vermont',
  'flooding',
  'vermont',
  'flooding',
  'northeast',
  'section',
  'u.s.',
  'deluge',
  'storm',
  'sunday',
  'condition',
  'road',
  'flooding',
  'new',
  'york',
  'road',
  'cbs',
  'news',
  'correspondent',
  'errol',
  'barnett',
  'chunk',
  'route',
  'rainfall',
  'downpour',
  'drainage',
  'pipe',
  'dirt',
  'debris',
  'drainage',
  'pipe',
  'asphalt',
  'example',
  'storm',
  'system',
  'place',
  'view',
  'post',
  'instagram',
  'post',
  'planet',
  'cbs',
  'news',
  '@cbsnewsplanet',
  'time',
  'weather',
  'concrete',
  'temperature',
  'road',
  'summer',
  'texas',
  'highway',
  'damage',
  'digit',
  'temperature',
  'weather',
  'road',
  'u.s.',
  'weather',
  'temperature',
  'u.s.',
  'environmental',
  'protection',
  'agency',
  'nation',
  'transportation',
  'system',
  'weather',
  'climate',
  'change',
  'system',
  'time',
  'u.s.',
  'road',
  'u.s.',
  'country',
  'world',
  'mile',
  'land',
  'lot',
  'space',
  'road',
  'mile',
  'road',
  'u.s.',
  'u.s.',
  'geological',
  'survey',
  'interstate',
  'highway',
  'system',
  'agency',
  'material',
  'road',
  'maintenance',
  'tear',
  'u.s.',
  'highway',
  'layer',
  'agency',
  'soil',
  'soil',
  'inch',
  'aggregate',
  'middle',
  'inch',
  'concrete',
  'layer',
  'combinate',
  'material',
  '%',
  'aggregate',
  '%',
  'water',
  '%',
  'cement',
  '%',
  'air',
  'dr.',
  'klaus',
  'hans',
  'jacob',
  'geophysicist',
  'columbia',
  'university',
  'lamont',
  'doherty',
  'earth',
  'observatory',
  'year',
  'disaster',
  'risk',
  'management',
  'climate',
  'change',
  'cbs',
  'news',
  'road',
  'highway',
  'embankment',
  'problem',
  'stream',
  'river',
  'issue',
  'datum',
  'decade',
  'road',
  'weather',
  'climate',
  'condition',
  'climate',
  'condition',
  'road',
  'highway',
  'settlement',
  'flash',
  'flood',
  'effect',
  'climate',
  'change',
  'heat',
  'precipitation',
  'sea',
  'level',
  'risejacob',
  'cbs',
  'news',
  'atmosphere',
  'ocean',
  'moisture',
  'air',
  'precipitation',
  'moisture',
  'body',
  'water',
  'force',
  'gravel',
  'sand',
  'rock',
  'pebble',
  'road',
  'air',
  'cat',
  'dog',
  'rainfall',
  'land',
  'rate',
  'datum',
  'kind',
  'flash',
  'flood',
  'embankment',
  'bank',
  'road',
  'course',
  'sea',
  'level',
  'storm',
  'climate',
  'change',
  'toll',
  'road',
  'epa',
  'road',
  'material',
  'impact',
  'jacob',
  'result',
  'people',
  'trouble',
  'home',
  'school',
  'store',
  'appointment',
  'epa',
  'precipitation',
  'road',
  'impact',
  'storm',
  'flooding',
  'mudslide',
  'route',
  'cornwall',
  'west',
  'point',
  'pic.twitter.com/zdxmjakq7',
  'm',
  'nsfwwx',
  'july',
  'exposure',
  'flooding',
  'snow',
  'event',
  'life',
  'expectancy',
  'highway',
  'road',
  'epa',
  'road',
  'infrastructure',
  'area',
  'flooding',
  'sea',
  'level',
  'rise',
  'storm',
  'heat',
  'road',
  'road',
  'u.s.',
  'asphalt',
  'concrete',
  'material',
  'asphalt',
  'cement',
  'sand',
  'rock',
  'u.s.',
  'department',
  'transportation',
  'problem',
  'temperature',
  'pavement',
  'epa',
  'view',
  'damage',
  'parking',
  'lot',
  'rainfall',
  'new',
  'york',
  'city',
  'dozen',
  'water',
  'rescue',
  'roadway',
  'foot',
  'rain',
  'hour',
  'sunday',
  'orange',
  'county',
  'new',
  'york',
  'united',
  'states',
  'july',
  'lokman',
  'vural',
  'elibol',
  'anadolu',
  'agency',
  'getty',
  'images',
  'pavement',
  'contract',
  'temperature',
  'wisconsin',
  'department',
  'transportation',
  'video',
  'impact',
  'change',
  'heat',
  'moisture',
  'content',
  'pavement',
  'design',
  'limit',
  'pavement',
  '"jacob',
  'asphalt',
  'heat',
  'road',
  'road',
  'car',
  'truck',
  'paste',
  'heat',
  'issue',
  'u.s.',
  'year',
  'week',
  'segment',
  'interstate',
  'texas',
  'temperature',
  'texas',
  'department',
  'transporation',
  'lane',
  'traffic',
  'segment',
  'road',
  'barrier',
  'txdot',
  'crew',
  'scene',
  'segment',
  'east',
  'freeway',
  'frontage',
  'road',
  'wayside',
  'heat',
  'road',
  'wayside',
  'entrance',
  'ramp',
  'wayside',
  'detour',
  'mainlane',
  'pic.twitter.com/0k151prehk',
  'hou',
  'district',
  '@txdothouston',
  'june',
  'road',
  'emergency',
  'u.s.',
  'government',
  'accountability',
  'office',
  'report',
  'point',
  'danger',
  'road',
  'climate',
  'change',
  'u.s.',
  'road',
  'change',
  'climate',
  'route',
  'emergency',
  'evacuation',
  'disaster',
  'agency',
  'climate',
  'damage',
  'road',
  'end',
  'century',
  'jacob',
  'precipitation',
  'damage',
  'effect',
  'weather',
  'funding',
  'engineering',
  'problem',
  'issue',
  'government',
  'agency',
  'option',
  'department',
  'transportation',
  'climate',
  'resilience',
  'federal',
  'highways',
  'administration',
  'policy',
  'design',
  'standard',
  'building',
  'code',
  'climate',
  'resilience',
  'action',
  'incentive',
  'penalty',
  'jacob',
  'cement',
  'material',
  'road',
  'material',
  'expertise',
  'funding',
  'design',
  'information',
  'datum',
  'infrastructure',
  'climate',
  'change',
  'loss',
  'billion',
  'nation',
  'federal',
  'highway',
  'administration',
  'approach',
  'state',
  'road',
  'bridge',
  'event',
  'weather',
  'department',
  'biden',
  'administration',
  'emergency',
  'relief',
  'program',
  'fund',
  'state',
  'district',
  'columbia',
  'puerto',
  'rico',
  'department',
  'administration',
  'goal',
  'infrastructure',
  'bipartisan',
  'infrastructure',
  'law',
  'resiliency',
  'transportation',
  'infrastructure',
  'face',
  'climate',
  'change',
  'program',
  'eligibility',
  'promoting',
  'resilient',
  'operations',
  'transformative',
  'cost',
  'transportation',
  'protect',
  'formula',
  'discretionary',
  'grant',
  'program',
  'highway',
  'administration',
  'application',
  'grant',
  'resilience',
  'climate',
  'change',
  'impact',
  'question',
  'investment',
  'jacob',
  'issue',
  'adaptation',
  'fuel',
  'use',
  'thing',
  'future',
  'planet',
  'climate',
  'change',
  'news',
  'features',
  'greece',
  'fire',
  'july',
  'emission',
  'record',
  'week',
  'death',
  'toll',
  'wildfire',
  'char',
  'europe',
  'north',
  'africa',
  'florida',
  'ocean',
  'temperature',
  'degree',
  'fahrenheit',
  'extreme',
  'heat',
  'shift',
  'sport',
  'u.s.',
  'city',
  'heat',
  'island',
  'expert',
  'weather',
  'forecast',
  'climate',
  'change',
  'road',
  'conditions',
  'infrastructure',
  'new',
  'york',
  'li',
  'cohen',
  'media',
  'producer',
  'content',
  'writer',
  'cbs',
  'news',
  'july',
  'pm',
  'cbs',
  'interactive',
  'inc.',
  'rights',
  'thank',
  'cbs',
  'news',
  'account',
  'feature',
  'email',
  'address',
  'email',
  'address',
  'weather',
  'heat',
  'human',
  'climate',
  'change',
  'weather',
  'extreme',
  'study',
  'chicago',
  'weather',
  'alert',
  'storm',
  'threat',
  'humid',
  'thursday',
  'climate',
  'change',
  'role',
  'weather',
  'world',
  'copyright',
  'cbs',
  'interactive',
  'inc.',
  'right',
  'privacy',
  'policy',
  'california',
  'notice',
  'personal',
  'information',
  'terms',
  'use',
  'advertise',
  'captioning',
  'cbs',
  'news',
  'paramount+',
  'cbs',
  'news',
  'store',
  'site',
  'map',
  'contact',
  'browser',
  'notification',
  'news',
  'event',
  'reporting'],
 ['wednesday',
  'july',
  '26th',
  'digital',
  'replica',
  'edition',
  'headlines',
  'colorado',
  'news',
  'politics',
  'crime',
  'public',
  'safety',
  'courts',
  'national',
  'news',
  'world',
  'news',
  'education',
  'health',
  'environment',
  'transportation',
  'housing',
  'obituaries',
  'photo',
  'hub',
  'weather',
  'sports',
  'sports',
  'columnists',
  'denver',
  'broncos',
  'colorado',
  'rockies',
  'denver',
  'colorado',
  'avalanche',
  'colorado',
  'rapids',
  'college',
  'sports',
  'preps',
  'golf',
  'boxing',
  'mma',
  'sports',
  'tv',
  'radio',
  'sports',
  'podcast',
  'olympics',
  'know',
  'food',
  'art',
  'culture',
  'movies',
  'tv',
  'streaming',
  'music',
  'theater',
  'travel',
  'family',
  'friendly',
  'bars',
  'beer',
  'thing',
  'event',
  'calendar',
  'television',
  'listings',
  'comics',
  'games',
  'horoscopes',
  'amy',
  'home',
  'garden',
  'free',
  'cannabis',
  'recipes',
  'denver',
  'post',
  'store',
  'sign',
  'newsletters',
  'alerts',
  'share',
  'facebook',
  'opens',
  'window)click',
  'reddit',
  'opens',
  'window)click',
  'twitter',
  'opens',
  'window',
  'newsletters',
  'alerts',
  'wednesday',
  'july',
  '26th',
  'digital',
  'replica',
  'edition',
  'damage',
  'tornado',
  'oklahoma',
  'share',
  'facebook',
  'opens',
  'window)click',
  'reddit',
  'opens',
  'window)click',
  'twitter',
  'opens',
  'window',
  'image',
  'video',
  'funnel',
  'storm',
  'cloud',
  'way',
  'road',
  'car',
  'cole',
  'okla.',
  'wednesday',
  'night',
  'april',
  'storm',
  'tornado',
  'wind',
  'hail',
  'central',
  'u.s.',
  'wednesday',
  'fatality',
  'injury',
  'home',
  'thousand',
  'power',
  'koco',
  'tv',
  'ap',
  'associated',
  'press',
  '',
  '',
  'published',
  'april',
  'p.m.',
  'updated',
  'april',
  'p.m.',
  'ken',
  'miller',
  'jamie',
  'stengle',
  'associated',
  'press',
  'dallas',
  'ap',
  'crew',
  'thursday',
  'power',
  'thousand',
  'resident',
  'tornado',
  'oklahoma',
  'spring',
  'storm',
  'u.s.',
  'people',
  'dozen',
  'home',
  'day',
  'tornado',
  'oklahoma',
  'gov.',
  'kevin',
  'stitt',
  'authority',
  'scale',
  'destruction',
  'aftermath',
  'shawnee',
  'building',
  'oklahoma',
  'baptist',
  'university',
  'damage',
  'home',
  'improvement',
  'store',
  'people',
  'term',
  'care',
  'facility',
  'hospital',
  'shawnee',
  'damage',
  'stitt',
  'city',
  'stitt',
  'town',
  'cole',
  'people',
  'home',
  'authority',
  'person',
  'person',
  'dozen',
  'injury',
  'way',
  'fatality',
  'deputy',
  'sheriff',
  'scott',
  'gibbons',
  'mcclain',
  'county',
  'county',
  'oklahoma',
  'city',
  'cole',
  'gibbons',
  'television',
  'station',
  'koco',
  'victim',
  'mcclain',
  'county',
  'cole',
  'year',
  'man',
  'storm',
  'spring',
  'dozen',
  'people',
  'swath',
  'country',
  'march',
  'tornado',
  'people',
  'arkansas',
  'delaware',
  'day',
  'tornado',
  'missouri',
  'employee',
  'pizza',
  'restaurant',
  'shawnee',
  'shelter',
  'freezer',
  'roof',
  'window',
  'parking',
  'lot',
  'lot',
  'commotion',
  'people',
  'bekah',
  'inman',
  'manager',
  'papa',
  'john',
  'pizza',
  'shawnee',
  'oklahoma',
  'television',
  'station',
  'koco',
  'oklahoma',
  'baptist',
  'university',
  'sophomore',
  'kennedy',
  'houchin',
  'storm',
  'shelter',
  'people',
  'hour',
  'devastation',
  'tornado',
  'campus',
  'shawnee',
  'tree',
  'car',
  'building',
  'hole',
  'volleyball',
  'teammate',
  'campus',
  'moment',
  'houchin',
  'storm',
  'stitt',
  'state',
  'emergency',
  'county',
  'cleveland',
  'lincoln',
  'mcclain',
  'oklahoma',
  'pottawatomie',
  'peak',
  'storm',
  'power',
  'outage',
  'number',
  'thursday',
  'evening',
  'oklahoma',
  'department',
  'emergency',
  'management',
  'office',
  'homeland',
  'security',
  'kfor',
  'tv',
  'resident',
  'oklahoma',
  'city',
  'shelter',
  'cole',
  'people',
  'storm',
  'manhole',
  'television',
  'station',
  'miller',
  'jonesboro',
  'arkansas',
  'associated',
  'press',
  'journalist',
  'beatrice',
  'dupuy',
  'new',
  'york',
  'report',
  'policy',
  'error',
  'contact',
  'news',
  'tip',
  'sign',
  'newsletters',
  'alerts',
  'popularmost',
  'populartwo',
  'woman',
  'year',
  'boy',
  'colorado',
  'springs',
  'wilderness',
  'woman',
  'year',
  'boy',
  'colorado',
  'springs',
  'wilderness',
  'grid"“ted',
  'lasso',
  'star',
  'comedy',
  'tour',
  'denver',
  'fall"ted',
  'lasso',
  'star',
  'comedy',
  'tour',
  'denver',
  'fall6',
  'place',
  'boulder',
  'reality',
  'tv',
  'series6',
  'place',
  'boulder',
  'reality',
  'tv',
  'woman',
  'westminster',
  'police',
  'woman',
  'westminster',
  'police',
  'shootingkeeler',
  'cu',
  'buffs',
  'qb',
  'shedeur',
  'sanders',
  'cam',
  'ward',
  'pac-12',
  'bro',
  'thing',
  'cu',
  'buffs',
  'qb',
  'shedeur',
  'sanders',
  'cam',
  'ward',
  'pac-12',
  'bro',
  'thing',
  'buffs',
  'discussion',
  'return',
  'conference',
  'exit',
  'pac-12',
  'source',
  'confirmscu',
  'buffs',
  'discussion',
  'return',
  'conference',
  'exit',
  'pac-12',
  'source',
  'confirmsthe',
  'business',
  'strip',
  'club',
  'colorado',
  'dancer',
  'way',
  'uncertaintiesthe',
  'business',
  'strip',
  'club',
  'colorado',
  'dancer',
  'way',
  'look',
  'broncos',
  'helmetsfirst',
  'look',
  'broncos',
  'alternate',
  'helmetsi-70',
  'crash',
  'eisenhower',
  'tunneli-70',
  'crash',
  'eisenhower',
  'tunnelask',
  'amy',
  'wife',
  'nowask',
  'amy',
  'wife',
  'thing',
  'step',
  'plane',
  'collision',
  'feetthe',
  'business',
  'strip',
  'club',
  'colorado',
  'dancer',
  'way',
  'uncertainties‘funnel',
  'cloud',
  'tree',
  'brooklyn',
  'power',
  'outage',
  'staten',
  'island',
  'nursing',
  'hometaylor',
  'swift',
  'album',
  'swiftie',
  '.',
  'guide',
  'tip',
  'lindsey',
  'horan',
  'goal',
  'draw',
  'netherlands',
  'women',
  'world',
  'cup',
  'wildfire',
  'acre',
  'gunnison',
  'county',
  'evacuation',
  'order',
  'watch',
  'native',
  'uswnt',
  'captain',
  'lindsey',
  'horan',
  'score',
  'netherlands',
  'wnba',
  'riquna',
  'williams',
  'aces',
  'activity',
  'felony',
  'violence',
  'arrest',
  'las',
  'vegas',
  'member',
  'place',
  'hold',
  'digital',
  'replica',
  'edition',
  'sitemap',
  'careers',
  'denver',
  'post',
  'store',
  'place',
  'obituary',
  'advertise',
  'network',
  'advertising',
  'privacy',
  'policy',
  'accessibility',
  'terms',
  'use',
  'cookie',
  'policy',
  'california',
  'notice',
  'collection',
  'notice',
  'financial',
  'incentive',
  'share',
  'personal',
  'information',
  'arbitration',
  'site',
  'map',
  'ethics',
  'policy',
  'powered',
  'wordpress.com',
  'vip'],
 ['javascript',
  'browser',
  'experience',
  'site',
  'javascript',
  'browser',
  'type',
  'character',
  'input',
  'search',
  'result',
  'arrow',
  'key',
  'suggest',
  'box',
  'esc',
  'key',
  'input',
  'search',
  'field',
  'site',
  'navigation',
  'arrow',
  'space',
  'bar',
  'command',
  'arrow',
  'level',
  'link',
  'close',
  'menu',
  'sub',
  'level',
  'arrow',
  'level',
  'menu',
  'sub',
  'tier',
  'link',
  'enter',
  'space',
  'menu',
  'escape',
  'tab',
  'site',
  'menu',
  'item',
  'interestagriculture',
  'environmentagriculture',
  'health',
  'productionplant',
  'production',
  'technologyagricultural',
  'business',
  'policynatural',
  'master',
  'gardenermissouri',
  'master',
  'naturalistmaster',
  'pollinator',
  'stewardswine',
  'extensionmissouri',
  'grain',
  'cropsbeef',
  'extensionagricultural',
  'business',
  'policy',
  'extensionindustrial',
  'hempprecision',
  'agriculturewildlife',
  'ecology',
  'managementview',
  'agriculture',
  'environment',
  'program',
  'soil',
  'plant',
  'testing',
  'laboratory',
  'business',
  'communitybusiness',
  'communitybusiness',
  'developmentcommunity',
  'developmentlabor',
  'workforce',
  'developmentare',
  'exceed',
  'regional',
  'economic',
  'entrepreneurial',
  'developmentlabor',
  'education',
  'programmid',
  'america',
  'trade',
  'adjustment',
  'assistance',
  'centermissouri',
  'training',
  'institutemissouri',
  'small',
  'business',
  'development',
  'centersmissouri',
  'procurement',
  'technical',
  'assistance',
  'centerscommunity',
  'leadershipview',
  'business',
  'community',
  'program',
  'small',
  'business',
  'sbdc',
  'health',
  'safetyhealth',
  'educationemergency',
  'mu',
  'fire',
  'rescue',
  'training',
  'institutelaw',
  'enforcement',
  'training',
  'instituteveterinary',
  'extension',
  'continuing',
  'educationdrought',
  'resourcescontinuing',
  'education',
  'health',
  'professionsview',
  'health',
  'safety',
  'program',
  'continuing',
  'education',
  'health',
  'professions',
  'learn',
  'program',
  'youth',
  'family4',
  'h',
  'youth',
  'developmentnutrition',
  'health',
  'educationfamily',
  'home',
  'educationare',
  'missouri',
  'hstay',
  'strong',
  'healthytaking',
  'care',
  'youfood',
  'safetystrength',
  'numbersmissouri',
  'council',
  'activity',
  'nutritionliving',
  'healthy',
  'life',
  'chronic',
  'conditionsmental',
  'health',
  'aidview',
  'youth',
  'family',
  'program',
  'healthy',
  'life',
  'conditions',
  'learn',
  'program',
  'programsonline',
  'courseseventspublicationsnew',
  'article',
  'conne',
  'burnhamemergency',
  'management',
  'specialistfire',
  'rescue',
  'training',
  'instituteeach',
  'year',
  'people',
  'storm',
  'tornado',
  'advance',
  'warning',
  'warning',
  'warning',
  'tornado',
  'warning',
  'sky',
  'decision',
  'shelter',
  'storm',
  'decision',
  'tornado',
  'column',
  'air',
  'thunderstorm',
  'ground',
  'year',
  'tornado',
  'death',
  'injury',
  'tornado',
  'anytime',
  'year',
  'midwest',
  'state',
  'tornado',
  'occurrence',
  'mid',
  '-',
  'march',
  'june',
  'missouri',
  'risk',
  'tornado',
  'tornado',
  'alley',
  'state',
  'tornado',
  'activity',
  'tornado',
  'noon',
  'midnight',
  'time',
  'day',
  'lift',
  'formation',
  'thunderstorm',
  'tornado',
  'watch',
  'tornado',
  'area',
  'alert',
  'storm',
  'tornado',
  'warning',
  'tornado',
  'weather',
  'radar',
  'place',
  'safety',
  'defense',
  'home',
  'hour',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'noaa',
  'weather',
  'radio',
  'tornado',
  'watch',
  'warning',
  'weather',
  'condition',
  'radio',
  'television',
  'station',
  'watch',
  'warning',
  'tornado',
  'area',
  'thunderstorm',
  'watch',
  'warning',
  'effect',
  'information',
  'alert!know',
  'tornado',
  'stormdevelop',
  'plan',
  'family',
  'home',
  'work',
  'school',
  'drill',
  'noaa',
  'weather',
  'radio',
  'home',
  'county',
  'highway',
  'map',
  'storm',
  'movement',
  'weather',
  'bulletin',
  'radio',
  'television',
  'information',
  'trip',
  'forecast',
  'action',
  'weather',
  'risk',
  'people',
  'automobile',
  'people',
  'mobile',
  'home',
  'people',
  'warning',
  'language',
  'barrier',
  'stormin',
  'home',
  'building',
  'shelter',
  'basement',
  'shelter',
  'room',
  'hallway',
  'floor',
  'piece',
  'furniture',
  'window',
  'automobile',
  'highway',
  'overpass',
  'shelter',
  'tornado',
  'car',
  'vehicle',
  'ditch',
  'depression',
  'manufactured',
  'mobile',
  'home',
  'protection',
  'tornado',
  'warning',
  'siren',
  'individual',
  'warning',
  'shelter',
  'emergency',
  'alert',
  'system',
  'eas',
  'message',
  'detail',
  'step',
  'life',
  'life',
  'lot',
  'weather',
  'missouri',
  'reminder',
  'situation',
  'pierce',
  'city',
  'stockton',
  'carl',
  'junction',
  'canton',
  'desoto',
  'story',
  'you!for',
  'information',
  'emergency',
  'preparedness',
  'mu',
  'extension',
  'office',
  'author',
  'eric',
  'evans',
  'missouri',
  'extension',
  'disaster',
  'education',
  'network',
  'feedback',
  'form',
  'question',
  'comment',
  'publication',
  'careers',
  'extension',
  'council',
  'official',
  'faculty',
  'staff',
  'opportunity',
  'ada',
  'info',
  'policies',
  'return',
  'refund',
  'policy',
  'shipping',
  'policy',
  'privacy',
  'policy',
  'permission',
  'policy',
  'connect',
  'mu',
  'extension',
  'facebook',
  'twitter',
  'pinterest',
  'instagram',
  'mu',
  'extension',
  'help',
  'life',
  'community',
  'economy',
  'state',
  'donation',
  'curators',
  'university',
  'missouri',
  'right',
  'dmca',
  'copyright',
  'information',
  'university',
  'missouri',
  'extension',
  'opportunity',
  'access',
  'action',
  'employer',
  'term',
  'conditionsmobile',
  'toggle'],
 ['louisvillians',
  'temperature',
  'fun',
  'hogan',
  'fountain',
  'pavilion',
  'risk',
  'heat',
  'wave',
  'weather',
  'nws',
  'louisville',
  'ef-2',
  'tornado',
  'hardin',
  'county',
  'crews',
  'damage',
  'sunday',
  'weather',
  'monday',
  'tuesday',
  'credit',
  'john',
  'charlton',
  'whas11',
  'neighborhood',
  'tree',
  'middletown',
  'pm',
  'edt',
  'june',
  'pm',
  'edt',
  'june',
  'louisville',
  'ky.',
  'national',
  'weather',
  'service',
  'louisville',
  'week',
  'weather',
  'way',
  'kentuckiana',
  'sunday',
  'crew',
  'damage',
  'line',
  'storm',
  'hail',
  'wind',
  'rain',
  'majority',
  'whas11',
  'area',
  'nws',
  'louisville',
  'ef-2',
  'tornado',
  'cecilia',
  'kentucky',
  'hardin',
  'county',
  'tornado',
  'wind',
  'speed',
  'mile',
  'hour',
  'tornado',
  'area',
  'dubois',
  'martin',
  'county',
  'official',
  'tornado',
  'ef-2',
  'strength',
  'ef-1',
  'dubois',
  'county',
  'survey',
  'crew',
  'line',
  'wind',
  'damage',
  'bullitt',
  'county',
  'wind',
  'mile',
  'hour',
  'photo',
  'storm',
  'damage',
  'sunday',
  'weather',
  'kentuckiana',
  'hardin',
  'county',
  'emergency',
  'management',
  'look',
  'damage',
  'ef-2',
  'tornado',
  'hardin',
  'county',
  'kentucky',
  'hardin',
  'county',
  'emergency',
  'management',
  'look',
  'damage',
  'ef-2',
  'tornado',
  'hardin',
  'county',
  'kentucky',
  'jessica',
  'farley',
  'whas11',
  'news',
  'homes',
  'hardin',
  'county',
  'national',
  'weather',
  'service',
  'louisville',
  'ef-2',
  'tornado',
  'jessica',
  'farley',
  'whas11',
  'news',
  'homes',
  'hardin',
  'county',
  'national',
  'weather',
  'service',
  'louisville',
  'ef-2',
  'tornado',
  'jessica',
  'farley',
  'whas11',
  'news',
  'homes',
  'hardin',
  'county',
  'national',
  'weather',
  'service',
  'louisville',
  'ef-2',
  'tornado',
  'jessica',
  'farley',
  'whas11',
  'news',
  'homes',
  'hardin',
  'county',
  'national',
  'weather',
  'service',
  'louisville',
  'ef-2',
  'tornado',
  'jessica',
  'farley',
  'whas11',
  'news',
  'homes',
  'hardin',
  'county',
  'national',
  'weather',
  'service',
  'louisville',
  'ef-2',
  'tornado',
  'jessica',
  'farley',
  'whas11',
  'news',
  'homes',
  'hardin',
  'county',
  'national',
  'weather',
  'service',
  'louisville',
  'ef-2',
  'tornado',
  'phillip',
  'murrell',
  'whas11',
  'news',
  'trees',
  'lyndon',
  'kentucky',
  'weather',
  'event',
  'june',
  'phillip',
  'murrell',
  'whas11',
  'news',
  'trees',
  'lyndon',
  'kentucky',
  'weather',
  'event',
  'june',
  'phillip',
  'murrell',
  'whas11',
  'news',
  'trees',
  'lyndon',
  'kentucky',
  'weather',
  'event',
  'june',
  'john',
  'charlton',
  'whas11',
  'neighborhood',
  'tree',
  'middletown',
  'news',
  'pete',
  'dye',
  'golf',
  'course',
  'french',
  'lick',
  'indiana',
  'crater',
  'hail',
  'sunday',
  'weather',
  'news',
  'piece',
  'hail',
  'french',
  'lick',
  'indiana',
  'sunday',
  'alyssa',
  'newton',
  'whas11',
  'news',
  'atrium',
  'west',
  'baden',
  'springs',
  'hotel',
  'guest',
  'crew',
  'window',
  'pane',
  'building',
  'dome',
  'alyssa',
  'newton',
  'whas11',
  'news',
  'atrium',
  'panel',
  'softball',
  'hail',
  'alyssa',
  'newton',
  'whas11',
  'news',
  'crater',
  'piece',
  'hail',
  'pete',
  'dye',
  'golf',
  'course',
  'sunday',
  'news',
  'cleanup',
  'french',
  'lick',
  'indiana',
  'hail',
  'resort',
  'golf',
  'course',
  'weather',
  'sunday',
  'john',
  'charlton',
  'whas11',
  'neighborhood',
  'tree',
  'middletown',
  'john',
  'charlton',
  'whas11',
  'neighborhood',
  'tree',
  'middletown',
  'look',
  'damage',
  'ef-2',
  'tornado',
  'hardin',
  'county',
  'kentucky',
  'line',
  'wind',
  'damage',
  'floyd',
  'county',
  'indiana',
  'addition',
  'survey',
  'crew',
  'line',
  'wind',
  'damage',
  'mile',
  'hour',
  'damage',
  'wind',
  'baseball',
  'size',
  'hail',
  'madison',
  'county',
  'kentucky',
  'nws',
  'louisville',
  'damage',
  'criterion',
  'damage',
  'path',
  'richmond',
  'width',
  'kilometer',
  'county',
  'line',
  'thousand',
  'power',
  'storm',
  'tree',
  'home',
  'powerline',
  'lyndon',
  'kentucky',
  'home',
  'tree',
  'wind',
  'injury',
  'kentuckiana',
  'crew',
  'damage',
  'warren',
  'russell',
  'counties',
  'story',
  'information',
  'heat',
  'wave',
  'storm',
  'power',
  'outage',
  'southeast',
  'wildfire',
  'concern',
  'southwest',
  'neighborhood',
  'home',
  'tornado',
  'storm',
  'damage',
  'indiana',
  'cleanup',
  'tornado',
  'texas',
  'florida',
  'home',
  'date',
  'story',
  'whas11',
  'news',
  'app',
  'apple',
  'android',
  'user',
  'news',
  'tip',
  'email',
  'assign@whas11.com',
  'facebook',
  'page',
  'twitter',
  'feed',
  'example',
  'video',
  'title',
  'video',
  'news',
  'heat',
  'advisory',
  'thursday',
  'friday',
  '',
  '',
  'july',
  'whas11',
  'p.m.',
  'weather',
  'eeo',
  'public',
  'file',
  'report',
  'fcc',
  'online',
  'public',
  'inspection',
  'file',
  'closed',
  'caption',
  'procedure',
  'personal',
  'information',
  'whas',
  'tv',
  'rights',
  'whas',
  'notification',
  'news',
  'weather',
  'notification',
  'browser',
  'setting'],
 ['man',
  'death',
  'soccer',
  'match',
  'adam',
  'morgan',
  'neighborhood',
  'mexican',
  'consulate',
  'citizen',
  'crime',
  'dc',
  'heat',
  'advisory',
  'effect',
  'thursday',
  'a.m.',
  'p.m.',
  'dc',
  'heat',
  'year',
  'week',
  'weather',
  'timeline',
  'storm',
  'tonight',
  'storm',
  'area',
  'p.m.',
  'author',
  'miri',
  'marshall',
  'wusa9',
  'weather',
  'team',
  'kaitlyn',
  'mcgrath',
  'edt',
  'april',
  'pm',
  'edt',
  'april',
  'washington',
  'thunderstorm',
  'watch',
  'metro',
  'dc',
  'county',
  'pm',
  'storm',
  'evening',
  'threat',
  'today',
  'wind',
  'mph',
  'timeline',
  'storm',
  'p.m.',
  'shower',
  'storm',
  'storm',
  'rain',
  'wind',
  'hail',
  'p.m.',
  'p.m.',
  'shower',
  'storm',
  'storm',
  'rain',
  'wind',
  'hail',
  'p.m.',
  'p.m.',
  'storm',
  'area',
  'shower',
  'missouri',
  'tornado',
  'destruction',
  'flood',
  'awareness',
  'month',
  'list',
  'hurricane',
  'season',
  'neighborhood',
  'storm',
  'power',
  'outage',
  'tree',
  'tree',
  'branch',
  'thunderstorm',
  'watch',
  'warning',
  'neighborhood',
  'thunderstorm',
  'watch',
  'storm',
  'action',
  'thunderstorm',
  'warning',
  'thunderstorm',
  'storm',
  'storm',
  'wind',
  'mph',
  'strongerhail',
  'inch',
  'tornado',
  'storm',
  'tornado',
  'warning',
  'storm',
  'shelter',
  'tree',
  'place',
  'tree',
  'wind',
  'protection',
  'lightning',
  'example',
  'video',
  'title',
  'video',
  'news',
  'dmv',
  'overnight',
  'forecast',
  'july',
  'muggy',
  'eeo',
  'public',
  'file',
  'report',
  'fcc',
  'online',
  'public',
  'inspection',
  'file',
  'closed',
  'caption',
  'procedure',
  'personal',
  'information',
  'wusa',
  'tv',
  'rights',
  'wusa',
  'notification',
  'news',
  'weather',
  'notification',
  'browser',
  'setting'],
 ['cookie',
  'site',
  'experience',
  'cookie',
  'policy',
  'cookie',
  'browser',
  'setting',
  'weather',
  'c',
  '°',
  'f',
  'setting',
  'home',
  'forecasts',
  'reports',
  'severe',
  'weather',
  'maps',
  'gallery',
  'forecasts',
  'reports',
  'short',
  'term',
  'day',
  'hour',
  'precip',
  'weekend',
  'severe',
  'weather',
  'outlook',
  'long',
  'term',
  'day',
  'trend',
  'monthly',
  'calendar',
  'lifestyle',
  'airport',
  'forecast',
  'attractions',
  'beach',
  'report',
  'golf',
  'ski',
  'environment',
  'uv',
  'air',
  'quality',
  'pollen',
  'severe',
  'weather',
  'canada',
  'alert',
  'alerts',
  'alert',
  'ready',
  'severe',
  'weather',
  'outlook',
  'gallery',
  'videos',
  'gallery',
  'video',
  'photo',
  'gallery',
  'photo',
  'new',
  'climate',
  'experience',
  'search',
  'city',
  'postcode',
  'location',
  'locations',
  'heat',
  'advisory',
  'heat',
  'index',
  'value',
  'excessive',
  'heat',
  'wa',
  'hourly',
  'hour',
  'weekend',
  'day',
  'day',
  'monthly',
  'country',
  'default',
  'site',
  'americas',
  'canada',
  'english',
  'canada',
  'english',
  'canada',
  'francais',
  'canada',
  'francais',
  'united',
  'states',
  'united',
  'states',
  'united',
  'states',
  'spanish',
  'united',
  'states',
  'spanish',
  'asia',
  'australia',
  'english',
  'australia',
  'english',
  'india',
  'english',
  'india',
  'english',
  'europe',
  'united',
  'kingdom',
  'united',
  'kingdom',
  'germany',
  'germany',
  'france',
  'france',
  'ireland',
  'ireland',
  'spain',
  'spain',
  'day',
  'severe',
  'weather',
  'outlook',
  'wilmington',
  'de',
  'severe',
  'weather',
  'outlook',
  'weather',
  'storm',
  'weather',
  'warning',
  'alert',
  'day',
  'outlook',
  'map',
  'level',
  'risk',
  'area',
  'video',
  'type',
  'storm',
  'chart',
  'glance',
  'risk',
  'level',
  'summary',
  'day',
  'information',
  'map',
  'forecast',
  'thursday',
  'friday',
  'saturday',
  'thunderstorm',
  'risk',
  'snowfall',
  'risk',
  'rain',
  'risk',
  'wind',
  'risk',
  'rainfall',
  'risk',
  'dash',
  'datum',
  'time',
  'legend',
  'expected0',
  'aware1',
  'prepared5',
  'alert8',
  '10',
  'select',
  'risk',
  'type',
  'day',
  'map',
  'select',
  'risk',
  'type',
  'thunderstorm',
  'risk',
  'snowfall',
  'risk',
  'freezing',
  'rain',
  'risk',
  'wind',
  'risk',
  'rainfall',
  'risk',
  'select',
  'day',
  'thursday',
  'july',
  'friday',
  'july',
  'saturday',
  'july',
  'datum',
  'survival',
  'essentials',
  'emergency',
  'community',
  'emergency',
  'response',
  'team',
  'time',
  'care',
  'family',
  'supply',
  'minimum',
  'hour',
  'food',
  'water',
  'supplies',
  'water',
  'gallon',
  'litre',
  'water',
  'person',
  'day',
  'bottle',
  'case',
  'evacuation',
  'order',
  'food',
  'food',
  'energy',
  'bar',
  'food',
  'food',
  'water',
  'year',
  'medication',
  'prescription',
  'medication',
  'day',
  'pain',
  'reliever',
  'compress',
  'dressing',
  'bandage',
  'size',
  'cloth',
  'tape',
  'ointment',
  'hydrocortisone',
  'ointment',
  'wipe',
  'packet',
  'blanket',
  'space',
  'blanket',
  'breathing',
  'barrier',
  'way',
  'valve',
  'compress',
  'pair',
  'glove',
  'scissor',
  'roller',
  'bandage',
  'cm',
  'inch',
  'roller',
  'bandage',
  'cm',
  'inch',
  'gauze',
  'pad',
  'cm',
  'inch',
  'cm',
  'inch',
  'gauze',
  'pad',
  'cm',
  'inch',
  'cm',
  'inch',
  'thermometer',
  'triangular',
  'bandage',
  'tweezers',
  'aid',
  'instruction',
  'booklet',
  'equipment',
  'crank',
  'flashlight',
  'crank',
  'radio',
  'battery',
  'cell',
  'phone',
  'charger',
  'tool',
  'army',
  'knife',
  'key',
  'car',
  'house',
  'whistle',
  'personal',
  'hygiene',
  'soap',
  'hand',
  'sanitizer',
  'tissue',
  'paper',
  'toilet',
  'paper',
  'sanitary',
  'napkin',
  'underwear',
  'documents',
  'family',
  'emergency',
  'contact',
  'information',
  'money',
  'change',
  'map',
  'area',
  'list',
  'medication',
  'copy',
  'passports',
  'birth',
  'marriage',
  'certificate',
  'insurance',
  'policy',
  'wills',
  'specialty',
  'items',
  'baby',
  'supply',
  'food',
  'formula',
  'bottles',
  'diaper',
  'change',
  'clothe',
  'supply',
  'hearing',
  'glasses',
  'contact',
  'lenses',
  'food',
  'pet',
  'pop',
  '%',
  'rain',
  'snow',
  'wind',
  'wind',
  'gust',
  'humidity',
  '-%',
  'hourly',
  'forecast',
  'data',
  'hourly',
  'day',
  'hour',
  'day',
  'social',
  'facebook',
  'twitter',
  'instagram',
  'youtube',
  'weather',
  'tools',
  'weather',
  'widget',
  'weather',
  'api',
  'android',
  'app',
  'ios',
  'app',
  'tv',
  'weather',
  'apps',
  'support',
  'help',
  'centre',
  'advertise',
  'terms',
  'use',
  'privacy',
  'policy',
  'accessibility',
  'accommodation',
  'careers',
  'meteo',
  'media',
  'el',
  'tiempo',
  'otempo',
  'weather',
  'network',
  'canada',
  'farmzone',
  'clima',
  'weather',
  'network',
  'pelmorex',
  'weather',
  'networks',
  'default',
  'close',
  'search',
  'location',
  'pointcast',
  'weather',
  'info',
  'mile',
  'nickname',
  'sign',
  'feature',
  'cancel',
  'sign',
  'need',
  'account',
  'sign'],
 ['contentwburwbur90.0',
  'wbur',
  'boston',
  'npr',
  'news',
  'stationlocal',
  'coverage',
  'loading',
  'heart',
  'donatewburwbur90.0',
  'wbur',
  'boston',
  'npr',
  'news',
  'stationlocal',
  'coverage',
  'loading',
  'heart',
  'donatelocal',
  'coverage',
  'livesearchsectionslocal',
  'coveragearts',
  'culturebusinesseducationenvironmenthealthinvestigationscognoscentiboston',
  'news',
  'quizradioon',
  'air',
  'schedulemorning',
  'editionon',
  'pointradio',
  'bostonhere',
  'nowall',
  'things',
  'consideredways',
  'radio',
  'programspodcaststhe',
  'commonendless',
  'threadcircle',
  'seenanything',
  'selenaall',
  'calendarwatch',
  'past',
  'eventsrentalsevent',
  'newslettersupportmake',
  'donationbecome',
  'membermember',
  'servicesdonate',
  'carjoin',
  'murrow',
  'societysubscribe',
  'weekday',
  'wbur',
  'morning',
  'routinethe',
  'email',
  'address',
  'invalidit',
  'boston',
  'news',
  'fun',
  'emailthank',
  'wbur',
  'today',
  'wbur',
  'today',
  'advertisementflooding',
  'vermont',
  'community',
  'pelchuck',
  'vermont',
  'agency',
  'transportation',
  'middlesex',
  'garage',
  'monitor',
  'water',
  'dascomb',
  'rowe',
  'field',
  'route',
  'waterbury',
  'monday',
  'afternoon',
  'brian',
  'stevenson',
  'vermont',
  'public)gov',
  'phil',
  'scott',
  'flooding',
  'vermont',
  'monday',
  'morning',
  'start',
  'weather',
  'event',
  'state',
  'tropical',
  'storm',
  'irene',
  'response',
  'question',
  'reporter',
  'medium',
  'briefing',
  'waterbury',
  'monday',
  'morning',
  'state',
  'official',
  'report',
  'fatality',
  'flood',
  'water',
  'londonderry',
  'incident',
  'a.m.',
  'water',
  'rescue',
  'team',
  'people',
  'home',
  'land',
  'individual',
  'dwelling',
  'path',
  'water',
  'state',
  'official',
  'route',
  'middlesex',
  'way',
  'montpelier',
  'monday',
  'july',
  'liam',
  'elder',
  'connors',
  'vermont',
  'public)deputy',
  'commissioner',
  'public',
  'safety',
  'dan',
  'batsie',
  'flooding',
  'sunday',
  'night',
  'hour',
  'official',
  'vermont',
  'emergency',
  'management',
  'life',
  'safety',
  '”“we',
  'damage',
  'property',
  'infrastructure',
  'life',
  'sense',
  'sense',
  'batsie',
  'mike',
  'cannon',
  'manager',
  'vermont',
  'urban',
  'search',
  'rescue',
  'task',
  'force',
  'water',
  'rescue',
  'team',
  'vermont',
  'storm',
  'response',
  'water',
  'rescue',
  'team',
  'north',
  'carolina',
  'state',
  'monday',
  'morning',
  'massachusetts',
  'michigan',
  'connecticut',
  'update',
  'communitiesofficial',
  'town',
  'londonderry',
  'weston',
  'ludlow',
  'weston',
  'south',
  'londonderry',
  'cannon',
  'road',
  'community',
  'ludlow',
  'town',
  'manager',
  'brendan',
  'mcnamara',
  'vermont',
  'public',
  'today',
  'damage',
  'vermont',
  'resort',
  'town',
  'okemo',
  'day',
  'town',
  'damage',
  'weather',
  'event',
  'tropical',
  'storm',
  'irene',
  'transportation',
  'joe',
  'flynn',
  'agency',
  'closure',
  'portion',
  'state',
  'route',
  'work',
  'road',
  'water',
  '”“so',
  'condition',
  'infrastructure',
  'flynn',
  'community',
  'assistance',
  'official',
  'montpelier',
  'downtown',
  'monday',
  'evening',
  'water',
  'level',
  'night',
  'montpelier',
  'city',
  'manager',
  'bill',
  'fraser',
  'water',
  'level',
  'midnight',
  'a.m.',
  'city',
  'people',
  'car',
  'ground',
  'case',
  'water',
  'irene',
  'comparison',
  'irene',
  'swath',
  'state',
  'life',
  'scott',
  'storm',
  'challenge',
  'irene',
  'water',
  'dascomb',
  'rowe',
  'field',
  'waterbury',
  'inch',
  'route',
  'monday',
  'afternoon',
  'brian',
  'stevenson',
  'vermont',
  'public)scott',
  'phone',
  'monday',
  'morning',
  'deanne',
  'criswell',
  'administrator',
  'federal',
  'emergency',
  'management',
  'agency',
  'scott',
  'criswell',
  'fema',
  'state',
  'way',
  '“the',
  'administrator',
  'scott',
  'official',
  'department',
  'environmental',
  'conservation',
  'dam',
  'monday',
  'jamaica',
  'calais',
  'weatherrelated',
  'rain',
  'flood',
  'road',
  'northeast',
  'evacuation',
  'heavy',
  'northeast',
  'rain',
  'area',
  'liveloading',
  'closewburwbur90.0',
  'wbur',
  'boston',
  'npr',
  'news',
  'stationnprcontact',
  'us(617',
  'commonwealth',
  'ave',
  'boston',
  'ma',
  '02215more',
  'way',
  'touch',
  'wburwho',
  'areinside',
  'wburcareerswbur',
  'staffcommunity',
  'advisory',
  'boardboard',
  'transparencydiversity',
  'equity',
  'inclusionlicensing',
  'wbur',
  'contentethics',
  'guidesupport',
  'donationbecome',
  'membermember',
  'servicesdonate',
  'carjoin',
  'murrow',
  'societybecome',
  'sponsorvolunteerfollowfacebook',
  'facebook',
  'instagram',
  'youtube',
  'linkedinsubscribe',
  'weekday',
  'wbur',
  'morning',
  'routinethe',
  'email',
  'address',
  'invalidit',
  'boston',
  'news',
  'fun',
  'emailthank',
  'wbur',
  'today',
  'wbur',
  'today',
  'copyright',
  'wbur',
  'statementswbur',
  'eeo',
  'applicationspublic',
  'file',
  'assistancesyndicationthis',
  'site',
  'recaptcha',
  'google',
  'privacy',
  'policy',
  'terms',
  'service'],
 ['articleset',
  'weatherback',
  'main',
  'weatherset',
  'location',
  'enter',
  'city',
  'state',
  'zip',
  'codesubmitsubscribemore',
  'local',
  'love',
  '%',
  'unlimited',
  'digital',
  'access',
  'weathernortheast',
  'ohio',
  'storm',
  'sunday',
  'period',
  'rain',
  'tuesday',
  'national',
  'weather',
  'service',
  'jun.',
  'jun.',
  'thunderstorm',
  'upper',
  'midwest',
  'ohio',
  'sunday',
  'afternoon',
  'sunday',
  'night',
  'accuweather',
  'national',
  'weather',
  'service',
  'courtesy',
  'accuweather139sharesby',
  'kaylee',
  'remington',
  'cleveland.comcleveland',
  'ohio',
  'northeast',
  'ohio',
  'threat',
  'weather',
  'sunday',
  'afternoon',
  'sunday',
  'night',
  'period',
  'rain',
  'sunday',
  'night',
  'tuesday',
  'national',
  'weather',
  'service',
  'cleveland',
  'effect',
  'storm',
  'flooding',
  'condition',
  'hail',
  'zach',
  'secovic',
  'meteorologist',
  'nws.northeast',
  'ohioans',
  'shower',
  'area',
  'saturday',
  'afternoon',
  'weather',
  'today',
  'sunday',
  'afternoon',
  'evening',
  'shower',
  'thunderstorm',
  'left',
  'potential',
  '”this',
  'storm',
  'wind',
  'gust',
  'secovic',
  'round',
  'storm',
  'sunday',
  'night',
  'tuesday',
  'area',
  'weather',
  'end',
  'june',
  'day',
  'rain',
  'thing',
  '”the',
  'threat',
  'thunderstorm',
  'northeast',
  'ohio',
  'sunday',
  'afternoon',
  'sunday',
  'night',
  'ohio',
  'valley',
  'cincinnati',
  'national',
  'weather',
  'service',
  'cleveland',
  'accuweather',
  'rain',
  'thunderstorm',
  'ohio',
  'valley',
  'middle',
  'week',
  'accuweather',
  'secovic',
  'attention',
  'forecast',
  'sunday',
  'day',
  'storm',
  'way',
  'change',
  'weather',
  'way',
  'attention',
  'weather',
  'sunday',
  'temperature',
  'forecast',
  'national',
  'weather',
  'service',
  'cleveland',
  'area',
  'sunday',
  'sunday',
  'night',
  'degree',
  'degreesmonday',
  'monday',
  'night',
  'degree',
  'degreestuesday',
  'tuesday',
  'night',
  'degree',
  'degreesif',
  'product',
  'account',
  'link',
  'site',
  'compensation',
  'site',
  'information',
  'medium',
  'partner',
  'accordance',
  'privacy',
  'policy',
  'footer',
  'navigationmore',
  'cleveland.comsponsor',
  'contentsell',
  'carpost',
  'jobsitemap',
  'adsell',
  'homeweathervideosarchivesfollow',
  'ustwitterpinterestfacebookinstagramrsscleveland.com',
  'sectionsnewssportsentertainmentpoliticsopinionlivingbettingrentalsobituariesjobsdeals',
  'areaclassifiedsautosreal',
  'estatemobilemobile',
  'appsyour',
  'regional',
  'news',
  'pageslakewoodbeachwoodbrunswickstrongsvilleparma',
  'parma',
  'heightsmore',
  'communitiesabout',
  'usadvertise',
  'usabout',
  'cleveland.comabout',
  'advance',
  'ohiocontact',
  'uscareer',
  'opportunitiesdelivery',
  'opportunitiesaudience',
  'faqsubscriptionscleveland.comthe',
  'plain',
  'dealernewsletterssun',
  'newsalready',
  'subscribermake',
  'paymentmanage',
  'subscriptionplace',
  'vacation',
  'holddelivery',
  'feedbackdisclaimeruse',
  'registration',
  'portion',
  'site',
  'acceptance',
  'user',
  'agreement',
  'privacy',
  'policy',
  'cookie',
  'statement',
  'privacy',
  'choices',
  'rights',
  'setting',
  'personal',
  'information',
  'advance',
  'local',
  'media',
  'llc',
  'right',
  'material',
  'site',
  'permission',
  'advance',
  'local',
  'community',
  'rule',
  'content',
  'site',
  'youtube',
  'privacy',
  'policy',
  'youtube',
  'term',
  'service',
  'ad',
  'choice'],
 ['dave',
  'ramsey',
  'mac',
  'morning',
  'chad',
  'benson',
  'coast',
  'coast',
  'w/',
  'george',
  'noory',
  'piece',
  'cody',
  'high',
  'school',
  'sports',
  'podcasts',
  'music',
  'spotlight',
  'advertise',
  'contact',
  'listener',
  'club',
  'job',
  'opportunities',
  'eeo',
  'public',
  'file',
  'dave',
  'ramsey',
  'mac',
  'morning',
  'chad',
  'benson',
  'coast',
  'coast',
  'w/',
  'george',
  'noory',
  'piece',
  'cody',
  'high',
  'school',
  'sports',
  'podcasts',
  'music',
  'spotlight',
  'advertise',
  'contact',
  'listener',
  'club',
  'job',
  'opportunities',
  'eeo',
  'public',
  'file',
  'winter',
  'storm',
  'road',
  'wyoming',
  'colorado',
  'nebraska',
  'associated',
  'press',
  'march',
  'winter',
  'snowstorm',
  'rocky',
  'mountains',
  'sunday',
  'snow',
  'wind',
  'airport',
  'road',
  'closure',
  'power',
  'outage',
  'avalanche',
  'warning',
  'colorado',
  'wyoming',
  'nebraska',
  'national',
  'weather',
  'service',
  'wyoming',
  'winter',
  'storm',
  'travel',
  'condition',
  'monday',
  'road',
  'line',
  'corner',
  'wyoming',
  'corner',
  'sunday',
  'road',
  'cheyenne',
  'casper',
  'foot',
  'centimeter',
  'snow',
  'cheyenne',
  'a.m.',
  'saturday',
  'weather',
  'service',
  'area',
  'city',
  'inch',
  'centimeter',
  'snotel',
  'site',
  'windy',
  'peak',
  'laramie',
  'range',
  'inch',
  'meter',
  'snow',
  'hour',
  'period',
  'sunday',
  'morning',
  'weather',
  'service',
  'person',
  'phone',
  'love',
  'travel',
  'stop',
  'cheyenne',
  'truck',
  'fuel',
  'time',
  'generator',
  'truck',
  'refrigerator',
  'freezer',
  'interstate',
  'wyoming',
  'nebraska',
  'panhandle',
  'foot',
  'centimeter',
  'snow',
  'kimball',
  'nebraska',
  'interstate',
  'north',
  'fort',
  'collins',
  'colorado',
  'end',
  'buffalo',
  'wyoming',
  'denver',
  'international',
  'airport',
  'runway',
  'noon',
  'sunday',
  'snow',
  'visibility',
  'flight',
  'runway',
  'closure',
  'impact',
  'airport',
  'official',
  'medium',
  'post',
  'foot',
  'snow',
  'dia',
  'saturday',
  'foot',
  'sunday',
  'colorado',
  'regional',
  'airport',
  'fort',
  'collins',
  'loveland',
  'area',
  'sunday',
  'morning',
  'foot',
  'snow',
  'airport',
  'medium',
  'account',
  'avalanche',
  'warning',
  'effect',
  'sunday',
  'rocky',
  'mountains',
  'fort',
  'collins',
  'boulder',
  'denver',
  'colorado',
  'springs',
  'snowfall',
  'avalanche',
  'colorado',
  'avalanche',
  'center',
  'center',
  'avalanche',
  'location',
  'backcountry',
  'avalanche',
  'colorado',
  'highway',
  'colorado',
  'sunday',
  'department',
  'transportation',
  'excel',
  'energy',
  'customer',
  'power',
  'sunday',
  'north',
  'colorado',
  'outage',
  'area',
  'poudre',
  'valley',
  'rural',
  'electric',
  'association',
  'rocky',
  'mountain',
  'power',
  'wyoming',
  'outage',
  'point',
  'service',
  'customer',
  'casper',
  'glenrock',
  'customer',
  'lander',
  'people',
  'power',
  'casper',
  'area',
  'sunday',
  'power',
  'company',
  'service',
  'interruption',
  'storm',
  'snow',
  'condition',
  'wind',
  'travel',
  'repair',
  'work',
  'today',
  'curt',
  'mansfield',
  'vice',
  'president',
  'operation',
  'rocky',
  'mountain',
  'power',
  'statement',
  'sunday',
  'ap',
  'ap',
  'news',
  'associated',
  'press',
  'cold',
  'temperatures',
  'colorado',
  'nebraska',
  'power',
  'outage',
  'snow',
  'winter',
  'winter',
  'weather',
  'wyoming',
  'vip',
  'listener',
  'clubcurrent',
  'weather',
  'cody86',
  '°',
  'sunny5:56',
  'pm',
  'mdtthufrisat84/54',
  '°',
  'f81/57',
  '°',
  'forecast',
  'cody',
  'wyoming',
  '▸',
  'lummis',
  'bipartisan',
  'effort',
  'broaden',
  'wyoming',
  'telehealth',
  'education',
  'access',
  'shoshone',
  'national',
  'forest',
  'proposing',
  'fee',
  'changes',
  'record',
  'saints',
  'qb',
  'brees',
  'retirement',
  'big',
  'horn',
  'medium',
  'schedule',
  'team',
  'advertise',
  'listener',
  'club',
  'contact',
  'fcc',
  'applications',
  'radio',
  'station',
  'database'],
 ['app',
  'searchsign',
  'locationsclosesebagosee',
  'storiessafetyfood',
  'drinksportssee',
  'moreadditional',
  'contentnational',
  'newslocal',
  'newsletternewsbreak',
  'corporateabout',
  'uscontributorspublishersadvertisersterm',
  'use',
  'privacy',
  'policydo',
  'sell',
  'share',
  'info',
  'help',
  'centersign',
  'sebago',
  'update',
  'emailsubscribewpfostorm',
  'wire',
  'road',
  'maineby',
  'ariana',
  'st',
  'day',
  'agoby',
  'ariana',
  'st',
  'day',
  'agogo',
  'publisher',
  'newsbreakcomments',
  '0add',
  'commentyou',
  'popularnew',
  'hampshire',
  'woman',
  'drug',
  'nh9',
  'hour',
  'agowoman',
  'pickup',
  'truck',
  'windhamwindham',
  'me11',
  'hour',
  'agoget',
  'sebago',
  'update',
  'emailsubscribe',
  'particle',
  'medium',
  'term',
  'use',
  'privacy',
  'policydo',
  'sell',
  'share',
  'info',
  'help',
  'centercomments',
  '0closecommunity',
  'policy'],
 ['contentskip',
  'navigationskip',
  'navigationprint',
  'subscription',
  'sign',
  'insearch',
  'jobssearchus',
  'editionus',
  'editionuk',
  'editionaustralia',
  'guardian',
  'guardiannewsopinionsportculturelifestyleshowmoreshow',
  'morenewsview',
  'newsus',
  'newsworld',
  'politicsbusinesstechsciencenewslettersfight',
  'democracyopinionview',
  'opinionthe',
  'guardian',
  'viewcolumnistslettersopinion',
  'videoscartoonssportview',
  'sportsoccernfltennismlbmlsnbanhlf1golfcultureview',
  'culturefilmbooksmusicart',
  'designtv',
  'radiostageclassicalgameslifestyleview',
  'lifestylefashionfoodrecipeslove',
  'sexhome',
  'gardenhealth',
  'fitnessfamilytravelmoneysearch',
  'input',
  'google',
  'search',
  'searchsupport',
  'usprint',
  'subscriptionsus',
  'editionuk',
  'editionaustralia',
  'editionsearch',
  'jobsdigital',
  'archiveguardian',
  'puzzles',
  'licensingthe',
  'guardian',
  'guardianguardian',
  'weeklycrosswordswordiplycorrectionsfacebooktwittersearch',
  'jobsdigital',
  'archiveguardian',
  'puzzles',
  'licensingusworldenvironmentsoccerus',
  'democracy',
  'home',
  'tree',
  'tornado',
  'little',
  'rock',
  'arkansas',
  'photograph',
  'andrew',
  'demillo',
  'apa',
  'home',
  'tree',
  'tornado',
  'little',
  'rock',
  'arkansas',
  'photograph',
  'andrew',
  'demillo',
  'observeru',
  'weather',
  'article',
  'month',
  'storm',
  'system',
  'article',
  'month',
  'oldtornadoe',
  'devastation',
  'arkansas',
  'illinois',
  'iowa',
  'oklahoma',
  'theatre',
  'roof',
  'concertedward',
  'helmore',
  'associated',
  'presssun',
  'apr',
  'edtfirst',
  'fri',
  'mar',
  'edtat',
  'people',
  'place',
  'power',
  'monster',
  'storm',
  'system',
  'midwest',
  'tornado',
  'home',
  'shopping',
  'center',
  'theatre',
  'roof',
  'metal',
  'concert',
  'illinois',
  'report',
  'tornado',
  'state',
  'storm',
  'friday',
  'night',
  'twister',
  'condition',
  'saturday',
  'storm',
  'system',
  'swath',
  'home',
  'people',
  'spring',
  'storm',
  'blizzard',
  'tornado',
  'shower',
  'weather',
  'death',
  'tennessee',
  'county',
  'death',
  'alabama',
  'illinois',
  'mississippi',
  'little',
  'rock',
  'arkansas',
  'mayor',
  'building',
  'tornado',
  'path',
  'national',
  'weather',
  'service',
  'tornado',
  'end',
  'ef3',
  'twister',
  'wind',
  'speed',
  'mph',
  'km',
  'h',
  'path',
  'mile',
  'kms).three',
  'indiana',
  'area',
  'sullivan',
  'city',
  'mile',
  'drive',
  'south',
  'west',
  'indianapolis',
  'madison',
  'county',
  'alabama',
  'person',
  'official',
  'death',
  'number',
  'fatality',
  'mcnairy',
  'county',
  'tennessee',
  'power',
  'outage',
  'figure',
  'resource',
  'site',
  'saturday',
  'area',
  'arkansas',
  'city',
  'wynne',
  'storm',
  'home',
  'people',
  'debris',
  'state',
  'governor',
  'sarah',
  'huckabee',
  'sanders',
  'town',
  'mile',
  'memphis',
  'tennessee',
  'damage',
  'tornado',
  'city',
  'council',
  'member',
  'lisa',
  'powell',
  'carter',
  'wynne',
  'power',
  'road',
  'debris',
  'debris',
  'clothing',
  'insulation',
  'roofing',
  'paper',
  'toy',
  'furniture',
  'pickup',
  'truck',
  'window',
  'scene',
  'devastation',
  'weather',
  'event',
  'climate',
  'change',
  'town',
  'heidi',
  'jenkins',
  'salon',
  'owner',
  'school',
  'church',
  'people',
  'home',
  'mississippi',
  'pontotoc',
  'county',
  'person',
  'mississippi',
  'emergency',
  'management',
  'agency',
  'illinois',
  'chicago',
  'area',
  'type',
  'weather',
  'warning',
  'friday',
  'night',
  'hour',
  'national',
  'weather',
  'service',
  'situation',
  'face',
  'outbreak',
  'thunderstorm',
  'potential',
  'hail',
  'wind',
  'gust',
  'tornado',
  'distance',
  'ground',
  'meteorologist',
  'condition',
  'friday',
  'week',
  'twister',
  'people',
  'home',
  'mississippi',
  'people',
  'debris',
  'roof',
  'apollo',
  'theater',
  'belvidere',
  'illinois',
  'photograph',
  'jessica',
  'bahena',
  'hernandez',
  'reuterslate',
  'friday',
  'town',
  'belvidere',
  'mile',
  'km',
  'north',
  'west',
  'chicago',
  'person',
  'life',
  'injury',
  'roof',
  'apollo',
  'theatre',
  'tornado',
  'belvidere',
  'fire',
  'department',
  'chief',
  'shawn',
  'schadle',
  'people',
  'venue',
  'time',
  'responder',
  'elevator',
  'power',
  'line',
  'theatre',
  'town',
  'police',
  'chief',
  'shane',
  'woody',
  'scene',
  'collapse',
  'chaos',
  'chaos”',
  'twister',
  'iowa',
  'grass',
  'fire',
  'oklahoma',
  'wind',
  'mph',
  'oklahoma',
  'city',
  'people',
  'home',
  'trooper',
  'portion',
  'interstate',
  'weather',
  'joe',
  'biden',
  'aftermath',
  'tornado',
  'mississippi',
  'week',
  'president',
  'government',
  'area',
  'little',
  'rock',
  'tornado',
  'neighbourhood',
  'city',
  'shopping',
  'centre',
  'arkansas',
  'river',
  'little',
  'rock',
  'city',
  'damage',
  'home',
  'business',
  'vehicle',
  'baptist',
  'health',
  'medical',
  'center',
  'little',
  'rock',
  'official',
  'katv',
  'afternoon',
  'people',
  'tornado',
  'injury',
  'condition',
  'mayor',
  'frank',
  'scott',
  'jr',
  'assistance',
  'guard',
  'evening',
  'property',
  'damage',
  'panic',
  'wynne',
  'house',
  'tree',
  'street',
  'area',
  'night',
  'tornado',
  'damage',
  'sherwood',
  'arkansas',
  'friday',
  'photograph',
  'colin',
  'murphey',
  'apthe',
  'police',
  'department',
  'tennessee',
  'city',
  'covington',
  'facebook',
  'city',
  'power',
  'line',
  'tree',
  'road',
  'storm',
  'friday',
  'evening',
  'authority',
  'tipton',
  'county',
  'north',
  'memphis',
  'tornado',
  'school',
  'covington',
  'location',
  'county',
  'tornado',
  'iowa',
  'damage',
  'building',
  'image',
  'barn',
  'house',
  'roofing',
  'siding',
  'tornado',
  'iowa',
  'city',
  'home',
  'university',
  'iowa',
  'watch',
  'party',
  'campus',
  'arena',
  'woman',
  'basketball',
  'final',
  'game',
  'video',
  'kcrg',
  'tv',
  'power',
  'pole',
  'roof',
  'apartment',
  'building',
  'suburb',
  'coralville',
  'home',
  'city',
  'hills',
  'observerextreme',
  'weatherarkansastennesseetornadoesnewsreuse',
  'viewedmost',
  'viewedusworldenvironmentsoccerus',
  'politicsbusinesstechsciencenewslettersfight',
  'reporting',
  'analysis',
  'guardian',
  'ushelpcomplaint',
  'correctionssecuredropwork',
  'usprivacy',
  'policycookie',
  'policyterms',
  'conditionscontact',
  'usall',
  'topicsall',
  'newspaper',
  'archivefacebookyoutubeinstagramlinkedintwitternewslettersadvertise',
  'labssearch',
  'guardian',
  'news',
  'media',
  'limited',
  'company',
  'right'],
 ['owner',
  'collection',
  'permission',
  'collection',
  'editor',
  'publisher',
  'login',
  'today',
  'sky',
  '96f.',
  'wind',
  'light',
  'tonight',
  'clear',
  'sky',
  'cloud',
  'wind',
  'sse',
  'mph',
  'july',
  'pm',
  'photo',
  'gallery',
  'storm',
  'wallop',
  'east',
  'central',
  'illinois',
  'mature',
  'tree',
  'limb',
  'leave',
  'semis',
  'backing',
  'traffic',
  'hour',
  'grain',
  'elevator',
  'roof',
  'power',
  'pole',
  'road',
  'crop',
  'fence',
  'post',
  'concrete',
  'base',
  'damage',
  'thursday',
  'afternoon',
  'storm',
  'injury',
  'city',
  'power',
  'friday',
  'morning',
  'update',
  'ameren',
  'power',
  'outage',
  'saturday',
  'evening',
  'outage',
  'ameren',
  'customer',
  'saturday',
  'evening',
  'utility',
  'east',
  'central',
  'illinois',
  'power',
  'sunday',
  'night',
  'ameren',
  'customer',
  'outage',
  'thursday',
  'leader',
  'kim',
  'jong',
  'un',
  'defense',
  'minister',
  'cooperation',
  'bomb',
  'threat',
  'family',
  'dissident',
  'thailand',
  'stock',
  'market',
  'today',
  'share',
  'federal',
  'reserve',
  'interest',
  'rate',
  'russia',
  'un',
  'meeting',
  'attack',
  'ukraine',
  'port',
  'city',
  'odesa',
  'e',
  '-',
  'bike',
  'fire',
  'ion',
  'battery',
  'biden',
  'relief',
  'heat',
  'record',
  'temperature',
  'articlesowners',
  'taffies',
  'champaign',
  'mahomet',
  'family',
  'fare',
  'rantoulillinois',
  'land',
  'commitment',
  'jason',
  'jakstyspolice',
  'accident',
  'i-74',
  'prospectrantoul',
  'office',
  'person',
  'test',
  'pedalcharge',
  'man',
  'flight',
  'mahomet',
  'drive',
  'dunkin',
  'mahomet2',
  'year',
  'grandson',
  'nba',
  'coach',
  'urbanagood',
  'morning',
  'illini',
  'nation',
  'illinois',
  'josiah',
  'moseleyreports',
  'ayo',
  'deal',
  'bullsthe',
  'yards',
  'development',
  'partner',
  'leader',
  'kim',
  'jong',
  'un',
  'defense',
  'minister',
  'cooperation',
  'bomb',
  'threat',
  'family',
  'dissident',
  'thailand',
  'stock',
  'market',
  'today',
  'share',
  'federal',
  'reserve',
  'interest',
  'rate',
  'russia',
  'un',
  'meeting',
  'attack',
  'ukraine',
  'port',
  'city',
  'odesa',
  'e',
  '-',
  'bike',
  'fire',
  'ion',
  'battery',
  'biden',
  'relief',
  'heat',
  'record',
  'temperature',
  'subscriber',
  'image',
  'left',
  'e',
  '-',
  'edition',
  'subscription',
  'subscription',
  'option',
  'nowthe',
  'news',
  'gazette',
  'mobile',
  'app',
  'news',
  'update',
  'news',
  'gazette',
  'device',
  'print',
  'brain',
  'news',
  'gazette',
  'columnist',
  'tom',
  'kacich',
  'wdws',
  'whms',
  'radio',
  'personality',
  'kathy',
  'reiser',
  'articlesowners',
  'taffies',
  'champaign',
  'mahomet',
  'family',
  'fare',
  'rantoulillinois',
  'land',
  'commitment',
  'jason',
  'jakstyspolice',
  'accident',
  'i-74',
  'prospectrantoul',
  'office',
  'person',
  'test',
  'pedalcharge',
  'man',
  'flight',
  'mahomet',
  'drive',
  'dunkin',
  'mahomet2',
  'year',
  'grandson',
  'nba',
  'coach',
  'urbanagood',
  'morning',
  'illini',
  'nation',
  'illinois',
  'josiah',
  'moseleyreports',
  'ayo',
  'deal',
  'bullsthe',
  'yards',
  'development',
  'partner',
  'subscription',
  'services',
  'faqs',
  'self',
  'service',
  'subscription',
  'system',
  'info',
  'change',
  'address',
  'delivery',
  'issues',
  'pay',
  'bill',
  'vacation',
  'stop',
  'restart',
  'news-gazette.com',
  'fox',
  'drive',
  'champaign',
  'il',
  'indiana',
  'fountain',
  'co.',
  'neighbor',
  'herald',
  'journal',
  'kv',
  'post',
  'news',
  'newton',
  'co.',
  'enterprise',
  'rensselaer',
  'republican',
  'review',
  'republican',
  'iowa',
  'atlantic',
  'news',
  'telegraph',
  'audubon',
  'advocate',
  'journal',
  'barr',
  'post',
  'card',
  'news',
  'burlington',
  'hawk',
  'eye',
  'collector',
  'journal',
  'fayette',
  'county',
  'union',
  'ft',
  '.',
  'madison',
  'daily',
  'democrat',
  'independence',
  'bulletin',
  'journal',
  'keokuk',
  'daily',
  'gate',
  'city',
  'oelwein',
  'daily',
  'register',
  'vinton',
  'newspapers',
  'newspapers',
  'michigan',
  'iosco',
  'county',
  'news',
  'herald',
  'ludington',
  'daily',
  'news',
  'oceana',
  'herald',
  'journal',
  'oscoda',
  'press',
  'white',
  'lake',
  'beacon',
  'new',
  'york',
  'finger',
  'lakes',
  'times',
  'olean',
  'times',
  'herald',
  'salamanca',
  'press',
  'pennsylvania',
  'bradford',
  'era',
  'clearfield',
  'progress',
  'courier',
  'express',
  'free',
  'press',
  'courier',
  'jeffersonian',
  'democrat',
  'leader',
  'vindicator',
  'potter',
  'leader',
  'enterprise',
  'wellsboro',
  'gazette',
  'browser',
  'date',
  'security',
  'risk',
  'browser'],
 ['epic',
  'texas',
  'ice',
  'storm',
  'power',
  'storm',
  'mix',
  'precipitation',
  'round',
  'winter',
  'weather',
  'texas',
  'monday',
  'anna',
  'lazarus',
  'caplan',
  'writer',
  'reporter',
  'people',
  'people',
  'work',
  'fort',
  'worth',
  'star',
  'telegram',
  'dallas',
  'morning',
  'news',
  'eater',
  'publication',
  'february',
  '08:56am',
  'winter',
  'storm',
  'u.s.',
  'day',
  'power',
  'outage',
  'tree',
  'highway',
  'death',
  'people',
  'west',
  'texas',
  'tennessee',
  'kentucky',
  'mixture',
  'sleet',
  'rain',
  'ice',
  'travel',
  'havoc',
  'flight',
  'school',
  'week',
  'wednesday',
  'authority',
  'road',
  'north',
  'texas',
  'mile',
  'wintry',
  'mix',
  'power',
  'line',
  'outage',
  'austin',
  'hill',
  'country',
  'austin',
  'american',
  'statesman',
  'report',
  'thursday',
  'morning',
  'austin',
  'energy',
  'customer',
  'power',
  'ice',
  'quarter',
  'inch',
  'power',
  'line',
  'tree',
  'branch',
  'newspaper',
  'state',
  'power',
  'poweroutage.us',
  '.',
  'texas',
  'ice',
  'storm',
  'zuma',
  'press',
  'news',
  'outage',
  'winter',
  'weather',
  'grid',
  'issue',
  'austin',
  'energy',
  'statement',
  'ice',
  'power',
  'line',
  'utility',
  'pole',
  'tree',
  'limb',
  'power',
  'outage',
  'story',
  'people',
  'newsletter',
  'date',
  'people',
  'celebrity',
  'news',
  'interest',
  'story',
  'texas',
  'ice',
  'storm',
  'chris',
  'rusanowsky',
  'zuma',
  'press',
  'wire',
  'groundhog',
  'day',
  'punxsutawney',
  'phil',
  'week',
  'winter',
  'weather',
  'people',
  'result',
  'storm',
  'traffic',
  'accident',
  'city',
  'arlington',
  'austin',
  'arkansas',
  'state',
  'authority',
  'car',
  'sky',
  'feat',
  '%',
  'flight',
  'dallas',
  'fort',
  'worth',
  'international',
  'airport',
  'dallas',
  'love',
  'field',
  'airport',
  'wednesday',
  'austin',
  'bergstrom',
  'international',
  'airport',
  'half',
  'video',
  'winter',
  'storm',
  'death',
  'toll',
  'victim',
  'buffalo',
  'new',
  'york',
  'body',
  'relief',
  'thursday',
  'national',
  'weather',
  'service',
  'south',
  'ice',
  'storm',
  'south',
  'mid',
  '-',
  'south',
  'today',
  'west',
  'east',
  'national',
  'weather',
  'service',
  'system',
  'tracking',
  'gulf',
  'coast',
  'mess',
  'rain',
  'thunderstorm',
  'gulf',
  'coast',
  'state',
  'nws',
  'statement',
  'shot',
  'air',
  'u.s.',
  'friday',
  'wind',
  'chill',
  'saturday',
  'olympian',
  'ashley',
  'cain',
  'gribble',
  'ice',
  'skates',
  'streets',
  'texas',
  'freeze',
  'extreme',
  'weather',
  'california',
  'day',
  'rain',
  'generation',
  'storm',
  'winter',
  'weather',
  'alerts',
  'holiday',
  'weekend',
  'mother',
  'year',
  'old',
  'son',
  'alabama',
  'tornado',
  'life',
  'storm',
  'foot',
  'snow',
  'whiteout',
  'conditions',
  'n.y.',
  'hurricane',
  'ian',
  'landfall',
  'florida',
  'category',
  'storm',
  'extreme',
  'weather',
  'event',
  'hurricane',
  'ian',
  'landfall',
  'south',
  'carolina',
  'category',
  'storm',
  'hurricane',
  'ian',
  'death',
  'toll',
  'florida',
  'death',
  'north',
  'carolina',
  'photos',
  'hurricane',
  'ian',
  'path',
  'historic',
  'storm',
  'florida',
  'south',
  'carolina',
  'people',
  'thousand',
  'hurricane',
  'ian',
  'set',
  'landfall',
  'texans',
  'power',
  'state',
  'winter',
  'storm',
  'hurricane',
  'ian',
  'evacuee',
  'fall',
  'balcony',
  'family',
  'fled',
  'storm',
  'path',
  'photo',
  'record',
  'winter',
  'storm',
  'uri',
  'impact',
  'texas',
  'virginia',
  'governor',
  'state',
  'emergency',
  'state',
  'braces',
  'snowstorm',
  'distressing',
  'i-95',
  'backup',
  'people',
  'editorial',
  'policy',
  'careers',
  'privacy',
  'policy',
  'contact',
  'terms',
  'service',
  'advertise',
  'privacy',
  'choices',
  'people',
  'dotdash',
  'meredith',
  'publishing',
  'family',
  'term',
  'service',
  'cookies',
  'storing',
  'cookie',
  'device',
  'site',
  'navigation',
  'site',
  'usage',
  'marketing',
  'effort',
  'cookie',
  'setting',
  'cookie'],
 ['accessibility',
  'link',
  'content',
  'keyboard',
  'shortcut',
  'player',
  'books',
  'movies',
  'television',
  'pop',
  'culture',
  'food',
  'art',
  'design',
  'performing',
  'arts',
  'life',
  'kit',
  'gaming',
  'podcasts',
  'shows',
  'expand',
  'collapse',
  'submenu',
  'podcast',
  'utah',
  'state',
  'emergency',
  'snow',
  'month',
  'state',
  'record',
  'snowfall',
  'winter',
  'snow',
  'disaster',
  'avalanche',
  'mudslide',
  'gov.',
  'spencer',
  'cox',
  'utah',
  'state',
  'emergency',
  'snow',
  'month',
  'flooding',
  'official',
  'evacuation',
  'order',
  'home',
  'temperature',
  'snowmelt',
  'street',
  'april',
  'kaysville',
  'utah',
  'record',
  'snow',
  'season',
  'fear',
  'spring',
  'flooding',
  'utah',
  'weather',
  'mountain',
  'region',
  'official',
  'evacuation',
  'order',
  'home',
  'temperature',
  'snowmelt',
  'street',
  'april',
  'kaysville',
  'utah',
  'record',
  'snow',
  'season',
  'fear',
  'spring',
  'flooding',
  'utah',
  'weather',
  'mountain',
  'region',
  'state',
  'emergency',
  'utah',
  'tuesday',
  'record',
  'level',
  'snow',
  'flooding',
  'gov.',
  'spencer',
  'cox',
  'melting',
  'month',
  'event',
  'avalanche',
  'landslide',
  'mudslide',
  'rockslide',
  'memo',
  'state',
  'emergency',
  'utah',
  'fund',
  'disaster',
  'recovery',
  'account',
  'funding',
  'state',
  'agency',
  'division',
  'emergency',
  'management',
  'sandbag',
  'state',
  'flooding',
  'winter',
  'snowpack',
  'level',
  'utah',
  '%',
  'area',
  'memo',
  'support',
  'public',
  'radio',
  'sponsor',
  'npr',
  'npr',
  'careers',
  'npr',
  'shop',
  'npr',
  'event',
  'npr',
  'term',
  'use',
  'privacy',
  'privacy',
  'choices',
  'text'],
 ['main',
  'content',
  'sensor',
  'network',
  'maps',
  'radar',
  'severe',
  'weather',
  'news',
  'blogs',
  'mobile',
  'apps',
  'nearest',
  'station',
  'manage',
  'favorite',
  'citieslog',
  'joinsettingsaccount_box',
  'log',
  'person_add',
  'join',
  'setting',
  'settings',
  'sensor',
  'networkmaps',
  'radarsevere',
  'weathernews',
  'blogsmobile',
  'appshistorical',
  'weatherstarnews',
  'blogs',
  'category',
  'new',
  'stories',
  'infographics',
  'posters',
  'category',
  'category',
  'wind',
  'pennsylvania',
  'connecticutbob',
  'henson',
  'pm',
  'edtabove',
  'tree',
  'power',
  'line',
  'main',
  'street',
  'south',
  'bridgewater',
  'conn.',
  'storm',
  'area',
  'tuesday',
  'credit',
  'john',
  'woike',
  'hartford',
  'courant',
  'ap.at',
  'death',
  'tuesday',
  'u.s.',
  'onslaught',
  'thunderstorm',
  'wind',
  'hail',
  'flooding',
  'rain',
  'tornado',
  'complex',
  'storm',
  'region',
  'pennsylvania',
  'connecticut',
  'hudson',
  'valley',
  'new',
  'york',
  'customer',
  'northeast',
  'power',
  'height',
  'storm',
  'storm',
  'death',
  'tree',
  'car',
  'weather.com',
  'evolution',
  'today',
  'weather',
  'event',
  'northeast',
  'goes16',
  'ir',
  'pic.twitter.com/yuviqvlviv',
  'sam',
  'lillo',
  '@splillo',
  'noaa',
  'nws',
  'storm',
  'prediction',
  'center',
  'log',
  'storm',
  'report',
  'tuesday',
  'report',
  'wind',
  'northeast',
  'storm',
  'case',
  'monday',
  'event',
  'definition',
  'derecho',
  'swath',
  'line',
  'wind',
  'thunderstorm',
  'study',
  'walker',
  'ashley',
  'thomas',
  'mote',
  'weather.com',
  'jon',
  'erdman',
  'brian',
  'donegan',
  'wind',
  'swath',
  'monday',
  'tuesday',
  'kilometer',
  'mile',
  'wind',
  'criterion',
  'ashley',
  'mote',
  'km',
  'mile',
  'criterion',
  'definition',
  'nws',
  'scientist',
  'paper',
  'tuesday',
  'storm',
  'new',
  'york',
  'area',
  'transportation',
  'network',
  'chaos',
  'tree',
  'railway',
  'line',
  'metro',
  'north',
  'commuter',
  'rail',
  'system',
  'tuesday',
  'evening',
  'rush',
  'hour',
  'thousand',
  'people',
  'grand',
  'central',
  'station',
  'hour',
  'scene',
  'time',
  'commuter',
  'chaos',
  'announcement',
  'train',
  'service',
  'grand',
  'central',
  'nyc',
  'grandcentral',
  'andrew',
  'katz',
  '@katzandrews',
  'hail',
  'state',
  'record',
  'supercell',
  'storm',
  'west',
  'east',
  'area',
  'storm',
  'wind',
  'packing',
  'squall',
  'line',
  'system',
  'spotter',
  'tornado',
  'yulan',
  'new',
  'york',
  'tuesday',
  'afternoon',
  'national',
  'weather',
  'service',
  'meteorologist',
  'storm',
  'area',
  'new',
  'york',
  'connecticut',
  'wednesday',
  'tornado',
  'spc',
  'log',
  'hail',
  'report',
  'tuesday',
  'report',
  'baseball',
  'hail',
  'diameter',
  'harford',
  'pennsylvania',
  'clermont',
  'new',
  'york',
  'report',
  'frederick',
  'maryland',
  'granby',
  'connecticut',
  'wu',
  'weather',
  'historian',
  'chris',
  'burt',
  'list',
  'state',
  'level',
  'hailstone',
  'size',
  'record',
  'hailstone',
  'granby',
  'ct',
  'state',
  'record',
  'hailstone',
  'hamden',
  'ct',
  'july',
  'state',
  'record',
  'firm',
  'new',
  'york',
  'otsego',
  'county',
  'aug.',
  'pennsylvania',
  'meadville',
  'june',
  'maryland',
  'annapolis',
  'june',
  'hail',
  'area',
  'tsp',
  'columbia',
  'co.',
  'pic.twitter.com/kzcgljoubk',
  'julian',
  'diamond',
  '@juliancd38',
  'new',
  'york',
  'state',
  'mesonet',
  'network',
  'quality',
  'weather',
  'station',
  'thunderstorm',
  'wind',
  'gust',
  'founding',
  'second',
  'gust',
  'mph',
  'beacon',
  'ny',
  'mile',
  'manhattan',
  'hudson',
  'river',
  'pm',
  'edt',
  'peak',
  'mesonet',
  'new',
  'york',
  'city',
  'mph',
  'bronx',
  'mph',
  'queens',
  'mph',
  'manhattan',
  'pm',
  'edt.the',
  'mesonet',
  'state',
  'record',
  'weather',
  'event',
  'week',
  'gust',
  'mph',
  'malone',
  'new',
  'york',
  'figure',
  'wind',
  'gust',
  'new',
  'york',
  'state',
  'mesonet',
  'tuesday',
  'new',
  'york',
  'wind',
  'gust',
  'mph',
  'credit',
  'nys',
  'mesonet',
  'figure',
  'weather',
  'observation',
  'minute',
  'interval',
  'new',
  'york',
  'state',
  'mesonet',
  'station',
  'beacon',
  'ny',
  'tuesday',
  'peak',
  'wind',
  'gust',
  'anemometer',
  'height',
  'meter',
  'foot',
  'mph',
  'pm',
  'arrival',
  'thunderstorm',
  'temperature',
  'drop',
  'meter',
  'instrument',
  'height',
  '°',
  'f',
  'pm',
  'edt',
  '°',
  'f',
  'pm',
  'credit',
  'nys',
  'mesonet',
  'video',
  'tree',
  'thunderstorm',
  'wind',
  'mph',
  'beacon',
  'ny',
  'tree',
  'video',
  'webcam',
  'new',
  'york',
  'state',
  'mesonet',
  'site',
  'beacon',
  'credit',
  'nys',
  'mesonet',
  'wind',
  'meteotsunami',
  'enhancement',
  'tide',
  'weather',
  'feature',
  'coast',
  'delaware',
  'new',
  'england',
  'water',
  'level',
  'pulse',
  'order',
  'inch',
  'period',
  'hour',
  'angela',
  'fritz',
  'capital',
  'weather',
  'gang',
  'storm',
  'seasonif',
  'u.s.',
  'winter',
  'summer',
  'reason',
  'month',
  'aprils',
  'record',
  'u.s.',
  'jet',
  'stream',
  'swath',
  'air',
  'situation',
  'weather',
  'outbreak',
  'figure',
  'monday',
  'year',
  'tornado',
  'thunderstorm',
  'watch',
  'noaa',
  'nws',
  'storm',
  'prediction',
  'center',
  'point',
  'year',
  'credit',
  'sam',
  'lillo',
  'university',
  'oklahoma',
  '@splillo',
  'level',
  'wind',
  'standard',
  'week',
  'storm',
  'great',
  'plains',
  'midwest',
  'chance',
  'weather',
  'central',
  'high',
  'plains',
  'thursday',
  'friday',
  'day',
  'risk',
  'area',
  'wednesday',
  'morning',
  'end',
  'weather',
  'supercell',
  'report',
  'weather',
  'tornado',
  'figure',
  'wu',
  'depiction',
  'weather',
  'risk',
  'area',
  'day',
  'thursday',
  'friday',
  'noaa',
  'nws',
  'spc',
  'wednesday',
  'morning',
  'weather',
  'company',
  'mission',
  'weather',
  'news',
  'environment',
  'importance',
  'science',
  'life',
  'story',
  'position',
  'parent',
  'company',
  'ibm',
  'bob',
  'hensonbob',
  'henson',
  'meteorologist',
  'writer',
  'weather.com',
  'category',
  'news',
  'site',
  'weather',
  'underground',
  'year',
  'national',
  'center',
  'atmospheric',
  'research',
  'author',
  'thinking',
  'person',
  'guide',
  'climate',
  'change',
  'air',
  'history',
  'broadcast',
  'meteorology',
  'articlescategory',
  'sight',
  'rainbow',
  'bob',
  'henson',
  'june',
  'edt',
  'section',
  'miscellaneous',
  'alexander',
  'von',
  'humboldt',
  'scientist',
  'extraordinaire',
  'tom',
  'niziol',
  'june',
  'pm',
  'edt',
  'section',
  'time',
  'weather',
  'underground',
  'favorite',
  'posts',
  'christopher',
  'c.',
  'burt',
  'june',
  'pm',
  'edt',
  'section',
  'miscellaneous',
  'appsabout',
  'uscontactcareerspws',
  'networkwundermapfeedback',
  'supportterms',
  'useprivacy',
  'policyaccessibility',
  'statementadchoicesdata',
  'vendorswe',
  'responsibility',
  'datum',
  'technology',
  'datum',
  'data',
  'vendor',
  'control',
  'datum',
  'datum',
  'rightspowered',
  'ibm',
  'cloud',
  'copyright',
  'twc',
  'product',
  'technology',
  'llc',
  'javascript',
  'application'],
 ['project',
  'annenberg',
  'public',
  'policy',
  'center',
  'featured',
  'posts',
  'factcheck',
  'posts',
  'scicheck',
  'en',
  'español',
  'claim',
  'players',
  'guide',
  'mission',
  'process',
  'funding',
  'staff',
  'undergraduate',
  'fellows',
  'awards',
  'correction',
  'contact',
  'factcheck',
  'posts',
  'featured',
  'posts',
  'scicheck',
  'california',
  'storms',
  'climate',
  'change',
  'expert',
  'catalina',
  'jaramilloposted',
  'january',
  'february',
  'article',
  'english',
  'español',
  'english',
  'español',
  'storm',
  'california',
  'dec.',
  'jan.',
  'flooding',
  'damage',
  'state',
  'people',
  'series',
  'storm',
  'state',
  'midst',
  'california',
  'year',
  'period',
  'record',
  'climate',
  'couple',
  'year',
  'president',
  'joe',
  'biden',
  'california',
  'jan.',
  'destruction',
  'storm',
  'example',
  'place',
  'wildfire',
  'risk',
  'landslide',
  'weather',
  'climate',
  'change',
  'storm',
  'drought',
  'season',
  'community',
  'california',
  'basis',
  'storm',
  'type',
  'california',
  'climate',
  'change',
  'climate',
  'scientist',
  'climate',
  'change',
  'role',
  'event',
  'degree',
  'julie',
  'kalansky',
  'climate',
  'scientist',
  'scripps',
  'institution',
  'oceanography',
  'university',
  'california',
  'san',
  'diego',
  'interview',
  'area',
  'research',
  'daniel',
  'swain',
  'climate',
  'scientist',
  'university',
  'california',
  'los',
  'angeles',
  'weather',
  'event',
  'result',
  'process',
  'time',
  'space',
  'climate',
  'change',
  'cause',
  'storm',
  'storm',
  'intensity',
  'answer',
  'climate',
  'change',
  'intensity',
  'likelihood',
  'period',
  'precipitation',
  'california',
  'email',
  'question',
  'degree',
  'kind',
  'storm',
  'california',
  'california',
  'series',
  'river',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'air',
  'current',
  'rainstorm',
  'flooding',
  'river',
  'bomb',
  'cyclone',
  'storm',
  'weather',
  'system',
  'river',
  'corridor',
  'atmosphere',
  'transport',
  'water',
  'vapor',
  'tropic',
  'pole',
  'river',
  'sky',
  'noaa',
  'column',
  'vapor',
  'ocean',
  'mountain',
  'water',
  'vapor',
  'precipitation',
  'form',
  'snow',
  'rain',
  'contribution',
  'water',
  'supply',
  '%',
  '%',
  'u.s.',
  'west',
  'coast',
  'precipitation',
  'satellite',
  'image',
  'january',
  'p.m.',
  'river',
  'california',
  'image',
  'noaa-20',
  'satellite',
  'river',
  'moisture',
  'wind',
  'damage',
  'land',
  'storm',
  'river',
  'sequence',
  'potential',
  'megaflood',
  'research',
  'river',
  'f.',
  'martin',
  'ralph',
  'research',
  'meteorologist',
  'director',
  'center',
  'western',
  'weather',
  'water',
  'extreme',
  'scripps',
  'institution',
  'oceanography',
  'scientific',
  'american',
  'kind',
  'storm',
  'system',
  'coast',
  'globe',
  'time',
  'year',
  'yellowstone',
  'national',
  'park',
  'u.s.',
  'wyoming',
  'river',
  'mile',
  'mile',
  'mile',
  'ralph',
  'vapor',
  'time',
  'flow',
  'rate',
  'mississippi',
  'river',
  'gulf',
  'mexico',
  'river',
  'bomb',
  'cyclone',
  '%',
  'river',
  'cyclone',
  'research',
  'cyclone',
  'wind',
  'river',
  'river',
  'condition',
  'cyclone',
  'bomb',
  'cyclone',
  '-',
  'cyclone',
  'drop',
  'pressure',
  'day',
  'result',
  'air',
  'colliding',
  'climate',
  'change',
  'river',
  'climate',
  'modeling',
  'study',
  'climate',
  'river',
  'increase',
  'precipitation',
  'study',
  'climate',
  'change',
  'likelihood',
  'event',
  'flooding',
  'california',
  'effect',
  'climate',
  'change',
  'river',
  'approach',
  'uncertainty',
  'climate',
  'change',
  'impact',
  'intensification',
  'river',
  'effect',
  'swain',
  'climate',
  'scientist',
  'ucla',
  'fact',
  'atmosphere',
  'water',
  'vapor',
  'degree',
  'temperature',
  'increase',
  'rule',
  'thumb',
  '1c',
  'increase',
  'temperature',
  'increase',
  'water',
  'vapor',
  'capacity',
  'atmosphere',
  '%',
  'report',
  'intergovernmental',
  'panel',
  'climate',
  'change',
  'atmosphere',
  'ocean',
  'land',
  'influence',
  'group',
  'evaluation',
  'evidence',
  'quality',
  'agreement',
  'confidence',
  'climate',
  'moisture',
  'atmosphere',
  'season',
  'event',
  'confidence',
  'precipitation',
  'rate',
  '%',
  '°',
  'c',
  'warming',
  'warming',
  'water',
  'vapor',
  'climate',
  'change',
  'storm',
  'travis',
  'a.',
  'o’brien',
  'assistant',
  'professor',
  'earth',
  'science',
  'indiana',
  'university',
  'bloomington',
  'email',
  'climate',
  'model',
  'study',
  'river',
  'warming',
  'river',
  'water',
  'vapor',
  'transport',
  'climate',
  'precipitation',
  'o’brien',
  'atmospheric',
  'river',
  'water',
  'vapor',
  'transport',
  'kalansky',
  'scripps',
  'institution',
  'oceanography',
  'water',
  'wind',
  'vapor',
  'climate',
  'model',
  'world',
  'river',
  'storm',
  'california',
  'rainfall',
  'total',
  'river',
  'event',
  'increase',
  'water',
  'vapor',
  'swain',
  'contribution',
  '%',
  'change',
  'atmospheric',
  'river',
  'intensity',
  'precipitation',
  'increase',
  'remainder',
  'wind',
  'pressure',
  'pattern',
  'factor',
  'thing',
  'scientist',
  'river',
  'way',
  'climate',
  'climate',
  'model',
  'increase',
  'precipitation',
  'response',
  'ar',
  'change',
  'factor',
  'moisture',
  'review',
  'article',
  'response',
  'river',
  'climate',
  'change',
  'nature',
  'case',
  'study',
  'example',
  'river',
  'degree',
  'climate',
  'change',
  'study',
  'river',
  'storm',
  'northern',
  'california',
  'wave',
  'past',
  'climate',
  'scenario',
  'wave',
  'storm',
  'precipitation',
  'warming',
  'wave',
  'precipitation',
  'wave',
  '%',
  '%',
  'day',
  'warming',
  'study',
  '%',
  '%',
  'boost',
  'precipitation',
  'late-21st',
  'century',
  'warming',
  'river',
  'climate',
  'study',
  'o’brien',
  'increase',
  'frequency',
  'river',
  'decrease',
  'change',
  'north',
  'america',
  'issue',
  'o’brien',
  'paper',
  'researcher',
  'river',
  'california',
  'swain',
  'preponderance',
  'evidence',
  'river',
  'future',
  'evidence',
  'river',
  'california',
  'storm',
  'sequence',
  'precipitation',
  'climate',
  'bit',
  'evidence',
  'direction',
  'point',
  'climate',
  'change',
  'series',
  'storm',
  'climate',
  'expert',
  'evidence',
  'degree',
  'event',
  'climate',
  'change',
  'duane',
  'waliser',
  'scientist',
  'nasa',
  'jet',
  'propulsion',
  'laboratory',
  'email',
  'waliser',
  'river',
  'climate',
  'change',
  'effect',
  'study',
  'estimate',
  'effect',
  'climate',
  'change',
  'storm',
  'statement',
  'line',
  'speculation',
  'o’brien',
  'statement',
  'effect',
  'climate',
  'change',
  'storm',
  'detection',
  'attribution',
  'study',
  'detection',
  'attribution',
  'study',
  'influence',
  'climate',
  'variable',
  'example',
  'temperature',
  'variability',
  'report',
  'climate',
  'science',
  'o’brien',
  'event',
  'climate',
  'change',
  'o’brien',
  'detection',
  'attribution',
  'study',
  'storm',
  'month',
  'kalansky',
  'storm',
  'climate',
  'model',
  'california',
  'weather',
  'projection',
  'climate',
  'air',
  'moisture',
  'potential',
  'river',
  'rain',
  'snow',
  'case',
  'storm',
  'study',
  'winter',
  'river',
  'storm',
  'fact',
  'phone',
  'interview',
  'attribution',
  'study',
  'california',
  'climate',
  'variability',
  'word',
  'climate',
  'change',
  'opinion',
  'study',
  'estimate',
  'jan.',
  'midst',
  'storm',
  'michael',
  'wehner',
  'scientist',
  'computational',
  'research',
  'division',
  'lawrence',
  'berkeley',
  'national',
  'laboratory',
  'attribution',
  'statement',
  'climate',
  'change',
  'rain',
  'today',
  'west',
  'coast',
  '%',
  'study',
  'o’brien',
  'study',
  'wehner',
  'estimate',
  'detection',
  'attribution',
  'study',
  'storm',
  'climate',
  'statement',
  '%',
  'number',
  'number',
  'study',
  'storm',
  'total',
  'precipitation',
  'increase',
  '%',
  'degree',
  'c',
  'warming',
  'bit',
  'inference',
  'statement',
  'd&a',
  'study',
  'd&a',
  'study',
  'result',
  'statement',
  'swain',
  'climate',
  'scientist',
  'ucla',
  'estimate',
  'guess',
  '%',
  'range',
  '%',
  '%',
  'rainfall',
  'climate',
  'change',
  'martin',
  'hoerling',
  'research',
  'meteorologist',
  'noaa',
  'physical',
  'sciences',
  'laboratory',
  'email',
  'air',
  'water',
  'vapor',
  'consequence',
  'warming',
  'basis',
  'weather',
  'pattern',
  'today',
  'century',
  'rainstorm',
  '%',
  'precipitation',
  'today',
  'rain',
  'century',
  'example',
  'day',
  'period',
  'record',
  'downtown',
  'san',
  'francisco',
  'inch',
  'rain',
  'inch',
  'december',
  'winter',
  'storm',
  'inch',
  'wehner',
  'reminder',
  'rain',
  'event',
  'record',
  'reminder',
  'nature',
  'human',
  'modification',
  'rain',
  'correction',
  'feb.',
  'quotation',
  'detection',
  'attribution',
  'study',
  'river',
  'editor',
  'note',
  'factcheck.org',
  'advertising',
  'grant',
  'donation',
  'people',
  'donation',
  'credit',
  'card',
  'donation',
  'page',
  'check',
  'factcheck.org',
  'annenberg',
  'public',
  'policy',
  'center',
  's.',
  '36th',
  'st.',
  'philadelphia',
  'pa',
  'storydemocrats',
  'misleadingly',
  'gop',
  'support',
  'fairtax',
  'bill',
  'lawnext',
  'storyu.s.',
  'afghan',
  'war',
  'support',
  'ukraine',
  'claim',
  'scicheck',
  'q',
  'development',
  'wind',
  'energy',
  'farm',
  'u.s.',
  'whale',
  'whale',
  'rate',
  'atlantic',
  'coast',
  'ship',
  'strike',
  'entanglement',
  'fishing',
  'gear',
  'agency',
  'expert',
  'link',
  'wind',
  'activity',
  'risk',
  'question',
  'view',
  'ask',
  'scicheck',
  'question',
  'scicheck',
  'covid-19',
  'vaccination',
  'project',
  'preempting',
  'vaccination',
  'covid-19',
  'misinformation',
  'proyecto',
  'vacunación',
  'covid-19',
  'precaviendo',
  'y',
  'exponiendo',
  'la',
  'desinformación',
  'sobre',
  'el',
  'covid-19',
  'y',
  'sus',
  'vacunas',
  'spiral',
  'internet',
  'rumor',
  'air',
  'staff',
  'tv',
  'radio',
  'newsfeed',
  'defender',
  'medium',
  'literacy',
  'game',
  'misinformation',
  'flackcheck.org',
  'sister',
  'site',
  'literacy',
  'archive',
  'privacy',
  'copyright',
  'policy',
  'contact',
  'report',
  'accessibility',
  'issues',
  'help',
  'copyright',
  'factcheck.org',
  'project',
  'annenberg',
  'public',
  'policy',
  'center',
  'university',
  'pennsylvania'],
 ['lifeswim',
  'safesilver',
  'applesurprise',
  'squadpay',
  'forwardfield',
  'trip',
  'fridaynewcomers',
  'guidearizona',
  'newsweatherwatch',
  'livevideotrafficgood',
  'morning',
  'arizonanews',
  'tipsseen',
  'tvsubmit',
  'photoshomewatch',
  'livevideoseen',
  'tvarizona',
  'newsphoenix',
  'newsborder',
  'sidearizona',
  'family',
  'investigatescrimeeducationpoliticsnationalarizona',
  'wildfiresdirty',
  'diningweathersubmit',
  'questionsweather',
  'appextreme',
  'heatmonsoon',
  'safety',
  'guidedroughtradarmapsrainfall',
  'crime',
  'robert',
  'fisheron',
  'sidepolitics',
  'unpluggedon',
  'gotrue',
  'crime',
  'arizona',
  'podcastphantom',
  'killerlori',
  'vallowthe',
  'extra',
  'pointspeak',
  'devilsgood',
  'morning',
  'arizonahappy',
  'hour',
  'spotsjaime',
  'local',
  'lovesurprise',
  'squadfinding',
  'applesomething',
  'goodfield',
  'trip',
  'tvyour',
  'lifelifestylearizona',
  'tvnewcomer',
  'guidetravelhike',
  'arizonarecipessportsphoenix',
  'mercuryncaa',
  'tournament',
  'updatesports',
  'networkhigh',
  'school',
  'sportshigh',
  'school',
  'scoresphoenix',
  'risingphoenix',
  'sunsarizona',
  'diamondbacksarizona',
  'cardinalsthe',
  'extra',
  'point',
  'podcastspeak',
  'devils',
  'podcaststats',
  'predictionshow',
  'watchcommunityswim',
  'safesurprise',
  'squadsilver',
  'apple',
  'awardpay',
  'forwardsomething',
  'goodfinding',
  'foreverrequest',
  'emceecommunity',
  'calendarcontestsabout',
  'ussubmit',
  'photos',
  'videosnewslettermeet',
  'teammobile',
  'smart',
  'tv',
  'appscontact',
  'emceeclosed',
  'captioning',
  'audio',
  'descriptionfcc',
  'public',
  'inspection',
  'fileprogramming',
  'schedulecbsn',
  'livestreamclosed',
  'captioning',
  'audio',
  'descriptionarizona',
  'family',
  'sportscircle',
  'country',
  'music',
  'lifestylegray',
  'dc',
  'bureaupowernationpress',
  'releasesinvestigatetvprevious',
  'newscasts12',
  'weather',
  'alert',
  'weather',
  'alert',
  'alert',
  'barfirst',
  'alert',
  'weather',
  'monsoon',
  'storm',
  'chance',
  'forecast',
  'arizonaarizona',
  'alert',
  'forecast',
  'update',
  'noon',
  'wednesday',
  'july',
  '2023.by',
  'april',
  'warneckepublished',
  'jul.',
  'jul.',
  'pm',
  'mstshare',
  'facebookemail',
  'linkshare',
  'twittershare',
  'pinterestshare',
  'linkedinphoenix',
  'cbs',
  'high',
  'degree',
  'phoenix',
  'area',
  'today',
  'alert',
  'weather',
  'day',
  'heat',
  'warning',
  'point',
  'warning',
  'tuesday',
  'alert',
  'weather',
  'day',
  'wednesday',
  'day',
  'row',
  'high',
  'degree',
  'record',
  'day',
  'record',
  'week',
  'monsoon',
  'activity',
  'day',
  'arizona',
  'storm',
  'chance',
  'phoenix',
  'metro',
  'area',
  'percent',
  'tonight',
  'tomorrow',
  'air',
  'state',
  'pressure',
  'reposition',
  'arizona',
  'week',
  'weekend',
  'storm',
  'chance',
  'state',
  'temperature',
  'valley',
  'community',
  'degree',
  'weekend',
  'temperature',
  'summer',
  'week',
  'pressure',
  'flow',
  'moisture',
  'storm',
  'chance',
  'arizona',
  'heat',
  'death',
  'maricopa',
  'countysee',
  'spelling',
  'error',
  'story',
  'photo',
  'video',
  'news',
  'story',
  'description',
  'copyright',
  'ktvk',
  'kpho',
  'right',
  'read',
  'alicia',
  'navarro',
  'year',
  'glendale',
  'police',
  'phoenix',
  'homeowner',
  'camera',
  'mail',
  'carrier',
  'distress',
  'heatpatient',
  'drug',
  'weight',
  'loss',
  'diabetes',
  'stomach',
  'judge',
  'sentence',
  'man',
  'prison',
  'scottsdale',
  'home',
  'sinéad',
  'o’connor',
  'singer',
  'news',
  'alert',
  'heat',
  'friday',
  'thunderstorm',
  'weekendrainfall',
  'wednesday',
  'night',
  'phoenix',
  'area',
  'alert',
  'weather',
  'dayphoenix',
  'temp',
  'weekend',
  'alert',
  'weather',
  'day',
  'record',
  'heat',
  'phoenix',
  'relief',
  'wayslight',
  'chance',
  'rain',
  'storm',
  'phoenix',
  'newsadvertise',
  'usabout',
  'uscontact',
  'schedulemeet',
  'teamcareersarizona',
  'family5555',
  'n.',
  '7th',
  'avephoenix',
  'az',
  'public',
  'inspection',
  'filekpho',
  'eeo',
  'public',
  'inspection',
  'filektvk',
  'eeo',
  'reportfcc',
  'captioning',
  'audio',
  'descriptionterm',
  'serviceprivacy',
  'personal',
  'informationcalifornia',
  'privacy',
  'noticedigital',
  'advertisingat',
  'gray',
  'journalist',
  'news',
  'content',
  'community',
  'approach',
  'intelligence',
  'gray',
  'media',
  'group',
  'inc.',
  'station',
  'gray',
  'television',
  'inc.'],
 ['contentskip',
  'navigationskip',
  'navigationprint',
  'subscription',
  'sign',
  'insearch',
  'jobssearchus',
  'editionus',
  'editionuk',
  'editionaustralia',
  'guardian',
  'guardiannewsopinionsportculturelifestyleshowmoreshow',
  'morenewsview',
  'newsus',
  'newsworld',
  'politicsbusinesstechsciencenewslettersfight',
  'democracyopinionview',
  'opinionthe',
  'guardian',
  'viewcolumnistslettersopinion',
  'videoscartoonssportview',
  'sportsoccernfltennismlbmlsnbanhlf1golfcultureview',
  'culturefilmbooksmusicart',
  'designtv',
  'radiostageclassicalgameslifestyleview',
  'lifestylefashionfoodrecipeslove',
  'sexhome',
  'gardenhealth',
  'fitnessfamilytravelmoneysearch',
  'input',
  'google',
  'search',
  'searchsupport',
  'usprint',
  'subscriptionsus',
  'editionuk',
  'editionaustralia',
  'editionsearch',
  'jobsdigital',
  'archiveguardian',
  'puzzles',
  'licensingthe',
  'guardian',
  'guardianguardian',
  'weeklycrosswordswordiplycorrectionsfacebooktwittersearch',
  'jobsdigital',
  'archiveguardian',
  'puzzles',
  'licensingenvironmentclimate',
  'light',
  'truck',
  'interstate',
  'anita',
  'iowa',
  'storm',
  'system',
  'region',
  'photograph',
  'bryon',
  'houlgrave',
  'apan',
  'truck',
  'interstate',
  'anita',
  'iowa',
  'storm',
  'system',
  'region',
  'photograph',
  'bryon',
  'houlgrave',
  'apiowa',
  'article',
  'year',
  'storm',
  'tornado',
  'great',
  'plains',
  'article',
  'year',
  'oldat',
  'people',
  'temperature',
  'hurricane',
  'force',
  'wind',
  'oladipo',
  'dec',
  'estfirst',
  'thu',
  'dec',
  'estat',
  'people',
  'storm',
  'system',
  'great',
  'plains',
  'midwest',
  'temperature',
  'hurricane',
  'force',
  'wind',
  'tornado',
  'nebraska',
  'iowa',
  'minnesota',
  'minnesota',
  'olmsted',
  'county',
  'sheriff',
  'lt',
  'lee',
  'rossman',
  'year',
  'man',
  'wednesday',
  'night',
  'ft',
  'tree',
  'home',
  'kansas',
  'dust',
  'storm',
  'wednesday',
  'crash',
  'people',
  'kansas',
  'highway',
  'patrol',
  'trooper',
  'mike',
  'racy',
  'iowa',
  'semitrailer',
  'wind',
  'iowa',
  'wednesday',
  'evening',
  'driver',
  'iowa',
  'state',
  'patrol',
  'storm',
  'great',
  'lakes',
  'canada',
  'thursday',
  'wind',
  'snow',
  'condition',
  'great',
  'lakes',
  'region',
  'national',
  'weather',
  'service',
  'home',
  'business',
  'electricity',
  'michigan',
  'wisconsin',
  'iowa',
  'kansas',
  'utility',
  'report',
  'wind',
  'snow',
  'weather',
  'condition',
  'great',
  'lakes',
  'area',
  'national',
  'weather',
  'service',
  'tornado',
  'wednesday',
  'wind',
  'mph',
  'kansas',
  'nebraska',
  'iowa',
  '“to',
  'number',
  'wind',
  'storm',
  'time',
  'time',
  'year',
  'brian',
  'barjenbruch',
  'meteorologist',
  'national',
  'weather',
  'service',
  'valley',
  'nebraska',
  'december',
  '”the',
  'storm',
  'system',
  'slew',
  'tornado',
  'weekend',
  'arkansas',
  'missouri',
  'illinois',
  'tennessee',
  'kentucky',
  'people',
  'dust',
  'wind',
  'area',
  'visibility',
  'kansas',
  'semitrailer',
  'truck',
  'kansas',
  'department',
  'transportation',
  'official',
  'kansas',
  'state',
  'highway',
  'county',
  'state',
  'interstate',
  'way',
  'state',
  'wind',
  'warning',
  'area',
  'new',
  'mexico',
  'michigan',
  'wisconsin',
  'illinois',
  'wind',
  'gust',
  'mph',
  'texas',
  'panhandle',
  'kansas',
  'area',
  'wind',
  'addition',
  'wind',
  'expert',
  'fire',
  'risk',
  'area',
  'wind',
  'condition',
  'scientist',
  'weather',
  'event',
  'human',
  'climate',
  'change',
  'cause',
  'weather',
  'event',
  'storm',
  'region',
  'analysis',
  'time',
  'question',
  'event',
  'climate',
  'change',
  'event',
  'climate',
  'change',
  'northern',
  'illinois',
  'university',
  'meteorology',
  'professor',
  'victor',
  'gensini',
  'need',
  'extent',
  'climate',
  'change',
  'role',
  'event',
  'absence',
  'climate',
  'change',
  'article',
  'december',
  'interstate',
  'kansas',
  'salina',
  'version',
  'crisisnewsreuse',
  'viewedenvironmentclimate',
  'crisiswildlifeenergypollutiongreen',
  'lightnewsopinionsportculturelifestyleoriginal',
  'reporting',
  'analysis',
  'guardian',
  'ushelpcomplaint',
  'correctionssecuredropwork',
  'usprivacy',
  'policycookie',
  'policyterms',
  'conditionscontact',
  'usall',
  'topicsall',
  'newspaper',
  'archivefacebookyoutubeinstagramlinkedintwitternewslettersadvertise',
  'labssearch',
  'guardian',
  'news',
  'media',
  'limited',
  'company',
  'right'],
 ['storm',
  'team4',
  'forecast',
  'commander',
  '24/7',
  'nbc4',
  'newsletters',
  'news',
  'standards',
  'national',
  'weather',
  'service',
  'tornado',
  'poolesville',
  'saturday',
  'storms',
  'tree',
  'path',
  'tornado',
  'branch',
  'derrick',
  'ward',
  'news4',
  'reporter',
  'allison',
  'hageman',
  'published',
  'april',
  'april',
  'national',
  'weather',
  'service',
  'tornado',
  'poolesville',
  'maryland',
  'saturday',
  'afternoon',
  'storm',
  'tornado',
  'area',
  'p.m.',
  'thunderstorm',
  'watch',
  'effect',
  'storm',
  'region',
  'afternoon',
  'kid',
  'animal',
  'resident',
  'candi',
  'watkins',
  'tornado',
  'ef-0',
  'enhanced',
  'fujita',
  'scale',
  'ef',
  'rating',
  'system',
  'tornado',
  'wind',
  'speed',
  'damage',
  'rating',
  'second',
  'gust',
  'mph',
  'national',
  'weather',
  'service',
  'story',
  'newsletter',
  '4front',
  'news',
  'inbox',
  'thunderstorm',
  'warning',
  'effect',
  'doug',
  'kammerer',
  '@dougkammerer',
  'april',
  'national',
  'weather',
  'service',
  'tornado',
  'wind',
  'speed',
  'mph',
  'path',
  'yard',
  'width',
  'yard',
  'watkins',
  'family',
  'shelter',
  'tornado',
  'bathroom',
  'window',
  'bit',
  'watkins',
  'sodens',
  'home',
  'storm',
  'sunday',
  'tree',
  'property',
  'limb',
  'tarp',
  'resident',
  'amy',
  'soden',
  'tree',
  'path',
  'tornado',
  'branch',
  'national',
  'weather',
  'service',
  'deck',
  'fence',
  'watkins',
  'tornado',
  'derecho',
  'place',
  'neighborhood',
  'decade',
  'derecho',
  'watkins',
  'tree',
  'house',
  'soden',
  'tornado',
  'story',
  'news4',
  'update',
  'umbrella',
  'saturday',
  'storms',
  'tornado',
  'dc',
  'area',
  'locations',
  'hour',
  'dc',
  'shooting',
  'consulates',
  'mexico',
  'guatemala',
  'citizen',
  'dc',
  'crime',
  'woman',
  'collision',
  'prince',
  'george',
  'county',
  'woman',
  'car',
  'route',
  'prince',
  'george',
  'co.',
  'virginia',
  'man',
  'daughter',
  'house',
  'fire',
  'missouri',
  'nbc4',
  'washington',
  'news',
  'standards',
  'tips',
  'investigations',
  'newsletters',
  'wrc',
  'public',
  'inspection',
  'file',
  'wrc',
  'accessibility',
  'wrc',
  'employment',
  'information',
  'feedback',
  'fcc',
  'applications',
  'terms',
  'service',
  'privacy',
  'policy',
  'privacy',
  'choices',
  'advertise',
  'notice',
  'ad',
  'choice',
  'copyright',
  'nbcuniversal',
  'media',
  'llc',
  'right'],
 ['hawaii',
  'news',
  'team',
  'investigative',
  'stories',
  'national',
  'news',
  'politics',
  'hill',
  'washington',
  'dc',
  'international',
  'news',
  'action',
  'line',
  'hawaii',
  'travel',
  'hawaii',
  'crime',
  'kupuna',
  'caregiver',
  'kupuna',
  'life',
  'business',
  'aloha',
  'authentic',
  'way',
  'law',
  'newsletter',
  'sign',
  'bestreviews',
  'bestreviews',
  'daily',
  'deals',
  'press',
  'automotive',
  'news',
  'uncle',
  'billy',
  'hilo',
  'family',
  'share',
  'message',
  'hawaii',
  'boy',
  'engine',
  'recall',
  'hawaiian',
  'air',
  'mainland',
  'fleet',
  'makiki',
  'chick',
  'fil',
  'thursday',
  'crowd',
  'khon2',
  'newscasts',
  'event',
  'khon',
  'video',
  'center',
  'tv',
  'schedule',
  'hawaii',
  'weather',
  'radar',
  'hawaii',
  'weather',
  'alerts',
  'hawaii',
  'hurricanes',
  'hawaii',
  'traffic',
  'science',
  'hawaii',
  'chevy',
  'hawaii',
  'sports',
  'national',
  'sports',
  'trades',
  'blades',
  '',
  '',
  'gobows',
  'bows',
  'football',
  'final',
  'cover2',
  'fox',
  'sports',
  'fox',
  'sports',
  'mobile',
  'run',
  'return',
  'loom',
  'hawaii',
  'football',
  'pair',
  'hawaii',
  'prospect',
  'draft',
  'deadline',
  'sign',
  'quarterback',
  'brayden',
  'schager',
  'uh',
  'foot',
  'video',
  'board',
  'ching',
  'stadium',
  'bobby',
  'curran',
  'radio',
  'lung',
  'surgery',
  'team',
  'cal',
  'ripken',
  'world',
  'series',
  'specialist',
  'energy',
  'swell',
  'kupuna',
  'food',
  'keiki',
  'birthday',
  'kupuna',
  'caregiver',
  'kupuna',
  'life',
  'hawaii',
  'inline',
  'hockey',
  'season',
  'year',
  'dance',
  'title',
  'funding',
  'milestone',
  'research',
  'innovation',
  'entertainment',
  'family',
  'food',
  'health',
  'home',
  'money',
  'career',
  'music',
  'real',
  'estate',
  'style',
  'travel',
  'community',
  'home',
  'support',
  'hawaiʻi',
  'workforce',
  'future',
  'sale',
  'return',
  'bloomingdale',
  'business',
  'way',
  'kailua',
  'town',
  'ice',
  'cream',
  'shop',
  'kailua',
  'town',
  'hurricane',
  'season',
  'heco',
  'aloha',
  'authentic',
  'contests',
  'community',
  'calendar',
  'hawaii',
  'laulima',
  'program',
  'mixed',
  'plate',
  'modern',
  'wahine',
  'hawaii',
  'prince',
  'lot',
  'hula',
  'festival',
  'sam',
  'choy',
  'kitchen',
  'horoscopes',
  'mele',
  'hawaiʻi',
  'gift',
  'world',
  'report',
  'morning',
  'news',
  'team',
  'advertise',
  'khon2',
  'regional',
  'news',
  'partners',
  'bestreviews',
  'job',
  'post',
  'job',
  'work',
  'khon',
  'oahu',
  'maui',
  'calvin',
  'impact',
  'kauai',
  'jul',
  'hst',
  'jul',
  'pm',
  'hst',
  'jul',
  'hst',
  'jul',
  'pm',
  'hst',
  'honolulu',
  'khon2',
  'calvin',
  'low',
  'path',
  'maui',
  'oahu',
  'preparation',
  'week',
  'highway',
  'infrastructure',
  'hawaii',
  'morning',
  'news',
  'inbox',
  'news',
  'maui',
  'crew',
  'emergency',
  'operation',
  'center',
  'tuesday',
  'night',
  'dot',
  'drain',
  'highway',
  'debris',
  'slope',
  'pali',
  'highway',
  'landslide',
  'year',
  'maui',
  'rain',
  'oahu',
  'rain',
  'storm',
  'damage',
  'maui',
  'official',
  'calvin',
  'hilo',
  'way',
  'island',
  'appreciation',
  'community',
  'vigilance',
  'mayor',
  'richard',
  'bissen',
  'county',
  'state',
  'emergency',
  'response',
  'personnel',
  'day',
  'home',
  'family',
  'anticipation',
  'community',
  'condition',
  'resource',
  'support',
  'preparation',
  'need',
  'order',
  'dedication',
  'honolulu',
  'fire',
  'department',
  'weather',
  'roof',
  'manoa',
  'tree',
  'nuuanu',
  'heco',
  'spokesperson',
  'darren',
  'pai',
  'wednesday',
  'morning',
  'outage',
  'oahu',
  'couple',
  'dozen',
  'customer',
  'heavy',
  'rain',
  'wind',
  'outage',
  'tree',
  'contact',
  'power',
  'line',
  'power',
  'line',
  'pai',
  'power',
  'line',
  'resident',
  'outage',
  'heco',
  'website',
  'maui',
  'time',
  'shower',
  'flooding',
  'impact',
  'area',
  'oahu',
  'official',
  'resident',
  'emergency',
  'management',
  'department',
  'preparation',
  'week',
  'objective',
  'department',
  'stream',
  'highway',
  'plan',
  'shelter',
  'oahu',
  'emergency',
  'management',
  'director',
  'hiro',
  'toiya',
  'facility',
  'case',
  'day',
  'hurricane',
  'season',
  'day',
  'day',
  'bit',
  'way',
  'toiya',
  'neighbor',
  'friend',
  'family',
  'member',
  'care',
  'flood',
  'watch',
  'effect',
  'island',
  'maui',
  'county',
  'wind',
  'warning',
  'oahu',
  'kauai',
  'wind',
  'advisory',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'amazon',
  'school',
  'deal',
  'schooler',
  'school',
  'corner',
  'amazon',
  'supply',
  'school',
  'deal',
  'supply',
  'schooler',
  'august',
  'vegetable',
  'flower',
  'flower',
  'plant',
  'hour',
  'soil',
  'air',
  'temperature',
  'sunshine',
  'august',
  'month',
  'planting',
  'chemical',
  'guys',
  'kit',
  'car',
  'car',
  'care',
  'hour',
  'chemical',
  'guys',
  'car',
  'wash',
  'kit',
  'time',
  'deal',
  'uncle',
  'billy',
  'hilo',
  'bomb',
  'threat',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'russia',
  'un',
  'meeting',
  'family',
  'share',
  'message',
  'hawaii',
  'boy',
  'biden',
  'relief',
  'heat',
  'transgender',
  'intersex',
  'people',
  'biden',
  'prime',
  'minister',
  'trump',
  'jan.',
  'rioter',
  'millipede',
  'specie',
  'leg',
  'senate',
  'gop',
  'leader',
  'mcconnell',
  'news',
  'conference',
  'samsung',
  'smartphone',
  'bet',
  'onion',
  'love',
  'wags',
  'n',
  'whiskers',
  'wednesday',
  'makiki',
  'chick',
  'fil',
  'thursday',
  'crowd',
  'engine',
  'recall',
  'hawaiian',
  'air',
  'mainland',
  'fleet',
  'family',
  'share',
  'message',
  'hawaii',
  'boy',
  'engine',
  'recall',
  'hawaiian',
  'air',
  'mainland',
  'fleet',
  'hawaiʻi',
  'workforce',
  'future',
  'sale',
  'return',
  'bloomingdale',
  'business',
  'way',
  'kailua',
  'town',
  'crash',
  'year',
  'traffic',
  'engine',
  'recall',
  'hawaiian',
  'air',
  'mainland',
  'fleet',
  'cambodia',
  'hun',
  'sen',
  'asia',
  'leader',
  'makiki',
  'chick',
  'fil',
  'thursday',
  'crowd',
  'onion',
  'love',
  'wags',
  'n',
  'whiskers',
  'wednesday',
  'ernest',
  'love',
  'wags',
  'n',
  'whiskers',
  'wednesday',
  'return',
  'hawaii',
  'football',
  'team',
  'hawaii',
  'prospect',
  'deadline',
  'sign',
  'mlb',
  'team',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'judge',
  'family',
  'share',
  'message',
  'hawaii',
  'boy',
  'local',
  'news',
  'min',
  'engine',
  'recall',
  'hawaiian',
  'air',
  'mainland',
  'fleet',
  'local',
  'news',
  'hour',
  'owner',
  'kamehameha',
  'drive',
  'local',
  'news',
  'day',
  'return',
  'hawaii',
  'football',
  'team',
  'san',
  'francisco',
  'flyaway',
  'uncle',
  'billy',
  'hilo',
  'family',
  'share',
  'message',
  'hawaii',
  'boy',
  'engine',
  'recall',
  'hawaiian',
  'air',
  'mainland',
  'fleet',
  'makiki',
  'chick',
  'fil',
  'thursday',
  'crowd',
  'onion',
  'love',
  'wags',
  'n',
  'whiskers',
  'wednesday',
  'ernest',
  'love',
  'wags',
  'n',
  'whiskers',
  'wednesday',
  'return',
  'hawaii',
  'football',
  'team',
  'hawaii',
  'prospect',
  'deadline',
  'sign',
  'mlb',
  'team',
  'crash',
  'year',
  'traffic',
  'sunshine',
  'island',
  'week',
  'gift',
  'summer',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'home',
  'depot',
  'foot',
  'skeleton',
  'halloween',
  'deal',
  'day',
  'prime',
  'day',
  'favorite',
  'hawaii',
  'news',
  'sports',
  'weather',
  'live',
  'video',
  'hawaii',
  'team',
  'contact',
  'hawaii',
  'news',
  'hawaii',
  'weather',
  'hawaii',
  'sports',
  'action',
  'line',
  'report',
  'fcc',
  'public',
  'file',
  'children',
  'programming',
  'report',
  'eeo',
  'careers',
  'android',
  'app',
  'google',
  'play',
  'android',
  'weather',
  'app',
  'google',
  'play',
  'personal',
  'information',
  'personal',
  'information',
  'nexstar',
  'media',
  'inc.',
  'rights'],
 ['ad',
  'issue',
  'video',
  'player',
  'content',
  'ad',
  'video',
  'content',
  'ad',
  'audio',
  'ad',
  'ad',
  'page',
  'content',
  'ad',
  'ad',
  'ad',
  'effort',
  'contribution',
  'feedback',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'i-95',
  'virginia',
  'winter',
  'storm',
  'driver',
  'hour',
  'jason',
  'hanna',
  'steve',
  'almasy',
  'alisha',
  'ebrahimji',
  'cnn',
  'est',
  'd',
  'january',
  'woman',
  'hour',
  'i-95',
  'woman',
  'hour',
  'i-95',
  'concertgoers',
  'hail',
  'colorado',
  'body',
  'temperature',
  'flooding',
  'china',
  'couple',
  'car',
  'house',
  'cliff',
  'river',
  'foundation',
  'video',
  'tornado',
  'home',
  'debris',
  'video',
  'moment',
  'soldier',
  'heat',
  'video',
  'tornado',
  'texas',
  'barren',
  'land',
  'impact',
  'spain',
  'record',
  'heat',
  'windshield',
  'helicopter',
  'hail',
  'shelf',
  'cloud',
  'sky',
  'downtown',
  'chicago',
  'man',
  'street',
  'flooding',
  'man',
  'tornado',
  'van',
  'footage',
  'california',
  'weather',
  'crisis',
  'lake',
  'life',
  'unbelievable',
  'cnn',
  'reporter',
  'snowfall',
  'california',
  'graphic',
  'change',
  'temperature',
  'mile',
  'stretch',
  'interstate',
  'virginia',
  'tuesday',
  'night',
  'winter',
  'storm',
  'motorist',
  'highway',
  'hour',
  'vehicle',
  'i-95',
  'stretch',
  'fredericksburg',
  'area',
  'richmond',
  'washington',
  'd.c.',
  'p.m.',
  'transportation',
  'official',
  'monday',
  'storm',
  'foot',
  'snow',
  'area',
  'highway',
  'traveler',
  'traffic',
  'road',
  'amtrak',
  'passenger',
  'train',
  'hour',
  'point',
  'storm',
  'customer',
  'atlantic',
  'southeast',
  'power',
  'virginia',
  'motorist',
  'monday',
  'tuesday',
  'truck',
  'way',
  'condition',
  'state',
  'transportation',
  'official',
  'driver',
  'engine',
  'time',
  'fuel',
  'food',
  'supply',
  'crew',
  'truck',
  'way',
  'ice',
  'snow',
  'temperature',
  'teen',
  'jim',
  'defede',
  'journalist',
  'miami',
  'holiday',
  'visit',
  'family',
  'new',
  'york',
  'cnn',
  'jake',
  'tapper',
  'tuesday',
  'hour',
  'car',
  'ice',
  'way',
  'emergency',
  'responder',
  'report',
  'death',
  'injury',
  'luck',
  'point',
  'lot',
  'update',
  'driver',
  'hour',
  'i-95',
  'trucker',
  'bottle',
  'water',
  'bread',
  'delivery',
  'truck',
  'door',
  'people',
  'loaf',
  'defede',
  'direction',
  'hour',
  'interstate',
  'place',
  'sen.',
  'tim',
  'kaine',
  'washington',
  'hour',
  'image',
  'virginia',
  'department',
  'transportation',
  'section',
  'interstate',
  'fredericksburg',
  'virginia',
  'january',
  'virginia',
  'department',
  'transportation',
  'ap',
  'virginia',
  'senator',
  'hour',
  'winter',
  'storm',
  'point',
  'travel',
  'day',
  'kind',
  'survival',
  'mode',
  'day',
  'virginia',
  'democrat',
  'cnn',
  'alisyn',
  'camerota',
  'tuesday',
  'phone',
  'road',
  'car',
  'food',
  'car',
  'mess',
  'line',
  'vehicle',
  'portion',
  'mile',
  'stretch',
  'exit',
  'ruther',
  'glen',
  'exit',
  'dumfries',
  'authority',
  'portion',
  'highway',
  'worker',
  'vehicle',
  'road',
  'snow',
  'icing',
  'virginia',
  'department',
  'transportation',
  'condition',
  'wednesday',
  'road',
  'vdot',
  'winter',
  'storm',
  'central',
  'virginia',
  'thursday',
  'friday',
  'morning',
  'snow',
  'travel',
  'disruption',
  'friday',
  'morning',
  'commute',
  'national',
  'weather',
  'service',
  'wednesday',
  'morning',
  'motorist',
  'i-95',
  'fredericksburg',
  'virginia',
  'tuesday',
  'morning',
  'motorist',
  'frustration',
  'medium',
  'monday',
  'tuesday',
  'vehicle',
  'i-95',
  'freezing',
  'morning',
  'temperature',
  'a.m.',
  'tuesday',
  'susan',
  'phalen',
  'car',
  'northbound',
  'i-95',
  'stafford',
  'hour',
  'phalen',
  'cnn',
  'phone',
  'traffic',
  'morning',
  'truck',
  'truck',
  'truck',
  'inch',
  'i-95',
  'jennifer',
  'travis',
  'husband',
  'year',
  'daughter',
  'car',
  'virginia',
  'home',
  'florida',
  'return',
  'flight',
  'i-95',
  'hour',
  'tuesday',
  'fuel',
  'heat',
  'water',
  'food',
  'family',
  'exit',
  'road',
  'road',
  'region',
  'tree',
  'wintry',
  'condition',
  'authority',
  'i-95',
  'travel',
  'tree',
  'car',
  'travis',
  'cnn',
  'phone',
  'video',
  'cnn',
  'affiliate',
  'wjla',
  'vehicle',
  'tuesday',
  'morning',
  'lane',
  'i-95',
  'caroline',
  'county',
  'fredericksburg',
  'people',
  'child',
  'car',
  'man',
  'dog',
  'leash',
  'phalen',
  'fredericksburg',
  'fredericksburg',
  'p.m.',
  'monday',
  'trip',
  'alexandria',
  'hour',
  'fredericksburg',
  'home',
  'power',
  'cell',
  'phone',
  'service',
  'cell',
  'phone',
  'internet',
  'connection',
  'house',
  'fredericksburg',
  'nightmare',
  'dab',
  'middle',
  'phalen',
  'tank',
  'gas',
  'car',
  'heat',
  'foot',
  'snow',
  'people',
  'snow',
  'capitol',
  'hill',
  'monday',
  'jan.',
  'washington',
  'dc',
  'winter',
  'storm',
  'district',
  'county',
  'monday',
  'afternoon',
  'washington',
  'dc',
  'record',
  'snow',
  'storm',
  'system',
  'east',
  'fredericksburg',
  'area',
  'inch',
  'snow',
  'storm',
  'national',
  'weather',
  'service',
  'baltimore',
  'washington',
  'area',
  'people',
  'time',
  'period',
  'closure',
  'area',
  'truck',
  'blockage',
  'driver',
  'traffic',
  'flow',
  'kelly',
  'hannon',
  'spokesperson',
  'vdot',
  'fredericksburg',
  'district',
  'cnn',
  'tuesday',
  'trucker',
  'jean',
  'carlo',
  'gachet',
  'hour',
  'i-95',
  'dale',
  'city',
  'a.m.',
  'tuesday',
  'food',
  'water',
  'microwave',
  'breakfast',
  'man',
  'mother',
  'vehicle',
  'traffic',
  'jam',
  'gachet',
  'rhode',
  'island',
  'p.m.',
  'monday',
  'georgia',
  'car',
  'snow',
  'alexandria',
  'virginia',
  'winter',
  'snow',
  'storm',
  'state',
  'monday',
  'cnn',
  'en',
  'español',
  'correspondent',
  'gustavo',
  'valdés',
  'traffic',
  'gas',
  'p.m.',
  'gps',
  'hour',
  'washington',
  'a.m.',
  'tuesday',
  'valdés',
  'highway',
  'quantico',
  'virginia',
  'road',
  'route',
  '1a',
  'area',
  'jackknifed',
  'truck',
  'snowplow',
  'cnn',
  'en',
  'español',
  'correspondent',
  'gustavo',
  'valdés',
  'photo',
  'route',
  '1a',
  'virginia',
  'valdés',
  'road',
  'night',
  'car',
  'hotel',
  'room',
  'traffic',
  'wheel',
  'drive',
  'vehicle',
  'path',
  'snow',
  'vehicle',
  'traffic',
  'interstate',
  'driver',
  'roadway',
  'dozen',
  'traffic',
  'signal',
  'service',
  'power',
  'outage',
  'official',
  'customer',
  'tuesday',
  'afternoon',
  'georgia',
  'maryland',
  'outage',
  'virginia',
  'poweroutage',
  'federal',
  'office',
  'washington',
  'hour',
  'delay',
  'i-95',
  'government',
  'office',
  'washington',
  'dc',
  'hour',
  'delay',
  'tuesday',
  'monday',
  'weather',
  'district',
  'inch',
  'snow',
  'monday',
  'day',
  'snow',
  'total',
  'january',
  'cnn',
  'meteorologist',
  'brandon',
  'miller',
  'capitol',
  'heights',
  'maryland',
  'inch',
  'snow',
  'baltimore',
  'washington',
  'international',
  'airport',
  'inch',
  'week',
  'snow',
  'cnn',
  'meteorologist',
  'pedram',
  'javaheri',
  'layer',
  'snow',
  'cover',
  'sunlight',
  'coolant',
  'ground',
  'surface',
  'day',
  'temperature',
  'degree',
  'inch',
  'snow',
  'javaheri',
  'washington',
  'area',
  'mark',
  'end',
  'week',
  'person',
  'sidewalk',
  'alexandria',
  'virginia',
  'winter',
  'snow',
  'storm',
  'area',
  'monday',
  'suv',
  'snowplow',
  'official',
  'death',
  'maryland',
  'suv',
  'occupant',
  'snowplow',
  'shiera',
  'goff',
  'spokesperson',
  'montgomery',
  'county',
  'police',
  'department',
  'woman',
  'man',
  'scene',
  'goff',
  'victim',
  'man',
  'area',
  'hospital',
  'condition',
  'investigation',
  'cause',
  'collision',
  'goff',
  'southeast',
  'child',
  'tree',
  'monday',
  'morning',
  'official',
  'georgia',
  'year',
  'boy',
  'atlanta',
  'area',
  'tree',
  'home',
  'wind',
  'dekalb',
  'county',
  'fire',
  'rescue',
  'spokesman',
  'capt',
  'jaeson',
  'daniels',
  'cnn',
  'affiliate',
  'wsb',
  'boy',
  'mother',
  'outlet',
  'temperature',
  'snow',
  'town',
  'shock',
  'monday',
  'ground',
  'area',
  'rainfall',
  'daniels',
  'wsb',
  'weather',
  'service',
  'atlanta',
  'wind',
  'gust',
  'mph',
  'monday',
  'morning',
  'tennessee',
  'year',
  'girl',
  'monday',
  'tree',
  'home',
  'knoxville',
  'area',
  'blount',
  'county',
  'sheriff',
  'office',
  'cnn',
  'affiliate',
  'wvlt',
  'tree',
  'county',
  'townsend',
  'foothill',
  'great',
  'smoky',
  'national',
  'park',
  'bcso',
  'public',
  'information',
  'officer',
  'marian',
  'o’briant',
  'wvlt',
  'lot',
  'tree',
  'snow',
  'tree',
  'cnn',
  'dekalb',
  'county',
  'fire',
  'rescue',
  'blount',
  'county',
  'sheriff',
  'office',
  'cnn',
  'kelly',
  'mccleary',
  'jennifer',
  'henderson',
  'joe',
  'sutton',
  'amir',
  'vera',
  'michael',
  'guy',
  'pete',
  'muntean',
  'amy',
  'simonson',
  'report',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cable',
  'news',
  'network',
  'warner',
  'bros.',
  'discovery',
  'company',
  'rights',
  'cnn',
  'sans',
  'cable',
  'news',
  'network'],
 ['ad',
  'issue',
  'video',
  'player',
  'content',
  'ad',
  'video',
  'content',
  'ad',
  'audio',
  'ad',
  'ad',
  'page',
  'content',
  'ad',
  'ad',
  'ad',
  'effort',
  'contribution',
  'feedback',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'dozen',
  'storm',
  'mississippi',
  'official',
  'nouran',
  'salahieh',
  'rob',
  'shackelford',
  'cnn',
  'pm',
  'edt',
  'mon',
  'june',
  'daylight',
  'monday',
  'tornado',
  'damage',
  'louin',
  'mississippi',
  'person',
  'dozen',
  'storm',
  'mississippi',
  'sunday',
  'night',
  'southeast',
  'threat',
  'weather',
  'tornado',
  'monday',
  'storm',
  'system',
  'tornado',
  'sunday',
  'mississippi',
  'injury',
  'damage',
  'bay',
  'springs',
  'louin',
  'jasper',
  'county',
  'report',
  'national',
  'weather',
  'service',
  'difference',
  'tornado',
  'watch',
  'thunderstorm',
  'tornadothese',
  'type',
  'tornado',
  'measuredhere',
  'tornado',
  'country',
  'south',
  'central',
  'regional',
  'medical',
  'center',
  'laurel',
  'storm',
  'victim',
  'louin',
  'area',
  'spokesperson',
  'becky',
  'collins',
  'cnn',
  'monday',
  'patient',
  'hospital',
  'jasper',
  'county',
  'community',
  'center',
  'shelter',
  'destruction',
  'tornado',
  'activity',
  'sheriff',
  'department',
  'facebook',
  'post',
  'mississippi',
  'emergency',
  'management',
  'agency',
  'damage',
  'storm',
  'agency',
  'thousand',
  'state',
  'power',
  'home',
  'business',
  'texas',
  'oklahoma',
  'tennessee',
  'dark',
  'record',
  'heat',
  'round',
  'storm',
  'week',
  'storm',
  'cloud',
  'sunday',
  'beaver',
  'oklahoma',
  'weather',
  'threat',
  'monday',
  'level',
  'risk',
  'weather',
  'gulf',
  'coast',
  'southeast',
  'new',
  'orleans',
  'baton',
  'rouge',
  'louisiana',
  'jacksonville',
  'florida',
  'mobile',
  'alabama',
  'savannah',
  'georgia',
  'threat',
  'wind',
  'gust',
  'hail',
  'tornado',
  'level',
  'risk',
  'stretch',
  'texas',
  'florida',
  'north',
  'north',
  'carolina',
  'city',
  'atlanta',
  'charlotte',
  'north',
  'carolina',
  'austin',
  'texas',
  'tampa',
  'orlando',
  'miami',
  'florida',
  'threat',
  'hail',
  'wind',
  'gust',
  'threat',
  'monday',
  'storm',
  'report',
  'southeast',
  'sunday',
  'storm',
  'prediction',
  'center',
  'tornado',
  'report',
  'mississippi',
  'hail',
  'inch',
  'sunday',
  'kerr',
  'county',
  'texas',
  'mile',
  'san',
  'antonio',
  'day',
  'weather',
  'region',
  'tornado',
  'thursday',
  'texas',
  'panhandle',
  'community',
  'perryton',
  'people',
  'year',
  'boy',
  'tornado',
  'florida',
  'twister',
  'mississippi',
  'monday',
  'morning',
  'tornado',
  'florida',
  'santa',
  'rosa',
  'beach',
  'weather',
  'service',
  'service',
  'tornado',
  'warning',
  'noon',
  'walton',
  'county',
  'flying',
  'debris',
  'shelter',
  'service',
  'home',
  'damage',
  'roof',
  'window',
  'vehicle',
  'tree',
  'damage',
  'belonging',
  'tornado',
  'home',
  'june',
  'louin',
  'mississippi',
  'tornado',
  'city',
  'moss',
  'point',
  'mississippi',
  'mile',
  'biloxi',
  'monday',
  'afternoon',
  'jackson',
  'county',
  'sheriff',
  'john',
  'ledbetter',
  'cnn',
  'home',
  'business',
  'emergency',
  'crew',
  'sheriff',
  'mayor',
  'billy',
  'knight',
  'sr',
  '.',
  'cnn',
  'people',
  'fire',
  'crew',
  'merchants',
  'marine',
  'bank',
  'main',
  'street',
  'baptist',
  'church',
  'building',
  'school',
  'administration',
  'building',
  'gym',
  'stadium',
  'concession',
  'stand',
  'knight',
  'injury',
  'official',
  'assessment',
  'ruin',
  'monday',
  'storm',
  'louin',
  'mississippi',
  'rain',
  'road',
  'alabama',
  'monday',
  'possibility',
  'rainfall',
  'country',
  'threat',
  'thunderstorm',
  'southeast',
  'southern',
  'appalachians',
  'road',
  'mobile',
  'county',
  'alabama',
  'monday',
  'inch',
  'rain',
  'area',
  'national',
  'weather',
  'service',
  'county',
  'official',
  'tweet',
  'road',
  'flooding',
  'water',
  'road',
  'motorist',
  'road',
  'roadway',
  'tweet',
  'rain',
  'cnn',
  'weather',
  'thousand',
  'power',
  'heat',
  'people',
  'heat',
  'alert',
  'heat',
  'wave',
  'texas',
  'louisiana',
  'new',
  'mexico',
  'mississippi',
  'national',
  'weather',
  'service',
  'heat',
  'air',
  'conditioning',
  'customer',
  'power',
  'south',
  'monday',
  'evening',
  'weather',
  'day',
  'oklahoma',
  'texas',
  'louisiana',
  'poweroutage.us',
  '.',
  'national',
  'weather',
  'service',
  'resident',
  'day',
  'plenty',
  'water',
  'child',
  'pet',
  'vehicle',
  'construction',
  'worker',
  'water',
  'heat',
  'heatwave',
  'seville',
  'june',
  'spain',
  'today',
  'grip',
  'heatwave',
  'level',
  'france',
  'meteorologist',
  'temperature',
  'warming',
  'heat',
  'heat',
  'wave',
  'record',
  'texas',
  'week',
  'heat',
  'monday',
  'wednesday',
  'combination',
  'temperature',
  'humidity',
  'heat',
  'index',
  'degree',
  'city',
  'houston',
  'san',
  'antonio',
  'brownsville',
  'dallas',
  'heat',
  'record',
  'sunday',
  'del',
  'rio',
  'texas',
  'temperature',
  'degree',
  'sunday',
  'record',
  'degree',
  'camp',
  'mabry',
  'austin',
  'texas',
  'record',
  'degree',
  'dozen',
  'year',
  'mcallen',
  'texas',
  'record',
  'degree',
  'city',
  'south',
  'week',
  'storm',
  'weather',
  'center',
  'houston',
  'center',
  'p.m.',
  'p.m.',
  'monday',
  'city',
  'temperature',
  'caddo',
  'parish',
  'louisiana',
  'center',
  'power',
  'outage',
  'storm',
  'cleanup',
  'new',
  'orleans',
  'emergency',
  'preparedness',
  'campaign',
  'hydration',
  'station',
  'center',
  'water',
  'sunscreen',
  'sunday',
  'monday',
  'a.m.',
  'p.m.',
  'time',
  'cnn',
  'jamiel',
  'lynch',
  'mitchell',
  'mccluskey',
  'devon',
  'sayers',
  'taylor',
  'ward',
  'zoe',
  'sottile',
  'report',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cable',
  'news',
  'network',
  'warner',
  'bros.',
  'discovery',
  'company',
  'rights',
  'cnn',
  'sans',
  'cable',
  'news',
  'network'],
 ['livenewsweathersportsthings',
  'docontests',
  'watch',
  'expand',
  'collapse',
  'search',
  '☰',
  'search',
  'site',
  'news',
  'local',
  'newsnational',
  'newsworld',
  'newsinvestigatorspoliticsconsumervoice',
  'news',
  'sundayweather',
  'fox',
  'weather',
  'appforecastschool',
  'closingslive',
  'weather',
  'camerastrafficfox',
  'weathersports',
  'shayne',
  'wellsgarden',
  'guyrecipesmoney',
  'personal',
  'financebusinessstock',
  'marketsmall',
  'businesssavingsshow',
  'fox',
  'showsthe',
  'jason',
  'showfox',
  'good',
  'dayenough',
  'saidvikings',
  'gameday',
  'livethe',
  'pj',
  'fleck',
  'showfox',
  'sports',
  'nowthe',
  'jason',
  'swag',
  'shopthe',
  'fox',
  'storefox',
  'town',
  'ball',
  'storeregional',
  'news',
  'milwaukee',
  'news',
  'fox',
  'newschicago',
  'news',
  'fox',
  'chicagodetroit',
  'news',
  'fox',
  'detroitabout',
  'contact',
  'uscontestspersonalitiesjobs',
  'fox',
  '9what',
  'foxadvertisefcc',
  'applicationsstay',
  'ice',
  'cream',
  'socialnewsletterfacebookinstagramtwittertiktokyoutube',
  'thunderstorm',
  'wed',
  'pm',
  'cdt',
  'thu',
  'cdt',
  'beltrami',
  'county',
  'clearwater',
  'county',
  'pennington',
  'county',
  'red',
  'lake',
  'county',
  'thunderstorm',
  'warning',
  'thu',
  'cdt',
  'beltrami',
  'county',
  'lake',
  'woods',
  'county',
  'polk',
  'county',
  'red',
  'lake',
  'county',
  'excessive',
  'heat',
  'warning',
  'thu',
  'pm',
  'cdt',
  'thu',
  'pm',
  'cdt',
  'anoka',
  'county',
  'dakota',
  'county',
  'hennepin',
  'county',
  'ramsey',
  'county',
  'scott',
  'county',
  'washington',
  'county',
  'minnesota',
  'weather',
  'rain',
  'snow',
  'tuesday',
  'night',
  'fox',
  'staff',
  'march',
  'weather',
  'fox',
  'share',
  'copy',
  'link',
  'email',
  'facebook',
  'twitter',
  'linkedin',
  'reddit',
  'tuesday',
  'forecast',
  'rain',
  'tonight',
  'high',
  '40',
  'storm',
  'area',
  'tonight',
  'tomorrow',
  'rain',
  'minneapolis',
  'fox',
  'melt',
  'day',
  'tuesday',
  'temperature',
  'precipitation',
  'forecast',
  'temperature',
  '40',
  'twin',
  'cities',
  'metro',
  'tuesday',
  'evening',
  'daylight',
  'hour',
  'stray',
  'flurry',
  'morning',
  'twin',
  'cities',
  'month',
  'snow',
  'rain',
  'sunset',
  'twin',
  'cities',
  'tenth',
  'inch',
  'minnesota',
  'snow',
  'storm',
  'area',
  'winter',
  'storm',
  'area',
  'inch',
  'snow',
  'winter',
  'weather',
  'area',
  'inch',
  'stillwater',
  'flooding',
  'st.',
  'croix',
  'river',
  'winter',
  'freeze',
  'wednesday',
  'morning',
  'spot',
  'roadway',
  'sidewalk',
  'spot',
  'temperature',
  'day',
  'twin',
  'cities',
  'high',
  'degree',
  'sky',
  'evening',
  'flake',
  'iowa',
  'border',
  'article',
  'minnesota',
  'expert',
  'mosquito',
  'vengeance',
  'thursday',
  'high',
  'degree',
  'twin',
  'cities',
  'thing',
  'weekend',
  'friday',
  'high',
  'degree',
  'saturday',
  'high',
  'degree',
  'sunday',
  'high',
  'degree',
  'news',
  'view',
  'minnesota',
  'rollerblade',
  'founder',
  'inline',
  'skate',
  'wheel',
  'fortune',
  'violent',
  'crime',
  'summit',
  'datum',
  'homicide',
  'assault',
  'trend',
  'metro',
  'fugitive',
  'minnesota',
  'murder',
  'california',
  'minnesota',
  'town',
  'ball',
  'team',
  'postseason',
  'ban',
  'rule',
  'violation',
  'golfer',
  'm',
  'open',
  'contractor',
  'minnetonka',
  'home',
  'business',
  'lightning',
  'strike',
  'house',
  'fire',
  'plymouth',
  'child',
  'minneapolis',
  'wednesday',
  'mall',
  'america',
  'shooter',
  'nike',
  'store',
  'dispute',
  'wildfire',
  'friend',
  'foe',
  'e',
  '-',
  'bike',
  'use',
  'lake',
  'minnetonka',
  'community',
  'community',
  'radio',
  'station',
  'story',
  'voice',
  'minneapolis',
  'new',
  'festival',
  'art',
  'artist',
  'color',
  'mass',
  'shooting',
  'plot',
  'year',
  'sentence',
  'zimmerman',
  'man',
  'man',
  'week',
  'minneapolis',
  'rail',
  'platform',
  'trending',
  'mall',
  'america',
  'shooter',
  'nike',
  'store',
  'dispute',
  'minnesota',
  'state',
  'fair',
  'attraction',
  'teen',
  'jet',
  'bridge',
  'msp',
  'minnesota',
  'best',
  'adventure',
  'experience',
  'list',
  'minnesota',
  'town',
  'ball',
  'team',
  'postseason',
  'ban',
  'rule',
  'violation',
  'daily',
  'newsletter',
  'news',
  'day',
  'sign',
  'privacy',
  'policy',
  'terms',
  'service',
  'stream',
  'smart',
  'tv',
  'fox',
  'fox',
  'streaming',
  'app',
  'fox',
  'fox',
  'streaming',
  'app',
  'roku',
  'apple',
  'tv',
  'amazon',
  'firetv',
  'google',
  'android',
  'tv',
  'cable',
  'subscription',
  'login',
  'news',
  'local',
  'newsnational',
  'newsworld',
  'newsinvestigatorspoliticsconsumervoice',
  'news',
  'sundayweather',
  'fox',
  'weather',
  'appforecastschool',
  'closingslive',
  'weather',
  'camerastrafficfox',
  'weathersports',
  'shayne',
  'wellsgarden',
  'guyrecipesmoney',
  'personal',
  'financebusinessstock',
  'marketsmall',
  'businesssavingsshow',
  'fox',
  'showsthe',
  'jason',
  'showfox',
  'good',
  'dayenough',
  'saidvikings',
  'gameday',
  'livethe',
  'pj',
  'fleck',
  'showfox',
  'sports',
  'nowthe',
  'jason',
  'swag',
  'shopthe',
  'fox',
  'storefox',
  'town',
  'ball',
  'storeregional',
  'news',
  'milwaukee',
  'news',
  'fox',
  'newschicago',
  'news',
  'fox',
  'chicagodetroit',
  'news',
  'fox',
  'detroitabout',
  'contact',
  'uscontestspersonalitiesjobs',
  'fox',
  '9what',
  'foxadvertisefcc',
  'applicationsstay',
  'ice',
  'cream',
  'socialnewsletterfacebookinstagramtwittertiktokyoutube',
  'facebooktwitteremail',
  'new',
  'privacy',
  'policyterms',
  'serviceyour',
  'privacy',
  'choicesfcc',
  'public',
  'filejobs',
  'fox',
  '9contact',
  'material',
  'fox',
  'television',
  'stations'],
 ['daily',
  'lineup',
  'coast',
  'coast',
  'bloomberg',
  'day',
  'break',
  'lincoln',
  'morning',
  'news',
  'coffee',
  'cream',
  'morning',
  'hook',
  'dan',
  'bongino',
  'markley',
  'van',
  'camp',
  'robbins',
  'hail',
  'varsity',
  'radio',
  'chris',
  'schmidt',
  'elijah',
  'herbel',
  'joe',
  'pags',
  'ben',
  'shapiro',
  'dan',
  'bongino',
  'jesse',
  'kelly',
  'stories',
  'kfor',
  'news',
  'podcast',
  'morning',
  'hookup',
  'demand',
  'kfor',
  'sports',
  'update',
  'high',
  'school',
  'sports',
  'demand',
  'nebraska',
  'outdoor',
  'demand',
  'dave',
  'ramsey',
  '9:00pm',
  'daily',
  'lineup',
  'coast',
  'coast',
  'bloomberg',
  'day',
  'break',
  'lincoln',
  'morning',
  'news',
  'coffee',
  'cream',
  'morning',
  'hook',
  'dan',
  'bongino',
  'markley',
  'van',
  'camp',
  'robbins',
  'hail',
  'varsity',
  'radio',
  'chris',
  'schmidt',
  'elijah',
  'herbel',
  'joe',
  'pags',
  'ben',
  'shapiro',
  'dan',
  'bongino',
  'jesse',
  'kelly',
  'story',
  'kfor',
  'news',
  'podcast',
  'morning',
  'hookup',
  'demand',
  'kfor',
  'sports',
  'update',
  'high',
  'school',
  'sports',
  'demand',
  'nebraska',
  'outdoor',
  'demand',
  'event',
  'community',
  'calendar',
  'event',
  'community',
  'events',
  'concerts',
  'lincoln',
  'newsnebraska',
  'newsweather',
  'severe',
  'storms',
  'heavy',
  'rain',
  'hail',
  'damaging',
  'wind',
  'se',
  'nebraska',
  'thursday',
  'morning',
  'june',
  'cdt',
  'heavy',
  'rain',
  'lincoln',
  'area',
  'thunderstorm',
  'thursday',
  'morning',
  'june',
  'picture',
  'cornhusker',
  'highway',
  'kfor',
  'studio',
  'photo',
  'courtesy',
  'jeff',
  'motz',
  'kfor',
  'news',
  'lincoln–(kfor',
  'june',
  'storm',
  'portion',
  'southeast',
  'nebraska',
  'thursday',
  'morning',
  'hail',
  'rainfall',
  'wind',
  'damage',
  'jefferson',
  'county',
  'hail',
  'quarter',
  'tennis',
  'ball',
  'size',
  'thursday',
  'fairbury',
  'area',
  'report',
  'damage',
  'hail',
  'storm',
  'rain',
  'portion',
  'jefferson',
  'gage',
  'johnson',
  'pawnee',
  'county',
  'thunderstorm',
  'lincoln',
  'area',
  'rain',
  'visibility',
  'commuter',
  'video',
  'rain',
  'kfor',
  'studio',
  'cornhusker',
  'highway',
  'south',
  'weather',
  'portion',
  'gage',
  'johnson',
  'pawnee',
  'nemaha',
  'county',
  'wind',
  'damage',
  'sterling',
  'johnson',
  'county',
  'thursday',
  'inch',
  'tree',
  'limb',
  'shingle',
  'wind',
  'gust',
  'mph',
  'weather',
  'station',
  'auburn',
  'nemaha',
  'county',
  'national',
  'defensive',
  'driving',
  'program',
  'teen',
  'lincoln',
  'stop',
  'mid',
  '-',
  'august',
  'seizure',
  'drugs',
  'paraphernalia',
  'near',
  'south',
  'home',
  'lead',
  'arrest',
  'man',
  'gun',
  'fired',
  'inside',
  'south',
  'lincoln',
  'apartment',
  'seizure',
  'drugs',
  'paraphernalia',
  'near',
  'south',
  'home',
  'lead',
  'arrest',
  'task',
  'force',
  'member',
  'weapon',
  'drugs',
  'northwest',
  'lincoln',
  'hotel',
  'room',
  'man',
  'task',
  'force',
  'member',
  'disability',
  'file',
  'contact',
  'h[email',
  'resident',
  'privacy',
  'notice',
  'collection',
  'personal',
  'information',
  'resident',
  'privacy',
  'notice',
  'financial',
  'incentive',
  'va',
  'resident',
  'personal',
  'information',
  'kfor',
  'fm',
  'alpha',
  'media',
  'llc',
  'alpha',
  'media',
  'llc',
  'rights'],
 ['accessibility',
  'contentdemocracy',
  'darknesssign',
  'article',
  'year',
  'agothe',
  'washington',
  'postdemocracy',
  'darknesscapital',
  'weather',
  'ganghere',
  'derechos',
  'wisconsin',
  'area',
  'time',
  'washington',
  'd.c.',
  'mph',
  'damage',
  'week',
  'hurricane',
  'area',
  'matthew',
  'cappuccijuly',
  'p.m.',
  'edtwinds',
  'mph',
  'tree',
  'damage',
  'intersection',
  'north',
  'mountain',
  'wis.',
  'tony',
  'dello/@wx_td',
  'tony',
  'dello/@wx_td))comment',
  'storycommentgift',
  'articlesharequince',
  'mountain',
  'friday',
  'morning',
  'wisconsin',
  'lunchtime',
  'hurricane',
  'message',
  'friend',
  'meteorologist',
  'mountain',
  'wife',
  'experience',
  'planarrowrightat',
  'storm',
  'prediction',
  'center',
  'norman',
  'okla.',
  'meteorologist',
  'sunrise',
  'risk',
  'weather',
  'potential',
  'wind',
  'hurricane',
  'force',
  'mountain',
  'mind',
  'storm',
  'damage',
  'wisconsin',
  'wife',
  'dog',
  'funeral',
  'town',
  'sunset',
  'storm',
  'people',
  'storm',
  'mountain',
  'wall',
  'wind',
  'weather',
  'service',
  'radar',
  'bow',
  'line',
  'storm',
  'wisconsin',
  'derecho',
  'wind',
  'storm',
  'day',
  'air',
  'monster',
  'derechos',
  'breakneck',
  'speed',
  'wind',
  'gust',
  'mph',
  'friday',
  'night',
  'system',
  'upper',
  'midwest',
  'mph',
  'condition',
  'calm',
  'second',
  '“when',
  'storm',
  'mountain',
  'wife',
  'blair',
  'braverman',
  'round',
  'thing',
  'wind',
  'rain',
  'porch',
  'flashlight',
  'basement',
  'power',
  'time',
  'stair',
  'hour',
  'wind',
  'mark',
  'national',
  'weather',
  'service',
  'green',
  'bay',
  'damage',
  'macroburst',
  'macrobursts',
  'downburst',
  'wind',
  'cloud',
  'ground',
  'zone',
  'mile',
  'derecho',
  'macroburst',
  'mile',
  'fact',
  'datum',
  'mph',
  'wind',
  'zone',
  'cell',
  'coverage',
  'pic',
  'macroburst',
  'northeast',
  'wi',
  'fri',
  'night',
  'pic.twitter.com/f1vjqpklhl',
  'tony',
  'dello',
  '@wx_td',
  'july',
  'phil',
  'kurimski',
  'meteorologist',
  'national',
  'weather',
  'service',
  'office',
  'green',
  'bay',
  'damage',
  'area',
  'wind',
  'damage',
  'kurimski',
  'footage',
  'drone',
  'flyover',
  'tornado',
  'dozen',
  'cottage',
  'mile',
  'mountain',
  'mountain',
  'braverman',
  'power',
  'power',
  'line',
  'ground',
  'house',
  'advertisementthe',
  'damage',
  'langlade',
  'oconto',
  'county',
  'national',
  'weather',
  'service',
  'thousand',
  'tree',
  '”friday',
  'storm',
  'minnesota',
  'lunchtime',
  'afternoon',
  'wisconsin',
  'nightfall',
  'east',
  'lake',
  'michigan',
  'damage',
  'saturday',
  'morning',
  'michigan',
  'derecho',
  'south',
  'dakota',
  'east',
  'minnesota',
  'area',
  'wisconsin',
  'weather',
  'region',
  'today',
  'case',
  'weekend',
  'information',
  'derechoe',
  'midwest',
  'weekend',
  'wiwx',
  'brunt',
  'system',
  'pic.twitter.com/q01yepfzwn',
  'nws',
  'central',
  'region',
  '@nwscentral',
  'july',
  'sunday',
  'morning',
  'customer',
  'power',
  'wisconsin',
  'michigan',
  'derecho',
  'whammy',
  'steve',
  'beylon',
  'meteorologist',
  'wbay',
  'tv',
  'green',
  'bay',
  'scale',
  'damage',
  '”advertisement“i',
  'punch',
  'weather',
  'year',
  'beylon',
  'thousand',
  'tree',
  'mph',
  'wind',
  'area',
  'people',
  'landmark',
  'storm',
  'experience',
  'time',
  '”amid',
  'damage',
  'braverman',
  'storm',
  'people',
  'generator',
  'chain',
  'saw',
  'camping',
  'equipment',
  'wisconsinite',
  'minute',
  '',
  '',
  'goes16',
  'image',
  'spc',
  'storm',
  'look',
  'yesterday',
  'mcs',
  'hail',
  'diameter',
  'mnwx',
  'mph',
  'wind',
  'tornado',
  'wiwx',
  'https://t.co/uiykpjnhyw',
  '@nwsduluth',
  '@nwslacrosse',
  'pic.twitter.com/5gdwisj7wh',
  'scott',
  'bachmeier',
  '@cimss_satellite',
  'july',
  'commentsgift',
  'articlegift',
  'articleloading',
  'view',
  'more2023',
  'heat',
  'tracker1690',
  'degree',
  'day',
  'faraverage',
  'year',
  'date23yearly',
  'average40record',
  'most67',
  'fewest7',
  'year38top',
  'analysis',
  'hill',
  'white',
  'housejudge',
  'brake',
  'hunter',
  'biden',
  'pleagiuliani',
  'statement',
  'georgia',
  'election',
  'workersas',
  'inflation',
  'gop',
  'attack',
  'biden',
  'economyrefreshtry',
  'account',
  'preferencestweet',
  'post',
  'newsroom',
  'policies',
  'standards',
  'diversity',
  'inclusion',
  'careers',
  'media',
  'community',
  'relations',
  'wp',
  'creative',
  'group',
  'accessibility',
  'statement',
  'postgift',
  'subscriptions',
  'mobile',
  'apps',
  'newsletters',
  'alerts',
  'washington',
  'post',
  'live',
  'reprints',
  'permissions',
  'post',
  'store',
  'books',
  'e',
  '-',
  'book',
  'newspaper',
  'education',
  'print',
  'archives',
  'subscribers',
  'today',
  'paper',
  'public',
  'notices',
  'contact',
  'uscontact',
  'newsroom',
  'contact',
  'customer',
  'care',
  'contact',
  'opinions',
  'team',
  'advertise',
  'licensing',
  'syndication',
  'request',
  'correction',
  'news',
  'tip',
  'report',
  'vulnerability',
  'terms',
  'usedigital',
  'products',
  'terms',
  'sale',
  'print',
  'products',
  'term',
  'sale',
  'terms',
  'service',
  'privacy',
  'policy',
  'cookie',
  'settings',
  'submissions',
  'discussion',
  'policy',
  'rss',
  'terms',
  'service',
  'ad',
  'choices',
  'washington',
  'postwashingtonpost.com',
  'washington',
  'postabout',
  'post',
  'contact',
  'newsroom',
  'contact',
  'customer',
  'care',
  'request',
  'correction',
  'news',
  'tip',
  'report',
  'vulnerability',
  'download',
  'washington',
  'post',
  'app',
  'policies',
  'standards',
  'terms',
  'service',
  'privacy',
  'policy',
  'cookie',
  'settings',
  'print',
  'products',
  'terms',
  'sale',
  'digital',
  'products',
  'terms',
  'sale',
  'submissions',
  'discussion',
  'policy',
  'rss',
  'terms',
  'service',
  'ad',
  'choice'],
 ['main',
  'content',
  'sensor',
  'network',
  'maps',
  'radar',
  'severe',
  'weather',
  'news',
  'blogs',
  'mobile',
  'apps',
  'nearest',
  'station',
  'manage',
  'favorite',
  'citieslog',
  'joinsettingsaccount_box',
  'log',
  'person_add',
  'join',
  'setting',
  'settings',
  'sensor',
  'networkmaps',
  'radarsevere',
  'weathernews',
  'blogsmobile',
  'appshistorical',
  'weatherstarnews',
  'blogs',
  'category',
  'news',
  'stories',
  'infographics',
  'posters',
  'news',
  'stories',
  'category',
  'storiesinfographicsposterspublished',
  'weather',
  'company',
  'mission',
  'weather',
  'news',
  'environment',
  'importance',
  'science',
  'life',
  'story',
  'position',
  'parent',
  'company',
  'ibm.recent',
  'storiesweather',
  'articlesour',
  'appsabout',
  'uscontactcareerspws',
  'networkwundermapfeedback',
  'supportterms',
  'useprivacy',
  'policyaccessibility',
  'statementadchoicesdata',
  'vendorswe',
  'responsibility',
  'datum',
  'technology',
  'datum',
  'data',
  'vendor',
  'control',
  'datum',
  'datum',
  'rightspowered',
  'ibm',
  'cloud',
  'copyright',
  'twc',
  'product',
  'technology',
  'llc',
  'javascript',
  'application'],
 ['contentsearchshopgamespuzzlesactionfunny',
  'fill',
  'invideosamazing',
  'animalsweird',
  'true!party',
  'animalstry',
  'this!animalsmammalsbirdsprehistoricreptilesamphibiansinvertebratesfishexplore',
  'statesweird',
  'true!subscribemenutornadoe',
  'oklahoma',
  'form',
  'air',
  'air',
  'photograph',
  'john',
  'finney',
  'photography',
  'getty',
  'imagesplease',
  'copyright',
  'use',
  'tornadoesfind',
  'twister',
  'bylaura',
  'goertzela',
  'greenish',
  'tinge',
  'sky',
  'storm',
  'cloud',
  'wind',
  'cat',
  'couch',
  'dog',
  'tornado',
  'twister',
  'tornado',
  'funnel',
  'column',
  'air',
  'thundercloud',
  'way',
  'ground',
  'wind',
  'tornado',
  'mile',
  'hour',
  'race',
  'car',
  'gust',
  'building',
  'bridge',
  'train',
  'car',
  'bark',
  'tree',
  'water',
  'riverbed',
  'tornado',
  'saint',
  'louis',
  'missouri',
  'home',
  'thousand',
  'power',
  'injury',
  'storm',
  'advance',
  'warning',
  'people',
  'time',
  'safety.photograph',
  'gino',
  'santa',
  'maria',
  'shutterstockplease',
  'copyright',
  'use',
  'tornado',
  'planet',
  'united',
  'states',
  'world',
  'strength',
  'number',
  'storm',
  'twister',
  'year',
  'argentina',
  'bangladesh',
  'u.s.',
  'storm',
  'system',
  'death',
  'year',
  'damage',
  'tornado',
  'air',
  'air',
  'air',
  'air',
  'updraft',
  'change',
  'wind',
  'direction',
  'photographer',
  'image',
  'twister',
  'strength',
  'wray',
  'colorado',
  'photograph',
  'cammie',
  'czuchnicki',
  'shutterstockplease',
  'copyright',
  'use',
  'wind',
  'thunderstorm',
  'speed',
  'direction',
  'updraft',
  'updraft',
  'air',
  'thunderstorm',
  'rotation',
  'speed',
  'increase',
  'funnel',
  'cloud',
  'twister',
  'strength',
  'funnel',
  'funnel',
  'dirt',
  'debris',
  'rotation',
  'ground',
  'tornado',
  'supercell',
  'scientist',
  'thunderstorm',
  'wind',
  'rotation',
  'thunderstorm',
  'supercell',
  'supercell',
  'tornado',
  'lightning',
  'form',
  'severy',
  'kansas',
  'tornado',
  'area',
  'photograph',
  'gavin',
  'adobe',
  'stockplease',
  'copyright',
  'use',
  'power',
  'tornado',
  'minute',
  'hour',
  'twister',
  'ground',
  'cloud',
  'tri',
  'state',
  'tornado',
  'record',
  'time',
  'distance',
  'tornado',
  'state',
  'missouri',
  'illinois',
  'indiana',
  'tornado',
  'half',
  'hour',
  'mile',
  'tri',
  'state',
  'tornado',
  'length',
  'path',
  'destruction',
  'minute',
  'twister',
  'town',
  'illinois.photograph',
  'science',
  'history',
  'images',
  'alamyplease',
  'copyright',
  'use',
  'tornado',
  'formalthough',
  'tornado',
  'u.s.',
  'state',
  'form',
  'region',
  'tornado',
  'alley',
  'zone',
  'midwest',
  'texas',
  'ohio',
  'iowa',
  'kansas',
  'south',
  'dakota',
  'oklahoma',
  'nebraska',
  'state',
  'path',
  'air',
  'gulf',
  'mexico',
  'air',
  'rocky',
  'mountains',
  'airstreams',
  'meet',
  'tornado',
  'storm',
  'time',
  'year',
  'tornado',
  'season',
  'texas',
  'oklahoma',
  'kansas',
  'june',
  'north',
  'south',
  'dakota',
  'nebraska',
  'iowa',
  'minnesota',
  'tornado',
  'june',
  'july',
  'tracking',
  'tornadoesduring',
  'thunderstorm',
  'meteorologist',
  'weather',
  'satellite',
  'weather',
  'balloon',
  'buoy',
  'datum',
  'wind',
  'speed',
  'temperature',
  'datum',
  'supercomputer',
  'scientist',
  'twister',
  'researcher',
  'weather',
  'balloon',
  'norman',
  'oklahoma',
  'storm',
  'instrument',
  'balloon',
  'time',
  'datum',
  'wind',
  'temperature',
  'humidity',
  'photograph',
  'christiaan',
  'patterson',
  'ou',
  'cimms',
  'noaanssl',
  'noaaplease',
  'copyright',
  'use',
  'weather',
  'condition',
  'tornado',
  'expert',
  'tornado',
  'watch',
  'region',
  'county',
  'state',
  'tornado',
  'way',
  'meteorologist',
  'watch',
  'people',
  'tornado',
  'weather',
  'radar',
  'scientist',
  'tornado',
  'area',
  'town',
  'city',
  'people',
  'cover',
  'expert',
  'area',
  'storm',
  'vehicle',
  'science',
  'equipment',
  'measure',
  'thing',
  'temperature',
  'humidity',
  'air',
  'pressure',
  'meteorologist',
  'weather',
  'service',
  'headquarters',
  'information',
  'tornado',
  'chaser',
  'scientist',
  'science',
  'tornado',
  'storm',
  'scientist',
  'truck',
  'datum',
  'strength',
  'location',
  'roof',
  'rack',
  'windshield',
  'cage',
  'vehicle',
  'modification',
  'equipment',
  'people',
  'photograph',
  'nssl',
  'noaaplease',
  'copyright',
  'use',
  'thank',
  'tool',
  'meteorologist',
  'tornado',
  'people',
  'twister',
  'path',
  'time',
  'shelter',
  'instance',
  '1980',
  'people',
  'minute',
  'warning',
  'tornado',
  'hit',
  '2000',
  'warning',
  'time',
  'minute',
  'tornadobefore',
  'weather',
  'report',
  'tornado',
  'warnings.•',
  'windows.•',
  'room',
  'basement',
  'room',
  'center',
  'house',
  'apartment',
  'building',
  'wall',
  'window',
  'window',
  'closet',
  'bathroom',
  'room',
  'blanket',
  'pillow',
  'sleeping',
  'bag',
  'family',
  'emergency',
  'kit',
  'water',
  'food',
  'flashlight',
  'radio).•',
  'emergency',
  'safety',
  'plan',
  'trailer',
  'home',
  'tornado•',
  'stay',
  'attempt',
  'window',
  'tornado',
  'injury',
  'debris',
  'window',
  'pillow',
  'blanket',
  'sleeping',
  'bag',
  'piece',
  'furniture',
  'table',
  'head',
  'neck',
  'arms.•',
  'shelter',
  'ditch',
  'gulley',
  'piece',
  'ground',
  'tree',
  'car',
  'head',
  'neck',
  'arm',
  'bridge',
  'tornado•',
  'shelter',
  'authority',
  'ok',
  'instructions.•',
  'debris',
  'tornado',
  'report',
  'place',
  'tornado',
  'national',
  'geographic',
  'tornado',
  'safety',
  'tip',
  'nat',
  'geo',
  'kids',
  'book',
  'extreme',
  'weather',
  'thomas',
  'kostigen',
  'rachel',
  'buchholzlegalterm',
  'useprivacy',
  'policyyour',
  'california',
  'privacy',
  'rightschildren',
  'online',
  'privacy',
  'policyinterest',
  'adsabout',
  'nielsen',
  'measurementdo',
  'infoour',
  'sitesnational',
  'geographicnational',
  'geographic',
  'educationshop',
  'nat',
  'geocustomer',
  'servicejoin',
  'subscription',
  'copyright',
  'national',
  'geographic',
  'societycopyright',
  'national',
  'geographic',
  'partners',
  'llc',
  'right'],
 ['man',
  'death',
  'soccer',
  'match',
  'adam',
  'morgan',
  'neighborhood',
  'mexican',
  'consulate',
  'citizen',
  'crime',
  'dc',
  'heat',
  'advisory',
  'effect',
  'thursday',
  'a.m.',
  'p.m.',
  'dc',
  'heat',
  'year',
  'week',
  'weather',
  'timeline',
  'storm',
  'tonight',
  'storm',
  'area',
  'p.m.',
  'author',
  'miri',
  'marshall',
  'wusa9',
  'weather',
  'team',
  'kaitlyn',
  'mcgrath',
  'edt',
  'april',
  'pm',
  'edt',
  'april',
  'washington',
  'thunderstorm',
  'watch',
  'metro',
  'dc',
  'county',
  'pm',
  'storm',
  'evening',
  'threat',
  'today',
  'wind',
  'mph',
  'timeline',
  'storm',
  'p.m.',
  'shower',
  'storm',
  'storm',
  'rain',
  'wind',
  'hail',
  'p.m.',
  'p.m.',
  'shower',
  'storm',
  'storm',
  'rain',
  'wind',
  'hail',
  'p.m.',
  'p.m.',
  'storm',
  'area',
  'shower',
  'missouri',
  'tornado',
  'destruction',
  'flood',
  'awareness',
  'month',
  'list',
  'hurricane',
  'season',
  'neighborhood',
  'storm',
  'power',
  'outage',
  'tree',
  'tree',
  'branch',
  'thunderstorm',
  'watch',
  'warning',
  'neighborhood',
  'thunderstorm',
  'watch',
  'storm',
  'action',
  'thunderstorm',
  'warning',
  'thunderstorm',
  'storm',
  'storm',
  'wind',
  'mph',
  'strongerhail',
  'inch',
  'tornado',
  'storm',
  'tornado',
  'warning',
  'storm',
  'shelter',
  'tree',
  'place',
  'tree',
  'wind',
  'protection',
  'lightning',
  'example',
  'video',
  'title',
  'video',
  'news',
  'dmv',
  'overnight',
  'forecast',
  'july',
  'muggy',
  'eeo',
  'public',
  'file',
  'report',
  'fcc',
  'online',
  'public',
  'inspection',
  'file',
  'closed',
  'caption',
  'procedure',
  'personal',
  'information',
  'wusa',
  'tv',
  'rights',
  'wusa',
  'notification',
  'news',
  'weather',
  'notification',
  'browser',
  'setting'],
 ['health',
  'sex',
  'relationships',
  'viral',
  'trends',
  'human',
  'interest',
  'parenting',
  'fashion',
  'beauty',
  'food',
  'drink',
  'travel',
  'tornadoes',
  'indiana',
  'sunday',
  'storm',
  'power',
  'k',
  'ohio',
  'valley',
  'south',
  'social',
  'link',
  'steven',
  'yablonski',
  'fox',
  'weather',
  'thank',
  'submission',
  'el',
  'nino',
  'winter',
  'florida',
  'man',
  'son',
  'hiking',
  'trip',
  'heat',
  'fisherman',
  'alligator',
  'south',
  'carolina',
  'pond',
  'tornado',
  'indiana',
  'sunday',
  'building',
  'power',
  'threat',
  'thunderstorm',
  'ohio',
  'valley',
  'south',
  'sunday',
  'tornado',
  'indiana',
  'sunday',
  'building',
  'greenwood',
  'indiana',
  'debris',
  'air',
  'tornado',
  'johnson',
  'county',
  'heather',
  'holeman',
  'tornado',
  'whiteland',
  'size',
  'tennis',
  'ball',
  'indiana',
  'arkansas',
  'storm',
  'tornado',
  'watch',
  'indiana',
  'michigan',
  'kentucky',
  'ohio',
  'p.m.',
  'et',
  'debris',
  'air',
  'tornado',
  'greenwood',
  'indiana',
  'june',
  'reuters',
  'severe',
  'thunderstorm',
  'watch',
  'evening',
  'hour',
  'noaa',
  'storm',
  'prediction',
  'center',
  'area',
  'level',
  'thunderstorm',
  'risk',
  'category',
  'scale',
  'thunderstorm',
  'hail',
  'wind',
  'gust',
  'tornado',
  'ohio',
  'valley',
  'south',
  'fox',
  'weather',
  'app',
  'notification',
  'weather',
  'warning',
  'area',
  'view',
  'damage',
  'aftermath',
  'tornado',
  'greenwood',
  'indiana',
  'june',
  'twitter',
  '@colebasey9',
  'reuters',
  'power',
  'severe',
  'storm',
  'power',
  'sunday',
  'evening',
  'poweroutage.us',
  '.',
  'georgia',
  'power',
  'customer',
  'woman',
  'uber',
  'driver',
  'story',
  'time',
  'girl',
  'montana',
  'police',
  'station',
  'miracle',
  'story',
  'time',
  'onlooker',
  'hunter',
  'biden',
  'sweetheart',
  'plea',
  'deal',
  'court',
  'story',
  'time',
  'teen',
  'country',
  'concert',
  'girlfriend',
  'horror',
  'expert',
  'weight',
  'overview',
  'found',
  'program',
  'safety',
  'pack',
  'fire',
  'extinguisher',
  '%',
  'sheet',
  'sleeper',
  'review',
  'expert',
  'sleep',
  'foundation',
  '%',
  'wayfair',
  'outdoor',
  'seating',
  'sale',
  'set',
  'sectional',
  'today',
  'beach',
  'wagon',
  'cart',
  'rollin',
  'beach',
  'kylie',
  'jenner',
  'boob',
  'job',
  'year',
  'denial',
  'jamie',
  'lynn',
  'spears',
  'responsibility',
  'fame',
  'selena',
  'gomez',
  'francia',
  'raísa',
  'birthday',
  'feud',
  'life',
  'noise',
  'activity',
  'mid',
  '-',
  'prison',
  'r.i.p.',
  'sinéad',
  'o’connor',
  'irish',
  'singer',
  'compare',
  'subject',
  'dead',
  'kevin',
  'spacey',
  'drinking',
  'acquittal',
  'london',
  'hotspot',
  'girl',
  'montana',
  'police',
  'station',
  'miracle',
  'news',
  'metro',
  'sports',
  'sports',
  'betting',
  'business',
  'opinion',
  'entertainment',
  'fashion',
  'beauty',
  'shopping',
  'lifestyle',
  'real',
  'estate',
  'media',
  'tech',
  'health',
  'travel',
  'astrology',
  'video',
  'photos',
  'stories',
  'alexa',
  'cover',
  'horoscopes',
  'sport',
  'odd',
  'podcast',
  'columnists',
  'classifieds',
  'email',
  'newsletters',
  'rss',
  'ny',
  'post',
  'official',
  'store',
  'home',
  'delivery',
  'new',
  'york',
  'post',
  'customer',
  'service',
  'apps',
  'community',
  'guidelines',
  'contact',
  'tips',
  'newsroom',
  'letters',
  'editor',
  'licensing',
  'reprints',
  'careers',
  'vulnerability',
  'disclosure',
  'program',
  'nyp',
  'holdings',
  'inc.',
  'rights',
  'reserved',
  'terms',
  'use',
  'membership',
  'terms',
  'privacy',
  'notice',
  'sitemap',
  'information'],
 ['ie',
  'experience',
  'site',
  'browser',
  'skip',
  'news',
  'newsworldbusinesshealthvideoculture',
  'trendsnbc',
  'news',
  'tiplineshare',
  'save',
  'newsmanage',
  'profileemail',
  'preferencessign',
  'outsearchsearchprofile',
  'newssign',
  'sign',
  'increate',
  'profilesectionsu.s.',
  'newspoliticsworldlocalbusinesshealthinvestigationsculture',
  'trendssciencesportstech',
  'mediavideo',
  'featuresphotosweathernbc',
  'selectdecision',
  'blknbc',
  'newsmsnbcmeet',
  'pressdatelinefeaturednbc',
  'news',
  'nowbetternightly',
  'filmsstay',
  'tunedspecial',
  'featuresnewsletterspodcastslisten',
  'nowmore',
  'nbccnbcnbc.comnbcu',
  'learnpeacocknext',
  'steps',
  'vetsparent',
  'news',
  'site',
  'maphelpfollow',
  'nbc',
  'newssearchsearchfacebooktwitteremailsmsprintwhatsappredditpocketflipboardpinterestlinkedinu.s.',
  'newsgeorgia',
  'governor',
  'state',
  'emergency',
  'tornado',
  'statethe',
  'line',
  'storm',
  'weather',
  'friday',
  'mississippi',
  'alabama',
  'tornado',
  'region',
  'weekend',
  'drone',
  'video',
  'destruction',
  'georgia',
  'storm',
  'news',
  'nowprintmarch',
  'pm',
  'mirna',
  'alsharifafter',
  'people',
  'weather',
  'mississippi',
  'alabama',
  'friday',
  'night',
  'georgia',
  'gov.',
  'brian',
  'kemp',
  'state',
  'emergency',
  'sunday',
  'morning',
  'storm',
  'tornado',
  'state',
  'storm',
  'system',
  'way',
  'georgia',
  'sunday',
  'thunderstorm',
  'velocity',
  'line',
  'wind',
  'tornado',
  'kemp',
  'declaration',
  'friday',
  'weather',
  'partner',
  'damage',
  'day',
  'georgians',
  'kemp',
  'radar',
  'tornado',
  'sunday',
  'morning',
  'lagrange',
  'georgia',
  'hour',
  'atlanta',
  'national',
  'weather',
  'service',
  'atlanta',
  'forecaster',
  'nikole',
  'listemaa',
  'tornado',
  'damage',
  'lagrange',
  'ga.',
  'twitternothing',
  'rating',
  'tornado',
  'picture',
  'damage',
  'tree',
  'area',
  'national',
  'weather',
  'service',
  'sunday',
  'morning',
  'georgia',
  'alabama',
  'tornado',
  'watch',
  'agency',
  'hail',
  'size',
  'tennis',
  'ball',
  'gust',
  'wind',
  'mph',
  'area',
  'sunday',
  'president',
  'joe',
  'biden',
  'disaster',
  'mississippi',
  'aid',
  'recovery',
  'effort',
  'white',
  'house',
  'statement',
  'georgia',
  'county',
  'tornado',
  'watch',
  'p.m.',
  'et',
  'sunday',
  'national',
  'weather',
  'service',
  'city',
  'macon',
  'sparta',
  'pine',
  'mountain',
  'pine',
  'mountain',
  'wild',
  'animal',
  'safari',
  'tiger',
  'enclosure',
  'tornado',
  'damage',
  'sunday',
  'morning',
  'drone',
  'video',
  'devastation',
  'tornado',
  'mississippimarch',
  'animal',
  'employee',
  'animal',
  'enclosure',
  'tiger',
  'enclosure',
  'wild',
  'animal',
  'safari',
  'facebook',
  'national',
  'weather',
  'service',
  'risk',
  'rainfall',
  'alabama',
  'georgia',
  'condition',
  'rainfall',
  'risk',
  'instance',
  'flash',
  'flooding',
  'county',
  'flash',
  'flood',
  'warning',
  'georgia',
  'pike',
  'hancock',
  'warren',
  'national',
  'weather',
  'service',
  'field',
  'office',
  'atlanta',
  'flash',
  'flooding',
  'concern',
  'evening',
  'hour',
  'training',
  'storm',
  'vicinity',
  'boundary',
  'agency',
  'risk',
  'weather',
  'georgia',
  'monday',
  'morning',
  'storm',
  'day',
  'monday',
  'utility',
  'customer',
  'power',
  'state',
  'p.m.',
  'et',
  'mirna',
  'alsharifbreaking',
  'news',
  'choicesprivacy',
  'policydo',
  'informationca',
  'noticenew',
  'terms',
  'service',
  'july',
  'news',
  'sitemapadvertiseselect',
  'shoppingselect',
  'personal',
  'finance',
  'nbc',
  'universalnbc',
  'news',
  'logomsnbc',
  'logotoday',
  'logo'],
 ['abc',
  'newsvideoliveshowselectionsinterest',
  'successfully',
  "addedwe'll",
  'news',
  'desktop',
  'notification',
  'story',
  'interest',
  'offonlog',
  'instream',
  'ontornadoes',
  'touch',
  'oklahoma',
  'winter',
  'storm',
  'northeastthere',
  'report',
  'damage',
  'injury',
  'bykenton',
  'gewecke',
  'max',
  'golembo',
  'morgan',
  'winsor',
  'emily',
  'shapirofebruary',
  'pm1:00neighbor',
  'home',
  'wheatland',
  'drive',
  'conway',
  'drive',
  'feb.',
  'norman',
  'okla.',
  'alonzo',
  'adams',
  'apamong',
  'tornado',
  'kansas',
  'oklahoma',
  'ef2',
  'tornado',
  'oklahoma',
  'city',
  'norman',
  'people',
  'norman',
  'tornado',
  'injury',
  'fatality',
  'city',
  'drone',
  'photo',
  'home',
  'frost',
  'lane',
  'feb.',
  'norman',
  'okla.',
  'alonzo',
  'adams',
  'apneighbor',
  'home',
  'wheatland',
  'drive',
  'conway',
  'drive',
  'feb.',
  'norman',
  'okla.',
  'alonzo',
  'adams',
  'apdrones',
  'damage',
  'monday',
  'norman',
  'police',
  'chief',
  'kevin',
  'foster',
  'road',
  'norman',
  'school',
  'foster',
  'home',
  'frost',
  'lane',
  'feb.',
  'norman',
  'okla.',
  'damage',
  'storm',
  'tornado',
  'oklahoma',
  'alonzo',
  'adams',
  'apa',
  'home',
  'tornado',
  'norman',
  'okla',
  'feb.',
  '2023.nick',
  'oxford',
  'reutersbarbara',
  'buckner',
  'home',
  'tornado',
  'norman',
  'oklahoma',
  'feb.',
  '2023.nick',
  'oxford',
  'reuterswind',
  'mph',
  'hail',
  'inch',
  'diameter',
  'oklahoma',
  'city',
  'gust',
  'mph',
  'memphis',
  'texas',
  'state',
  'line',
  'oklahoma',
  'national',
  'weather',
  'service',
  'weather',
  'system',
  'week',
  'california',
  'inch',
  'snow',
  'place',
  'inch',
  'rain',
  'customer',
  'power',
  'california',
  'monday',
  'snow',
  'home',
  'haven',
  'estates',
  'neighborhood',
  'rancho',
  'cucamonga',
  'calif.',
  'feb.',
  'edelson',
  'afp',
  'getty',
  'imagesin',
  'image',
  'caltrans',
  'traffic',
  'video',
  'camera',
  'traffic',
  'way',
  'condition',
  'highway',
  'pollock',
  'pines',
  'calif.',
  'feb.',
  '2023.caltrans',
  'apmore',
  'winter',
  'storm',
  'snow',
  'california',
  'great',
  'plains',
  'sunday',
  'night',
  'system',
  'midwest',
  'monday',
  'afternoon',
  'northeast',
  'monday',
  'evening',
  'thunderstorm',
  'wind',
  'tornado',
  'illinois',
  'indiana',
  'ohio',
  'kentucky',
  'tornado',
  'illinois',
  'minnesota',
  'wisconsin',
  'michigan',
  'mixture',
  'ice',
  'snow',
  'forecast',
  'customer',
  'power',
  'michigan',
  'wake',
  'ice',
  'storm',
  'week',
  'dte',
  'contractor',
  'crew',
  'power',
  'line',
  'feb.',
  'detroit',
  'carlos',
  'osorio',
  'apmore',
  'power',
  'california',
  'storm',
  'rain',
  'snow',
  'windsin',
  'northeast',
  'snow',
  'monday',
  'night',
  'tuesday',
  'morning',
  'snowfall',
  'rate',
  'inch',
  'hour',
  'new',
  'jersey',
  'new',
  'york',
  'city',
  'connecticut',
  'new',
  'york',
  'city',
  'boston',
  'inch',
  'snow',
  'monday',
  'night',
  'tuesday',
  'morning',
  'hartford',
  'connecticut',
  'inch',
  'foot',
  'catskills',
  'berkshires',
  'abc',
  'news',
  'victoria',
  'arancio',
  'flor',
  'demaria',
  'tolentino',
  'report',
  'topicsweathertornadoestop',
  'storiesruins',
  'vatican',
  'emperor',
  'nero',
  'theaterjul',
  'pmhouse',
  'ufo',
  'hearing',
  'ex',
  'knowledge',
  'craftjul',
  'amsinead',
  "o'connor",
  'u',
  'singer',
  '56jul',
  'pmmcconnell',
  'press',
  'conference',
  'return',
  'pmwhistleblower',
  'congress',
  'decade',
  'program',
  'ufosjul',
  'pmabc',
  'news',
  'live24/7',
  'coverage',
  'news',
  'eventsabc',
  'news',
  'networkprivacy',
  'policyyour',
  'state',
  'privacy',
  'rightschildren',
  'online',
  'privacy',
  'policyinterest',
  'adsabout',
  'nielsen',
  'measurementterms',
  'usedo',
  'sell',
  'informationcontact',
  'uscopyright',
  'abc',
  'news',
  'internet',
  'ventures',
  'right'],
 ['link',
  'weather',
  'news',
  'feed',
  'montana',
  'sports',
  'montana',
  'ag',
  'network',
  'open',
  'houses',
  'contests',
  'indian',
  'country',
  'fire',
  'voice',
  'positively',
  'montana',
  'obituaries',
  'snow',
  'storm',
  'school',
  'closure',
  'montana',
  'apr',
  'billing',
  'winter',
  'storm',
  'snow',
  'school',
  'closure',
  'montana',
  'area',
  'tuesday',
  'april',
  '2022).areas',
  'glendive',
  'baker',
  'foot',
  'snow',
  'area',
  'livingston',
  'montana',
  'blizzard',
  'warning',
  'effect',
  'montana',
  'wind',
  'mph',
  'list',
  'closure',
  'billing',
  'public',
  'schoolslockwood',
  'schoolshuntley',
  'project',
  'schoolsshepherd',
  'public',
  'schoolsbillings',
  'catholic',
  'schoolsbridger',
  'schoolschief',
  'dull',
  'knife',
  'collegebroadus',
  'schoolssidney',
  'public',
  'schoolsabsarokee',
  'schoolscolstrip',
  'public',
  'schoolsgeyser',
  'school',
  'districtelder',
  'grove',
  'schoolselysian',
  'school',
  'districtcuster',
  'schoolsbroadview',
  'schoolscanyon',
  'creek',
  'schoolbelfry',
  'schoolsfromberg',
  'school',
  'districtjoliet',
  'public',
  'schoolsharlowton',
  'public',
  'schoolspark',
  'city',
  'schoolslame',
  'deer',
  'public',
  'schoolsryegate',
  'schoolsred',
  'lodge',
  'schoolslavina',
  'schoolsrapelje',
  'schoolsreed',
  'point',
  'schoolsthe',
  'snow',
  'wednesday',
  'snow',
  'portion',
  'montana',
  'trending',
  'articlessnow',
  'storm',
  'school',
  'closure',
  'montanagf',
  'woman',
  'trafficking',
  'methwhat',
  'property',
  'gf?roadwork',
  'black',
  'list',
  'april',
  'copyright',
  'scripps',
  'media',
  'inc.',
  'right',
  'material',
  'headlines',
  'newsletter',
  'date',
  'information',
  'headlines',
  'newsletter',
  'newsletters',
  'golf',
  'hole',
  'scripps',
  'local',
  'media',
  'scripps',
  'media',
  'inc',
  'light',
  'people',
  'way'],
 ['restaurant',
  'report',
  'card',
  'killing',
  'lorenzen',
  'investigations',
  'problem',
  'solvers',
  'manhunt',
  'monday',
  'tyre',
  'nichols',
  'gun',
  'safe',
  'memphis',
  'local',
  'election',
  'headquarters',
  'politics',
  'hill',
  'bestreviews',
  'bestreviews',
  'daily',
  'deals',
  'automotive',
  'news',
  'wreg',
  'mobile',
  'apps',
  'newsletters',
  'press',
  'memphis',
  'weather',
  'hourly',
  'day',
  'forecast',
  'weather',
  'news',
  'memphis',
  'weather',
  'radar',
  'school',
  'closing',
  'delay',
  'school',
  'closing',
  'information',
  'weather',
  'alerts',
  'weather',
  'stream',
  'newscasts',
  'breaking',
  'news',
  'stream',
  'wreg',
  'tv',
  'schedule',
  'videos',
  'news',
  'bright',
  'spot',
  'community',
  'changers',
  'grizzlies',
  'tigers',
  'basketball',
  'memphis',
  'tigers',
  'football',
  'university',
  'mississippi',
  'gas',
  'price',
  'tracker',
  'gas',
  'memphis',
  'mid',
  'south',
  'fair',
  'spokeskid',
  'school',
  'contest',
  'winner',
  'pass',
  'nominate',
  'educator',
  'week',
  'educator',
  'week',
  'knowledge',
  'bowl',
  'contact',
  'people',
  'job',
  'wreg',
  'community',
  'calendar',
  'eeo',
  'report',
  'wreg',
  'captioning',
  'help',
  'bestreviews',
  'regional',
  'news',
  'partners',
  'history',
  'wreg',
  'tv',
  'wynne',
  'school',
  'superintendent',
  'kenneth',
  'moore',
  'gov.',
  'sarah',
  'huckabee',
  'sanders',
  'wynne',
  'high',
  'school',
  'friday',
  'tornado',
  'sunday',
  'read',
  'wynne',
  'school',
  'superintendent',
  'kenneth',
  'moore',
  'gov.',
  'sarah',
  'huckabee',
  'sanders',
  'wynne',
  'high',
  'school',
  'friday',
  'tornado',
  'sunday',
  'april',
  'wynne',
  'ark.',
  'thomas',
  'metthe',
  'arkansas',
  'democrat',
  'gazette',
  'nws',
  'storm',
  'survey',
  'tornado',
  'line',
  'wind',
  'tn',
  'ar',
  'ms',
  'apr',
  'pm',
  'cdt',
  'apr',
  'pm',
  'cdt',
  'wynne',
  'school',
  'superintendent',
  'kenneth',
  'moore',
  'gov.',
  'sarah',
  'huckabee',
  'sanders',
  'wynne',
  'high',
  'school',
  'friday',
  'tornado',
  'sunday',
  'wynne',
  'school',
  'superintendent',
  'kenneth',
  'moore',
  'gov.',
  'sarah',
  'huckabee',
  'sanders',
  'wynne',
  'high',
  'school',
  'friday',
  'tornado',
  'sunday',
  'april',
  'wynne',
  'ark.',
  'thomas',
  'metthe',
  'arkansas',
  'democrat',
  'gazette',
  'ap',
  'read',
  'apr',
  'pm',
  'cdt',
  'apr',
  'pm',
  'cdt',
  'memphis',
  'tenn.',
  'tornado',
  'mid',
  '-',
  'south',
  'friday',
  'survey',
  'national',
  'weather',
  'service',
  'people',
  'region',
  'memphis',
  'damage',
  'line',
  'wind',
  'tornado',
  'category',
  'ef-3',
  'tornado',
  'wind',
  'speed',
  'mph',
  'twister',
  'wynne',
  'arkansas',
  'covington',
  'tennessee',
  'adamsville',
  'tennessee',
  'storm',
  'victim',
  'mcnairy',
  'county',
  'tornado',
  'wind',
  'speed',
  'mph',
  'eudora',
  'mississippi',
  'nws',
  'memphis',
  'monday',
  'people',
  'wynne',
  'covington',
  'adamsville',
  'mcnairy',
  'county',
  'people',
  'child',
  'shelby',
  'county',
  'line',
  'wind',
  'damage',
  'tree',
  'infrastructure',
  'east',
  'memphis',
  'mid',
  'tornado',
  'victim',
  'memphis',
  'city',
  'official',
  'structure',
  'apartment',
  'complex',
  'building',
  'report',
  'tree',
  'typo',
  'error(required',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'amazon',
  'school',
  'deal',
  'schooler',
  'school',
  'corner',
  'amazon',
  'supply',
  'school',
  'deal',
  'supply',
  'schooler',
  'august',
  'vegetable',
  'flower',
  'flower',
  'plant',
  'hour',
  'soil',
  'air',
  'temperature',
  'sunshine',
  'august',
  'month',
  'planting',
  'chemical',
  'guys',
  'kit',
  'car',
  'car',
  'care',
  'hour',
  'chemical',
  'guys',
  'car',
  'wash',
  'kit',
  'time',
  'deal',
  'thank',
  'inbox',
  'thank',
  'inbox',
  'woman',
  'sex',
  'crime',
  'child',
  'arrest',
  'truck',
  'driver',
  'memphis',
  'fight',
  'man',
  'gas',
  'station',
  'shootout',
  'germantown',
  'emergency',
  'order',
  'thursday',
  'driver',
  'car',
  'run',
  'crash',
  'bluffing',
  'putin',
  'deployment',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'taiwan',
  'school',
  'office',
  'typhoon',
  'bomb',
  'threat',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'bluffing',
  'putin',
  'deployment',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'taiwan',
  'school',
  'office',
  'typhoon',
  'bomb',
  'threat',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'stock',
  'market',
  'today',
  'share',
  'federal',
  'russia',
  'un',
  'meeting',
  'soldier',
  'niger',
  'mom',
  'help',
  'boyfriend',
  'accident',
  'pass',
  'day',
  'cordova',
  'daycare',
  'worker',
  'car',
  'issue',
  'month',
  'woman',
  'lung',
  'cancer',
  'help',
  'time',
  'pass',
  'month',
  'woman',
  'care',
  'friend',
  'blessing',
  'month',
  'man',
  'struggle',
  'time',
  'friend',
  'month',
  'daycare',
  'worker',
  'cancer',
  'blessing',
  'coworker',
  'pass',
  'month',
  'redbird',
  'iowa',
  'loss',
  'ncaa',
  'college',
  'basketball',
  'academy',
  'memphis',
  'cardinal',
  'diamondback',
  'series',
  'finale',
  'vrabel',
  'henry',
  'role',
  'titans',
  'hopkins',
  'lenard',
  'memphis',
  'tiger',
  'tigers',
  'basketball',
  'day',
  'prospect',
  'camp',
  'step',
  'tiger',
  'program',
  'tiger',
  'aac',
  'preseason',
  'poll',
  'tigers',
  'football',
  'day',
  'coach',
  'yo',
  'deal',
  'oxford',
  'derrick',
  'henry',
  'vrabrel',
  'hopkins',
  'titans',
  'germantown',
  'emergency',
  'order',
  'thursday',
  'tennessee',
  'highway',
  'patrol',
  'bonus',
  'collierville',
  'woman',
  'sex',
  'crime',
  'hero',
  'funeral',
  'memphis',
  'firefighter',
  'stock',
  'market',
  'today',
  'share',
  'federal',
  'russia',
  'un',
  'meeting',
  'soldier',
  'niger',
  'biden',
  'relief',
  'heat',
  'las',
  'vegas',
  'casino',
  'mogul',
  'steve',
  'wynn',
  'm',
  'transgender',
  'intersex',
  'people',
  'biden',
  'prime',
  'minister',
  'trump',
  'jan.',
  'rioter',
  'gift',
  'summer',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'home',
  'depot',
  'foot',
  'skeleton',
  'halloween',
  'deal',
  'day',
  'prime',
  'day',
  'favorite',
  'amazon',
  'essentials',
  'clothe',
  'wreg',
  'meteorologist',
  'debut',
  'today',
  'weather',
  'expert',
  'tim',
  'simpson',
  'year',
  'lorenzen',
  'podcast',
  'woman',
  'sex',
  'crime',
  'child',
  'arrest',
  'truck',
  'driver',
  'memphis',
  'fight',
  'man',
  'gas',
  'station',
  'shootout',
  'germantown',
  'emergency',
  'order',
  'thursday',
  'driver',
  'car',
  'run',
  'crash',
  'arrest',
  'truck',
  'driver',
  'memphis',
  'thp',
  'bonus',
  'shelby',
  'county',
  'man',
  'gas',
  'station',
  'shootout',
  'man',
  'fox',
  'meadows',
  'man',
  'germantown',
  'emergency',
  'order',
  'thursday',
  'woman',
  'abuse',
  'kidnapping',
  'news',
  'channel',
  'memphis',
  'tn',
  'news',
  'sports',
  'weather',
  'eeo',
  'report',
  'wreg',
  'wjkt',
  'online',
  'public',
  'file',
  'wreg',
  'online',
  'public',
  'file',
  'wjkt',
  'public',
  'file',
  'fcc',
  'applications',
  'android',
  'app',
  'google',
  'play',
  'android',
  'weather',
  'app',
  'google',
  'play',
  'personal',
  'information',
  'personal',
  'information',
  'nexstar',
  'media',
  'inc.',
  'rights'],
 ['reader',
  'book',
  'club',
  'cocktail',
  'club',
  'b',
  'start',
  'advertise',
  'classified',
  'ads',
  'customer',
  'support',
  'newsletters',
  'careers',
  'contact',
  'obituaries',
  'mass.',
  'lottery',
  'powerball',
  'mega',
  'millions',
  'horoscopes',
  'comics',
  'today',
  'history',
  'business',
  'partner',
  'reader',
  'book',
  'club',
  'cocktail',
  'club',
  'b',
  'start',
  'advertise',
  'classified',
  'ads',
  'customer',
  'support',
  'newsletters',
  'careers',
  'contact',
  'obituaries',
  'mass.',
  'lottery',
  'powerball',
  'mega',
  'millions',
  'horoscopes',
  'comics',
  'today',
  'history',
  'business',
  'partners',
  'patrice',
  'bergeron',
  'karen',
  'read',
  'jaylen',
  'brown',
  'watch',
  'globe',
  'today',
  'snow',
  'accumulation',
  'mass.',
  'coating',
  'coast',
  'boston',
  'area',
  'rain',
  'dialynn',
  'dwyer',
  'jack',
  'pickell',
  'forecaster',
  'timing',
  'impact',
  'mix',
  'mass.',
  'shovel',
  'wintry',
  'mix',
  'snow',
  'massachusetts',
  'storm',
  'friday',
  'night',
  'mix',
  'snow',
  'sleet',
  'rain',
  'saturday',
  'meteorologist',
  'snow',
  'accumulation',
  'state',
  'elevation',
  'north',
  'mass.',
  'pike',
  'area',
  'massachusetts',
  'region',
  'forecaster',
  'snowfall',
  'storm',
  'nws',
  'boston',
  'nws',
  'gray',
  "nor'easter",
  'snowfall',
  'area',
  'tonight',
  'saturday',
  'march',
  'forecast',
  'location',
  'https://t.co/jeqhtxksdg',
  'pic.twitter.com/hvulet85ia',
  'nws',
  'gray',
  '@nwsgray',
  'march',
  'nws',
  'burlington',
  'winter',
  'storm',
  'warning',
  'effect',
  'vt',
  'ny',
  'snow',
  'evening',
  'sat',
  'morning',
  'sat',
  'afternoon',
  'https://t.co/bwraqa7ukd',
  'storm',
  'snow',
  'vtwx',
  'nywx',
  'pic.twitter.com/8k8bnys5rp',
  'nws',
  'burlington',
  '@nwsburlington',
  'march',
  'dave',
  'epstein',
  'colder',
  'air',
  'afternoon',
  'mix',
  'snow',
  'road',
  'accumulation',
  'coating',
  'inch',
  'surface',
  'pic.twitter.com/pp9p7w4gje',
  'dave',
  'epstein',
  '@growingwisdom',
  'march',
  'change',
  'map',
  'snow',
  'total',
  'set',
  'datum',
  'change',
  'hrs',
  'flake',
  'nature',
  'snow',
  'area',
  'w',
  'total',
  'dave',
  'epstein',
  '@growingwisdom',
  'march',
  'boston',
  'news',
  'message',
  'snow',
  'map',
  'total',
  'elevation',
  'interiormix',
  'rain',
  'cape',
  'islands*we',
  'burst',
  'snow',
  'storm',
  'chance',
  'snow',
  'coast',
  'pic.twitter.com/xln8nj7ixe',
  'vicki',
  'graf',
  '@vickigrafwx',
  'march',
  'snow',
  'sleet',
  'mass.',
  'boston',
  'metrowest',
  'water',
  'content',
  'thank',
  'sleet',
  'drop',
  'lot',
  'weight',
  'pic.twitter.com/ehinqgww5u',
  'chris',
  'lambert',
  '@clamberton7',
  'march',
  'wbz',
  'tv',
  'change',
  'tonight',
  "we'll",
  'tomorrow',
  'accumulation',
  'midnight',
  'sleet',
  'rain',
  'sun',
  'angle',
  'temp',
  'work',
  'day',
  'saturday',
  'wbz',
  'pic.twitter.com/6wchnj6iol',
  'eric',
  'fisher',
  '@ericfisher',
  'march',
  'nbc10',
  'boston',
  'necn',
  'southern',
  'new',
  'england',
  'interior',
  'accumulation',
  'thank',
  'sun',
  'strength',
  'october',
  'burst',
  'north',
  'central',
  'ma',
  'bit',
  'northern',
  'neweng',
  'pic.twitter.com/n88a7cvz25',
  'matt',
  'noyes',
  'nbc10',
  'boston',
  'necn',
  '@mattnbcboston',
  'march',
  'wcvb',
  'snow',
  'forecastheaviest',
  'snow',
  'n&w',
  'snow',
  'pike',
  'sleet',
  'water',
  'coating',
  'coast',
  'boston',
  'area',
  'wcvb',
  'pic.twitter.com/elvs5eiqfz',
  'cindy',
  'fitzgibbon',
  '@met_cindyfitz',
  'march',
  'newsletter',
  'signup',
  'date',
  'news',
  'boston.com',
  'conversationthis',
  'discussion',
  'boston.com',
  'visit',
  'tom',
  'brady',
  'supermodel',
  'irina',
  'shayk',
  'takeaway',
  'red',
  'sox',
  'triumph',
  'mlb',
  'braves',
  'jaylen',
  'brown',
  'contract',
  'celtics',
  'evolution',
  'nba',
  'patrick',
  'mendoza',
  'monica',
  'trattoria',
  'license',
  'thing',
  'patrice',
  'bergeron',
  'year',
  'career',
  'bruin',
  'meteorologist',
  'today',
  'storm',
  'heat',
  'boston',
  'meteorologist',
  'today',
  'weather',
  'weekend',
  'forecast',
  'boston',
  'meteorologist',
  'thunderstorm',
  'forecast',
  'today',
  'boston.com',
  'instagram',
  'opens',
  'new',
  'tab',
  'boston.com',
  'twitter',
  'opens',
  'new',
  'tab',
  'boston.com',
  'facebook',
  'opens',
  'new',
  'tab',
  'sign',
  'newsletter',
  'datum',
  'privacy',
  'policy',
  'gambling',
  'disclaimer',
  'advertise',
  'terms',
  'service',
  'member',
  'agreement',
  'contact',
  'careers',
  'coupon',
  'date',
  'boston',
  'news',
  'breaking',
  'update',
  'newsroom',
  'inbox',
  'thank',
  'window'],
 ['health',
  'sex',
  'relationships',
  'viral',
  'trends',
  'human',
  'interest',
  'parenting',
  'fashion',
  'beauty',
  'food',
  'drink',
  'travel',
  'louisiana',
  'mississippi',
  'alabama',
  'storm',
  'thank',
  'submission',
  'debris',
  'ground',
  'home',
  'tornado',
  'round',
  'rock',
  'texas',
  'storm',
  'weather',
  'louisiana',
  'mississippi',
  'alabama',
  'ap',
  'severe',
  'storm',
  'wind',
  'northeast',
  'week',
  'storm',
  'flood',
  'nyc',
  'subway',
  'car',
  'tree',
  'mph',
  'wind',
  'ocean',
  'water',
  'florida',
  'jaw',
  'dropping',
  'degree',
  'tub',
  'funnel',
  'dc',
  'microburst',
  'nyc',
  'storm',
  'northeast',
  'dallas',
  'storm',
  'system',
  'damage',
  'injury',
  'wake',
  'texas',
  'louisiana',
  'mississippi',
  'alabama',
  'tuesday',
  'weather',
  'outbreak',
  'storm',
  'prediction',
  'center',
  'area',
  'city',
  'baton',
  'rouge',
  'jackson',
  'mississippi',
  'tornado',
  'forecaster',
  'louisiana',
  'state',
  'authority',
  'thousand',
  'hurricane',
  'survivor',
  'government',
  'home',
  'vehicle',
  'trailer',
  'evacuation',
  'plan',
  'structure',
  'weather',
  'household',
  'quarter',
  'bob',
  'howard',
  'spokesman',
  'information',
  'center',
  'federal',
  'emergency',
  'management',
  'agency',
  'louisiana',
  'governor',
  'office',
  'homeland',
  'security',
  'emergency',
  'preparedness',
  'monday',
  'statement',
  'agency',
  'flood',
  'damage',
  'bout',
  'rainfall',
  'area',
  'risk',
  'flooding',
  'statement',
  'ground',
  'flood',
  'warning',
  'neighbor',
  'tornado',
  'home',
  'round',
  'rock',
  'texas',
  'ap',
  'household',
  'trailer',
  'fema',
  'home',
  'hurricane',
  'laura',
  'delta',
  'news',
  'release',
  'week',
  'trailer',
  'hurricane',
  'ida',
  'household',
  'howard',
  'louisiana',
  'rv',
  'trailer',
  'ida',
  'victim',
  'test',
  'program',
  'fema',
  'state',
  'fema',
  'housing',
  'need',
  'cellphone',
  'volume',
  'weather',
  'alert',
  'agency',
  'danger',
  'night',
  'debris',
  'ground',
  'house',
  'round',
  'rock',
  'texas',
  'tornado',
  'ap',
  'release',
  'home',
  'rv',
  'trailer',
  'government',
  'property',
  'storm',
  'misery',
  'wake',
  'texas',
  'people',
  'official',
  'official',
  'damage',
  'jacksboro',
  'mile',
  'kilometer',
  'northwest',
  'fort',
  'worth',
  'photograph',
  'medium',
  'storm',
  'wall',
  'roof',
  'jacksboro',
  'high',
  'school',
  'gym',
  'tear',
  'eye',
  'school',
  'principal',
  'starla',
  'sanders',
  'wfaa',
  'tv',
  'dallas',
  'storm',
  'city',
  'animal',
  'shelter',
  'damage',
  'truck',
  'tornado',
  'shopping',
  'center',
  'i-35',
  'sh',
  'round',
  'rock',
  'texas',
  'ap',
  'mile',
  'kilometer',
  'jacksboro',
  'bowie',
  'damage',
  'report',
  'people',
  'structure',
  'city',
  'manager',
  'bert',
  'cunningham',
  'damage',
  'east',
  'town',
  'entrapment',
  'people',
  'injury',
  'emergency',
  'manager',
  'kelly',
  'mcnabb',
  'east',
  'texas',
  'austin',
  'college',
  'station',
  'area',
  'storm',
  'tornado',
  'national',
  'weather',
  'service',
  'photograph',
  'medium',
  'damage',
  'building',
  'austin',
  'suburb',
  'round',
  'rock',
  'elgin',
  'injury',
  'michael',
  'talamantez',
  'house',
  'stratford',
  'drive',
  'round',
  'rock',
  'texas',
  'tornado',
  'ap',
  'texas',
  'gov.',
  'greg',
  'abbott',
  'news',
  'conference',
  'monday',
  'night',
  'austin',
  'williamson',
  'county',
  'storm',
  'damage',
  'state',
  'shoulder',
  'shoulder',
  'report',
  'fatality',
  'people',
  'life',
  'people',
  'home',
  'abbott',
  'time',
  'miracle',
  'damage',
  'knowledge',
  'report',
  'loss',
  'life',
  'tornado',
  'texas',
  'home',
  's',
  'story',
  'time',
  'girl',
  'montana',
  'police',
  'station',
  'miracle',
  'story',
  'time',
  'onlooker',
  'hunter',
  'biden',
  'sweetheart',
  'plea',
  'deal',
  'court',
  'story',
  'time',
  'teen',
  'country',
  'concert',
  'girlfriend',
  'horror',
  'expert',
  'weight',
  'overview',
  'found',
  'program',
  'safety',
  'pack',
  'fire',
  'extinguisher',
  '%',
  'sheet',
  'sleeper',
  'review',
  'expert',
  'sleep',
  'foundation',
  '%',
  'wayfair',
  'outdoor',
  'seating',
  'sale',
  'set',
  'sectional',
  'today',
  'beach',
  'wagon',
  'cart',
  'rollin',
  'beach',
  'kylie',
  'jenner',
  'stormi',
  'surgery',
  'teen',
  'kylie',
  'jenner',
  'boob',
  'job',
  'year',
  'denial',
  'jamie',
  'lynn',
  'spears',
  'responsibility',
  'fame',
  'noise',
  'activity',
  'mid',
  '-',
  'prison',
  'r.i.p.',
  'sinéad',
  'o’connor',
  'irish',
  'singer',
  'compare',
  'subject',
  'dead',
  'kevin',
  'spacey',
  'drinking',
  'acquittal',
  'london',
  'hotspot',
  'girl',
  'montana',
  'police',
  'station',
  'miracle',
  'news',
  'metro',
  'sports',
  'sports',
  'betting',
  'business',
  'opinion',
  'entertainment',
  'fashion',
  'beauty',
  'shopping',
  'lifestyle',
  'real',
  'estate',
  'media',
  'tech',
  'health',
  'travel',
  'astrology',
  'video',
  'photos',
  'stories',
  'alexa',
  'cover',
  'horoscopes',
  'sport',
  'odd',
  'podcast',
  'columnists',
  'classifieds',
  'email',
  'newsletters',
  'rss',
  'ny',
  'post',
  'official',
  'store',
  'home',
  'delivery',
  'new',
  'york',
  'post',
  'customer',
  'service',
  'apps',
  'community',
  'guidelines',
  'contact',
  'tips',
  'newsroom',
  'letters',
  'editor',
  'licensing',
  'reprints',
  'careers',
  'vulnerability',
  'disclosure',
  'program',
  'nyp',
  'holdings',
  'inc.',
  'rights',
  'reserved',
  'terms',
  'use',
  'membership',
  'terms',
  'privacy',
  'notice',
  'sitemap',
  'information'],
 ['day',
  'woman',
  'birth',
  'hospital',
  'heart',
  'attack',
  'seizure',
  'kidney',
  'failure',
  'blood',
  'transfusion',
  'problem',
  'death',
  'human',
  'trafficking',
  'sports',
  'entertainment',
  'life',
  'money',
  'tech',
  'travel',
  'opinion',
  'obituariesonly',
  'usa',
  'today',
  'newsletters',
  'subscribers',
  'archives',
  'crossword',
  'enewspaper',
  'magazines',
  'investigations',
  'weather',
  'forecast',
  'video',
  'humankind',
  'curiousbest',
  'booklist',
  'pets',
  'food',
  'reviewed',
  'coupons',
  'blueprint',
  'best',
  'auto',
  'insurance',
  'best',
  'pet',
  'insurance',
  'best',
  'travel',
  'insurance',
  'best',
  'credit',
  'cards',
  'best',
  'cd',
  'rate',
  'best',
  'personal',
  'loans',
  'weathersnowadd',
  'topicsnow',
  'nh',
  'maine',
  'storm',
  'prompt',
  'advisory',
  'road',
  'ian',
  'lenahanportsmouth',
  'winter',
  'storm',
  'new',
  'england',
  'new',
  'hampshire',
  'maine',
  'snow',
  'thursday',
  'friday',
  'morning',
  'region',
  'snowfall',
  'inch',
  'snow',
  'area',
  'new',
  'hampshire',
  'maine',
  'lunchtime',
  'meteorologist',
  'nikki',
  'becker',
  'national',
  'weather',
  'service',
  'gray',
  'maine',
  'mix',
  'thursday',
  'evening',
  'snow',
  'matter',
  'hour',
  'midnight',
  'number',
  'town',
  'city',
  'region',
  'p.m.',
  'night',
  'sleet',
  'hour',
  'becker',
  'friday',
  'morning',
  'hour',
  'rain',
  'p.m.',
  'p.m.',
  'mix',
  'way',
  'midnight',
  'midnight',
  'snow',
  'winter',
  'weather',
  'system',
  'colorado',
  'east',
  'coast',
  'week',
  'accuweather',
  'meteorologist',
  'john',
  'gresiak',
  'usa',
  'today',
  'friday',
  'snow',
  'mountain',
  'northeast',
  'adirondacks',
  'green',
  'mountain',
  'maine',
  'snowfall',
  'friday',
  'night',
  'country',
  'snow',
  'utah',
  'arizona',
  'colorado',
  'new',
  'mexico',
  'friday',
  'accuweather',
  'friday',
  'winter',
  'weather',
  'forecast',
  'storm',
  'east',
  'snow',
  'return',
  'utah',
  'arizona',
  'snow',
  'total',
  'new',
  'hampshire',
  'maine',
  'communities?snowfall',
  'total',
  'national',
  'weather',
  'service',
  'friday',
  'town',
  'city',
  'new',
  'hampshire',
  'maine',
  'coastline',
  'snow',
  'state',
  'morning',
  'report',
  'portsmouth',
  'new',
  'hampshire',
  'inch',
  'snow',
  'bridge',
  'kittery',
  'maine',
  'inch',
  'snow',
  'becker',
  'dover',
  'new',
  'hampshire',
  'inch',
  'snow',
  'durham',
  'inch',
  'hour',
  'great',
  'bay',
  'half',
  'inch',
  'a.m.',
  'kennebunk',
  'maine',
  'half',
  'inch',
  'becker',
  'report',
  'snowfall',
  'area',
  'community',
  'inch',
  'municipality',
  'wintry',
  'mix',
  'beginning',
  'storm',
  'flooding',
  'advisory',
  'beach',
  'area',
  'nh',
  'mainewhile',
  'wind',
  'meteorologist',
  'flooding',
  'advisory',
  'national',
  'weather',
  'service',
  'portland',
  'maine',
  'area',
  'maine',
  'coastline',
  'peak',
  'tide',
  'becker',
  'storm',
  'roads?road',
  'storm',
  'new',
  'hampshire',
  'state',
  'police',
  'weather',
  'incident',
  'a.m.',
  'friday',
  'instance',
  'injury',
  'car',
  'interstate',
  'northbound',
  'new',
  'hampshire',
  'travel',
  'time',
  'destination',
  'morning',
  'snow',
  'ice',
  'vehicle',
  'new',
  'hampshire',
  'state',
  'police',
  'medium',
  'maine',
  'turnpike',
  'authority',
  'thursday',
  'evening',
  'speed',
  'limit',
  'mph',
  'place',
  'request',
  'maine',
  'state',
  'police“please',
  'caution',
  'speed',
  'condition',
  'limit',
  'turnpike',
  'authority',
  'new',
  'hampshire',
  'department',
  'transportation',
  'crash',
  'interstate',
  'friday',
  'traffic',
  'impact',
  'accident',
  'lane',
  'road',
  'ashley',
  'r.',
  'williams',
  'usa',
  'todayfeatured',
  'weekly',
  'adabout',
  'newsroom',
  'staff',
  'ethical',
  'principles',
  'correction',
  'press',
  'accessibility',
  'sitemap',
  'subscription',
  'terms',
  'conditions',
  'terms',
  'service',
  'california',
  'privacy',
  'rights',
  'privacy',
  'policy',
  'privacy',
  'policydo',
  'sell',
  'share',
  'target',
  'infocookie',
  'settingscontact',
  'account',
  'feedback',
  'home',
  'delivery',
  'enewspaper',
  'usa',
  'today',
  'shop',
  'usa',
  'today',
  'print',
  'editions',
  'licensing',
  'reprints',
  'advertise',
  'careers',
  'internships',
  'businessnews',
  'tips',
  'letter',
  'editor',
  'newsletters',
  'mobile',
  'app',
  'facebook',
  'twitter',
  'instagram',
  'linkedin',
  'pinterest',
  'youtube',
  'reddit',
  'flipboard',
  'jobs',
  'sports',
  'betting',
  'sports',
  'weekly',
  'studio',
  'gannett',
  'classifieds',
  'coupons',
  'blueprint',
  'auto',
  'insurance',
  'pet',
  'insurance',
  'travel',
  'insurance',
  'credit',
  'cards',
  'banking',
  'personal',
  'loans',
  'usa',
  'today',
  'division',
  'gannett',
  'satellite',
  'information',
  'network',
  'llc'],
 ['menuweatherclimatestorm',
  'trackerwildfire',
  'trackervideoaudiosearch',
  'cnnclimatestorm',
  'trackerwildfire',
  'trackervideosearchaudioeditionusinternationalarabicespañoleditionusinternationalarabicespañoluscrime',
  'justiceenergy',
  'environmentextreme',
  'weatherspace',
  'kingdompoliticsthe',
  'biden',
  'presidencyfacts',
  'first2022',
  'midtermsbusinesstechmediasuccessperspectivesvideosmarketspre',
  'marketsafter',
  'hoursmarket',
  'moversfear',
  'greedworld',
  'op',
  'edssocial',
  'commentaryhealthlife',
  'futuremission',
  'aheadupstartswork',
  'transformedinnovative',
  'citiesstyleartsdesignfashionarchitectureluxurybeautyvideotraveldestinationsfood',
  'drinkstaynewsvideossportspro',
  'tv',
  'digital',
  'studioscnn',
  'scheduletv',
  'zcnnvraudiocnn',
  'underscoredelectronicsfashionbeautyhealth',
  'fitnesshomereviewsdealsmoneygiftstraveloutdoorspetscnn',
  'storecouponsweatherclimatestorm',
  'trackerwildfire',
  'trackervideomorephotoslongforminvestigationscnn',
  'profilescnn',
  'newsletterswork',
  'cnnfollow',
  'cnn',
  'weather',
  'story',
  'storm',
  'track',
  'f',
  '°',
  'clocal',
  'forecast',
  'current',
  'conditions',
  '°',
  '°',
  'feel',
  'humidity',
  'wind',
  'sunrise',
  'sunset',
  'pressure',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  '°',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  '°',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  '°',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  '°',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  '°',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  '°',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  '°',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  '°',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  'sign',
  'email',
  'update',
  'cnn',
  'meteorologistsapril',
  '11th',
  'river',
  'moisture',
  'storm',
  'tornado',
  'weekmarch',
  'scientist',
  'plane',
  'cloud',
  'hurricane',
  'season',
  'forecast',
  'louisiana',
  'resident',
  'sparedby',
  'jennifer',
  'gray',
  'cnn',
  'hurricane',
  'season',
  'forecast',
  'hurricane',
  'category',
  'hurricane',
  'facility',
  'hurricane',
  'wind',
  'mph',
  'storm',
  'surge',
  'hurricane',
  'louisiana',
  'cancer',
  'alley',
  'hurricane',
  'hunter',
  'plane',
  'pattern',
  'storm',
  'hurricanes',
  'whycheck',
  'video',
  'state',
  'dam',
  'water',
  'lake',
  'powell',
  'today',
  'tornado',
  'truck',
  'shopper',
  'texasfish',
  'sky',
  'weather',
  'weatherin',
  'picture',
  'storm',
  'million',
  'usin',
  'picture',
  'australiain',
  'picture',
  'wildfire',
  'colorado',
  'texasdesert',
  'saudi',
  'arabiaextreme',
  'weather',
  'thunderstorm',
  'tornadohow',
  'lightning4',
  'tornado',
  'safety',
  'tip',
  'blizzard',
  'impact',
  'bethe',
  'difference',
  'tornado',
  'watch',
  'warningflash',
  'flooding',
  'searchaudiouscrime',
  'justiceenergy',
  'environmentextreme',
  'weatherspace',
  'kingdompoliticsthe',
  'biden',
  'presidencyfacts',
  'first2022',
  'midtermsbusinesstechmediasuccessperspectivesvideosmarketspre',
  'marketsafter',
  'hoursmarket',
  'moversfear',
  'greedworld',
  'op',
  'edssocial',
  'commentaryhealthlife',
  'futuremission',
  'aheadupstartswork',
  'transformedinnovative',
  'citiesstyleartsdesignfashionarchitectureluxurybeautyvideotraveldestinationsfood',
  'drinkstaynewsvideossportspro',
  'tv',
  'digital',
  'studioscnn',
  'scheduletv',
  'zcnnvraudiocnn',
  'underscoredelectronicsfashionbeautyhealth',
  'fitnesshomereviewsdealsmoneygiftstraveloutdoorspetscnn',
  'storecouponsweatherclimatestorm',
  'trackerwildfire',
  'trackervideomorephotoslongforminvestigationscnn',
  'profilescnn',
  'newsletterswork',
  'cnnweatheraudiofollow',
  'cnn',
  'term',
  'useprivacy',
  'policyaccessibility',
  'ccad',
  'choicesabout',
  'newsourcesitemap',
  'cable',
  'news',
  'network',
  'warner',
  'bros.',
  'discovery',
  'company',
  'rights',
  'cnn',
  'sans',
  'cable',
  'news',
  'network'],
 ['albuquerque',
  'user',
  'image',
  'website',
  'medium',
  'library',
  'image',
  'usage',
  'right',
  'abq',
  'thing',
  '•',
  'artist',
  'art',
  'classes',
  'art',
  'associations',
  'performing',
  'art',
  'theaters',
  'event',
  'centers',
  'live',
  'music',
  'concerts',
  'albuquerque',
  'aerial',
  'adventures',
  'hot',
  'air',
  'ballooning',
  'sightseeing',
  'guided',
  'tours',
  'train',
  'event',
  'mexican',
  'american',
  'mexican',
  'places',
  'search',
  'book',
  'places',
  'bed',
  'breakfasts',
  'guest',
  'houses',
  'trip',
  'balloon',
  'fiesta',
  'park',
  'thing',
  'artist',
  'art',
  'classes',
  'art',
  'associations',
  'performing',
  'art',
  'theaters',
  'event',
  'centers',
  'live',
  'music',
  'concerts',
  'albuquerque',
  'aerial',
  'adventures',
  'hot',
  'air',
  'ballooning',
  'aerial',
  'adventures',
  'hot',
  'air',
  'ballooning',
  'sightseeing',
  'guided',
  'tours',
  'train',
  'rides',
  'sightseeing',
  'guided',
  'tours',
  'train',
  'rides',
  'grocery',
  'stores',
  'packaged',
  'liquor',
  'stores',
  'jewelry',
  'southwestern',
  'indian',
  'arts',
  'crafts',
  'new',
  'mexican',
  'american',
  'mexican',
  'search',
  'book',
  'places',
  'bed',
  'breakfasts',
  'guest',
  'houses',
  'pet',
  'friendly',
  'hotels',
  'places',
  'albuquerque',
  'free',
  'thing',
  'albuquerque',
  'plan',
  'meeting',
  'culturally',
  'rich',
  'albuquerque',
  'high',
  'tech',
  'meeting',
  'high',
  'desert',
  'albuquerque',
  'neighborhood',
  'hospitality',
  'event',
  'attendee',
  'work',
  'trip',
  'albuquerque',
  'day',
  'day',
  'trip',
  'suggestion',
  'group',
  'tours',
  'new',
  'mexico',
  'national',
  'state',
  'parks',
  'hot',
  'air',
  'ballooning',
  'capital',
  'world',
  'familiarization',
  'tour',
  'site',
  'inspection',
  'tour',
  'section',
  'time',
  'time',
  'albuquerque',
  'new',
  'mexico',
  'response',
  'weather',
  'visitor',
  'day',
  'albuquerque',
  'year',
  'round',
  'day',
  'sunshine',
  'climate',
  'season',
  'humidity',
  'temperature',
  'summer',
  'winter',
  'rainfall',
  'inch',
  'humidity',
  'percent',
  'humidity',
  'sunshine',
  'visitor',
  'plenty',
  'water',
  'visitor',
  'sunblock',
  'spf',
  'skin',
  'protection',
  'uv',
  'ray',
  'altitude',
  'albuquerque',
  'elevation',
  'foot',
  'experience',
  'albuquerque',
  'odd',
  'day',
  'weather',
  'albuquerque',
  'weather',
  'chart',
  'average',
  'temperature',
  'humidity',
  'sunshine',
  'trip',
  'albuquerque',
  'albuquerque',
  'money',
  'albuquerque',
  'new',
  'mexico',
  'restaurant',
  'shopping',
  'hotel',
  'attraction',
  'theater',
  'americanstyle',
  'magazine',
  'art',
  'destination',
  'city',
  'albuquerque',
  'mile',
  'sea',
  'level',
  'ft',
  '.',
  'elevation',
  'desert',
  'albuquerque',
  'fun',
  'age',
  'family',
  'fun',
  'page',
  'discount',
  'news',
  'event',
  'email',
  'areas',
  'airport',
  'balloon',
  'fiesta',
  'park',
  'n',
  'i-25',
  'downtown',
  'eastside',
  'midtown',
  'university',
  'northvalley',
  'losranchos',
  'corrales',
  'old',
  'town',
  'surrounding',
  'areas',
  'uptown',
  'westside',
  'business',
  'listings',
  'contact',
  'privacy',
  'policy',
  'tourism',
  'grants',
  'en',
  'español',
  'translation',
  'disclaimer',
  'advertise'],
 ['main',
  'content',
  'sensor',
  'network',
  'maps',
  'radar',
  'severe',
  'weather',
  'news',
  'blogs',
  'mobile',
  'apps',
  'nearest',
  'station',
  'manage',
  'favorite',
  'citieslog',
  'joinsettingsaccount_box',
  'log',
  'person_add',
  'join',
  'setting',
  'settings',
  'sensor',
  'networkmaps',
  'radarsevere',
  'weathernews',
  'blogsmobile',
  'appshistorical',
  'weatherstarnews',
  'blogs',
  'category',
  'new',
  'stories',
  'infographics',
  'posters',
  'category',
  'category',
  'storiesinfographicspostersexpect',
  'storm',
  'surge',
  'foot',
  'landfalling',
  'category',
  'storm',
  'carolinasdr',
  'jeff',
  'masters',
  'september',
  'pm',
  'edtabove',
  'atlantic',
  'house',
  'restaurant',
  'folly',
  'beach',
  'south',
  'carolina',
  'hurricane',
  'hugo',
  'storm',
  'surge',
  'inset',
  'credit',
  'noaa',
  'photo',
  'library',
  'landfalling',
  'category',
  'hurricane',
  'mainland',
  'u.s.',
  'landfall',
  'average',
  'year',
  'category',
  'landfall',
  'record',
  'landfall',
  'cat4s',
  'cat5s',
  'south',
  'carolina',
  'latitude',
  'florence',
  'company',
  'landfall',
  'category',
  'strength',
  'north',
  'south',
  'carolina',
  'florence',
  'coast',
  'north',
  'south',
  'carolina',
  'category',
  'hurricane',
  'record',
  'storm',
  'surge',
  'height',
  'surge',
  'expert',
  'today',
  'dr.',
  'robert',
  'young',
  'professor',
  'coastal',
  'geology',
  'western',
  'carolina',
  'university',
  'track',
  'hurricane',
  'florence',
  'size',
  'strength',
  'landfall',
  'geomorphology',
  'region',
  'record',
  'storm',
  'surge',
  'portion',
  'warning',
  'area',
  'storm',
  'surge',
  'expert',
  'dr.',
  'hal',
  'needham',
  '+',
  'foot',
  'storm',
  'surge',
  'storm',
  'tide',
  'carolinas',
  'florence',
  'bit',
  'time',
  'landfall',
  'surge',
  'height',
  'wind',
  'wind',
  'landfall',
  '”it',
  'thing',
  'landfall',
  'hurricane',
  'south',
  'carolina',
  'north',
  'carolina',
  'coast',
  'coastline',
  'storm',
  'carolina',
  'category',
  'hurricane',
  'storm',
  'tide',
  'foot',
  'hugo',
  'hazel',
  'storm',
  'gracie',
  '-did',
  'tide',
  'flooding',
  'storm',
  'tide',
  'combination',
  'storm',
  'surge',
  'tide',
  'height',
  'sea',
  'level',
  'national',
  'hurricane',
  'center',
  'terminology',
  'height',
  'ground',
  'level',
  'storm',
  'tide',
  'height',
  'surge',
  'tide',
  'tide',
  'mark',
  'vulnerability',
  'coastline',
  'shelf',
  'mile',
  'shore',
  'region',
  'water',
  'foot',
  'storm',
  'surge',
  'water',
  'height',
  'storm',
  'surge',
  'basic',
  'page',
  'maximum',
  'maximum',
  'envelope',
  'water',
  'mom',
  'storm',
  'tide',
  'image',
  'surge',
  'suite',
  'mid',
  '-',
  'strength',
  'category',
  'hurricane',
  'wind',
  'mph',
  'tide',
  'tide',
  'level',
  'north',
  'carolina',
  'south',
  'carolina',
  'border',
  'storm',
  'tide',
  'height',
  'ground',
  'storm',
  'surge',
  'rise',
  'case',
  'storm',
  'tide',
  'grid',
  'cell',
  'coloration',
  'inundation',
  'inundation',
  'case',
  'scenario',
  'coast',
  'section',
  'coast',
  'surge',
  'level',
  'peak',
  'value',
  'right',
  'storm',
  'center',
  'landfall',
  'image',
  'national',
  'hurricane',
  'center',
  'sea',
  'lake',
  'overland',
  'surge',
  'hurricanes',
  'slosh',
  'model',
  'storm',
  'surge',
  'inundation',
  'map',
  'u.s.',
  'coast',
  'information',
  'wu',
  'storm',
  'surge',
  'inundation',
  'map',
  'u.s.',
  'coast',
  'noaa',
  'slosh',
  'model',
  'story',
  'center',
  'landfall',
  'mid',
  '-',
  'strength',
  'category',
  'hurricane',
  'mph',
  'wind',
  'tide',
  'case',
  'scenario',
  'storm',
  'tide',
  'excess',
  'foot',
  'ground',
  'level',
  'coast',
  'south',
  'carolina',
  'coast',
  'north',
  'carolina',
  'south',
  'carolina',
  'border',
  'morehead',
  'city',
  'location',
  'surge',
  'foot',
  'category',
  'storm',
  'peak',
  'storm',
  'tide',
  'foot',
  'slosh',
  'model',
  'intracoastal',
  'waterway',
  'north',
  'myrtle',
  'beach',
  'south',
  'carolina',
  'peak',
  'surge',
  'mile',
  'stretch',
  'coast',
  'eyewall',
  'landfall',
  'florence',
  'landfall',
  'wilmington',
  'nc',
  'example',
  'surge',
  'jacksonville',
  'hurdat',
  'hurricane',
  'database',
  'category',
  'hurricane',
  'u.s.',
  'coast',
  'georgia',
  'record',
  'keeping',
  'hurricane',
  'hugohurricane',
  'hugo',
  'landfall',
  'charleston',
  'south',
  'carolina',
  'september',
  'category',
  'storm',
  'mph',
  'wind',
  'mb',
  'pressure',
  'storm',
  'surge',
  'foot',
  'awendaw',
  'foot',
  'bull',
  'bay',
  'charleston',
  'storm',
  'surge',
  'animation',
  'hugo',
  'surge',
  'destruction',
  'portion',
  'damage',
  'dollar',
  'storm',
  'time',
  'hugo',
  'hurricane',
  'record',
  'figure',
  'track',
  'hurricane',
  'hugo',
  'storm',
  'hurricane',
  'hugo',
  'noaa',
  'slosh',
  'model',
  'hurricane',
  'graciehurricane',
  'gracie',
  'landfall',
  'edisto',
  'beach',
  'south',
  'carolina',
  'september',
  'category',
  'hurricane',
  'mph',
  'wind',
  'mb',
  'pressure',
  'hurricane',
  'mph',
  'wind',
  'end',
  'category',
  'storm',
  'saffir',
  'simpson',
  'scale',
  'storm',
  'surge',
  'flooding',
  'storm',
  'landfall',
  'time',
  'tide',
  'animation',
  'charleston',
  'storm',
  'tide',
  'coast',
  'south',
  'carolina',
  'storm',
  'tide',
  'foot',
  'sea',
  'level',
  'figure',
  'track',
  'hurricane',
  'gracie',
  'storm',
  'hurricane',
  'gracie',
  'noaa',
  'slosh',
  'model',
  'hurricane',
  'hazelhurricane',
  'hazel',
  'landfall',
  'north',
  'carolina',
  'south',
  'carolina',
  'border',
  'october',
  'category',
  'hurricane',
  'mph',
  'wind',
  'mb',
  'pressure',
  'mile',
  'eye',
  'mile',
  'stretch',
  'north',
  'carolina',
  'coast',
  'south',
  'carolina',
  'border',
  'storm',
  'surge',
  'excess',
  'foot',
  'peak',
  'storm',
  'tide',
  'foot',
  'sunset',
  'beach',
  'storm',
  'surge',
  'animation',
  'damage',
  'hurricane',
  'tide',
  'year',
  'hazel',
  'surge',
  'destruction',
  'beach',
  'new',
  'hanover',
  'brunswick',
  'county',
  'building',
  'long',
  'beach',
  'north',
  'carolina',
  'report',
  'weather',
  'bureau',
  'raleigh',
  'north',
  'carolina',
  'result',
  'hazel',
  'trace',
  'civilization',
  'waterfront',
  'state',
  'line',
  'cape',
  'fear',
  'noaa',
  'pier',
  'distance',
  'mile',
  'coastline',
  'figure',
  'track',
  'hurricane',
  'hazel',
  'storm',
  'hurricane',
  'hazel',
  'noaa',
  'slosh',
  'model',
  'category',
  'hurricane',
  'storm',
  'surge',
  'north',
  'carolinaas',
  'number',
  'category',
  'hurricane',
  'storm',
  'surge',
  'north',
  'carolina',
  'hurricane',
  'fran',
  'state',
  'end',
  'category',
  'storm',
  'mph',
  'wind',
  'pressure',
  'foot',
  'storm',
  'tide',
  'coast',
  'topsail',
  'island',
  'line',
  'florence',
  'storm',
  'surge',
  'minute',
  'life',
  'post',
  'friday',
  'storm',
  'surge',
  'damage',
  'florence',
  'moon',
  'phase',
  'weather',
  'company',
  'mission',
  'weather',
  'news',
  'environment',
  'importance',
  'science',
  'life',
  'story',
  'position',
  'parent',
  'company',
  'ibm',
  'dr.',
  'jeff',
  'mastersdr',
  'jeff',
  'masters',
  'weather',
  'underground',
  'ph.d.',
  'air',
  'pollution',
  'meteorology',
  'university',
  'michigan',
  'noaa',
  'hurricane',
  'hunters',
  'flight',
  'articlescategory',
  'sight',
  'rainbow',
  'bob',
  'henson',
  'june',
  'edt',
  'section',
  'miscellaneous',
  'alexander',
  'von',
  'humboldt',
  'scientist',
  'extraordinaire',
  'tom',
  'niziol',
  'june',
  'pm',
  'edt',
  'section',
  'time',
  'weather',
  'underground',
  'favorite',
  'posts',
  'christopher',
  'c.',
  'burt',
  'june',
  'pm',
  'edt',
  'section',
  'miscellaneous',
  'appsabout',
  'uscontactcareerspws',
  'networkwundermapfeedback',
  'supportterms',
  'useprivacy',
  'policyaccessibility',
  'statementadchoicesdata',
  'vendorswe',
  'responsibility',
  'datum',
  'technology',
  'datum',
  'data',
  'vendor',
  'control',
  'datum',
  'datum',
  'rightspowered',
  'ibm',
  'cloud',
  'copyright',
  'twc',
  'product',
  'technology',
  'llc',
  'javascript',
  'application'],
 ['accessibility',
  'contentdemocracy',
  'darknesssign',
  'inthe',
  'washington',
  'postdemocracy',
  'darknessweatherclimate',
  'extreme',
  'weather',
  'capital',
  'weather',
  'gang',
  'environment',
  'climate',
  'lab',
  'weatherclimate',
  'extreme',
  'weather',
  'capital',
  'weather',
  'gang',
  'environment',
  'climate',
  'lab',
  'west',
  'virginia',
  'snowfall',
  'record',
  'inchesmultiple',
  'location',
  'foot',
  'foot',
  'ian',
  'livingstonupdated',
  'a.m.',
  'p.m.',
  'edta',
  'local',
  'day',
  'white',
  'grass',
  'canaan',
  'valley',
  'w.va',
  'thomas',
  'yocum',
  'listen4',
  'mincomment',
  'storycommentgift',
  'articlesharerare',
  'snow',
  'west',
  'virginia',
  'country',
  'monday',
  'flake',
  '-',
  'dawn',
  'thursday',
  'state',
  'season',
  'snowfall',
  'record',
  'wpget',
  'experience',
  'weather',
  'pattern',
  'snow',
  'midwinter',
  'wind',
  'air',
  'mountain',
  'slope',
  'inch',
  'snowfall',
  'elevation',
  'location',
  'snowstorm',
  'year',
  'spring',
  'winter',
  'month',
  'snowfall',
  'cause',
  'zone',
  'snowfall',
  'zone',
  'pressure',
  'dip',
  'jet',
  'stream',
  'united',
  'states',
  'advertisementthis',
  'system',
  'day',
  'condition',
  'quadrant',
  'lower',
  'addition',
  'snowfall',
  'west',
  'virginia',
  'mountain',
  'snow',
  'michigan',
  'upper',
  'peninsula',
  'dust',
  'storm',
  'illinois',
  'pressure',
  'area',
  'mountain',
  'state',
  'rest',
  'week',
  'warmth',
  'week',
  'historic',
  'west',
  'virginia',
  'snowit',
  'location',
  'state',
  'record',
  'snowfall',
  'total',
  'database',
  'inch',
  'beckley',
  'west',
  'virginia',
  'year',
  'half',
  'national',
  'weather',
  'service',
  'observer',
  'snowshoe',
  'ski',
  'resort',
  'state',
  'inch',
  'snow',
  'day',
  'spotter',
  'report',
  'canaan',
  'valley',
  'north',
  'observer',
  'inch',
  'canaan',
  'heights',
  'inch',
  'town',
  'davis',
  'canaan',
  'valley',
  'slice',
  'canada',
  'mile',
  'washington“from',
  'source',
  'snowfall',
  'canaan',
  'heights',
  'snowstorm',
  'wv',
  'history',
  'robert',
  'leffler',
  'meteorologist',
  'weather',
  'service',
  'email',
  'total',
  'snowfall',
  'inch',
  'snow',
  'depth',
  'wv',
  'record',
  '”may',
  '',
  '',
  'wvwx',
  'snowshoemtn',
  'pic.twitter.com/gcuzs9eiwh',
  'snowshoemtn',
  '@snowshoemtn',
  'december',
  'spring',
  'snow',
  'morning',
  'davis',
  'west',
  'virginia',
  '°',
  'wvwx',
  'pic.twitter.com/o8b256agqi',
  'bryce',
  'shelton',
  'report',
  'canaan',
  'valley',
  'wednesday',
  'morning',
  'snow',
  'road',
  'elevation',
  'foot',
  'temperature',
  '20',
  'davis',
  'foot',
  'road',
  'shape',
  'advertisementin',
  'location',
  'country',
  'region',
  'snowfall',
  'average',
  'snowfall',
  'season',
  'davis',
  'storm',
  'winter',
  'mid',
  '-',
  'march',
  'snow',
  'mid',
  '-',
  'october',
  'west',
  'virginia',
  'snow',
  'total',
  'region',
  'laurel',
  'summit',
  'seven',
  'springs',
  'ski',
  'area',
  'pennsylvania',
  'inch',
  'snowfall',
  'total',
  'state',
  'western',
  'maryland',
  'total',
  'year',
  'inch',
  'case',
  'snowfall',
  'storm',
  'snow',
  'washington',
  'winter',
  'storm',
  'booksalong',
  'snow',
  'accumulation',
  'michigan',
  'upper',
  'peninsula',
  'tuesday',
  'advertisementthe',
  'weather',
  'service',
  'office',
  'marquette',
  'inch',
  'event',
  'record',
  'snow',
  'water',
  'equivalent',
  'inch',
  'rain',
  'water',
  'cement',
  'snowpack',
  'flood',
  'watch',
  'region',
  'concern',
  'snowstorm',
  'end',
  'snowfall',
  'record',
  'marquette',
  'national',
  'weather',
  'service',
  'office',
  'record',
  'tomorrow',
  'storm',
  'total',
  'snow',
  'upper',
  'michigan',
  'nws',
  'marquette',
  '@nwsmarquette',
  'inch',
  'terrain',
  'northwest',
  'marquette',
  'tuesday',
  'day',
  'total',
  'inch',
  'snow',
  'herman',
  'michigan',
  'upper',
  'peninsula',
  'day',
  'snowfall',
  'record',
  'half',
  'country',
  'alaska',
  'climatologist',
  'brian',
  'brettschneider',
  'storm',
  'storm',
  'great',
  'lakes',
  'northeast',
  'weekend',
  'weekend',
  'chilly',
  'condition',
  'thursday',
  'mid',
  '-',
  'atlantic',
  'northeast',
  'melting',
  'high',
  'temperature',
  'country',
  '40',
  '50',
  '60',
  'warming',
  'trend',
  'week',
  'area',
  'snowfall',
  'temperature',
  'commentsgift',
  'articlegift',
  'articleloading',
  'view',
  'more2023',
  'heat',
  'tracker1590',
  'degree',
  'day',
  'faraverage',
  'year',
  'date23yearly',
  'average40record',
  'most67',
  'fewest7',
  'year38top',
  'news',
  'weather',
  'sport',
  'event',
  'restaurant',
  'obamas',
  'chef',
  'tafari',
  'campbell',
  'food',
  'delay',
  'heroic',
  'nats',
  'rockiesnationals',
  'streak',
  'patrick',
  'corbin',
  'rockiesrefreshtry',
  'account',
  'preferencestweet',
  'post',
  'newsroom',
  'policies',
  'standards',
  'diversity',
  'inclusion',
  'careers',
  'media',
  'community',
  'relations',
  'wp',
  'creative',
  'group',
  'accessibility',
  'statement',
  'postgift',
  'subscriptions',
  'mobile',
  'apps',
  'newsletters',
  'alerts',
  'washington',
  'post',
  'live',
  'reprints',
  'permissions',
  'post',
  'store',
  'books',
  'e',
  '-',
  'book',
  'newspaper',
  'education',
  'print',
  'archives',
  'subscribers',
  'today',
  'paper',
  'public',
  'notices',
  'contact',
  'uscontact',
  'newsroom',
  'contact',
  'customer',
  'care',
  'contact',
  'opinions',
  'team',
  'advertise',
  'licensing',
  'syndication',
  'request',
  'correction',
  'news',
  'tip',
  'report',
  'vulnerability',
  'terms',
  'usedigital',
  'products',
  'terms',
  'sale',
  'print',
  'products',
  'term',
  'sale',
  'terms',
  'service',
  'privacy',
  'policy',
  'cookie',
  'settings',
  'submissions',
  'discussion',
  'policy',
  'rss',
  'terms',
  'service',
  'ad',
  'choices',
  'washington',
  'postwashingtonpost.com',
  'washington',
  'postabout',
  'post',
  'contact',
  'newsroom',
  'contact',
  'customer',
  'care',
  'request',
  'correction',
  'news',
  'tip',
  'report',
  'vulnerability',
  'download',
  'washington',
  'post',
  'app',
  'policies',
  'standards',
  'terms',
  'service',
  'privacy',
  'policy',
  'cookie',
  'settings',
  'print',
  'products',
  'terms',
  'sale',
  'digital',
  'products',
  'terms',
  'sale',
  'submissions',
  'discussion',
  'policy',
  'rss',
  'terms',
  'service',
  'ad',
  'choice'],
 ['mainesubscribepostadvertisestate',
  'newscommunity',
  'cornercrime',
  'safetypolitics',
  'governmentschoolstraffic',
  'transitobituariespersonal',
  'financebest',
  'ofarts',
  'entertainmentbusinesshealth',
  'wellnesshome',
  'gardensportstravelkids',
  'familypetsrestaurants',
  'barslocalstreamsee',
  'communitiesportland',
  'meportsmouth',
  'nhaugusta',
  'mehampton',
  'north',
  'hampton',
  'nhexeter',
  'nhconcord',
  'nhmanchester',
  'nhsalem',
  'nhhamilton',
  'wenham',
  'malondonderry',
  'nhstate',
  'editionmainenational',
  'editiontop',
  'national',
  'newssee',
  'communities0weathermaine',
  'weather',
  'bomb',
  'cyclone',
  'new',
  'heavy',
  'snowa',
  'winter',
  'storm',
  'warning',
  'effect',
  'a.m.',
  'saturday',
  'a.m.',
  'sunday',
  'maine',
  'megan',
  'verhelst',
  'patch',
  'staffposted',
  'thu',
  'mar',
  'pm',
  'fri',
  'mar',
  'pm',
  'etreply',
  'bomb',
  'cyclone',
  'snow',
  'rain',
  'maine',
  'weekend',
  'system',
  'sight',
  'swath',
  'united',
  'states',
  'shutterstock)maine',
  'parts',
  'maine',
  'winter',
  'storm',
  'friday',
  'bomb',
  'cyclone',
  'sight',
  'swath',
  'united',
  'states',
  'state',
  'winter',
  'storm',
  'warning',
  'maine',
  'city',
  'presque',
  'isle',
  'caribou',
  'van',
  'buren',
  'mars',
  'hill',
  'ashland',
  'warning',
  'effect',
  'a.m.',
  'saturday',
  'a.m.',
  'sunday',
  'winter',
  'storm',
  'watch',
  'effect',
  'mountain',
  'kennebec',
  'moose',
  'river',
  'valley',
  'winter',
  'weather',
  'advisory',
  'effect',
  'penobscot',
  'aroostook',
  'county',
  'mainewith',
  'time',
  'update',
  'patch',
  'subscribea',
  'storm',
  'system',
  'bomb',
  'cyclone',
  'tennessee',
  'ohio',
  'valley',
  'friday',
  'east',
  'coast',
  'saturday',
  'hour',
  'period',
  'weather',
  'national',
  'weather',
  'service',
  'area',
  'maine',
  'winter',
  'storm',
  'warning',
  'mix',
  'snow',
  'rain',
  'saturday',
  'morning',
  'precipitation',
  'change',
  'snow',
  'inch',
  'snow',
  'state',
  'wind',
  'mph',
  'nws',
  'forecast',
  'mainewith',
  'time',
  'update',
  'patch',
  'subscribecredit',
  'national',
  'weather',
  'service',
  'conditions',
  'area',
  'snow',
  'visibility',
  'travel',
  'power',
  'outage',
  'bulk',
  'snow',
  'maine',
  'portion',
  'state',
  'mix',
  'snow',
  'rain',
  'news',
  'center',
  'maine',
  'forecast',
  'area',
  'weekend',
  'forecast',
  'area',
  'credit',
  'national',
  'weather',
  'service)get',
  'news',
  'inbox',
  'sign',
  'patch',
  'newsletter',
  'alert',
  'thankreply',
  'sharemaine',
  'weather',
  'bomb',
  'cyclone',
  'new',
  'heavy',
  'snowthe',
  'rule',
  'space',
  'discussion',
  'language',
  'claim',
  'reply',
  'topic',
  'patch',
  'community',
  'guidelines',
  'reply',
  'articlereplymore',
  'mainepolitics',
  'government',
  'jul',
  'community',
  'owned',
  'solar',
  'program',
  'dept',
  '.',
  'energy',
  'awardtrending',
  'patchacross',
  'america',
  'newssinéad',
  'o’connor',
  'nj',
  "news'finding",
  'nemo',
  'tiktok',
  'promo',
  'brick',
  'theatre',
  'group',
  'memeacross',
  'america',
  'newsdelta',
  'aquariid',
  'perseid',
  'meteor',
  'showers',
  'ramp',
  'fireballsbaltimore',
  'md',
  'newsmustard',
  'skittle',
  'debut',
  'national',
  'mustard',
  'dayacross',
  'america',
  'newsmodern',
  'homes',
  'pool',
  'art',
  'house',
  'yourcommunity',
  'patch',
  'appcorporate',
  'infoabout',
  'patchcareerspartnershipsadvertise',
  'patchsupportfaqscontact',
  'patchcommunity',
  'guidelinesposting',
  'instructionsterms',
  'useprivacy',
  'policy',
  'patch',
  'media',
  'rights'],
 ['nowcast',
  'news',
  'cw',
  'pm',
  'weekday',
  'evening',
  'radar',
  'alert',
  'map',
  'room',
  'traffic',
  'sports',
  'hog',
  'wild',
  'friday',
  'frenzy',
  'politic',
  'fact',
  'state',
  'addiction',
  'matter',
  'fact',
  'local',
  'investigate',
  'news',
  'love',
  'charity',
  'spotlight',
  'pets',
  'set',
  'skycams',
  'arkansas',
  'cw',
  'metv',
  'arkansas',
  'arkansas',
  'record',
  'project',
  'community',
  'news',
  'team',
  'contests',
  'contact',
  'advertise',
  'advertise',
  'arkansas',
  'cw',
  'privacy',
  'notice',
  'terms',
  'use',
  'press',
  'type',
  'search',
  'crawford',
  'sebastian',
  'franklin',
  'county',
  'thunder',
  'storm',
  'system',
  'storm',
  'area',
  'potential',
  'wind',
  'hail',
  'tornado',
  'weds',
  'morning',
  'cdt',
  'apr',
  'weather',
  'team',
  'crawford',
  'sebastian',
  'franklin',
  'county',
  'thunder',
  'storm',
  'system',
  'storm',
  'area',
  'potential',
  'wind',
  'hail',
  'tornado',
  'weds',
  'morning',
  'cdt',
  'apr',
  'hello',
  'folk',
  'update',
  'midnight',
  'radar',
  'storm',
  'area',
  'area',
  'north',
  'arkansas',
  'area',
  'north',
  'arkansas',
  'bit',
  'activity',
  'south',
  'southeast',
  'fort',
  'smith',
  '*',
  'storm',
  'area',
  'kansas',
  'northwest',
  'tulsa',
  'storm',
  'area',
  'tonight',
  'model',
  'resolution',
  'refresh',
  'model',
  'activity',
  'kind',
  'cell',
  'thunderstorm',
  'thunderstorm',
  'area',
  'fort',
  'smith',
  'morning',
  'line',
  'storm',
  'line',
  'storm',
  'target',
  'river',
  'valley',
  'time',
  'frame',
  'storm',
  'wind',
  'hail',
  'risk',
  'tornado',
  'threat',
  'storm',
  'line',
  '*',
  'tornado',
  'concern',
  'johnson',
  'county',
  'arkansas',
  'eye',
  'thing',
  'tonight',
  'concern',
  'midnight',
  'time',
  'frame',
  'phone',
  'tonight',
  'sleep',
  '*',
  'tornado',
  'warning',
  'warning',
  'air',
  'facebook',
  'live',
  'alerts',
  'breaking',
  'update',
  'email',
  'inbox',
  'crawford',
  'sebastian',
  'franklin',
  'county',
  'thunder',
  'storm',
  'system',
  'storm',
  'area',
  'potential',
  'wind',
  'hail',
  'tornado',
  'weds',
  'morning',
  'cdt',
  'apr',
  'weather',
  'team',
  'crawford',
  'sebastian',
  'franklin',
  'county',
  'thunder',
  'storm',
  'warning',
  'weather',
  'team',
  'system',
  'storm',
  'wednesday',
  'morning',
  'radar',
  '',
  '',
  'latest',
  'alerts',
  'storm',
  'nwa',
  'river',
  'valley',
  'morning',
  'wednesday',
  'wind',
  'hail',
  'lightning',
  'threat',
  'activity',
  'couple',
  'tornado',
  'risk',
  'storm',
  'midnight',
  'uptick',
  'activity',
  'ar',
  'answer',
  'tornado',
  'safety',
  'question',
  'list',
  'tornado',
  'shelter',
  'arkansasstay',
  'update',
  'system',
  'crawford',
  'sebastian',
  'franklin',
  'county',
  'thunder',
  'storm',
  'warning',
  'weather',
  'team',
  'system',
  'storm',
  'wednesday',
  'morning',
  'radar',
  '',
  '',
  'latest',
  'alerts',
  'storm',
  'nwa',
  'river',
  'valley',
  'morning',
  'wednesday',
  'wind',
  'hail',
  'lightning',
  'threat',
  'activity',
  'couple',
  'tornado',
  'risk',
  'storm',
  'midnight',
  'uptick',
  'activity',
  'ar',
  'answer',
  'tornado',
  'safety',
  'question',
  'list',
  'tornado',
  'shelter',
  'arkansasstay',
  'update',
  'system',
  'impact',
  'severe',
  'day',
  'app',
  'alert',
  'mattel',
  'barbie',
  'movie',
  'dolls',
  'margot',
  'robbie',
  'ryan',
  'gosling',
  'barbie',
  'movie',
  'amazon',
  'shop',
  'pink',
  'fantastic',
  'merch',
  'contact',
  'news',
  'team',
  'apps',
  'social',
  'email',
  'alerts',
  'careers',
  'internships',
  'advertise',
  'arkansas',
  'cw',
  'digital',
  'advertising',
  'terms',
  'conditions',
  'broadcast',
  'terms',
  'conditions',
  'rss',
  'eeo',
  'captioning',
  'contact',
  'khbs',
  'public',
  'inspection',
  'file',
  'khog',
  'public',
  'inspection',
  'file',
  'public',
  'file',
  'assistance',
  'fcc',
  'applications',
  'news',
  'policy',
  'statements',
  'hearst',
  'television',
  'affiliate',
  'marketing',
  'program',
  'commission',
  'product',
  'link',
  'retailer',
  'site',
  'arkansas',
  'hearst',
  'television',
  'inc.',
  'behalf',
  'khbs',
  'tv',
  'privacy',
  'notice',
  'california',
  'privacy',
  'rights',
  'interest',
  'ads',
  'terms',
  'use',
  'site',
  'map'],
 ['local',
  'news',
  'capitol',
  'news',
  'bureau',
  'originals',
  'agriculture',
  'automotive',
  'news',
  'coronavirus',
  'eye',
  'keloland',
  'healthbeat',
  'keloland',
  'investigates',
  'politics',
  'hill',
  'national',
  'world',
  'news',
  'positively',
  'keloland',
  'press',
  'sturgis',
  'rally',
  'money',
  'matter',
  'freedom',
  'trafficking',
  'education',
  'youth',
  'athlete',
  'safesports',
  'type',
  'pen',
  'dell',
  'rapids',
  'author',
  'effort',
  'sex',
  'trafficking',
  'sturgis',
  'keloland',
  'weather',
  'radar',
  'live',
  'cam',
  'closeline',
  'closing',
  'weather',
  'alert',
  'weathernow',
  'stream',
  'keloland',
  'doppler',
  'hd',
  'storm',
  'center',
  'storm',
  'tracker',
  'app',
  'rain',
  'gauge',
  'drought',
  'sioux',
  'falls',
  'east',
  'harrisburg',
  'gold',
  'dell',
  'rapids',
  'win',
  'streak',
  'class',
  'b',
  'state',
  'legion',
  'baseball',
  'game',
  'keloland.com',
  'twins',
  'jorge',
  'lopez',
  'miami',
  'relief',
  'pitcher',
  'mariner',
  'twins',
  'rally',
  'canaries',
  'time',
  'game',
  'losing',
  'video',
  'center',
  'watch',
  'newscasts',
  'nfl',
  'schedule',
  'keloland',
  'weathernow',
  'program',
  'schedule',
  'cbs',
  'news',
  'feed',
  'keloxtra',
  'cw',
  'black',
  'hills',
  'arts',
  'crafts',
  'book',
  'club',
  'host',
  'chat',
  'table',
  'business',
  'beat',
  'recipe',
  'guest',
  'bestreviews',
  'bestreviews',
  'daily',
  'deal',
  'team',
  'keloland',
  'living',
  'golf',
  'tour',
  'keloland',
  'living',
  'newsletter',
  'keloland',
  'living',
  'arts',
  'crafts',
  'dolly',
  'domino',
  'children',
  'home',
  'society',
  'year',
  'lifestyle',
  'school',
  'local',
  'classifieds',
  'contest',
  'conversation',
  'event',
  'calendar',
  'gas',
  'price',
  'keloland',
  'pet',
  'keloland',
  'mmip',
  'south',
  'dakota',
  'obituaries',
  'women',
  'tradition',
  'lottery',
  'horoscope',
  'ushare',
  'anniversary',
  'history',
  'people',
  'captain',
  'keloland',
  'careers',
  'regional',
  'news',
  'partners',
  'sign',
  'newsletters',
  'advertise',
  'online',
  'services',
  'bestreviews',
  'personal',
  'information',
  'tuesday',
  'storm',
  'mph',
  'wind',
  'south',
  'dakota',
  'karen',
  'sherman',
  'marissa',
  'lute',
  'jazzmine',
  'jackson',
  'jul',
  'pm',
  'cdt',
  'jul',
  'pm',
  'cdt',
  'karen',
  'sherman',
  'marissa',
  'lute',
  'jazzmine',
  'jackson',
  'jul',
  'pm',
  'cdt',
  'jul',
  'pm',
  'cdt',
  'sioux',
  'falls',
  's.d.',
  'kelo',
  'weather',
  'way',
  'south',
  'dakota',
  'tuesday',
  'afternoon',
  'story',
  'storm',
  'information',
  'team',
  'meteorologist',
  'weather',
  'keloland',
  'live',
  'doppler',
  'hd',
  'stormcenter',
  'p.m.',
  'ct',
  'flash',
  'flood',
  'warning',
  'portion',
  'minnehaha',
  'moody',
  'counties',
  'sd',
  'cottonwood',
  'jackson',
  'murray',
  'nobles',
  'pipestone',
  'rock',
  'counties',
  'mn',
  'pm',
  'cdt',
  'tuesday',
  'rainfall',
  'rate',
  'inch',
  'hour',
  'thunderstorm',
  'warning',
  'lincoln',
  'minnehaha',
  'counties',
  'portion',
  'clay',
  'union',
  'counties',
  'sd',
  'plymouth',
  'sioux',
  'counties',
  'ia',
  'pm',
  'cdt',
  'tuesday',
  'mph',
  'gust',
  'line',
  'mph',
  'xcel',
  'power',
  'sioux',
  'falls',
  'mph',
  'wind',
  'wall',
  'lake',
  'p.m.',
  'wind',
  'mccook',
  'lake',
  'county',
  'border',
  'city',
  'sioux',
  'falls',
  'vehicle',
  'intersection',
  'powerline',
  'city',
  'sioux',
  'falls',
  'people',
  'place',
  'number',
  'power',
  'outage',
  'minnehaha',
  'county',
  '%',
  'county',
  'power',
  'mccook',
  'county',
  '%',
  'county',
  'power',
  'miner',
  'county',
  '%',
  'beadle',
  'county',
  '%',
  'estimate',
  'tornado',
  'nw',
  'minnehaha',
  'ne',
  'mccook',
  'counties',
  'hail',
  'sioux',
  'falls',
  'rainfall',
  'total',
  'axis',
  'rain',
  'huron',
  'sioux',
  'falls',
  'murray',
  'county',
  'mn',
  'flash',
  'flooding',
  'concern',
  'flash',
  'flood',
  'warning',
  'place',
  'murray',
  'county',
  'heart',
  'line',
  'corridor',
  'dell',
  'rapids',
  'worthing',
  'wind',
  'rain',
  'hail',
  'area',
  'west',
  'sioux',
  'falls',
  'wind',
  'gust',
  'radar',
  'shelter',
  'sign',
  'rotation',
  'chandler',
  'sw',
  'slayton',
  'murray',
  'county',
  'storm',
  'thunderstorm',
  'warning',
  'portion',
  'clay',
  'union',
  'yankton',
  'counties',
  'sd',
  'plymouth',
  'sioux',
  'counties',
  'ia',
  'pm',
  'cdt',
  'tuesday',
  'mph',
  'gust',
  'line',
  'mph',
  'thunderstorm',
  'warning',
  'portion',
  'cottonwood',
  'lyon',
  'murray',
  'counties',
  'mn',
  'pm',
  'cdt',
  'tuesday',
  'storm',
  'mph',
  'line',
  'minnehaha',
  'county',
  'eye',
  'line',
  'i-29',
  'renner',
  'dell',
  'rapids',
  'tornado',
  'warning',
  'red',
  'box',
  'nw',
  'minnehaha',
  'ne',
  'mccook',
  'counties',
  'pm',
  'cdt',
  'tuesday',
  'edge',
  'segment',
  'sioux',
  'falls',
  'area',
  'shelter',
  'area',
  'salem',
  'sioux',
  'falls',
  'wind',
  'rain',
  'east',
  'mph',
  'wind',
  'power',
  'north',
  'west',
  'look',
  'percentage',
  'county',
  'power',
  'storm',
  'wind',
  'mph',
  'mitchell',
  'wind',
  'gust',
  'mph',
  'mph',
  'wind',
  'huron',
  'airport',
  'tornado',
  'type',
  'instability',
  'meteorologist',
  'jay',
  'trobec',
  'thunderstorm',
  'warning',
  'portion',
  'davison',
  'douglas',
  'hanson',
  'hutchinson',
  'lake',
  'lincoln',
  'sd',
  'mccook',
  'minnehaha',
  'turner',
  'counties',
  'pm',
  'cdt',
  'tuesday',
  'mph',
  'gust',
  'line',
  'mph',
  'head',
  'sioux',
  'falls',
  'area',
  'wagner',
  'cam',
  'thunderstorm',
  'warning',
  'effect',
  'line',
  'highway',
  'platte',
  'pm',
  'cdt',
  'tuesday',
  'wind',
  'hail',
  'seek',
  'shelter',
  'line',
  'storm',
  'mph',
  'ethan',
  'corsica',
  'armour',
  'storm',
  'p.m.',
  'damage',
  'report',
  'highmore',
  'area',
  'roof',
  'home',
  'storm',
  'cloud',
  'aberdeen',
  'leslie',
  'young',
  'storm',
  'aberdeen',
  'leslie',
  'young',
  'storm',
  'variety',
  'resource',
  'keloland.check',
  'keloland',
  'storm',
  'tracker',
  'app',
  'hour',
  'hour',
  'forecast',
  'radar',
  'information',
  'alert',
  'weather',
  'area',
  'medium',
  'twitter',
  'update',
  'keloland',
  'weather',
  'facebook',
  'picture',
  'weather',
  'warning',
  'storm',
  'chaser',
  'cam',
  'keloland',
  'glimpse',
  'storm',
  'area',
  'photo',
  'storm',
  'damage',
  'picture',
  'ushare@keloland.com',
  'kelowx',
  'social',
  'media',
  'resource',
  'radaron',
  'air',
  'live',
  'streamweather',
  'alerts',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'amazon',
  'school',
  'deal',
  'schooler',
  'school',
  'corner',
  'amazon',
  'supply',
  'school',
  'deal',
  'supply',
  'schooler',
  'august',
  'vegetable',
  'flower',
  'flower',
  'plant',
  'hour',
  'soil',
  'air',
  'temperature',
  'sunshine',
  'august',
  'month',
  'planting',
  'chemical',
  'guys',
  'kit',
  'car',
  'car',
  'care',
  'hour',
  'chemical',
  'guys',
  'car',
  'wash',
  'kit',
  'time',
  'deal',
  'thank',
  'inbox',
  'sf',
  'east',
  'harrisburg',
  'gold',
  'state',
  'dell',
  'rapids',
  'win',
  'streak',
  'class',
  'b',
  'state',
  'heat',
  'legion',
  'baseball',
  'game',
  'friday',
  'bluffing',
  'putin',
  'deployment',
  'nuclear',
  'elon',
  'musk',
  'tweet',
  'x',
  '’',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'taiwan',
  'school',
  'office',
  'typhoon',
  'bomb',
  'threat',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'russia',
  'un',
  'meeting',
  'soldier',
  'niger',
  'heat',
  'youth',
  'athlete',
  'safesports',
  'freedom',
  'trafficking',
  'education',
  'city',
  'pitch',
  'management',
  'company',
  'sam',
  'type',
  'pen',
  'dell',
  'rapids',
  'author',
  'effort',
  'sex',
  'trafficking',
  'sturgis',
  'smoke',
  'corn',
  'sweat',
  'contribute',
  'morning',
  'haze',
  'degree',
  'usta',
  'south',
  'dakota',
  'draft',
  'dtsf',
  'plan',
  'heat',
  'wave',
  'twins',
  'jorge',
  'lopez',
  'miami',
  'relief',
  'pitcher',
  'mariner',
  'twins',
  'rally',
  'canaries',
  'time',
  'fargo',
  'dell',
  'rapids',
  'author',
  'efforts',
  'sex',
  'trafficking',
  'sturgis',
  'sf',
  'man',
  'kadoka',
  'crash',
  'heat',
  'wave',
  'degree',
  'usta',
  'south',
  'dakota',
  'hot',
  'temperature',
  'street',
  'sf',
  'man',
  'kadoka',
  'crash',
  'miss',
  'month',
  'miss',
  'month',
  'gift',
  'summer',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'home',
  'depot',
  'foot',
  'skeleton',
  'halloween',
  'deal',
  'day',
  'prime',
  'day',
  'favorite',
  'local',
  'news',
  'weather',
  'sports',
  'investigates',
  'capitol',
  'news',
  'bureau',
  'money',
  'healthbeat',
  'newsnation',
  'keloland',
  'living',
  'advertise',
  'advertising',
  'terms',
  'conditions',
  'eeo',
  'public',
  'file',
  'fcc',
  'public',
  'file',
  'information',
  'android',
  'app',
  'google',
  'play',
  'android',
  'weather',
  'app',
  'google',
  'play',
  'personal',
  'information',
  'personal',
  'information',
  'nexstar',
  'media',
  'inc.',
  'rights'],
 ['contentskip',
  'main',
  'contentaccessibility',
  'helpmenuwhen',
  'search',
  'suggestion',
  'use',
  'arrow',
  'searchsearchsign',
  'inquick',
  'livetvwatchnewstop',
  'storieslocalclimateworldcanadapoliticsindigenousopinionthe',
  'nationalbusinesshealthentertainmentsciencecbc',
  'news',
  'investigatesgo',
  'publicabout',
  'cbc',
  'newsbeing',
  'black',
  'canadamore',
  'alaska',
  'brace',
  'impact',
  'level',
  'storm',
  '',
  '',
  'cbc',
  'news',
  'loadedworldalaska',
  'brace',
  'impact',
  'level',
  "storm'resident",
  'alaska',
  'coast',
  'friday',
  'storm',
  'forecaster',
  'history',
  'hurricane',
  'force',
  'wind',
  'surf',
  'power',
  'flooding',
  'remnant',
  'typhoon',
  'merbok',
  'hurricane',
  'force',
  'wind',
  'surfthe',
  'associated',
  'press',
  'sep',
  'pm',
  'edt',
  'september',
  '2022a',
  'satellite',
  'view',
  'storm',
  'alaska',
  'friday',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'associated',
  'press)resident',
  'alaska',
  'coast',
  'friday',
  'storm',
  'forecaster',
  'history',
  'hurricane',
  'force',
  'wind',
  'surf',
  'power',
  'flooding',
  'storm',
  'remnant',
  'typhoon',
  'merbok',
  'university',
  'alaska',
  'fairbanks',
  'climate',
  'specialist',
  'rick',
  'thoman',
  'weather',
  'pattern',
  'alaska',
  'summer',
  'storm',
  'rain',
  'weekend',
  'drought',
  'california',
  'air',
  'ex',
  '-',
  'typhoon',
  'chain',
  'reaction',
  'jet',
  'stream',
  'alaska',
  '"it',
  'level',
  'storm',
  'thoman',
  'system',
  'alaska',
  'year',
  'people',
  'september',
  'storm',
  'storm',
  '"hurricane',
  'force',
  'wind',
  'bering',
  'sea',
  'community',
  'elim',
  'koyuk',
  'kilometre',
  'hub',
  'community',
  'nome',
  'water',
  'level',
  'metre',
  'tide',
  'line',
  'national',
  'weather',
  'service',
  'flood',
  'warning',
  'effect',
  'monday',
  'alaska',
  'view',
  'webcam',
  'nome',
  'alaska',
  'friday',
  'nome',
  'convention',
  'visitors',
  'bureau',
  'associated',
  'press)in',
  'nome',
  'resident',
  'leon',
  'boardway',
  'friday',
  'nome',
  'visitors',
  'center',
  'block',
  'bering',
  'sea',
  'door',
  'coffee',
  'pot',
  'wind',
  'people',
  'resident',
  'visitor',
  'business',
  'town',
  'end',
  'iditarod',
  'trail',
  'sled',
  'dog',
  'race',
  'setting',
  'dredging',
  'gold',
  'reality',
  'bering',
  'sea',
  'gold',
  'window',
  'storm',
  'climate',
  'disaster',
  'today',
  'child',
  'scientist',
  'estimate"the',
  'ocean',
  'boardway',
  'centre',
  'webcam',
  'perch',
  'view',
  'swell',
  'position',
  'typhoon',
  'merbok',
  'east',
  'pacific',
  'ocean',
  'storm',
  'water',
  'temperature',
  'year',
  'storm',
  'thoman',
  'cbc',
  'journalistic',
  'standards',
  'cbc',
  'newscorrections',
  'news',
  'errorfooter',
  'linksmy',
  'accountprofilecbc',
  'cbc',
  'accountsconnect',
  'cbcsubmit',
  'feedbackhelp',
  'centreaudience',
  'relations',
  'cbc',
  'p.o.',
  'box',
  'station',
  'toronto',
  'canada',
  'm5w',
  'toll',
  'canada',
  'cbccorporate',
  'infositemapreuse',
  'permissionterms',
  'useprivacyjobsour',
  'unionsindependent',
  'producerspolitical',
  'ads',
  'registryadchoicesservicesombudsmancorrections',
  'clarificationspublic',
  'appearancescommercial',
  'servicescbc',
  'shopdoing',
  'business',
  'usrenting',
  'facilitiesradio',
  'canada',
  'liteaccessibilityit',
  'priority',
  'cbc',
  'product',
  'canada',
  'people',
  'hearing',
  'motor',
  'challenge',
  'captioning',
  'described',
  'video',
  'cbc',
  'cbc',
  'gem',
  'cbc',
  'accessibilityaccessibility',
  'feedback2023',
  'cbc',
  'radio',
  'canada',
  'right',
  'visitez'],
 ['browser',
  'browserand',
  'visit',
  'site',
  'skip',
  'navigationthe',
  'new',
  'republicthe',
  'republiclatestthe',
  'tickerthe',
  'soapboxapocalypse',
  'sooncritical',
  'massmagazinenewslettersapocalypse',
  'soonapocalypse',
  'soonapocalypse',
  'soon',
  'homepageclimate',
  'changegreen',
  'politicscovid-19life',
  'warming',
  'worldthe',
  'republicthe',
  'republiclatestthe',
  'tickerthe',
  'soapboxapocalypse',
  'sooncritical',
  'massmagazinenewslettersapocalypse',
  'soonapocalypse',
  'soonapocalypse',
  'soon',
  'homepageclimate',
  'changegreen',
  'politicscovid-19life',
  'warming',
  'worldanne',
  'galloway',
  'july',
  'investmenthow',
  'vermont',
  'climate',
  'lesson',
  'hard',
  'waythe',
  'flood',
  'state',
  'week',
  'hurricane',
  'irene',
  'catastrophe',
  'bay',
  'john',
  'tully',
  'washington',
  'post',
  'getty',
  'imagesflooding',
  'downtown',
  'montpelier',
  'vermont',
  'tuesday',
  'july',
  '2023day',
  'weather',
  'ground',
  'inch',
  'rain',
  'vermont',
  'green',
  'mountains',
  'monday',
  'sheet',
  'water',
  'valley',
  'town',
  'number',
  'state',
  'century',
  'downtown',
  'ludlow',
  'weston',
  'barre',
  'waterbury',
  'johnson',
  'richmond',
  'jeffersonville',
  'cambridge',
  'foot',
  'water',
  'building',
  'montpelier',
  'state',
  'capital',
  'dam',
  'overflow',
  'capacity',
  'swift',
  'boat',
  'team',
  'emergency',
  'rescue',
  'region',
  'state',
  'person',
  'treetop',
  'woman',
  'story',
  'window',
  'woman',
  'vehicle',
  'water',
  'flood',
  'luck',
  'mike',
  'cannon',
  'search',
  'rescue',
  'team',
  'vermont',
  'department',
  'public',
  'safety',
  'luck',
  'work',
  'flood',
  'vermont',
  'time',
  'state',
  'vermont',
  'governor',
  'phil',
  'scott',
  'magnitude',
  'flood',
  'damage',
  'week',
  'rain',
  'lifetime',
  'event',
  'tropical',
  'storm',
  'irene',
  'august',
  'inch',
  'rain',
  'green',
  'mountains',
  'hour',
  'flooding',
  'irene',
  'area',
  'state',
  'people',
  'mile',
  'roadway',
  'bridge',
  'property',
  'state',
  'office',
  'complex',
  'waterbury',
  'disaster',
  'jennifer',
  'morrison',
  'state',
  'officer',
  'safety',
  'river',
  'flooding',
  'week',
  'state',
  'infrastructure',
  'official',
  'vtrans',
  'vermont',
  'agency',
  'transportation',
  'process',
  'damage',
  'yesterday',
  'road',
  'closure',
  'tuesday',
  'hour',
  'fix',
  'state',
  'highway',
  'bridge',
  'percent',
  'number',
  'irene',
  'state',
  'office',
  'building',
  'floodwater',
  'facility',
  'outcome',
  'storm',
  'worse?on',
  'sunday',
  'scott',
  'state',
  'emergency',
  'advance',
  'storm',
  'decision',
  'vermont',
  'department',
  'public',
  'safety',
  'state',
  'search',
  'rescue',
  'operation',
  'trouble',
  'time',
  'irene',
  'vermont',
  'system',
  'infrastructure',
  'place',
  'state',
  'flooding',
  'state',
  'incident',
  'command',
  'system',
  'ground',
  'storm',
  'sue',
  'minter',
  'secretary',
  'vtrans',
  'state',
  'transportation',
  'infrastructure',
  'rain',
  'damage',
  'experience',
  'irene',
  'state',
  'consultation',
  'expert',
  'transportation',
  'engineer',
  'flood',
  'infrastructure',
  'box',
  'culvert',
  'bridge',
  'riverbank',
  'restoration',
  'u.s.',
  'epa',
  'rainfall',
  'northeast',
  'u.s.',
  'percent',
  'climate',
  'change',
  'weather',
  'event',
  'irene',
  'state',
  'future',
  'vermont',
  'step',
  'home',
  'flood',
  'area',
  'town',
  'river',
  'stream',
  'course',
  'cost',
  'roadway',
  'damage',
  'state',
  'dollar',
  'federal',
  'emergency',
  'management',
  'agency',
  'bill',
  'minter',
  'thank',
  'provision',
  'government',
  'building',
  'infrastructure',
  'disaster',
  'state',
  'wednesday',
  'press',
  'conference',
  'state',
  'official',
  'fema',
  'administrator',
  'deanne',
  'crisswell',
  'vermont',
  'reporter',
  'agency',
  'climate',
  'change',
  'factor',
  'year',
  'mitigation',
  'dollar',
  'impact',
  'state',
  'month',
  'fema',
  'filing',
  'irene.)in',
  'comment',
  'reporter',
  'wednesday',
  'governor',
  'scott',
  'mile',
  'trail',
  'work',
  'tuesday',
  'road',
  'danger',
  'national',
  'weather',
  'service',
  'inch',
  'rain',
  'day',
  'mudslide',
  'dozen',
  'damage',
  'flooding',
  'year',
  'scott',
  'ability',
  'inch',
  'storm',
  'vermont',
  'response',
  'scott',
  'shooting',
  'republican',
  'counterpart',
  'iconoclast',
  'senator',
  'bernie',
  'sanders',
  'member',
  'delegation',
  'climate',
  'savior',
  'measure',
  'adoption',
  'heat',
  'pump',
  'state',
  'investment',
  'e.v.',
  'bus',
  'feedback',
  'administration',
  'response',
  'flood',
  'minter',
  'rival',
  'praise',
  'governor',
  'response',
  'disaster',
  'decision',
  'maker',
  'scott',
  'way',
  'vermonters',
  'sludge',
  'flooding',
  'state',
  'thousand',
  'volunteer',
  'people',
  'home',
  'business',
  'climate',
  'change',
  'vermont',
  'people',
  'state',
  'partisanship',
  'climate',
  'resilience',
  'people',
  'weather',
  'event',
  'flood',
  'risk',
  'state',
  'vermont',
  'example',
  'anne',
  'gallowayanne',
  'galloway',
  'founder',
  'editor',
  'vtdigger',
  'news',
  'site',
  'vermont',
  'apocalypse',
  'vermont',
  'environment',
  'energy',
  'climate',
  'change',
  'flood',
  'hurricane',
  'ireneeditor',
  'pickspodcastin',
  'pursuit',
  'climate',
  'proof',
  'citythe',
  'politic',
  'podcastthe',
  'politic',
  'pursuit',
  'climate',
  'proof',
  'cityunderwaterthe',
  'town',
  'new',
  'york',
  'city',
  'reservoirsrobert',
  'sullivanthe',
  'town',
  'new',
  'york',
  'city',
  'reservoirsbreakingbecca',
  'balint',
  'vermont',
  'woman',
  'openly',
  'gay',
  'representative',
  'congressprem',
  'thakkerbreakingprem',
  'thakkerbecca',
  'balint',
  'vermont',
  'woman',
  'openly',
  'gay',
  'representative',
  'congresslatest',
  'apocalypse',
  'soonwhiningoil',
  'company',
  'billion',
  'industry',
  'complainingkate',
  'aronoffwhiningkate',
  'aronoffoil',
  'company',
  'billion',
  'industry',
  'complainingwhy',
  'killer',
  'humiditylaura',
  'lópez',
  'gonzálezwhy',
  'sweatlaura',
  'lópez',
  'gonzálezwhat',
  'killer',
  'humidityfox',
  'henhouseare',
  'polluters',
  'charge',
  'carbon',
  'capture?kate',
  'aronofffox',
  'henhousekate',
  'aronoffare',
  'polluters',
  'charge',
  'carbon',
  'capture?oil',
  'worshipthe',
  'gop',
  'darling',
  'fossil',
  'fuels',
  'humanitymolly',
  'taftoil',
  'taftthe',
  'gop',
  'darling',
  'fossil',
  'fuels',
  'humanitythe',
  'ticker',
  'soapbox',
  'apocalypse',
  'soon',
  'mass',
  'magazine',
  'new',
  'republicsign',
  'newsletters',
  'terms',
  'conditionsprivacy',
  'policycookie',
  'settingscopyright',
  'new',
  'republic',
  'right'],
 ['bbc',
  'homepageskip',
  'helpyour',
  'accounthomenewssportreelworklifetravelfuturemore',
  'menumore',
  'bbchomenewssportreelworklifetravelfutureculturemusictvweathersoundsclose',
  'newsmenuhomewar',
  'ukraineclimatevideoworldus',
  'canadaukbusinesstechsciencemoreentertainment',
  'artshealthin',
  'picturesbbc',
  'verifyworld',
  'news',
  'tvnewsbeatus',
  'canadamississippi',
  'tornado',
  'destructive?published27',
  'marchshareclose',
  'panelshare',
  'video',
  'video',
  'javascript',
  'browser',
  'medium',
  'caption',
  'truck',
  'building',
  'tornado',
  'mississippiby',
  'nadine',
  'yousifbbc',
  'tornado',
  'mississippi',
  'storm',
  'chaser',
  'meteorologist',
  'shock',
  'devastation',
  'official',
  'people',
  'result',
  'storm',
  'tornado',
  'town',
  'rolling',
  'fork',
  'wedge',
  'tornado"',
  'national',
  'weather',
  'service',
  'storm',
  'hour',
  'stephanie',
  'cox',
  'storm',
  'chaser',
  'oklahoma',
  'tornado',
  'mississippi',
  'ms',
  'cox',
  'bbc',
  'storm',
  'roar',
  'lightning',
  'strike',
  'monster',
  'tornado',
  'roar',
  'train',
  'horn',
  'nws',
  'tornado',
  'mississippi',
  'friday',
  'night',
  'mississippi',
  'river',
  'mile',
  'kilometre',
  'width',
  'quarter',
  'mile',
  'hour',
  'minute',
  'storm',
  'storm',
  'updraft',
  'downdraft',
  'air',
  'ground',
  'speed',
  'direction',
  'wind',
  'height',
  'storm',
  'nws',
  'image',
  'source',
  'stephanie',
  'cox',
  '@stormwatcher771image',
  'caption',
  'storm',
  'wedge',
  'tornado',
  'width',
  'town',
  'rolling',
  'forksupercell',
  'storm',
  'condition',
  'storm',
  'time',
  'lance',
  'perrilloux',
  'meteorologist',
  'nws',
  'jackson',
  'mississippi',
  'tornado',
  'havoc',
  'distance',
  'ms',
  'cox',
  'wedge',
  'tornado',
  'term',
  'tornado',
  'length',
  'type',
  'tornado',
  'width',
  'damage',
  'area',
  'home',
  'building',
  'rolling',
  'fork',
  'aftermath',
  'storm',
  'vehicle',
  'samuel',
  'emmerson',
  'member',
  'radar',
  'research',
  'group',
  'university',
  'oklahoma',
  'tornado',
  'debris',
  'foot',
  'km',
  'air',
  'image',
  'source',
  'maxar',
  'satellite',
  'imagespreliminary',
  'finding',
  'tornado',
  'enhanced',
  'fujita',
  'ef',
  'scale',
  'second',
  'gust',
  'mph',
  'mr',
  'perrilloux',
  'tornado',
  'rolling',
  'fork',
  'mile',
  'kilometre',
  'north',
  'east',
  'town',
  'black',
  'hawk',
  'mississippi',
  'ef',
  'scale',
  'storm',
  'mile',
  'kilometre',
  'nws',
  'alabama',
  'tornado',
  'factor',
  'devastation',
  'mississippi',
  'timing',
  'storm',
  'town',
  'rolling',
  'fork',
  'time',
  'gmt',
  'nws',
  'tornado',
  'minute',
  'study',
  'night',
  'time',
  'tornado',
  'day',
  'statessevere',
  'weathermore',
  'storyrescue',
  'effort',
  'way',
  'tornado',
  'marchin',
  'picture',
  'mississippi',
  'tornado',
  'marchwhat',
  'marchtop',
  'storiesniger',
  'soldier',
  'coup',
  'tvpublished1',
  'hour',
  'singer',
  'sinãad',
  "o'connor",
  'hour',
  'agohow',
  'ukraine',
  'offensive',
  'south',
  'hour',
  'agofeaturessinãad',
  "o'connor",
  'obituary',
  'talent',
  'comparehow',
  'sinãad',
  "o'connor",
  'uhow',
  'ukraine',
  'offensive',
  'south',
  'stutteredn',
  'koreaâ\x80\x99s',
  'prisoner',
  'war',
  'plot',
  'flame',
  'buddha',
  'china',
  'videowatch',
  'flame',
  'buddha',
  'chinathe',
  'claim',
  'india',
  'violenceputin',
  'leader',
  'star',
  'role?can',
  'india',
  'chip',
  'powerhouse?world',
  'city',
  'bbcthe',
  'way',
  'homeswhy',
  'brand',
  'mediathe',
  'film',
  'usmost',
  'read1irish',
  'singer',
  'sinãad',
  "o'connor",
  'family',
  "grid'3how",
  'ukraine',
  'offensive',
  'south',
  'stuttered4niger',
  'soldier',
  'coup',
  'national',
  'tv5alien',
  'congress',
  'biden',
  'plea',
  'deal',
  'apart7mastercard',
  'bank',
  'debit',
  'weed8sinãad',
  "o'connor",
  'obituary',
  'talent',
  'koreaâ\x80\x99s',
  'prisoner',
  'war',
  'plot',
  'toy',
  'maker',
  'movie',
  'sale',
  'news',
  'mobileon',
  'news',
  'alertscontact',
  'bbc',
  'newshomenewssportreelworklifetravelfutureculturemusictvweathersoundsterms',
  'useabout',
  'bbcprivacy',
  'policycookiesaccessibility',
  'helpparental',
  'guidancecontact',
  'bbcget',
  'newsletterswhy',
  'bbcadvertise',
  'usâ',
  'bbc',
  'bbc',
  'content',
  'site',
  'approach',
  'linking'],
 ['owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'today',
  'bit',
  'winds',
  's',
  'mph',
  'july',
  'pm',
  'oklahoma',
  'fema',
  'disaster',
  'declaration',
  'june',
  'storm',
  'series',
  'storm',
  'mid',
  '-',
  'june',
  'oklahoma',
  'wind',
  'mile',
  'hour',
  'tornado',
  'home',
  'business',
  'power',
  'odemhs',
  'oklahoma',
  'city',
  'oklahoma',
  'governor',
  'stitt',
  'state',
  'oklahoma',
  'fema',
  'major',
  'disaster',
  'declaration',
  'public',
  'assistance',
  'county',
  'storm',
  'june',
  'oklahoma',
  'department',
  'emergency',
  'management',
  'homeland',
  'security',
  'odemhs).the',
  'county',
  'beaver',
  'cimarron',
  'comanche',
  'cotton',
  'craig',
  'creek',
  'delaware',
  'harper',
  'jefferson',
  'love',
  'major',
  'mayes',
  'mccurtain',
  'payne',
  'pushmataha',
  'rogers',
  'stephens',
  'tulsa',
  'woodward',
  'counties',
  'series',
  'storm',
  'mid',
  '-',
  'june',
  'oklahoma',
  'wind',
  'mile',
  'hour',
  'tornado',
  'home',
  'business',
  'power',
  'odemhs',
  'odemhs',
  'county',
  'storm',
  'damage',
  'response',
  'cost',
  'declaration',
  'funding',
  'municipality',
  'county',
  'cooperative',
  'cost',
  'storm',
  'debris',
  'removal',
  'infrastructure',
  'utility',
  'repair',
  'odemhs',
  'city',
  'county',
  'emergency',
  'manager',
  'odemhs',
  'staff',
  'damage',
  'storm',
  'work',
  'power',
  'thousand',
  'oklahomans',
  'stitt',
  'government',
  'declaration',
  'recovery',
  '”the',
  'state',
  'request',
  'disaster',
  'declaration',
  'u.s.',
  'small',
  'business',
  'administration',
  'sba',
  'people',
  'comanche',
  'tulsa',
  'counties',
  'damage',
  'storm',
  'declaration',
  'sba',
  'interest',
  'disaster',
  'loan',
  'homeowner',
  'renter',
  'business',
  'owner',
  'property',
  'weather',
  'insurance',
  'assistance',
  'program',
  'loan',
  'program',
  'business',
  'injury',
  'storm',
  'odemhs',
  'sba',
  'request',
  'assistance',
  'neighboring',
  'county',
  'comanche',
  'tulsa',
  'counties',
  'city',
  'tulsa',
  'contractor',
  'july',
  '10th',
  'storm',
  'debris',
  'removal',
  'people',
  'debris',
  'tfd',
  'resident',
  'firework',
  'storm',
  'debris',
  'fire',
  'danger',
  'firework',
  'year',
  'july',
  'holiday',
  'heat',
  'storm',
  'debris',
  'neighborhood',
  'firework',
  'fire',
  'sba',
  'disaster',
  'loan',
  'outreach',
  'center',
  'friday',
  'tulsa',
  'u.s.',
  'small',
  'business',
  'administration',
  'sba',
  'disaster',
  'assistance',
  'comanche',
  'tulsa',
  'neighboring',
  'county',
  'storm',
  'place',
  'june',
  'oklahoma',
  'department',
  'emergency',
  'management',
  'homeland',
  'security',
  'odemhs',
  'government',
  'oklahoma',
  'request',
  'storm',
  'aid',
  'government',
  'oklahoma',
  'request',
  'disaster',
  'assistance',
  'county',
  'storm',
  'line',
  'wind',
  'tornado',
  'june',
  'oklahoma',
  'department',
  'emergency',
  'management',
  'homeland',
  'security',
  'declaration',
  'fema',
  'assistance',
  'municipality',
  'county',
  'tribe',
  'cooperative',
  'debris',
  'removal',
  'infrastructure',
  'utility',
  'repair',
  'cost',
  'storm',
  'video',
  'fox23',
  'sister',
  'claremore',
  'woman',
  'murder',
  'suicide',
  'fox23',
  'detail',
  'family',
  'member',
  'relationship',
  'claremore',
  'couple',
  'life',
  'murder',
  'suicide',
  'read',
  'morevideo',
  'fox23',
  'sister',
  'claremore',
  'woman',
  'murder',
  'suicide',
  'video',
  'authority',
  'arrest',
  'turley',
  'murder',
  'tulsa',
  'county',
  'authority',
  'arrest',
  'turley',
  'murder',
  'january',
  'read',
  'morevideo',
  'authority',
  'arrest',
  'turley',
  'murder',
  'member',
  'white',
  'supremacist',
  'prison',
  'gang',
  'ret',
  'year',
  'member',
  'supremacist',
  'prison',
  'gang',
  'killing',
  'cherokee',
  'citizen',
  'u.s.',
  'attorney',
  'office',
  'northern',
  'district',
  'read',
  'moremember',
  'white',
  'supremacist',
  'prison',
  'gang',
  'ret',
  'fox23',
  'sister',
  'claremore',
  'woman',
  'murder',
  'suicide',
  'fox23',
  'detail',
  'family',
  'member',
  'relationship',
  'claremore',
  'couple',
  'life',
  'murder',
  'suicide',
  'read',
  'morefox23',
  'sister',
  'claremore',
  'woman',
  'murder',
  'suicide',
  'tulsa',
  'municipal',
  'court',
  'offer',
  'thursday',
  'night',
  'court',
  'municipal',
  'citations',
  'city',
  'tulsa',
  'tulsa',
  'municipal',
  'court',
  'p.m.',
  'thursdays',
  'sept.',
  'read',
  'moretulsa',
  'municipal',
  'court',
  'offer',
  'thursday',
  'night',
  'court',
  'municipal',
  'citations',
  'soldier',
  'niger',
  'president',
  'mutinous',
  'soldier',
  'nation',
  'niger',
  'claim',
  'president',
  'state',
  'television',
  'end',
  'government',
  'read',
  'moremutinous',
  'soldier',
  'niger',
  'president',
  'senate',
  'gop',
  'leader',
  'mcconnell',
  'news',
  'conference',
  'senate',
  'majority',
  'leader',
  'mitch',
  'mcconnell',
  'press',
  'conference',
  'wednesday',
  'remark',
  'midsentence',
  'space',
  'second',
  'read',
  'moresenate',
  'gop',
  'leader',
  'mcconnell',
  'news',
  'conference',
  'midsentence',
  'video',
  'fox23',
  'investigate',
  'state',
  'house',
  'hearing',
  'allegation',
  'rape',
  'taft',
  'prison',
  'hearing',
  'member',
  'oklahoma',
  'house',
  'representatives',
  'week',
  'oklahoma',
  'history',
  'hearing',
  'state',
  'capitol',
  'read',
  'morevideo',
  'fox23',
  'investigate',
  'state',
  'house',
  'hearing',
  'allegation',
  'rape',
  'taft',
  'prison',
  'survey',
  'input',
  'kendall',
  'whittier',
  'main',
  'street',
  'main',
  'street',
  'america',
  'input',
  'resident',
  'employee',
  'visitor',
  'kendall',
  'whittier',
  'main',
  'street',
  'kwms',
  'future',
  'kwms',
  'kwms',
  'read',
  'moresurvey',
  'input',
  'kendall',
  'whittier',
  'main',
  'street',
  'video',
  'man',
  'degree',
  'heat',
  'smoker',
  'digit',
  'temp',
  'fox23',
  'man',
  'job',
  'tulsa',
  'read',
  'morevideo',
  'man',
  'degree',
  'heat',
  'smoker',
  'video',
  'north',
  'tulsa',
  'couple',
  'bulldog',
  'owner',
  'bulldog',
  'read',
  'morevideo',
  'north',
  'tulsa',
  'couple',
  'bulldog',
  'video',
  'city',
  'tulsa',
  'ceremony',
  'gilcrease',
  'museum',
  'city',
  'tulsa',
  'gilcrease',
  'museum',
  'ceremony',
  'wednesday',
  'morning',
  'museum',
  'construction',
  'read',
  'morevideo',
  'city',
  'tulsa',
  'ceremony',
  'gilcrease',
  'museum',
  'heat',
  'advisory',
  'effect',
  'pm',
  'cdt',
  'thursday',
  'heat',
  'advisory',
  'today',
  'heat',
  'index',
  'value',
  'west',
  'arkansas',
  'southeast',
  'oklahoma',
  'pm',
  'cdt',
  'thursday',
  'impact',
  'temperature',
  'humidity',
  'situation',
  'heat',
  'illness',
  'detail',
  'heat',
  'day',
  'heat',
  'advisories',
  'thursday',
  'precaution',
  'time',
  'activity',
  'morning',
  'evening',
  'sign',
  'symptom',
  'heat',
  'exhaustion',
  'heat',
  'stroke',
  'weight',
  'clothing',
  'plenty',
  'water',
  'risk',
  'work',
  'occupational',
  'safety',
  'health',
  'administration',
  'rest',
  'break',
  'air',
  'environment',
  'heat',
  'location',
  'heat',
  'stroke',
  'emergency',
  'man',
  'vehicle',
  'crash',
  'tulsa',
  'casa',
  'bonita',
  'employee',
  'list',
  'demand',
  'ownership',
  'victim',
  'man',
  'homicide',
  'tulsa',
  'year',
  'run',
  'tulsa',
  'bakery',
  'tulsa',
  'man',
  'gas',
  'pump',
  'worth',
  'diesel',
  'https://www.fox23.com',
  's',
  'memorial',
  'dr',
  'tulsa',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'blox',
  'content',
  'management',
  'system',
  'blox',
  'digital'],
 ['blizzard',
  'snowstorm',
  'wind',
  'mph',
  'cleveland',
  'winter',
  'snowstorm',
  'proximity',
  'lake',
  'erie',
  'lake',
  'effect',
  'snow',
  'cleveland',
  'blizzard',
  'national',
  'weather',
  'service',
  'record',
  'nov.',
  'nov.',
  'jan.',
  'blizzard',
  'cleveland',
  'suburb',
  'storm',
  'canadian',
  'northwest',
  'cleveland',
  'georgia',
  'new',
  'york',
  'great',
  'lakes',
  'rain',
  'sunday',
  'nov.',
  'night',
  'mph',
  'wind',
  'window',
  'fire',
  'hour',
  'barometer',
  'record',
  'time',
  'wire',
  'horse',
  'trolley',
  'communication',
  'city',
  'plowing',
  'snow',
  'day',
  'storm',
  'great',
  'lakes',
  'ship',
  'sailor',
  'storm',
  'tuesday',
  'food',
  'fuel',
  'delivery',
  'city',
  'good',
  'e.',
  '55th',
  'w.',
  'street',
  'thaw',
  'thursday',
  'temperature',
  'degree',
  'condition',
  'friday',
  'weather',
  'bureau',
  'storm',
  'record',
  'blizzard',
  'traffic',
  'west',
  'street',
  'day',
  'thanksgiving',
  'blizzard',
  'arctic',
  'air',
  'mass',
  'temperature',
  'degree',
  'day',
  'nov.',
  'pressure',
  'virginia',
  'ohio',
  'blizzard',
  'wind',
  'snow',
  'airport',
  'mayor',
  'thomas',
  'burke',
  'national',
  'guard',
  'snow',
  'removal',
  'equipment',
  'snow',
  'storm',
  'snow',
  'car',
  'effort',
  'burke',
  'state',
  'emergency',
  'travel',
  'downtown',
  'business',
  'hour',
  'transit',
  'burden',
  'car',
  'downtown',
  'storm',
  'monday',
  'area',
  'school',
  'storm',
  'guardsman',
  'wednesday',
  'cleveland',
  'school',
  'week',
  'child',
  'transit',
  'line',
  'auto',
  'ban',
  'cts',
  'line',
  'saturday',
  'parking',
  'problem',
  'police',
  'traffic',
  'condition',
  'temperature',
  'degree',
  'storm',
  'area',
  'week',
  'life',
  'blizzard',
  'cleveland',
  'history',
  'thursday',
  'jan.',
  'pressure',
  'mississippi',
  'valley',
  'ohio',
  'pressure',
  'great',
  'lakes',
  'cyclone',
  'wind',
  'pressure',
  'eye',
  'cleveland',
  'a.m.',
  'barometer',
  'record',
  'temperature',
  'degree',
  'hour',
  'wind',
  'mph',
  'mph',
  'gust',
  'wind',
  'chill',
  '-100deg',
  'f',
  'snow',
  'hopkins',
  'airport',
  'visibility',
  'illuminating',
  'co.',
  'crew',
  'line',
  'wind',
  'branch',
  'greater',
  'cleveland',
  'home',
  'power',
  'blizzard',
  'storm',
  'winter',
  'u.s.',
  'mayor',
  'dennis',
  'kucinich',
  'return',
  'washington',
  'dc',
  'finance',
  'director',
  'joseph',
  'tegreene',
  'command',
  'post',
  'mayor',
  'national',
  'guard',
  'gov.',
  'james',
  'rhodes',
  'emergency',
  'storm',
  'worker',
  'job',
  'rta',
  'demand',
  'bus',
  'service',
  'bus',
  'line',
  'road',
  'area',
  'freeway',
  'storm',
  'ohio',
  'turnpike',
  'time',
  'condition',
  'day',
  'hopkins',
  'airport',
  'highway',
  'turnpike',
  'east',
  'elyria',
  'food',
  'supply',
  'weekend',
  'winter',
  'city',
  'case',
  'western',
  'reserve',
  'university'],
 ['search',
  'fox',
  'weather',
  'fox',
  'weather',
  'app',
  'podcast',
  'weather',
  'news',
  'november',
  'est',
  'condition',
  'north',
  'dakota',
  'season',
  'winter',
  'storm',
  'winter',
  'storm',
  'season',
  'plains',
  'condition',
  'power',
  'line',
  'travel',
  'hillary',
  'andrews',
  'aaron',
  'barker',
  'source',
  'fox',
  'weather',
  'facebook',
  'twitter',
  'email',
  'copy',
  'link',
  'blizzard',
  'mile',
  'inch',
  'ice',
  'foot',
  'snow',
  'mess',
  'north',
  'dakota',
  'accident',
  'state',
  'nd',
  'dot',
  'section',
  'visibility',
  'wreck',
  'bismarck',
  'n.d.',
  'coating',
  'ice',
  'snow',
  'north',
  'dakota',
  'authority',
  'travel',
  'region',
  'thursday',
  'plains',
  'winter',
  'storm',
  'season',
  'wednesday',
  'night',
  'rain',
  'rain',
  'contact',
  'road',
  'bridge',
  'glaze',
  'inch',
  'place',
  'rain?fox',
  'weather',
  'max',
  'gorden',
  'trouble',
  'bismarck',
  'north',
  'dakota',
  'storm',
  'concern',
  'runway',
  'airport',
  'ice',
  'snow',
  'national',
  'weather',
  'service',
  'rate',
  'inch',
  'hour',
  'wind',
  'mph',
  'snow',
  'visibility',
  'quarter',
  'mile',
  'condition',
  'travel',
  'nightmare',
  'winter',
  'storm',
  'season',
  'plains',
  'home',
  'north',
  'dakota',
  'official',
  'driver',
  'half',
  'inch',
  'ice',
  'foot',
  'snow',
  'state',
  'north',
  'dakota',
  'department',
  'transportation',
  'travel',
  'advisories',
  'state',
  'bismarck',
  'road',
  'pile',
  'interstate',
  'fox',
  'chain',
  'reaction',
  'pile',
  'highway',
  'patrol',
  'trooper',
  'car',
  'o.k.',
  'north',
  'dakota',
  'highway',
  'patrol',
  'fox',
  'weather)snow',
  'plow',
  'driver',
  'road',
  'responder',
  'plow',
  'driver',
  'emergency',
  'route',
  'bismarck',
  'snow',
  'gorden',
  'road',
  '"zero',
  'visibility',
  'stretch',
  'u.s.',
  'highway',
  'u.s.',
  'highway',
  'ice',
  'snow',
  'power',
  'line',
  'branch',
  'home',
  'business',
  'darkness',
  'height',
  'storm',
  'poweroutage.us',
  'number',
  'thursday',
  'evening',
  'ice',
  'knock',
  'power',
  'damage',
  'foot',
  'snow',
  'north',
  'dakota',
  'snow',
  'night',
  'blizzard',
  'warning',
  'effect',
  'half',
  'state',
  'midnight',
  'snow',
  'weather',
  'thursday',
  'day',
  'record',
  'bismarck',
  'year',
  'recordkeeping',
  'airport',
  'inch',
  'thursday',
  'evening',
  'storm',
  'snow',
  'fox',
  'weather',
  'center',
  'temperature',
  'weekend',
  'storm',
  'criterion',
  'blizzard',
  'wind',
  'mph',
  'visibility',
  'quarter',
  'mile',
  'hour',
  'tag',
  'winter',
  'dakotatransportationextreme',
  'weather',
  'fox',
  'weather',
  'app',
  'available',
  'android',
  'weather',
  'news',
  'loading',
  'fox',
  'weather',
  'app',
  'privacy',
  'policy',
  'terms',
  'condition',
  'privacy',
  'choices',
  'media',
  'relations',
  'corporate',
  'information',
  'facebook',
  'twitter',
  'instagram',
  'youtube',
  'linkedin',
  'tiktok',
  'rss',
  'download',
  'app',
  'store',
  'google',
  'play',
  'material',
  'fox',
  'news',
  'network',
  'llc',
  'right'],
 ['examsupsc',
  'specialexpress',
  'et',
  'alhealth',
  'specials',
  'winter',
  'storm',
  'blackout',
  'energy',
  'texas',
  'winter',
  'storm',
  'blackout',
  'energy',
  'texas',
  'texas',
  'winter',
  'storm',
  'dozen',
  'death',
  'winter',
  'storm',
  'uri',
  'state',
  'authority',
  'condition',
  'day',
  'rahel',
  'philipose',
  'desk',
  'panaji',
  '',
  '',
  'february',
  'ist',
  'snowplows',
  'road',
  'winter',
  'storm',
  'sunday',
  'feb.',
  'oklahoma',
  'city',
  'ap)as',
  'texas',
  'midst',
  'blast',
  'winter',
  'weather',
  'temperature',
  'level',
  'people',
  'state',
  'power',
  'demand',
  'electricity',
  'power',
  'grid',
  'dozen',
  'death',
  'winter',
  'storm',
  'uri',
  'state',
  'authority',
  'condition',
  'day',
  'sunday',
  'president',
  'joe',
  'biden',
  'emergency',
  'texas',
  'assistance',
  'response',
  'effort',
  'electricity',
  'reliability',
  'council',
  'texas',
  'ercot',
  'operator',
  'state',
  'power',
  'grid',
  'criticism',
  'state',
  'leadership',
  'governor',
  'greg',
  'abbott',
  'body',
  'hour',
  'power',
  'grid',
  'operator',
  'way',
  'power',
  'outage',
  'texas',
  'blackout',
  'folk',
  'power',
  'people',
  'power',
  'region',
  'power',
  'event',
  'event',
  'ercot',
  'ceo',
  'bill',
  'magness',
  'dallas',
  'morning',
  'news',
  'snap',
  'gas',
  'power',
  'price',
  'record',
  'level',
  'country',
  'bloomberg',
  'city',
  'richardson',
  'worker',
  'kaleb',
  'love',
  'ice',
  'fountain',
  'tuesday',
  'feb.',
  'richardson',
  'texas',
  'ap',
  'power',
  'outage',
  'state',
  'texas',
  'temperature',
  'decade',
  'state',
  'spike',
  'electricity',
  'demand',
  'source',
  'energy',
  'gas',
  'coal',
  'wind',
  'cold',
  'ice',
  'result',
  'power',
  'grid',
  'operator',
  'blackout',
  'state',
  'advertisement',
  'ercot',
  'level',
  'emergency',
  'alert',
  'customer',
  'electricity',
  'use',
  'situation',
  'control',
  'traffic',
  'light',
  'infrastructure',
  'power',
  'tweet',
  'express',
  'telegram',
  'channel',
  'texas',
  'state',
  'power',
  'grid',
  'ercot',
  'cent',
  'state',
  'electricity',
  'temperature',
  'sunday',
  'degree',
  'state',
  'resident',
  'thermostat',
  'warmth',
  'power',
  'grid',
  'record',
  'demand',
  'megawatt',
  'mw',
  'winter',
  'peak',
  'january',
  'ercot',
  'winter',
  'peak',
  'demand',
  'record',
  'evening',
  'mw',
  'p.m.',
  'mw',
  'winter',
  'peak',
  'january',
  'thank',
  'today',
  '',
  '',
  'saveenergy',
  'pic.twitter.com/eq56llxcas',
  'ercot',
  'february',
  'state',
  'source',
  'power',
  'gas',
  'line',
  'ice',
  'wind',
  'turbine',
  'coal',
  'pile',
  'energy',
  'generator',
  'grid',
  'demand',
  'ercot',
  'power',
  'outage',
  'minute',
  'tuesday',
  'million',
  'power',
  'state',
  'weather',
  'power',
  'blackout',
  'expert',
  'electricity',
  'crisis',
  'texas',
  'state',
  'wealth',
  'energy',
  'resource',
  'fact',
  'texas',
  'oil',
  'gas',
  'energy',
  'producer',
  'energy',
  'information',
  'administration',
  'crisis',
  'lack',
  'power',
  'source',
  'energy',
  'infrastructure',
  'expert',
  'advertisement',
  'meantime',
  'electricity',
  'price',
  'cent',
  'storm',
  'state',
  'week',
  'cnn',
  'time',
  'market',
  'price',
  'power',
  'grid',
  'megawatt',
  'hour',
  'monday',
  'morning',
  'price',
  'megawatt',
  'hour',
  'reuters',
  'coronaviru',
  'gyanvapi',
  'mosque',
  'survey',
  'issue',
  'varanasi',
  'dispute?explainspeaking',
  'sense',
  'rajasthan',
  'minimum',
  'guaranteed',
  'income',
  'billhow',
  'saudi',
  'arabia',
  'mbs',
  'football',
  'landscapeclick',
  'outcome',
  'state',
  'blackout',
  'blackout',
  'state',
  'covid-19',
  'inoculation',
  'centre',
  'rollout',
  'vaccine',
  'freezer',
  'power',
  'generator',
  'health',
  'worker',
  'place',
  'houston',
  'vaccine',
  'dose',
  'arrival',
  'uri',
  'winter',
  'storm',
  'texas',
  'track',
  'people',
  'week',
  'verge',
  'texans',
  'end',
  'week',
  'dshs',
  'number',
  'readwhat',
  'confidence',
  'motion?kargil',
  'vijay',
  'diwas',
  'indian',
  'army',
  'condition',
  'pm',
  'modi',
  'sri',
  'lanka',
  'president',
  'amendment',
  'makeba',
  'song',
  'instagram',
  'reel',
  'story',
  'national',
  'guard',
  'troop',
  'state',
  'family',
  'winter',
  'storm',
  'death',
  'carbon',
  'monoxide',
  'poisoning',
  'united',
  'states',
  'people',
  'car',
  'crash',
  'car',
  'pileup',
  'sunday',
  'houston',
  'fire',
  'chief',
  'samuel',
  'pea',
  'ie',
  'online',
  'media',
  'services',
  'pvt',
  'ltd',
  'ist',
  'advertisementmore',
  'explainedkargil',
  'vijay',
  'diwas',
  'army',
  'weather',
  'terrain',
  'explainedwhat',
  'confidence',
  'motion?explainedpm',
  'modi',
  'sri',
  'lanka',
  'amendment',
  'india',
  'caresexplainedhow',
  'russia',
  'ukraine',
  'maliana',
  'year',
  'resident',
  'appeal',
  'rahul',
  'disqualificationentertainmentgadar',
  'trailer',
  'deol',
  'army',
  'son',
  'christopher',
  'nolan',
  'classic',
  'film',
  'yettrendingsiblings',
  'father',
  'heartbeat',
  'year',
  'death',
  'origin',
  'news',
  'director',
  'google',
  'year',
  'experience',
  'leg',
  'landmine',
  'accident',
  'uri',
  'india',
  'blade',
  'jumper',
  'gamessportswhy',
  'ashwin',
  'comeback',
  'world',
  'cupopinionafter',
  'manipur',
  'question',
  'supreme',
  'court',
  'kargil',
  'vijay',
  'diwas',
  'army',
  'weather',
  'terrain',
  'lifestylefighting',
  'myositis',
  'samantha',
  'ruth',
  'prabhu',
  'yoga',
  'balitechnologysamsung',
  'galaxy',
  'z',
  'flip',
  'event',
  'live',
  'advertisementmust',
  'readsportssoldier',
  'leg',
  'landmine',
  'accident',
  'uri',
  'india',
  'blade',
  'jumper',
  'gamessportswhy',
  'ashwin',
  'comeback',
  'world',
  'cupsportswhy',
  'shubman',
  'gill',
  'test',
  'average',
  'technologysamsung',
  'galaxy',
  'z',
  'flip',
  'event',
  'live',
  'technologyspacex',
  'rocket',
  'launch',
  'hole',
  'earth',
  'ionospheretechnologysamsung',
  'galaxy',
  'z',
  'flip',
  'tab',
  's9',
  'galaxy',
  'myositis',
  'samantha',
  'ruth',
  'prabhu',
  'yoga',
  'baliadvertisementexpress',
  'opinionopinionafter',
  'manipur',
  'question',
  'supreme',
  'court',
  'opinionhow',
  'trai',
  'consultation',
  'streaming',
  'india',
  'uae',
  'pakistan',
  'economyopinionwith',
  'gst',
  'game',
  'death',
  'taxis',
  'jul',
  'news',
  'smuggling',
  'case',
  'opp',
  'corners',
  'nepal',
  'govt',
  'house02sayajibaug',
  'zoo',
  'bridge',
  'public',
  'repair',
  'crime',
  'branch',
  'thief',
  'gang',
  'personnel',
  'basis',
  'maharashtra',
  'dy',
  'cm',
  'devendra',
  'fadnavis05hc',
  'proceeding',
  'sugar',
  'factory',
  'ncp',
  'mla',
  'rohit',
  'pawaradvertisement',
  'rahel',
  'philiposerahel',
  'philipose',
  'senior',
  'sub',
  'editor',
  'indianexpress.com',
  'news',
  'd',
  'daily',
  'briefing',
  'police',
  'chargesheet',
  'brij',
  'bhushan',
  'sc',
  'ed',
  'chief',
  'tenure',
  'briefing',
  'sco',
  'bjp',
  'briefing',
  'sushil',
  'kumar',
  'modi',
  'concern',
  'ucc',
  'ncp',
  'crisis',
  'bjp',
  'e',
  '-',
  'paperpremiumindiaelection',
  'revieweyetrendingcitiesnewsletterswebseriesphotosvideosaudioweb',
  'stories',
  'crosswordsee',
  'examsupsc',
  'specialexpress',
  'et',
  'alhealth',
  'specials',
  'categories',
  'news',
  'political',
  'pulse',
  'opinion',
  'mumbai',
  'news',
  'delhi',
  'news',
  'pune',
  'news',
  'bangalore',
  'news',
  'bollywood',
  'news',
  'health',
  'news',
  'india',
  'news',
  'sports',
  'news',
  'lifestyle',
  'news',
  'jobs',
  'mobile',
  'tabs',
  'tech',
  'reviews',
  'gadgets',
  'mobile',
  'tabs',
  'food',
  'wine',
  'elections',
  'fitness',
  'newslatest',
  'newsincome',
  'tax',
  'slabhealth',
  'wellnesscricket',
  'newseducation',
  'newsentertainment',
  'news',
  'expressbuy',
  'digital',
  'premiumtrending',
  'newswhy',
  'expressexpress',
  'et',
  'albuy',
  'access',
  'planhoroscopebusinesslatest',
  'storiestoday',
  'politic',
  'oppn',
  'protest',
  'parliament',
  'pm',
  'modi',
  'rally',
  'sikar25',
  'village',
  'ferozepur',
  'fazilka',
  'edge',
  'flow',
  'water',
  'sutlejmeta',
  'nick',
  'clegg',
  'ai',
  'carbon',
  'burden',
  'europe',
  'hypocrisypratap',
  'bhanu',
  'mehta',
  'israel',
  'floundering',
  'future',
  'oursjio',
  'financial',
  'services',
  'blackrock',
  'asset',
  'management',
  'venturesoldier',
  'leg',
  'landmine',
  'accident',
  'uri',
  'india',
  'blade',
  'jumper',
  'asian',
  'gamesjuly',
  'year',
  'sri',
  'lanka',
  'violenceexpress',
  'view',
  'view',
  'imf',
  'forecast',
  'growth',
  'view',
  'parliament',
  'logjam',
  'manipur',
  'hour',
  'housemamata',
  'banerjee',
  'bhangar',
  'kolkata',
  'policefir',
  'chief',
  'education',
  'board',
  'illegality',
  'postingsschool',
  'job',
  'scam',
  'action',
  'abhishek',
  'july',
  'edwoman',
  'husband',
  'loan',
  'air',
  'flight',
  'pune',
  'hyderabad',
  'bengaluru',
  'indian',
  'express',
  'website',
  'green',
  'credibility',
  'trustworthiness',
  'newsguard',
  'service',
  'news',
  'source',
  'standard',
  'express',
  'group',
  'indian',
  'express',
  'financial',
  'express',
  'iebangla.com',
  'loksatta',
  'iemalayalam.com',
  'jansatta',
  'iegujarati.com',
  'expressgroup',
  'myinsuranceclub',
  'newsletters',
  'story',
  'strength',
  'ramnath',
  'goenka',
  'excellence',
  'journalism',
  'awards',
  'online',
  'classes',
  'kids',
  'light',
  'house',
  'journalism',
  'compare',
  'term',
  'insurance',
  'quick',
  'link',
  't&c',
  'privacy',
  'policy',
  'advertise',
  'brand',
  'solutions',
  'contact',
  'provision',
  'offense',
  'website',
  'dnpa',
  'code',
  'conduct',
  'csr',
  'copyright',
  'indian',
  'express',
  'p',
  'ltd.',
  'rights'],
 ['arkansas',
  'national',
  'guard',
  'border',
  'end',
  'july',
  'crews',
  'work',
  'jefferson',
  'regional',
  'medical',
  'center',
  'fire',
  'arkansas',
  'weather',
  'forecast',
  'thv11',
  'little',
  'rock',
  'plan',
  'spot',
  'city',
  'weather',
  'storms',
  'central',
  'arkansas',
  'tree',
  'power',
  'outage',
  'thunderstorm',
  'arkansas',
  'tree',
  'damage',
  'thousand',
  'people',
  'power',
  'example',
  'video',
  'title',
  'video',
  'pm',
  'cdt',
  'june',
  'pm',
  'cdt',
  'june',
  'arkansas',
  'usa',
  'sunday',
  'afternoon',
  'storm',
  'central',
  'arkansas',
  'thv11',
  'meteorologist',
  'thunderstorm',
  'wind',
  'mph',
  'area',
  'lightning',
  'report',
  'tree',
  'street',
  'hail',
  'vehicle',
  'thousand',
  'power',
  'outage',
  'state',
  'p.m.',
  'outage',
  'state',
  'lonoke',
  'county',
  'sheriff',
  'office',
  'people',
  'tree',
  'home',
  'carlisle',
  'storm',
  'conway',
  'mayor',
  'bart',
  'castleberry',
  'injury',
  'result',
  'storm',
  'north',
  'little',
  'rock',
  'electric',
  'department',
  'monday',
  'hour',
  'power',
  'customer',
  'monday',
  'afternoon',
  'power',
  'state',
  'thunderstorm',
  'arkansas',
  'june',
  'max',
  'pat',
  'holt',
  'credit',
  'max',
  'pat',
  'holt',
  'storms',
  'power',
  'hail',
  'arkansas',
  'logan',
  'county',
  'ef-2',
  'tornado',
  'damage',
  'power',
  'outage',
  'eeo',
  'public',
  'file',
  'report',
  'fcc',
  'online',
  'public',
  'inspection',
  'file',
  'closed',
  'caption',
  'procedure',
  'information',
  'kthv',
  'tv',
  'rights',
  'kthv',
  'notification',
  'news',
  'weather',
  'notification',
  'browser',
  'setting'],
 ['thu',
  'jul',
  'gmt',
  '1690435046866)b811ce9f72504dd71cfbde548ab55bc49d22f916ff7f66dd0d6b73eb176b80eedf30afe5bb51279anewsweathersports',
  'unlimitedproject',
  'baltimoregame',
  'centerwatch',
  'thu',
  'fri',
  'prep',
  'summer',
  'delaware',
  'town',
  'damage',
  'stormby',
  'amy',
  'simpsonsun',
  '22nd',
  'pm',
  'utc8view',
  'photosa',
  'foot',
  'cliff',
  'shore',
  'south',
  'bethany.0loading'],
 ['owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'account',
  'dashboard',
  'profile',
  'item',
  'log',
  'account',
  'log',
  'account',
  'sign',
  'today',
  'account',
  'dashboard',
  'profile',
  'item',
  'wthi',
  'job',
  'difference',
  'nominations',
  'senior',
  'fair',
  'heat',
  'advisory',
  'effect',
  'thursday',
  'midnight',
  'edt',
  'friday',
  'night',
  'heat',
  'index',
  'value',
  'portion',
  'north',
  'southwest',
  'indiana',
  'thursday',
  'midnight',
  'edt',
  'friday',
  'night',
  'impact',
  'temperature',
  'humidity',
  'heat',
  'illness',
  'detail',
  'heat',
  'index',
  'value',
  'friday',
  'plenty',
  'fluid',
  'air',
  'room',
  'sun',
  'relative',
  'neighbor',
  'child',
  'pet',
  'vehicle',
  'circumstance',
  'precaution',
  'time',
  'activity',
  'morning',
  'evening',
  'sign',
  'symptom',
  'heat',
  'exhaustion',
  'heat',
  'stroke',
  'clothing',
  'risk',
  'work',
  'occupational',
  'safety',
  'health',
  'administration',
  'rest',
  'break',
  'air',
  'environment',
  'heat',
  'location',
  'heat',
  'stroke',
  'emergency',
  'air',
  'quality',
  'alert',
  'effect',
  'midnight',
  'tonight',
  'midnight',
  'edt',
  'thursday',
  'night',
  'official',
  'indiana',
  'department',
  'environmental',
  'management',
  'air',
  'action',
  'quality',
  'day',
  'effect',
  'midnight',
  'tonight',
  'midnight',
  'edt',
  'thursday',
  'night',
  'air',
  'quality',
  'action',
  'day',
  'ozone',
  'ozone',
  'level',
  'unhealthy',
  'sensitive',
  'groups',
  'child',
  'adult',
  'people',
  'disease',
  'asthma',
  'exposure',
  'action',
  'public',
  'walk',
  'bike',
  'carpool',
  'transportation',
  'drive',
  'errand',
  'trip',
  'vehicle',
  'gasoline',
  'lawn',
  'equipment',
  'pm',
  'engine',
  'second',
  'energy',
  'light',
  'air',
  'conditioner',
  'degree',
  'information',
  'idem',
  'smog',
  'page',
  'time',
  'condition',
  'indiana',
  'uptick',
  'storm',
  'jul',
  'jul',
  'indiana',
  'wthi',
  'thunderstorm',
  'weather',
  'month',
  'wabash',
  'valley',
  'summer',
  'tornado',
  'series',
  'storm',
  'eye',
  'opener',
  'people',
  'storm',
  'wake',
  'lot',
  'people',
  'malynnda',
  'johnson',
  '"kinda',
  'storm',
  'future',
  'donna',
  'paitson',
  'andrew',
  'white',
  'meteorologist',
  'indiana',
  'national',
  'weather',
  'service',
  'spell',
  'period',
  'weather',
  'white',
  'influx',
  'activity',
  'year',
  'indiana',
  'tornado',
  'year',
  'thunderstorm',
  'warning',
  'year',
  'number',
  'year',
  'warning',
  'indiana',
  'white',
  'multitude',
  'reason',
  'white',
  'cause',
  'area',
  'jet',
  'stream',
  'jet',
  'stream',
  'channel',
  'air',
  'atmosphere',
  'air',
  'number',
  'ingredient',
  'air',
  'wind',
  'shear',
  'difference',
  'wind',
  'speed',
  'height',
  'ingredient',
  'thunderstorm',
  'white',
  'end',
  'july',
  'summer',
  'storm',
  'sign',
  'white',
  'people',
  'attention',
  'weather',
  'watches',
  'warning',
  'area',
  'resident',
  'weather',
  'basement',
  'kate',
  'interviewee',
  'family',
  'house',
  'cover',
  'basement',
  'paitson',
  '"this',
  'shelter',
  'care',
  'animal',
  'thing',
  'johnson',
  'forecast',
  'storm',
  'team',
  'weather',
  'app',
  'storm',
  'team',
  'app',
  'griffin',
  'bike',
  'park',
  'bikeapalooza',
  'holiday',
  'sale',
  'year',
  'shopper',
  'saving',
  'credit',
  'gift',
  'leader',
  'goal',
  'terre',
  'haute',
  'movie',
  'theater',
  'chain',
  'vigo',
  'co.',
  'school',
  'superintendent',
  'search',
  'customer',
  'crypto',
  'giant',
  'ftx',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'copyright',
  'allen',
  'media',
  'broadcasting',
  'ohio',
  'street',
  'terre',
  'haute',
  'term',
  'use',
  'blox',
  'content',
  'management',
  'system',
  'blox',
  'digital'],
 ['contentskip',
  'content',
  'register',
  'article',
  'newsletter',
  'weather',
  'forecast',
  'weather',
  'alert',
  'inbox',
  'subscriber',
  'sign',
  'time',
  'permission',
  'article',
  'lee',
  'enterprises',
  'terms',
  'service',
  '',
  '',
  'privacy',
  'policy',
  'help',
  'center',
  'account',
  'dashboard',
  'profile',
  'item',
  'weather',
  'nebraska',
  'wednesday',
  'storm',
  'spot',
  'weather',
  'nebraska',
  'wednesday',
  'storm',
  'spot',
  'rain',
  'nebraska',
  'afternoon',
  'evening',
  'hour',
  'today',
  'hail',
  'wind',
  'spot',
  'flooding',
  'tornado',
  'detail',
  'forecast',
  'video',
  'apple',
  'podcast',
  'google',
  'podcast',
  'rss',
  'feed',
  'omny',
  'studio',
  'apple',
  'podcast',
  'google',
  'podcast',
  'rss',
  'feed',
  'omny',
  'studio',
  'record',
  'rainfall',
  'state',
  'flooding',
  'disaster',
  'united',
  'states',
  'damage',
  'flooding',
  'rainfall',
  'period',
  'time',
  'stacker',
  'hour',
  'precipitation',
  'state',
  'datum',
  'state',
  'climate',
  'extremes',
  'committee',
  'national',
  'oceanographic',
  'atmospheric',
  'administration',
  'state',
  'rainfall',
  'hour',
  'period',
  'list',
  'puerto',
  'rico',
  'kansas',
  'datum',
  'data',
  'july',
  'number',
  'inch',
  'hour',
  'noaa',
  'datum',
  'damage',
  'life',
  'day',
  'rain',
  'day',
  'hurricane',
  'storm',
  'rain',
  'climate',
  'change',
  'rainfall',
  'concern',
  'expert',
  'water',
  'cycle',
  'sea',
  'level',
  'weather',
  'pattern',
  'precipitation',
  'measurement',
  'mission',
  'climate',
  'change',
  'nasa',
  'u.s.',
  'precipitation',
  'time',
  'drought',
  'flood',
  'problem',
  'incidence',
  'country',
  'meteorologist',
  'past',
  'weather',
  'pattern',
  'date',
  'day',
  'rain',
  'day',
  'state',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'deer',
  'creek',
  'dam-',
  'date',
  'feb.',
  'state',
  'ocean',
  'weather',
  'event',
  'hurricane',
  'storm',
  'climate',
  'case',
  'utah',
  'record',
  'rainfall',
  'inch',
  'account',
  'storm',
  'deer',
  'creek',
  'dam',
  'thunder',
  'streak',
  'lightning',
  'sheet',
  'rain',
  'morning',
  'hour',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'cheyenne-',
  'date',
  'aug.',
  'water',
  'flash',
  'flood',
  'wyoming',
  'inch',
  'rain',
  'hour',
  'inch',
  'hailstone',
  'weather',
  'event',
  'damage',
  'safety',
  'measure',
  'overflow',
  'flood',
  'channel',
  'city',
  'flood',
  'plain',
  'retention',
  'pond',
  'neighborhood',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'rattlesnake',
  'creek-',
  'date',
  'nov.',
  'region',
  'idaho',
  'state',
  'rain',
  'hour',
  'end',
  'precipitation',
  'gem',
  'state',
  'inch',
  'idaho',
  'region',
  'roland',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'mount',
  'charleston-',
  'date',
  'oct.',
  'october',
  'rain',
  'mount',
  'charleston',
  'foot',
  'area',
  'nevada',
  'spring',
  'mountains',
  'section',
  'humboldt',
  'toiyabe',
  'national',
  'forest',
  'mt.',
  'charleston',
  'average',
  'inch',
  'rain',
  'date',
  'inch',
  'mount',
  'charleston',
  'crash',
  'cia',
  'c-54',
  'plane',
  'area',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'litchville-',
  'date',
  'june',
  'north',
  'dakota',
  'inch',
  'precipitation',
  'month',
  'inch',
  'hour',
  'century',
  'june',
  'month',
  'inch',
  'rain',
  'north',
  'dakota',
  'game',
  'fish',
  'department',
  'center',
  'u.s.',
  'north',
  'dakota',
  'climate',
  'winter',
  'summer',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'groton-',
  'date',
  'basement',
  'cellar',
  'wall',
  'collapse',
  'result',
  'south',
  'dakota',
  'day',
  'history',
  'president',
  'george',
  'w.',
  'bush',
  'brown',
  'buffalo',
  'clark',
  'day',
  'marshall',
  'spink',
  'county',
  'disaster',
  'area',
  'power',
  'outage',
  'vehicle',
  'drainage',
  'system',
  'state',
  'emergency',
  'south',
  'dakota',
  'home',
  'crop',
  'hour',
  'rain',
  'event',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'mt.',
  'mansfield-',
  'date',
  'sept.',
  'end',
  'century',
  'vermont',
  'summit',
  'mount',
  'mansfield',
  'location',
  'state',
  'rainfall',
  'hour',
  'inch',
  'rain',
  'afternoon',
  'year',
  'discussion',
  'abortion',
  'place',
  'missouri',
  'musician',
  'oscar',
  'peterson',
  'carnegie',
  'hall',
  'friday',
  'npr',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'louisville-',
  'date',
  'march',
  'rain',
  'middle',
  'ohio',
  'river',
  'flood',
  'stage',
  'march',
  'day',
  'month',
  'rainiest',
  'storm',
  'people',
  'street',
  'day',
  'rain',
  'march',
  'ohio',
  'river',
  'peak',
  'damage',
  'louisville',
  'home',
  'business',
  'surrounding',
  'destruction',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'princeton-',
  'date',
  'aug.',
  'drought',
  'flooding',
  'century',
  'state',
  'love',
  'hate',
  'relationship',
  'mother',
  'nature',
  'record',
  'set',
  'princeton',
  'indiana',
  'inch',
  'rain',
  'hour',
  'period',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'lockington',
  'dam',
  'nr',
  '.',
  'sidney',
  'shelby',
  'co.',
  'oh)-',
  'date',
  'aug.',
  '1995ohio',
  'humid',
  'climate',
  'summer',
  'inch',
  'hour',
  'rainfall',
  'inch',
  'downpour',
  'quantity',
  'rain',
  'time',
  'land',
  'stream',
  'ground',
  'rate',
  'rainfall',
  'land',
  'topography',
  'soil',
  'condition',
  'density',
  'vegetation',
  'urbanization',
  'runoff',
  'condition',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'mount',
  'washington-',
  'date',
  'oct.',
  'website',
  'weatherspark',
  'rain',
  'october',
  'chance',
  'day',
  'course',
  'october',
  '%',
  'website',
  'year',
  'day',
  'gust',
  'wind',
  'mph',
  'mount',
  'washington',
  'observatory',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'lake',
  'maloya-',
  'date',
  'maloya',
  'colorado',
  'new',
  'mexico',
  'border',
  'colorado',
  'rain',
  'slope',
  'mountain',
  'hour',
  'morning',
  'noaa',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'workman',
  'creek-',
  'date',
  'sept.',
  'inch',
  'rain',
  'hour',
  'desertscape',
  'arizona',
  'storm',
  'condition',
  'death',
  'people',
  'landscape',
  'river',
  'creek',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'circle',
  'springbrook)-',
  'date',
  'june',
  'inch',
  'rain',
  'springbrook',
  'year',
  'people',
  'infant',
  'town',
  'house',
  'barn',
  'bridge',
  'granary',
  'big',
  'sky',
  'country',
  'state',
  'home',
  'great',
  'plains',
  'rocky',
  'mountains',
  'average',
  'inch',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'mellen-',
  'date',
  'june',
  'storm',
  'record',
  'inch',
  'rainfall',
  'storm',
  'inch',
  'rain',
  'volume',
  'rain',
  'customer',
  'costco',
  'evacuation',
  'mazomanie',
  'county',
  'resident',
  'sheriff',
  'officer',
  'people',
  'airboat',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'nehalem',
  '9ne-',
  'date',
  'nov.',
  '2006a',
  'november',
  'day',
  'nehalem',
  'record',
  'afternoon',
  'inch',
  'rain',
  'hour',
  'inch',
  'state',
  'neighbor',
  'pacific',
  'northwest',
  'region',
  'u.s.',
  'oregon',
  'precipitation',
  'area',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'usgs',
  'rod',
  'gun',
  'ft',
  '.',
  'carson)-',
  'date',
  'sept.',
  '2013this',
  'date',
  'rain',
  'north',
  'fort',
  'carson',
  'army',
  'post',
  'colorado',
  'day',
  'record',
  'inch',
  'hour',
  'record',
  'inch',
  'hour',
  'flooding',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'run-',
  'date',
  'june',
  'virginia',
  'flood',
  'state',
  'country',
  'flash',
  'flood',
  'half',
  'state',
  '%',
  'fatality',
  'property',
  'damage',
  'west',
  'virginia',
  'flood',
  'factor',
  'report',
  'property',
  'state',
  '%',
  'chance',
  'flooding',
  'decade',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'date',
  'sept.',
  'satellite',
  'weather',
  'american',
  'meteorological',
  'society',
  'information',
  'weather',
  'station',
  'rhode',
  'island',
  'maine',
  'new',
  'hampshire',
  'vermont',
  'massachusetts',
  'connecticut',
  'new',
  'york',
  'ams',
  'day',
  'rain',
  'event',
  'weather',
  'map',
  'morning',
  'storm',
  'weather',
  'map',
  'morning',
  'rainfall',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'harbeson-',
  'date',
  'sept.',
  'delaware',
  'new',
  'castle',
  'county',
  'state',
  'east',
  'coast',
  'harbeson',
  'mile',
  'rehobeth',
  'beach',
  'sussex',
  'county',
  'state',
  'record',
  'hour',
  'precipitation',
  'inch',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'burlington-',
  'date',
  'aug.',
  'connecticut',
  'flood',
  'recovery',
  'committee',
  'rain',
  'storm',
  'flood',
  'friday',
  'flood',
  'history',
  'united',
  'states',
  'local',
  'flood',
  'friday',
  'nbc',
  'rain',
  'august',
  'chart',
  'event',
  'year',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  '6e',
  'fountain-',
  'date',
  'july',
  'storm',
  'morning',
  'july',
  'mph',
  'wind',
  'microburst',
  'tree',
  'powerline',
  'power',
  'people',
  'storm',
  'hour',
  'mason',
  'lake',
  'county',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'york-',
  'date',
  'july',
  'lincoln',
  'journal',
  'star',
  'rainfall',
  'york',
  'nebraska',
  'disaster',
  'state',
  'time',
  'deluge',
  'people',
  'swathe',
  'beaver',
  'crossing',
  'york',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'atlantic',
  '1ne-',
  'date',
  'june',
  'day',
  'rain',
  'iowa',
  'record',
  'flooding',
  'nishnabotna',
  'east',
  'nishnabotna',
  'river',
  'basin',
  'u.s.',
  'geological',
  'survey',
  'u.s.',
  'department',
  'interior',
  'report',
  'discharge',
  'flood',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'portland-',
  'date',
  'oct.',
  '1996a',
  'assessment',
  'storm',
  'federal',
  'emergency',
  'management',
  'maine',
  'damage',
  'infrastructure',
  'storm',
  'maine',
  'rain',
  'system',
  'moisture',
  'hurricane',
  'lili',
  'train',
  'echo',
  'flooding',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'york',
  '3ssw',
  'pump',
  'date',
  'june',
  'town',
  'siren',
  'a.m.',
  'york',
  'resident',
  'foot',
  'water',
  'a.m.',
  'water',
  'baltimore',
  'main',
  'manchester',
  'hanover',
  'streets',
  'york',
  'daily',
  'record',
  'report',
  'water',
  'damage',
  'building',
  'business',
  'home',
  'car',
  'post',
  'office',
  'fire',
  'hall',
  'factory',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'long',
  'island',
  'macarthur',
  'airport-',
  'date',
  'aug.',
  'inch',
  'rainfall',
  'storm',
  'motion',
  'islip',
  'new',
  'york',
  'state',
  'record',
  'inch',
  'tannersville',
  'hurricane',
  'irene',
  'long',
  'island',
  'elevation',
  'proximity',
  'ocean',
  'storm',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'big',
  'fork-',
  'date',
  'dec.',
  'storm',
  'tornado',
  'arkansas',
  'hour',
  'rain',
  'arkansas',
  'big',
  'fork',
  'record',
  'year',
  'town',
  'record',
  'rain',
  'inch',
  'time',
  'hour',
  'precipitation',
  'inches-',
  'location',
  'mt.',
  'mitchell',
  '',
  '',
  '2-',
  'date',
  'nov.',
  'record',
  'hour',
  'period',
  ...],
 ['abc',
  'newsvideoliveshowselectionsinterest',
  'successfully',
  "addedwe'll",
  'news',
  'desktop',
  'notification',
  'story',
  'interest',
  'offonlog',
  'instream',
  'onef3',
  'tornado',
  'north',
  'carolina',
  'weather',
  'nationwidethe',
  'u.s.',
  'range',
  'weather',
  'tornado',
  'heat',
  'wave',
  'bykenton',
  'gewecke',
  'morgan',
  'winsorjuly',
  'am2:20people',
  'damage',
  'home',
  'tornado',
  'july',
  'dortches',
  'seward',
  'apa',
  'tornado',
  'north',
  'carolina',
  'dozen',
  'mile',
  'wednesday',
  'home',
  'resident',
  'official',
  'national',
  'weather',
  'service',
  'thursday',
  'damage',
  'survey',
  'tornado',
  'ef3',
  'peak',
  'wind',
  'mile',
  'hour',
  'ef3',
  'tornado',
  'north',
  'carolina',
  'month',
  'july',
  'twister',
  'time',
  'year',
  'record',
  'state',
  'national',
  'weather',
  'service',
  'enhanced',
  'fujita',
  'scale',
  'rate',
  'tornado',
  'intensity',
  'wind',
  'speed',
  'severity',
  'damage',
  'scale',
  'intensity',
  'category',
  'ef0',
  'ef1',
  'ef2',
  'ef3',
  'ef4',
  'ef5',
  'wind',
  'speed',
  'degree',
  'damage',
  'category',
  'efu',
  'tornado',
  'lack',
  'evidence',
  'woman',
  'damage',
  'home',
  'tornado',
  'july',
  'dortches',
  'seward',
  'apthe',
  'yard',
  'tornado',
  'wednesday',
  'afternoon',
  'et',
  'dortches',
  'town',
  'north',
  'carolina',
  'nash',
  'county',
  'city',
  'rocky',
  'mount',
  'twister',
  'mile',
  'period',
  'minute',
  'battleboro',
  'neighborhood',
  'rocky',
  'mount',
  'north',
  'carolina',
  'edgecombe',
  'county',
  'national',
  'weather',
  'service',
  'ground',
  'tornado',
  'power',
  'pole',
  'tree',
  'building',
  'home',
  'dortches',
  'area',
  'yard',
  'foundation',
  'farther',
  'residence',
  'building',
  'damage',
  'wall',
  'wall',
  'brick',
  'fireplace',
  'twister',
  'metal',
  'truss',
  'tower',
  'transmission',
  'line',
  'damage',
  'metal',
  'warehouse',
  'building',
  'belmont',
  'lake',
  'golf',
  'club',
  'rocky',
  'mount',
  'national',
  'weather',
  'service',
  'tips',
  'tornado',
  'roof',
  'pfizer',
  'facility',
  'damage',
  'tornado',
  'area',
  'rocky',
  'mount',
  'n.c.',
  'july',
  '2023.wtvd',
  'reuterspharmaceutical',
  'giant',
  'pfizer',
  'facility',
  'rocky',
  'mount',
  'tornado',
  'staff',
  'building',
  'medium',
  'report',
  'national',
  'weather',
  'service',
  'storm',
  'injury',
  'area',
  'life',
  'threatening',
  'fatality',
  'edgecombe',
  'county',
  'sheriff',
  'office',
  'report',
  'life',
  'injury',
  'injury',
  'storm',
  'tornado',
  'system',
  'weather',
  'americans',
  'forecast',
  'thursday',
  'wind',
  'hail',
  'tornado',
  'threat',
  'denver',
  'colorado',
  'north',
  'oklahoma',
  'michigan',
  'south',
  'carolina',
  'threat',
  'hail',
  'fort',
  'wayne',
  'indiana',
  'detroit',
  'michigan',
  'wind',
  'tornado',
  'risk',
  'flash',
  'flooding',
  'location',
  'water',
  'person',
  'head',
  'covering',
  'sun',
  'zone',
  'encampment',
  'people',
  'record',
  'heat',
  'wave',
  'phoenix',
  'arizona',
  'july',
  't.',
  'fallon',
  'afp',
  'getty',
  'imagesmeanwhile',
  'heat',
  'swath',
  'united',
  'states',
  'end',
  'sight',
  'americans',
  'state',
  'california',
  'florida',
  'alert',
  'heat',
  'thursday',
  'forecast',
  'temperature',
  'degree',
  'fahrenheit',
  'southwest',
  'heat',
  'index',
  'value',
  '100',
  'southeast',
  'arizona',
  'capital',
  'time',
  'day',
  'record',
  'wednesday',
  'temperature',
  'degree',
  'low',
  'degree',
  'temperature',
  'phoenix',
  'degree',
  'day',
  'degree',
  'day',
  'heat',
  'safety',
  'tipsa',
  'visitor',
  'canada',
  'water',
  'hole',
  'rock',
  'trail',
  'record',
  'heat',
  'wave',
  'phoenix',
  'arizona',
  'july',
  't.',
  'fallon',
  'afp',
  'getty',
  'year',
  'man',
  'los',
  'angeles',
  'area',
  'golden',
  'canyon',
  'trailhead',
  'death',
  'valley',
  'national',
  'park',
  'california',
  'tuesday',
  'afternoon',
  'temperature',
  'degree',
  'national',
  'park',
  'service',
  'inyo',
  'county',
  'coroner',
  'office',
  'cause',
  'death',
  'park',
  'ranger',
  'heat',
  'factor',
  'heat',
  'fatality',
  'death',
  'valley',
  'summer',
  'year',
  'man',
  'july',
  'national',
  'park',
  'service',
  'abc',
  'news',
  'melissa',
  'griffin',
  'dan',
  'peck',
  'darren',
  'reynolds',
  'jennifer',
  'watts',
  'report',
  'topicstornadoesweathertop',
  'storieshouse',
  'ufo',
  'hearing',
  'ex',
  'knowledge',
  'craftjul',
  'amruin',
  'vatican',
  'emperor',
  'nero',
  'theaterjul',
  'pmsinead',
  "o'connor",
  'u',
  'singer',
  '56jul',
  'pmmcconnell',
  'press',
  'conference',
  'return',
  'pmwhistleblower',
  'congress',
  'decade',
  'program',
  'ufosjul',
  'pmabc',
  'news',
  'live24/7',
  'coverage',
  'news',
  'eventsabc',
  'news',
  'networkprivacy',
  'policyyour',
  'state',
  'privacy',
  'rightschildren',
  'online',
  'privacy',
  'policyinterest',
  'adsabout',
  'nielsen',
  'measurementterms',
  'usedo',
  'sell',
  'informationcontact',
  'uscopyright',
  'abc',
  'news',
  'internet',
  'ventures',
  'right'],
 ['menuweatherclimatestorm',
  'trackerwildfire',
  'trackervideoaudiosearch',
  'cnnclimatestorm',
  'trackerwildfire',
  'trackervideosearchaudioeditionusinternationalarabicespañoleditionusinternationalarabicespañoluscrime',
  'justiceenergy',
  'environmentextreme',
  'weatherspace',
  'kingdompoliticsthe',
  'biden',
  'presidencyfacts',
  'first2022',
  'midtermsbusinesstechmediasuccessperspectivesvideosmarketspre',
  'marketsafter',
  'hoursmarket',
  'moversfear',
  'greedworld',
  'op',
  'edssocial',
  'commentaryhealthlife',
  'futuremission',
  'aheadupstartswork',
  'transformedinnovative',
  'citiesstyleartsdesignfashionarchitectureluxurybeautyvideotraveldestinationsfood',
  'drinkstaynewsvideossportspro',
  'tv',
  'digital',
  'studioscnn',
  'scheduletv',
  'zcnnvraudiocnn',
  'underscoredelectronicsfashionbeautyhealth',
  'fitnesshomereviewsdealsmoneygiftstraveloutdoorspetscnn',
  'storecouponsweatherclimatestorm',
  'trackerwildfire',
  'trackervideomorephotoslongforminvestigationscnn',
  'profilescnn',
  'newsletterswork',
  'cnnfollow',
  'cnn',
  'weather',
  'story',
  'storm',
  'track',
  'f',
  '°',
  'clocal',
  'forecast',
  'current',
  'conditions',
  '°',
  '°',
  'feel',
  'humidity',
  'wind',
  'sunrise',
  'sunset',
  'pressure',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  '°',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  '°',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  '°',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  '°',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  '°',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  '°',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  '°',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  '°',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  'sign',
  'email',
  'update',
  'cnn',
  'meteorologistsapril',
  '11th',
  'river',
  'moisture',
  'storm',
  'tornado',
  'weekmarch',
  'scientist',
  'plane',
  'cloud',
  'hurricane',
  'season',
  'forecast',
  'louisiana',
  'resident',
  'sparedby',
  'jennifer',
  'gray',
  'cnn',
  'hurricane',
  'season',
  'forecast',
  'hurricane',
  'category',
  'hurricane',
  'facility',
  'hurricane',
  'wind',
  'mph',
  'storm',
  'surge',
  'hurricane',
  'louisiana',
  'cancer',
  'alley',
  'hurricane',
  'hunter',
  'plane',
  'pattern',
  'storm',
  'hurricanes',
  'whycheck',
  'video',
  'state',
  'dam',
  'water',
  'lake',
  'powell',
  'today',
  'tornado',
  'truck',
  'shopper',
  'texasfish',
  'sky',
  'weather',
  'weatherin',
  'picture',
  'storm',
  'million',
  'usin',
  'picture',
  'australiain',
  'picture',
  'wildfire',
  'colorado',
  'texasdesert',
  'saudi',
  'arabiaextreme',
  'weather',
  'thunderstorm',
  'tornadohow',
  'lightning4',
  'tornado',
  'safety',
  'tip',
  'blizzard',
  'impact',
  'bethe',
  'difference',
  'tornado',
  'watch',
  'warningflash',
  'flooding',
  'searchaudiouscrime',
  'justiceenergy',
  'environmentextreme',
  'weatherspace',
  'kingdompoliticsthe',
  'biden',
  'presidencyfacts',
  'first2022',
  'midtermsbusinesstechmediasuccessperspectivesvideosmarketspre',
  'marketsafter',
  'hoursmarket',
  'moversfear',
  'greedworld',
  'op',
  'edssocial',
  'commentaryhealthlife',
  'futuremission',
  'aheadupstartswork',
  'transformedinnovative',
  'citiesstyleartsdesignfashionarchitectureluxurybeautyvideotraveldestinationsfood',
  'drinkstaynewsvideossportspro',
  'tv',
  'digital',
  'studioscnn',
  'scheduletv',
  'zcnnvraudiocnn',
  'underscoredelectronicsfashionbeautyhealth',
  'fitnesshomereviewsdealsmoneygiftstraveloutdoorspetscnn',
  'storecouponsweatherclimatestorm',
  'trackerwildfire',
  'trackervideomorephotoslongforminvestigationscnn',
  'profilescnn',
  'newsletterswork',
  'cnnweatheraudiofollow',
  'cnn',
  'term',
  'useprivacy',
  'policyaccessibility',
  'ccad',
  'choicesabout',
  'newsourcesitemap',
  'cable',
  'news',
  'network',
  'warner',
  'bros.',
  'discovery',
  'company',
  'rights',
  'cnn',
  'sans',
  'cable',
  'news',
  'network'],
 ['home',
  'mail',
  'news',
  'finance',
  'sports',
  'entertainment',
  'life',
  'search',
  'shopping',
  'yahoo',
  'plus',
  'yahoo',
  'news',
  'app',
  'yahoo',
  'news',
  'yahoo',
  'news',
  'search',
  'query',
  'sign',
  'mail',
  'sign',
  'mail',
  'news',
  'politics',
  'world',
  'covid-19',
  'climate',
  'change',
  'health',
  'science',
  'originals',
  'skullduggery',
  'podcast',
  'conspiracyland',
  'contact',
  'statesmanweird',
  'weather',
  'boise',
  'resident',
  'sight',
  'freak',
  'article',
  'sarah',
  'miller',
  'krutzigjune',
  'min',
  'rain',
  'hail',
  'flooding',
  'lightning',
  'rainbow',
  'flash',
  'thunderstorm',
  'boise',
  'tuesday',
  'evening',
  'sky',
  'inch',
  'rain',
  'minute',
  'downtown',
  'weather',
  'boise',
  'resident',
  'medium',
  'lejo',
  'flores',
  'hydrology',
  'professor',
  'boise',
  'state',
  'university',
  'photo',
  'north',
  'end',
  'canal',
  'pressure',
  'flow',
  'structure',
  'memory',
  'north',
  'end',
  'pressure',
  'flow',
  'structure',
  'memory',
  'https://t.co/uqzfl5i0xx',
  'pic.twitter.com/x4rhfjggka',
  'lejo',
  'flores',
  'phd',
  '@hydrolejo',
  'june',
  '2023stef',
  'henry',
  'national',
  'weather',
  'service',
  'meteorologist',
  'raindrop',
  'snowflake',
  'raindrop',
  'snowflake',
  'idwx',
  '',
  '',
  'boise',
  'stef',
  'henry',
  '@stefferology',
  'june',
  '2023lara',
  'disney',
  'man',
  'drain',
  'hero',
  'response',
  'ada',
  'county',
  'highway',
  'district',
  'twitter',
  'account',
  'hero',
  'pic.twitter.com/hfdnrgcpdr',
  'lara',
  'disney',
  '@laralaradisney',
  'june',
  'reporter',
  'ian',
  'stevenson',
  'boise',
  'city',
  'council',
  'meeting',
  'rain',
  'hail',
  'water',
  'city',
  'hall',
  'story',
  'continueswhich',
  'number',
  'problem',
  'pic.twitter.com/j4sibmciis',
  'ian',
  'm',
  'stevenson',
  '@ianmaxstevenson',
  'june',
  'state',
  'public',
  'radio',
  'reporter',
  'murphy',
  'woodhouse',
  'people',
  'flood',
  'device',
  'puddle',
  'boise',
  'co',
  '-',
  'op',
  'market',
  'don’t',
  'downpour',
  'pic.twitter.com/zhuhxyfpa1',
  'murphy',
  'woodhouse',
  '@murphywoodhouse',
  'june',
  'thomas',
  'patch',
  'photo',
  'storm',
  'wind',
  'gauge',
  'mph',
  '”one',
  'boise',
  'resident',
  'weather',
  'louisiana',
  'idaho',
  '',
  '',
  'batonrouge',
  'boise',
  'way',
  'apartment',
  'flooding',
  'list',
  'today',
  '@nwsboise',
  'pic.twitter.com/ddkaud2i1i',
  'fink',
  '@jk_fink',
  'june',
  'person',
  'video',
  'sight',
  'rainbow',
  'lightning',
  'sky',
  'downtown',
  'boise',
  'rainbow',
  'lightning',
  'cary',
  'hampton',
  'prewitt',
  '@roamsthewest',
  'june',
  'statesman',
  'reporter',
  'shaun',
  'goodwin',
  'report',
  'storiesthe',
  'daily',
  'teen',
  'walks',
  'police',
  'stationglendale',
  'police',
  'departmenta',
  'teen',
  'montana',
  'town',
  'border',
  'police',
  'department',
  'alicia',
  'navarro',
  'autism',
  'september',
  'note',
  'birthday',
  'couple',
  'day',
  'disappearance',
  'time',
  'mother',
  'jessica',
  'nunez',
  'daughter',
  'predator',
  'glendale',
  'hogan',
  'yoga',
  'instructor',
  'sky',
  'daily',
  "yes'hogan",
  'engagement',
  'year',
  'daily',
  'agobusiness',
  'insiderone',
  'family',
  'bottle',
  'arizona',
  'california',
  'fraud',
  'prosecutor',
  'family',
  'member',
  'year',
  'bar',
  'prosecutor',
  'ton',
  'bottle',
  'arizona.4h',
  'dhs',
  'official',
  'memo',
  'trumpformer',
  'homeland',
  'security',
  'chief',
  'staff',
  'miles',
  'taylor',
  'trump',
  'memo11h',
  'agotvline.comsinéad',
  'o’connor',
  'grammy',
  'winner',
  'u',
  'singer',
  'dead',
  'singer',
  'musician',
  'sinéad',
  'o’connor',
  'irish',
  'times',
  'wednesday',
  'sadness',
  'passing',
  'sinéad',
  'singer',
  'family',
  'statement',
  'family',
  'friend',
  'privacy',
  'time',
  'cause',
  'agocbs',
  'dallasarrest',
  'warrant',
  'man',
  'attack',
  'deep',
  'elluman',
  'arrest',
  'warrant',
  'man',
  'assault',
  'deep',
  'agotodaywife',
  'husband',
  'brain',
  'injury',
  'armstrong',
  'husband',
  'brandon',
  'smith',
  'injury',
  'armstrong',
  'help',
  'husband.8h',
  'agotom',
  'guidei',
  'barbie',
  'oppenheimer',
  'opening',
  'weekend',
  'betterbarbie',
  'oppenheimer',
  'year',
  'movie',
  'over.2d',
  'agohuffposti',
  'son',
  'class',
  'bathroom',
  '“during',
  'year',
  'son',
  'time',
  'friend',
  'body',
  'agothe',
  'cool',
  'downhomeowner',
  'hoa',
  'vehicle',
  'rule',
  'people',
  'community’“i',
  'hoas',
  'notice',
  'agowoman',
  'homeprince',
  'william',
  'princess',
  'catherine',
  'parenting',
  'choice',
  'prince',
  'harry',
  'meghan',
  'markle',
  'againstprince',
  'william',
  'catherine',
  'princess',
  'wales',
  'decision',
  'child',
  'duke',
  'duchess',
  'sussex',
  'for1d',
  'agobusiness',
  'insidervideo',
  'tank',
  'soldier',
  'artillery',
  'fire',
  'bakhmut',
  'soldier',
  'commander',
  'them.12h',
  'ron',
  'desantis',
  'desire',
  'retaliation',
  'suit',
  'governor',
  'responsibility',
  'actions',
  'mouse',
  'house',
  'saysron',
  'desantis',
  'time',
  'campaign',
  'trail',
  'voter',
  'nominee',
  'walt',
  'disney',
  'company',
  'thing',
  'florida',
  'governor',
  'court',
  'schedule',
  'bob',
  'iger',
  'medium',
  'conglomerate',
  'response',
  'today',
  'cooper',
  'reaction',
  'ex',
  'girlfriend',
  'irina',
  'shayk',
  'romance',
  'tom',
  'brady',
  'heartbreakingbradley',
  'cooper',
  'ex',
  '-',
  'girlfriend',
  'irina',
  'shayk',
  'tom',
  'brady',
  'shayk',
  'year',
  'nfl',
  'legend',
  'weekend',
  'night',
  'los',
  'angeles',
  'home',
  'dailymail',
  'cooper',
  'agoinsidersoccer',
  'history',
  'today',
  'jaw',
  'dropping',
  'goal',
  'ireland',
  'katie',
  'mccabe',
  'corner',
  'ireland',
  'captain',
  'katie',
  'mccabe',
  'player',
  'corner',
  'kick',
  'world',
  'cup',
  'feat',
  'olimpico.8h',
  'agopreventionat',
  'lisa',
  'rinna',
  'bares',
  'nude',
  'mirror',
  'selfie',
  'it’lisa',
  'rinna',
  'mirror',
  'selfie',
  'instagram',
  'moria',
  'rose',
  'schitt',
  'creek',
  'star',
  'agocbs',
  'newsnaked',
  'woman',
  'car',
  'bay',
  'area',
  'bridge',
  'word',
  'actions.15h',
  'agoin',
  'know',
  'yahoohow',
  'ac',
  'heatwave',
  'genius',
  'this’as',
  'record',
  'heatwave',
  'southwest',
  'midwest',
  'northeast',
  'people',
  'tiktok',
  'hack',
  'cool.13h',
  'public',
  'senator',
  'law',
  'member',
  'congress',
  'official',
  'president',
  'stockswill',
  'attempt',
  'insider',
  'trading',
  'washington',
  'successful?5h',
  'agobuzzfeeda',
  'crane',
  'manhattan',
  'neighborhood',
  'morning',
  'video',
  'terrifyingnew',
  'agomore',
  'stories',
  "trending'it",
  'marines',
  'car',
  'camp',
  'lejeune',
  'carbon',
  'monoxide',
  'poisoningusa',
  'today·5',
  'min',
  'readmitch',
  'mcconnell',
  'press',
  'conference',
  'news·2',
  'readamericans',
  'visa',
  'europe',
  'yahoo',
  'news·3',
  'min',
  'readwife',
  'husband',
  'brain',
  'injury',
  'readmiami',
  'dade',
  'police',
  'chief',
  'resignation',
  'mayor',
  'min',
  'popularlatest',
  'weather',
  'leslie',
  'lopezkabc',
  'los',
  'angeleswake',
  'weather',
  'wavewabc',
  'nycongress',
  'step',
  'ufo',
  'hearingcbs',
  'news',
  'kill',
  'shelter',
  'k',
  'moon',
  'author',
  'inspiration',
  'yahoo!uspoliticsworldcovid-19climate',
  'usterms',
  'privacy',
  'policyprivacy',
  'dashboardhelpshare',
  'usabout',
  'adssite',
  'app',
  'yahoo',
  'right'],
 ['menuweatherclimatestorm',
  'trackerwildfire',
  'trackervideoaudiosearch',
  'cnnclimatestorm',
  'trackerwildfire',
  'trackervideosearchaudioeditionusinternationalarabicespañoleditionusinternationalarabicespañoluscrime',
  'justiceenergy',
  'environmentextreme',
  'weatherspace',
  'kingdompoliticsthe',
  'biden',
  'presidencyfacts',
  'first2022',
  'midtermsbusinesstechmediasuccessperspectivesvideosmarketspre',
  'marketsafter',
  'hoursmarket',
  'moversfear',
  'greedworld',
  'op',
  'edssocial',
  'commentaryhealthlife',
  'futuremission',
  'aheadupstartswork',
  'transformedinnovative',
  'citiesstyleartsdesignfashionarchitectureluxurybeautyvideotraveldestinationsfood',
  'drinkstaynewsvideossportspro',
  'tv',
  'digital',
  'studioscnn',
  'scheduletv',
  'zcnnvraudiocnn',
  'underscoredelectronicsfashionbeautyhealth',
  'fitnesshomereviewsdealsmoneygiftstraveloutdoorspetscnn',
  'storecouponsweatherclimatestorm',
  'trackerwildfire',
  'trackervideomorephotoslongforminvestigationscnn',
  'profilescnn',
  'newsletterswork',
  'cnnfollow',
  'cnn',
  'weather',
  'story',
  'storm',
  'track',
  'f',
  '°',
  'clocal',
  'forecast',
  'current',
  'conditions',
  '°',
  '°',
  'feel',
  'humidity',
  'wind',
  'sunrise',
  'sunset',
  'pressure',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  '°',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  '°',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  '°',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  '°',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  '°',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  '°',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  '°',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  '°',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  'sign',
  'email',
  'update',
  'cnn',
  'meteorologistsapril',
  '11th',
  'river',
  'moisture',
  'storm',
  'tornado',
  'weekmarch',
  'scientist',
  'plane',
  'cloud',
  'hurricane',
  'season',
  'forecast',
  'louisiana',
  'resident',
  'sparedby',
  'jennifer',
  'gray',
  'cnn',
  'hurricane',
  'season',
  'forecast',
  'hurricane',
  'category',
  'hurricane',
  'facility',
  'hurricane',
  'wind',
  'mph',
  'storm',
  'surge',
  'hurricane',
  'louisiana',
  'cancer',
  'alley',
  'hurricane',
  'hunter',
  'plane',
  'pattern',
  'storm',
  'hurricanes',
  'whycheck',
  'video',
  'state',
  'dam',
  'water',
  'lake',
  'powell',
  'today',
  'tornado',
  'truck',
  'shopper',
  'texasfish',
  'sky',
  'weather',
  'weatherin',
  'picture',
  'storm',
  'million',
  'usin',
  'picture',
  'australiain',
  'picture',
  'wildfire',
  'colorado',
  'texasdesert',
  'saudi',
  'arabiaextreme',
  'weather',
  'thunderstorm',
  'tornadohow',
  'lightning4',
  'tornado',
  'safety',
  'tip',
  'blizzard',
  'impact',
  'bethe',
  'difference',
  'tornado',
  'watch',
  'warningflash',
  'flooding',
  'searchaudiouscrime',
  'justiceenergy',
  'environmentextreme',
  'weatherspace',
  'kingdompoliticsthe',
  'biden',
  'presidencyfacts',
  'first2022',
  'midtermsbusinesstechmediasuccessperspectivesvideosmarketspre',
  'marketsafter',
  'hoursmarket',
  'moversfear',
  'greedworld',
  'op',
  'edssocial',
  'commentaryhealthlife',
  'futuremission',
  'aheadupstartswork',
  'transformedinnovative',
  'citiesstyleartsdesignfashionarchitectureluxurybeautyvideotraveldestinationsfood',
  'drinkstaynewsvideossportspro',
  'tv',
  'digital',
  'studioscnn',
  'scheduletv',
  'zcnnvraudiocnn',
  'underscoredelectronicsfashionbeautyhealth',
  'fitnesshomereviewsdealsmoneygiftstraveloutdoorspetscnn',
  'storecouponsweatherclimatestorm',
  'trackerwildfire',
  'trackervideomorephotoslongforminvestigationscnn',
  'profilescnn',
  'newsletterswork',
  'cnnweatheraudiofollow',
  'cnn',
  'term',
  'useprivacy',
  'policyaccessibility',
  'ccad',
  'choicesabout',
  'newsourcesitemap',
  'cable',
  'news',
  'network',
  'warner',
  'bros.',
  'discovery',
  'company',
  'rights',
  'cnn',
  'sans',
  'cable',
  'news',
  'network'],
 ['st.',
  'louis',
  'news',
  'missouri',
  'news',
  'illinois',
  'news',
  'national',
  'news',
  'politics',
  'hill',
  'contact',
  'fox',
  'file',
  'crime',
  'real',
  'estate',
  'hancock',
  'kelley',
  'margie',
  'money',
  'saver',
  'legal',
  'lens',
  'medical',
  'minute',
  'proud',
  'stl',
  'pulse',
  'st.',
  'louis',
  'reporters',
  'spirit',
  'st.',
  'louis',
  'bestreviews',
  'bestreviews',
  'daily',
  'deals',
  'automotive',
  'news',
  'press',
  'nonprofit',
  'wildwood',
  'ice',
  'donation',
  'family',
  'effort',
  'officer',
  'casey',
  'williamson',
  'mother',
  'isp',
  'license',
  'plate',
  'reader',
  'st.',
  'louis',
  'weather',
  'radar',
  'closings',
  'delays',
  'daily',
  'st.',
  'louis',
  'area',
  'forecast',
  'fox',
  'meteorologist',
  'chris',
  'higgins',
  'extreme',
  'weather',
  'blog',
  'long',
  'range',
  'forecast',
  'watch',
  'warnings',
  'allergy',
  'index',
  'river',
  'level',
  'flood',
  'forecast',
  'segment',
  'newscast',
  'playback',
  'fox',
  'program',
  'schedule',
  'kplr',
  'program',
  'schedule',
  'breaking',
  'news',
  'press',
  'conference',
  'event',
  'video',
  'skyfox',
  'helicopter',
  'st.',
  'louis',
  'area',
  'video',
  'cameras',
  'fanduel',
  'horse',
  'rogue',
  'runner',
  'storm',
  'runner',
  'st.',
  'louis',
  'cardinals',
  'st.',
  'louis',
  'blues',
  'battlehawks',
  'st.',
  'louis',
  'city',
  'sc',
  'kansas',
  'city',
  'chiefs',
  'liv',
  'golf',
  'high',
  'school',
  'sports',
  'scores',
  'sports',
  'illustrated',
  'college',
  'prep',
  'zone',
  'cardinals',
  'diamondback',
  'home',
  'run',
  'mount',
  'rushmore',
  'st.',
  'louis',
  'sport',
  'fox',
  'fan',
  'diamondback',
  'score',
  'cardinal',
  'tko',
  'kid',
  'cardinals',
  'edwardsville',
  'futures',
  'tennis',
  'tournament',
  'nomination',
  'tools',
  'teachers',
  'nomination',
  'ticket',
  'mannheim',
  'steamroller',
  'ticket',
  'muny',
  'theatre',
  'bret',
  'michaels',
  'parti',
  'gras',
  'tour',
  'friday',
  'expert',
  'arts',
  'entertainment',
  'guest',
  'certificates',
  'fashion',
  'beauty',
  'feature',
  'business',
  'event',
  'food',
  'newsletter',
  'lou',
  'lou',
  'confluence',
  'academies',
  'girls',
  'inc.',
  'st.',
  'louis',
  'woods',
  'basement',
  'systems',
  'thing',
  'basementy',
  'project',
  'guy',
  'fence',
  'snoot',
  'snifter',
  'maplewood',
  'pig',
  'career',
  'post',
  'job',
  'contact',
  'anchors',
  'reporters',
  'newsletters',
  'st.',
  'louis',
  'area',
  'event',
  'advertise',
  'newscast',
  'guest',
  'captioning',
  'rss',
  'information',
  'question',
  'order',
  'copy',
  'newscast',
  'school',
  'closing',
  'registration',
  'internship',
  'kplr',
  'student',
  'shadow',
  'program',
  'work',
  'regional',
  'news',
  'partners',
  'bestreviews',
  'storm',
  'damage',
  'power',
  'outage',
  'jefferson',
  'county',
  'apr',
  'pm',
  'cdt',
  'apr',
  'pm',
  'cdt',
  'apr',
  'pm',
  'cdt',
  'apr',
  'pm',
  'cdt',
  'hillsboro',
  'mo.',
  'storm',
  'damage',
  'hillsboro',
  'missouri',
  'dozen',
  'home',
  'fire',
  'station',
  'community',
  'civic',
  'club',
  'roof',
  'hillsboro',
  'intermediate',
  'school',
  'national',
  'weather',
  'service',
  'damage',
  'tornado',
  'area',
  'line',
  'wind',
  'billie',
  'gibbons',
  'family',
  'hillsboro',
  'chesterfield',
  'storm',
  'saturday',
  'night',
  'gibbons',
  'drive',
  'home',
  'cat',
  'tree',
  'roof',
  'garage',
  'thank',
  'inbox',
  'ameren',
  'missouri',
  'crew',
  'power',
  'people',
  'sunday',
  'morning',
  'power',
  'night',
  'gibbons',
  'power',
  'morning',
  'chesterfield',
  'bit',
  'power',
  'tree',
  'gibbons',
  'street',
  'house',
  'hillsboro',
  'fire',
  'chief',
  'brian',
  'gaudette',
  'tree',
  'dozen',
  'home',
  'fire',
  'station',
  'hit',
  'roof',
  'damage',
  'siding',
  'damage',
  'gutter',
  'damage',
  'gaudette',
  'road',
  'fire',
  'station',
  'hillsboro',
  'intermediate',
  'school',
  'power',
  'school',
  'roof',
  'damage',
  'repair',
  'kid',
  'school',
  'tomorrow',
  'gaudette',
  'schnuck',
  'shopper',
  'compensation',
  'lawsuit',
  'alcohol',
  'price',
  'gibbons',
  'son',
  'class',
  'son',
  'grade',
  'church',
  'street',
  'fire',
  'station',
  'window',
  'result',
  'storm',
  'damage',
  'ticket',
  'booth',
  'hillsboro',
  'community',
  'civic',
  'center',
  'storm',
  'kind',
  'east',
  'gaudette',
  'herculaneum',
  'festus',
  'picture',
  'night',
  'vehicle',
  'interstate',
  'hillsboro',
  'area',
  'jefferson',
  'county',
  'typo',
  'error(required',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'amazon',
  'school',
  'deal',
  'schooler',
  'school',
  'corner',
  'amazon',
  'supply',
  'school',
  'deal',
  'supply',
  'schooler',
  'august',
  'vegetable',
  'flower',
  'flower',
  'plant',
  'hour',
  'soil',
  'air',
  'temperature',
  'sunshine',
  'august',
  'month',
  'planting',
  'chemical',
  'guys',
  'kit',
  'car',
  'car',
  'care',
  'hour',
  'chemical',
  'guys',
  'car',
  'wash',
  'kit',
  'time',
  'deal',
  'soldier',
  'niger',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'senate',
  'gop',
  'leader',
  'mcconnell',
  'news',
  'conference',
  'samsung',
  'smartphone',
  'bet',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'soldier',
  'niger',
  'senate',
  'gop',
  'leader',
  'mcconnell',
  'news',
  'conference',
  'samsung',
  'smartphone',
  'bet',
  'journalist',
  'year',
  'prison',
  'ocean',
  'heat',
  'people',
  'high',
  'arizona',
  'nonprofit',
  'wildwood',
  'ice',
  'donation',
  'mother',
  'daughter',
  'recount',
  'flash',
  'flooding',
  'casey',
  'williamson',
  'mother',
  'isp',
  'license',
  'plate',
  'reader',
  'shooting',
  'madison',
  'illinois',
  'ssm',
  'health',
  'medical',
  'minute',
  'cardio',
  'thrive',
  'program',
  'major',
  'case',
  'squad',
  'shooting',
  'apa',
  'national',
  'boop',
  'pet',
  'day',
  'north',
  'county',
  'police',
  'cooperative',
  'heat',
  'metro',
  'east',
  'crime',
  'tool',
  'major',
  'case',
  'squad',
  'arrest',
  'berkeley',
  'homicide',
  'journalist',
  'year',
  'prison',
  'ocean',
  'heat',
  'people',
  'high',
  'arizona',
  'trump',
  'biden',
  'republicans',
  'year',
  'boy',
  'family',
  'mountain',
  'arizona',
  'girl',
  'montana',
  'federal',
  'reserve',
  'rate',
  'time',
  'attorney',
  'm',
  'settlement',
  'water',
  'gift',
  'summer',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'home',
  'depot',
  'foot',
  'skeleton',
  'halloween',
  'deal',
  'day',
  'prime',
  'day',
  'favorite',
  'amazon',
  'essentials',
  'clothe',
  'bee',
  'belleville',
  'illinois',
  'speed',
  'trap',
  'illinois',
  'stl',
  'enforcement',
  'event',
  'ellisville',
  'man',
  'car',
  'stay',
  'execution',
  'johnny',
  'johnson',
  'furniture',
  'store',
  'warning',
  'customer',
  'tick',
  'specie',
  'mo',
  'livestock',
  'risk',
  'nonprofit',
  'ice',
  'donation',
  'horse',
  'family',
  'effort',
  'officer',
  'casey',
  'williamson',
  'mother',
  'isp',
  'license',
  'plate',
  'reader',
  'mo',
  'marijuana',
  'microbusiness',
  'application',
  'thursday',
  'teen',
  'victim',
  'madison',
  'il',
  'st.',
  'louis',
  'news',
  'weather',
  'sport',
  'news',
  'st.',
  'louis',
  'weather',
  'st.',
  'louis',
  'radar',
  'live',
  'video',
  'traffic',
  'sports',
  'contests',
  'reporter',
  'event',
  'alexa',
  'news',
  'tips',
  'newsletters',
  'ktvi',
  'kplr',
  'eeo',
  'ktvi',
  'public',
  'file',
  'kplr',
  'public',
  'file',
  'public',
  'file',
  'fcc',
  'applications',
  'android',
  'app',
  'google',
  'play',
  'android',
  'weather',
  'app',
  'google',
  'play',
  'personal',
  'information',
  'personal',
  'information',
  'nexstar',
  'media',
  'inc.',
  'rights'],
 ['contentsearchshopgamespuzzlesactionfunny',
  'fill',
  'invideosamazing',
  'animalsweird',
  'true!party',
  'animalstry',
  'this!animalsmammalsbirdsprehistoricreptilesamphibiansinvertebratesfishexplore',
  'statesweird',
  'true!subscribemenutornadoe',
  'oklahoma',
  'form',
  'air',
  'air',
  'photograph',
  'john',
  'finney',
  'photography',
  'getty',
  'imagesplease',
  'copyright',
  'use',
  'tornadoesfind',
  'twister',
  'bylaura',
  'goertzela',
  'greenish',
  'tinge',
  'sky',
  'storm',
  'cloud',
  'wind',
  'cat',
  'couch',
  'dog',
  'tornado',
  'twister',
  'tornado',
  'funnel',
  'column',
  'air',
  'thundercloud',
  'way',
  'ground',
  'wind',
  'tornado',
  'mile',
  'hour',
  'race',
  'car',
  'gust',
  'building',
  'bridge',
  'train',
  'car',
  'bark',
  'tree',
  'water',
  'riverbed',
  'tornado',
  'saint',
  'louis',
  'missouri',
  'home',
  'thousand',
  'power',
  'injury',
  'storm',
  'advance',
  'warning',
  'people',
  'time',
  'safety.photograph',
  'gino',
  'santa',
  'maria',
  'shutterstockplease',
  'copyright',
  'use',
  'tornado',
  'planet',
  'united',
  'states',
  'world',
  'strength',
  'number',
  'storm',
  'twister',
  'year',
  'argentina',
  'bangladesh',
  'u.s.',
  'storm',
  'system',
  'death',
  'year',
  'damage',
  'tornado',
  'air',
  'air',
  'air',
  'air',
  'updraft',
  'change',
  'wind',
  'direction',
  'photographer',
  'image',
  'twister',
  'strength',
  'wray',
  'colorado',
  'photograph',
  'cammie',
  'czuchnicki',
  'shutterstockplease',
  'copyright',
  'use',
  'wind',
  'thunderstorm',
  'speed',
  'direction',
  'updraft',
  'updraft',
  'air',
  'thunderstorm',
  'rotation',
  'speed',
  'increase',
  'funnel',
  'cloud',
  'twister',
  'strength',
  'funnel',
  'funnel',
  'dirt',
  'debris',
  'rotation',
  'ground',
  'tornado',
  'supercell',
  'scientist',
  'thunderstorm',
  'wind',
  'rotation',
  'thunderstorm',
  'supercell',
  'supercell',
  'tornado',
  'lightning',
  'form',
  'severy',
  'kansas',
  'tornado',
  'area',
  'photograph',
  'gavin',
  'adobe',
  'stockplease',
  'copyright',
  'use',
  'power',
  'tornado',
  'minute',
  'hour',
  'twister',
  'ground',
  'cloud',
  'tri',
  'state',
  'tornado',
  'record',
  'time',
  'distance',
  'tornado',
  'state',
  'missouri',
  'illinois',
  'indiana',
  'tornado',
  'half',
  'hour',
  'mile',
  'tri',
  'state',
  'tornado',
  'length',
  'path',
  'destruction',
  'minute',
  'twister',
  'town',
  'illinois.photograph',
  'science',
  'history',
  'images',
  'alamyplease',
  'copyright',
  'use',
  'tornado',
  'formalthough',
  'tornado',
  'u.s.',
  'state',
  'form',
  'region',
  'tornado',
  'alley',
  'zone',
  'midwest',
  'texas',
  'ohio',
  'iowa',
  'kansas',
  'south',
  'dakota',
  'oklahoma',
  'nebraska',
  'state',
  'path',
  'air',
  'gulf',
  'mexico',
  'air',
  'rocky',
  'mountains',
  'airstreams',
  'meet',
  'tornado',
  'storm',
  'time',
  'year',
  'tornado',
  'season',
  'texas',
  'oklahoma',
  'kansas',
  'june',
  'north',
  'south',
  'dakota',
  'nebraska',
  'iowa',
  'minnesota',
  'tornado',
  'june',
  'july',
  'tracking',
  'tornadoesduring',
  'thunderstorm',
  'meteorologist',
  'weather',
  'satellite',
  'weather',
  'balloon',
  'buoy',
  'datum',
  'wind',
  'speed',
  'temperature',
  'datum',
  'supercomputer',
  'scientist',
  'twister',
  'researcher',
  'weather',
  'balloon',
  'norman',
  'oklahoma',
  'storm',
  'instrument',
  'balloon',
  'time',
  'datum',
  'wind',
  'temperature',
  'humidity',
  'photograph',
  'christiaan',
  'patterson',
  'ou',
  'cimms',
  'noaanssl',
  'noaaplease',
  'copyright',
  'use',
  'weather',
  'condition',
  'tornado',
  'expert',
  'tornado',
  'watch',
  'region',
  'county',
  'state',
  'tornado',
  'way',
  'meteorologist',
  'watch',
  'people',
  'tornado',
  'weather',
  'radar',
  'scientist',
  'tornado',
  'area',
  'town',
  'city',
  'people',
  'cover',
  'expert',
  'area',
  'storm',
  'vehicle',
  'science',
  'equipment',
  'measure',
  'thing',
  'temperature',
  'humidity',
  'air',
  'pressure',
  'meteorologist',
  'weather',
  'service',
  'headquarters',
  'information',
  'tornado',
  'chaser',
  'scientist',
  'science',
  'tornado',
  'storm',
  'scientist',
  'truck',
  'datum',
  'strength',
  'location',
  'roof',
  'rack',
  'windshield',
  'cage',
  'vehicle',
  'modification',
  'equipment',
  'people',
  'photograph',
  'nssl',
  'noaaplease',
  'copyright',
  'use',
  'thank',
  'tool',
  'meteorologist',
  'tornado',
  'people',
  'twister',
  'path',
  'time',
  'shelter',
  'instance',
  '1980',
  'people',
  'minute',
  'warning',
  'tornado',
  'hit',
  '2000',
  'warning',
  'time',
  'minute',
  'tornadobefore',
  'weather',
  'report',
  'tornado',
  'warnings.•',
  'windows.•',
  'room',
  'basement',
  'room',
  'center',
  'house',
  'apartment',
  'building',
  'wall',
  'window',
  'window',
  'closet',
  'bathroom',
  'room',
  'blanket',
  'pillow',
  'sleeping',
  'bag',
  'family',
  'emergency',
  'kit',
  'water',
  'food',
  'flashlight',
  'radio).•',
  'emergency',
  'safety',
  'plan',
  'trailer',
  'home',
  'tornado•',
  'stay',
  'attempt',
  'window',
  'tornado',
  'injury',
  'debris',
  'window',
  'pillow',
  'blanket',
  'sleeping',
  'bag',
  'piece',
  'furniture',
  'table',
  'head',
  'neck',
  'arms.•',
  'shelter',
  'ditch',
  'gulley',
  'piece',
  'ground',
  'tree',
  'car',
  'head',
  'neck',
  'arm',
  'bridge',
  'tornado•',
  'shelter',
  'authority',
  'ok',
  'instructions.•',
  'debris',
  'tornado',
  'report',
  'place',
  'tornado',
  'national',
  'geographic',
  'tornado',
  'safety',
  'tip',
  'nat',
  'geo',
  'kids',
  'book',
  'extreme',
  'weather',
  'thomas',
  'kostigen',
  'rachel',
  'buchholzlegalterm',
  'useprivacy',
  'policyyour',
  'california',
  'privacy',
  'rightschildren',
  'online',
  'privacy',
  'policyinterest',
  'adsabout',
  'nielsen',
  'measurementdo',
  'infoour',
  'sitesnational',
  'geographicnational',
  'geographic',
  'educationshop',
  'nat',
  'geocustomer',
  'servicejoin',
  'subscription',
  'copyright',
  'national',
  'geographic',
  'societycopyright',
  'national',
  'geographic',
  'partners',
  'llc',
  'right'],
 ['sectionsnews',
  'weather',
  'sports',
  'community',
  'highlightslivestream',
  'cancellations',
  'morning',
  'fcc',
  'applications',
  'usabout',
  'contact',
  'kvrr',
  'career',
  'blizzard',
  'warning',
  'dakotas',
  'minnesota',
  'winter',
  'storm',
  'fargo',
  'kvrr',
  'season',
  'winter',
  'storm',
  'way',
  'red',
  'river',
  'valley',
  'tuesday',
  'snow',
  'wind',
  'travel',
  'condition',
  'blizzard',
  'warning',
  'national',
  'weather',
  'service',
  'portion',
  'north',
  'dakota',
  'south',
  'dakota',
  'minnesota',
  'forecaster',
  'wind',
  'mph',
  'snowfall',
  'fargo',
  'public',
  'school',
  'building',
  'activity',
  'april',
  'staff',
  'student',
  'learning',
  'activity',
  'kvrr',
  'local',
  'news',
  'update',
  'category',
  'local',
  'news',
  'minnesota',
  'news',
  'north',
  'dakota',
  'news',
  'tags',
  'blizzard',
  'national',
  'weather',
  'service',
  'winter',
  'storm',
  'facebooktwitterredditpinteresttumblr',
  'heat',
  'f',
  'm',
  'metro',
  'mobile',
  'food',
  'pantry',
  'stop',
  'clay',
  'county',
  'view',
  'alert',
  'details',
  'kvrr',
  'weather7',
  'day',
  'map',
  'popular',
  'family',
  'lead',
  'whereabout',
  'west',
  'fargo',
  'fargo',
  'daycare',
  'provider',
  'counts',
  'herreport',
  'fargo',
  'city',
  'return',
  'school',
  'ndsu',
  'degree',
  'brother',
  'gun',
  'incidents',
  'sunday',
  'monday',
  'newsbusiness',
  'construction',
  'traffic',
  'updates',
  'entertainment',
  'health',
  'local',
  'news',
  'minnesota',
  'news',
  'north',
  'dakota',
  'news',
  'politics',
  'elections',
  'buzz',
  'weatherriver',
  'levels',
  'forecast',
  'kvrr',
  'towercam',
  'long',
  'range',
  'forecast',
  'pet',
  'connection',
  'river',
  'levels',
  'severe',
  'weather',
  'alerts',
  'cancellations',
  'weather',
  'notes',
  'stationadvertise',
  'antenna',
  'tv',
  'contact',
  'contests',
  'coverage',
  'map',
  'kvrr',
  'fcc',
  'public',
  'file',
  'kbrr',
  'fcc',
  'public',
  'file',
  'kjrr',
  'fcc',
  'public',
  'file',
  'knrr',
  'fcc',
  'public',
  'file',
  'fcc',
  'applications',
  'eeo',
  'information',
  'kvrr',
  'career',
  'kvrr',
  'team',
  'privacy',
  'policy',
  'schedule',
  'terms',
  'use'],
 ['cookie',
  'site',
  'experience',
  'cookie',
  'policy',
  'cookie',
  'browser',
  'setting',
  'weather',
  'c',
  '°',
  'f',
  'setting',
  'home',
  'forecasts',
  'reports',
  'severe',
  'weather',
  'maps',
  'gallery',
  'forecasts',
  'reports',
  'short',
  'term',
  'day',
  'hour',
  'precip',
  'weekend',
  'severe',
  'weather',
  'outlook',
  'long',
  'term',
  'day',
  'trend',
  'monthly',
  'calendar',
  'lifestyle',
  'airport',
  'forecast',
  'attractions',
  'beach',
  'report',
  'golf',
  'ski',
  'environment',
  'uv',
  'air',
  'quality',
  'pollen',
  'severe',
  'weather',
  'canada',
  'alert',
  'alerts',
  'alert',
  'ready',
  'severe',
  'weather',
  'outlook',
  'gallery',
  'videos',
  'gallery',
  'video',
  'photo',
  'gallery',
  'photo',
  'new',
  'climate',
  'experience',
  'search',
  'city',
  'postcode',
  'location',
  'locations',
  'heat',
  'index',
  'value',
  'thursday',
  'friday',
  'hourly',
  'hour',
  'weekend',
  'day',
  'day',
  'monthly',
  'country',
  'default',
  'site',
  'americas',
  'canada',
  'english',
  'canada',
  'english',
  'canada',
  'francais',
  'canada',
  'francais',
  'united',
  'states',
  'united',
  'states',
  'united',
  'states',
  'spanish',
  'united',
  'states',
  'spanish',
  'asia',
  'australia',
  'english',
  'australia',
  'english',
  'india',
  'english',
  'india',
  'english',
  'europe',
  'united',
  'kingdom',
  'united',
  'kingdom',
  'germany',
  'germany',
  'france',
  'france',
  'ireland',
  'ireland',
  'spain',
  'spain',
  'day',
  'severe',
  'weather',
  'outlook',
  'columbus',
  'oh',
  'severe',
  'weather',
  'outlook',
  'weather',
  'storm',
  'weather',
  'warning',
  'alert',
  'day',
  'outlook',
  'map',
  'level',
  'risk',
  'area',
  'video',
  'type',
  'storm',
  'chart',
  'glance',
  'risk',
  'level',
  'summary',
  'day',
  'information',
  'map',
  'forecast',
  'thursday',
  'friday',
  'saturday',
  'thunderstorm',
  'risk',
  'rainfall',
  'risk',
  'snowfall',
  'risk',
  'rain',
  'risk',
  'wind',
  'risk',
  'dash',
  'datum',
  'time',
  'legend',
  'expected0',
  'aware1',
  'prepared5',
  'alert8',
  '10',
  'select',
  'risk',
  'type',
  'day',
  'map',
  'select',
  'risk',
  'type',
  'thunderstorm',
  'risk',
  'rainfall',
  'risk',
  'snowfall',
  'risk',
  'freezing',
  'rain',
  'risk',
  'wind',
  'risk',
  'select',
  'day',
  'thursday',
  'july',
  'friday',
  'july',
  'saturday',
  'july',
  'datum',
  'survival',
  'essentials',
  'emergency',
  'community',
  'emergency',
  'response',
  'team',
  'time',
  'care',
  'family',
  'supply',
  'minimum',
  'hour',
  'food',
  'water',
  'supplies',
  'water',
  'gallon',
  'litre',
  'water',
  'person',
  'day',
  'bottle',
  'case',
  'evacuation',
  'order',
  'food',
  'food',
  'energy',
  'bar',
  'food',
  'food',
  'water',
  'year',
  'medication',
  'prescription',
  'medication',
  'day',
  'pain',
  'reliever',
  'compress',
  'dressing',
  'bandage',
  'size',
  'cloth',
  'tape',
  'ointment',
  'hydrocortisone',
  'ointment',
  'wipe',
  'packet',
  'blanket',
  'space',
  'blanket',
  'breathing',
  'barrier',
  'way',
  'valve',
  'compress',
  'pair',
  'glove',
  'scissor',
  'roller',
  'bandage',
  'cm',
  'inch',
  'roller',
  'bandage',
  'cm',
  'inch',
  'gauze',
  'pad',
  'cm',
  'inch',
  'cm',
  'inch',
  'gauze',
  'pad',
  'cm',
  'inch',
  'cm',
  'inch',
  'thermometer',
  'triangular',
  'bandage',
  'tweezers',
  'aid',
  'instruction',
  'booklet',
  'equipment',
  'crank',
  'flashlight',
  'crank',
  'radio',
  'battery',
  'cell',
  'phone',
  'charger',
  'tool',
  'army',
  'knife',
  'key',
  'car',
  'house',
  'whistle',
  'personal',
  'hygiene',
  'soap',
  'hand',
  'sanitizer',
  'tissue',
  'paper',
  'toilet',
  'paper',
  'sanitary',
  'napkin',
  'underwear',
  'documents',
  'family',
  'emergency',
  'contact',
  'information',
  'money',
  'change',
  'map',
  'area',
  'list',
  'medication',
  'copy',
  'passports',
  'birth',
  'marriage',
  'certificate',
  'insurance',
  'policy',
  'wills',
  'specialty',
  'items',
  'baby',
  'supply',
  'food',
  'formula',
  'bottles',
  'diaper',
  'change',
  'clothe',
  'supply',
  'hearing',
  'glasses',
  'contact',
  'lenses',
  'food',
  'pet',
  'pop',
  '%',
  'rain',
  'snow',
  'wind',
  'wind',
  'gust',
  'humidity',
  '-%',
  'hourly',
  'forecast',
  'data',
  'hourly',
  'day',
  'hour',
  'day',
  'social',
  'facebook',
  'twitter',
  'instagram',
  'youtube',
  'weather',
  'tools',
  'weather',
  'widget',
  'weather',
  'api',
  'android',
  'app',
  'ios',
  'app',
  'tv',
  'weather',
  'apps',
  'support',
  'help',
  'centre',
  'advertise',
  'terms',
  'use',
  'privacy',
  'policy',
  'accessibility',
  'accommodation',
  'careers',
  'meteo',
  'media',
  'el',
  'tiempo',
  'otempo',
  'weather',
  'network',
  'canada',
  'farmzone',
  'clima',
  'weather',
  'network',
  'pelmorex',
  'weather',
  'networks',
  'default',
  'close',
  'search',
  'location',
  'pointcast',
  'weather',
  'info',
  'mile',
  'nickname',
  'sign',
  'feature',
  'cancel',
  'sign',
  'need',
  'account',
  'sign'],
 ['storm',
  'team4',
  'forecast',
  'commander',
  '24/7',
  'nbc4',
  'newsletters',
  'news',
  'standards',
  'national',
  'weather',
  'service',
  'tornado',
  'poolesville',
  'saturday',
  'storms',
  'tree',
  'path',
  'tornado',
  'branch',
  'derrick',
  'ward',
  'news4',
  'reporter',
  'allison',
  'hageman',
  'published',
  'april',
  'april',
  'national',
  'weather',
  'service',
  'tornado',
  'poolesville',
  'maryland',
  'saturday',
  'afternoon',
  'storm',
  'tornado',
  'area',
  'p.m.',
  'thunderstorm',
  'watch',
  'effect',
  'storm',
  'region',
  'afternoon',
  'kid',
  'animal',
  'resident',
  'candi',
  'watkins',
  'tornado',
  'ef-0',
  'enhanced',
  'fujita',
  'scale',
  'ef',
  'rating',
  'system',
  'tornado',
  'wind',
  'speed',
  'damage',
  'rating',
  'second',
  'gust',
  'mph',
  'national',
  'weather',
  'service',
  'story',
  'newsletter',
  '4front',
  'news',
  'inbox',
  'thunderstorm',
  'warning',
  'effect',
  'doug',
  'kammerer',
  '@dougkammerer',
  'april',
  'national',
  'weather',
  'service',
  'tornado',
  'wind',
  'speed',
  'mph',
  'path',
  'yard',
  'width',
  'yard',
  'watkins',
  'family',
  'shelter',
  'tornado',
  'bathroom',
  'window',
  'bit',
  'watkins',
  'sodens',
  'home',
  'storm',
  'sunday',
  'tree',
  'property',
  'limb',
  'tarp',
  'resident',
  'amy',
  'soden',
  'tree',
  'path',
  'tornado',
  'branch',
  'national',
  'weather',
  'service',
  'deck',
  'fence',
  'watkins',
  'tornado',
  'derecho',
  'place',
  'neighborhood',
  'decade',
  'derecho',
  'watkins',
  'tree',
  'house',
  'soden',
  'tornado',
  'story',
  'news4',
  'update',
  'umbrella',
  'saturday',
  'storms',
  'tornado',
  'dc',
  'area',
  'locations',
  'hour',
  'dc',
  'shooting',
  'consulates',
  'mexico',
  'guatemala',
  'citizen',
  'dc',
  'crime',
  'woman',
  'collision',
  'prince',
  'george',
  'county',
  'woman',
  'car',
  'route',
  'prince',
  'george',
  'co.',
  'virginia',
  'man',
  'daughter',
  'house',
  'fire',
  'missouri',
  'nbc4',
  'washington',
  'news',
  'standards',
  'tips',
  'investigations',
  'newsletters',
  'wrc',
  'public',
  'inspection',
  'file',
  'wrc',
  'accessibility',
  'wrc',
  'employment',
  'information',
  'feedback',
  'fcc',
  'applications',
  'terms',
  'service',
  'privacy',
  'policy',
  'privacy',
  'choices',
  'advertise',
  'notice',
  'ad',
  'choice',
  'copyright',
  'nbcuniversal',
  'media',
  'llc',
  'right'],
 ['manage',
  'delivery',
  'manage',
  'digital',
  'contact',
  'customer',
  'service',
  'manage',
  'delivery',
  'manage',
  'digital',
  'contact',
  'customer',
  'service',
  'maine',
  'news',
  'sport',
  'politic',
  'election',
  'result',
  'obituary',
  'spring',
  'storm',
  'maine',
  'island',
  'mph',
  'gust',
  'associated',
  'press',
  'share',
  'twitter',
  'opens',
  'window)click',
  'facebook',
  'opens',
  'window)click',
  'reddit',
  'opens',
  'window)click',
  'opens',
  'window)click',
  'link',
  'friend',
  'opens',
  'window',
  'road',
  'monday',
  'camden',
  'rockport',
  'area',
  'credit',
  'courtesy',
  'rockport',
  'police',
  'department',
  'storm',
  'rain',
  'gust',
  'power',
  'thousand',
  'home',
  'business',
  'maine',
  'road',
  'new',
  'hampshire',
  'river',
  'monday',
  'official',
  'wind',
  'sunday',
  'mph',
  'matinicus',
  'island',
  'mile',
  'mph',
  'bath',
  'shipbuilder',
  'bath',
  'iron',
  'works',
  'crane',
  'report',
  'damage',
  'home',
  'business',
  'monday',
  'morning',
  'maine',
  'flood',
  'warning',
  'effect',
  'number',
  'river',
  'maine',
  'new',
  'hampshire',
  'official',
  'maine',
  'inch',
  'rain',
  'inch',
  'stephen',
  'baron',
  'meteorologist',
  'national',
  'weather',
  'service',
  'road',
  'new',
  'hampshire',
  'kancamagus',
  'highway',
  'white',
  'mountain',
  'national',
  'forest',
  'police',
  'lincoln',
  'road',
  'monday',
  'morning',
  'hancock',
  'campground',
  'washout',
  'conway',
  'post',
  'navigation',
  'mainecf',
  'vice',
  'presidentnext',
  'hiker',
  'remain',
  'rockport',
  'readnorthern',
  'maine',
  'fair',
  'nascar',
  'champmaine',
  'credit',
  'union',
  'coinsmusician',
  'nirvana',
  'portlandthe',
  'maine',
  'town',
  'chemical',
  'friend',
  'east',
  'lobsterman',
  'love',
  'fishing2',
  'body',
  'penobscot',
  'county',
  'drowningsbroccoli',
  'caribou',
  'farm',
  'pesticide',
  'subscribe',
  'donate',
  'manage',
  'print',
  'subscription',
  'manage',
  'digital',
  'subscription',
  'customer',
  'service',
  'newsletters',
  'mission',
  'staff',
  'directory',
  'contact',
  'privacy',
  'policy',
  'terms',
  'service',
  'services',
  'public',
  'notices',
  'classifieds',
  'jobs',
  'autos',
  'real',
  'estate',
  'coupons',
  'deals',
  'photo',
  'video',
  'store',
  'advertise',
  'pulse',
  'marketing',
  'agency',
  'creative',
  'guide',
  'special',
  'sections',
  'archive',
  'newspack',
  'automattic',
  'privacy',
  'policy'],
 ['illinois',
  'storm',
  'chasers',
  'llc',
  'mother',
  'nature',
  'tue',
  'sat',
  'july',
  '29th',
  't’storm',
  'episode',
  'update',
  '10:30pm',
  'd',
  'july',
  '26th',
  'wednesday',
  'night',
  'update',
  'disturbance',
  'storm',
  'system',
  'region',
  'saturday',
  'periphery',
  'ridge',
  'place',
  'region',
  'pattern',
  'chance',
  'rain',
  't’storm',
  't’storm',
  'portion',
  'state',
  'read',
  'tue',
  'sat',
  'july',
  '29th',
  't’storm',
  'episode',
  'update',
  'july',
  'illinois',
  'storm',
  'chasersleave',
  'comment',
  'tue',
  'sat',
  'july',
  '29th',
  'heat',
  'wave',
  'update',
  '8:30pm',
  'd',
  'july',
  '26th',
  'wednesday',
  'update',
  'ridge',
  'region',
  'push',
  'condition',
  'state',
  'condition',
  'period',
  'weekend',
  'chance',
  'rain',
  't’storm',
  'portion',
  'state',
  'condition',
  'time',
  'read',
  'tue',
  'sat',
  'july',
  '29th',
  'heat',
  'wave',
  'update',
  'july',
  'illinois',
  'storm',
  'chasersleave',
  'comment',
  'tue',
  'wed',
  'july',
  '26th',
  't’storm',
  'episode',
  'update',
  'd',
  'july',
  '26th',
  'wednesday',
  'morning',
  'update',
  'disturbance',
  'region',
  'tonight',
  'chance',
  'round',
  'rain',
  't’storm',
  'portion',
  'state',
  't’storm',
  'threat',
  'setup',
  'product',
  'level',
  'flow',
  'read',
  'tue',
  'wed',
  'july',
  '26th',
  't’storm',
  'episode',
  'update',
  'july',
  'illinois',
  'storm',
  'chasersleave',
  'comment',
  'tue',
  'wed',
  'july',
  '26th',
  't’storm',
  'episode',
  'update',
  '10:30pm',
  'tues',
  'july',
  '25th',
  'tuesday',
  'night',
  'update',
  'disturbance',
  'region',
  'wednesday',
  'chance',
  'round',
  'rain',
  't’storm',
  'portion',
  'state',
  't’storm',
  'threat',
  'setup',
  'product',
  'level',
  'flow',
  'read',
  'tue',
  'wed',
  'july',
  '26th',
  't’storm',
  'episode',
  'update',
  'july',
  'illinois',
  'storm',
  'chasersleave',
  'comment',
  'tue',
  'sat',
  'july',
  '29th',
  'heat',
  'wave',
  'update',
  'tues',
  'july',
  '25th',
  'tuesday',
  'update',
  'ridge',
  'region',
  'push',
  'condition',
  'portion',
  'state',
  'condition',
  'period',
  'middle',
  'week',
  'weekend',
  'chance',
  'rain',
  't’storm',
  'portion',
  'read',
  'tue',
  'sat',
  'july',
  '29th',
  'heat',
  'wave',
  'update',
  'july',
  'illinois',
  'storm',
  'chasersleave',
  'comment',
  'tuesday',
  'ridge',
  'region',
  'push',
  'condition',
  'portion',
  'state',
  'condition',
  'period',
  'middle',
  'week',
  'weekend',
  'chance',
  'rain',
  't’storm',
  'portion',
  'state',
  'condition',
  'read',
  'tue',
  'sat',
  'july',
  '29th',
  'heat',
  'wave',
  'july',
  'illinois',
  'storm',
  'chasersleave',
  'comment',
  'tue',
  'wed',
  'july',
  '26th',
  't’storm',
  'episode',
  'tues',
  'july',
  '25th',
  'disturbance',
  'region',
  'today',
  'wednesday',
  'chance',
  'round',
  'rain',
  't’storm',
  'portion',
  'state',
  't’storm',
  'threat',
  'setup',
  'product',
  'level',
  'flow',
  'region',
  'periphery',
  'read',
  'tue',
  'wed',
  'july',
  '26th',
  't’storm',
  'episode',
  'july',
  'illinois',
  'storm',
  'chasersleave',
  'comment',
  'spring',
  'summer',
  'drought',
  'july',
  '20th',
  'update',
  'thur',
  'july',
  '20th',
  'noaa',
  'drought',
  'monitor',
  'update',
  'tuesday',
  'july',
  '18th',
  'illinois',
  'd0',
  'drought',
  'd3',
  'condition',
  'round',
  'hit',
  'rain',
  't’storm',
  'state',
  'week',
  'drought',
  'condition',
  'spring',
  'summer',
  'drought',
  'july',
  '20th',
  'update',
  'july',
  'illinois',
  'storm',
  'chasersleave',
  'comment',
  'sun',
  'thur',
  'july',
  '20th',
  't’storm',
  'episode',
  'update',
  '10:30am',
  'thur',
  'july',
  '20th',
  'thursday',
  'morning',
  'update',
  'storm',
  'system',
  'stretch',
  'region',
  'today',
  'tonight',
  'pattern',
  'product',
  'level',
  'flow',
  'region',
  'flank',
  'troughing',
  'canada',
  'great',
  'lakes',
  'read',
  'sun',
  'thur',
  'july',
  '20th',
  't’storm',
  'episode',
  'update',
  'july',
  'illinois',
  'storm',
  'chasersleave',
  'comment',
  'sun',
  'thur',
  'july',
  '20th',
  't’storm',
  'episode',
  'update',
  '11:00pm',
  'd',
  'july',
  '19th',
  'wednesday',
  'night',
  'update',
  'disturbance',
  'storm',
  'system',
  'region',
  'thursday',
  'flank',
  'troughing',
  'canada',
  'great',
  'lakes',
  'periphery',
  'ridge',
  'place',
  'desert',
  'southwest',
  'southern',
  'plains',
  'pattern',
  'read',
  'sun',
  'thur',
  'july',
  '20th',
  't’storm',
  'episode',
  'update',
  'july',
  'illinois',
  'storm',
  'chasersleave',
  'comment',
  'wordpress',
  'theme',
  'cerauno'],
 ['contact',
  'advertise',
  'archives',
  'event',
  'submit',
  'story',
  'idea',
  'privacy',
  'policy',
  'buena',
  'vista',
  'county',
  'hometown',
  'newspaper',
  'wednesday',
  'july',
  'storiesfinding',
  'oasis',
  'rideeveryone',
  'story',
  'ragbrai',
  'time',
  'opportunity',
  'mile',
  'storm',
  'lake',
  'storm',
  'lake',
  'street',
  'infrastructure',
  'report',
  'city',
  'bolton',
  'menk',
  'josh',
  'pope,',
  'storm',
  'lake',
  'water',
  'restriction',
  'failure',
  'city',
  'storm',
  'lake',
  'water',
  'conservation',
  'measure',
  'king',
  'pointe',
  'waterpark',
  'ragbrai',
  'city',
  'level',
  'water',
  'bv',
  'conservation',
  'board',
  'marinaby',
  'end',
  'month',
  'buena',
  'vista',
  'county',
  'board',
  'supervisors',
  'resolution',
  'iowa',
  'department',
  'natural',
  'resources',
  'bv',
  'county',
  'fair',
  'runnellie',
  'mckenna',
  'mom',
  'kim',
  'way',
  'buena',
  'vista',
  'county',
  'fair',
  'thursday',
  'afternoon',
  'mom',
  'princess',
  'celebration',
  'storm',
  'lakedrizzle',
  'storm',
  'lake',
  'firework',
  'display',
  'tuesday',
  'night',
  'july',
  'minute',
  'theme',
  'star',
  'spangled',
  'spectacular',
  'cheers',
  'newsrembrandt',
  'suit',
  'worker',
  '2023a',
  'lawsuit',
  'death',
  'guatemalan',
  'laborer',
  'system',
  'subzero',
  'temperature',
  'year',
  'man',
  'gram',
  'meth',
  'storm',
  'lakejuly',
  '2023a',
  'denison',
  'man',
  'gram',
  'methamphetamine',
  'informant',
  'storm',
  'lake',
  'police',
  'martin',
  'mancilla',
  'gomez',
  'product',
  'bv',
  'recycle',
  'centerjuly',
  '2023the',
  'buena',
  'vista',
  'county',
  'recycle',
  'center',
  'household',
  'waste',
  'facility',
  'reuse',
  'area',
  'citizen',
  'public',
  'crash',
  'newell',
  'power',
  'people',
  'power',
  'sunday',
  'morning',
  'accident',
  'newell',
  'sunday',
  'morning',
  'power',
  'regulator',
  'steve',
  'king',
  'request',
  'pipeline',
  'hearingjuly',
  '2023a',
  'iowa',
  'congressman',
  'use',
  'domain',
  'carbon',
  'dioxide',
  'pipeline',
  'times',
  'pilot',
  'baseball',
  'teamn',
  'f',
  'greenfield',
  'times',
  'pilot',
  'position',
  'player',
  'storm',
  'lake',
  'eddie',
  'times',
  'pilot',
  'pitcher',
  'times',
  'pilot',
  'softball',
  'team',
  'opinioneditorial',
  'water',
  'waterparkart',
  'cullen',
  'storm',
  'lake',
  'times',
  'pilot',
  '',
  '',
  'july',
  '2023a',
  'king',
  'pointe',
  'waterpark',
  'sunday',
  'lack',
  'water',
  'purpose',
  'thousand',
  'people',
  'outfit',
  'oil',
  'riding',
  'oppenheimer',
  'cullen',
  'storm',
  'lake',
  'times',
  'pilot',
  '',
  '',
  'july',
  'cullens',
  'tie',
  'movie',
  'oppenheimer',
  'nation',
  'week',
  'review',
  'story',
  'j.',
  'robert',
  'oppenheimer',
  'father',
  'track',
  'evans',
  'iowa',
  'freedom',
  'information',
  'council',
  '',
  '',
  'july',
  'photograph',
  'father',
  'page',
  'bloomfield',
  'democrat',
  'year',
  'pop',
  'chest',
  'hole',
  'letter',
  'editorjuly',
  'ragbrai',
  'l',
  'ragbrai',
  'sioux',
  'city',
  'davenport',
  'vernacular',
  'time',
  'climate',
  'change',
  'delay',
  'climate',
  'change',
  'guebert',
  'farm',
  'food',
  'file',
  '',
  '',
  'july',
  'campaign',
  'dollar',
  'capitol',
  'hill',
  'press',
  'corps',
  'congress',
  'issue',
  'obituariesdavid',
  'thayerjuly',
  '2023david',
  'allen',
  'thayer',
  'son',
  'donald',
  'phyllis',
  'obman',
  'thayer',
  'june',
  'storm',
  'lake',
  'animal',
  'lover',
  'dog',
  'david',
  'sandra',
  'johnsonjuly',
  'johnson',
  'sheldon',
  'saturday',
  'july',
  'sanford',
  'health',
  'sheldon',
  'care',
  'center',
  'visitation',
  'thursday',
  'morning',
  'july',
  'a.m.',
  'nancy',
  'ledouxjuly',
  'ledoux',
  'storm',
  'lake',
  'thursday',
  'july',
  'buena',
  'vista',
  'regional',
  'medical',
  'center',
  'storm',
  'lake',
  'service',
  'place',
  'friday',
  'july',
  'cheua',
  'lovanjuly',
  'lovan',
  'storm',
  'lake',
  'wednesday',
  'july',
  'residence',
  'service',
  'place',
  'saturday',
  'july',
  'p.m.',
  'fratzke',
  'jensen',
  'funeral',
  'sylvia',
  'strandjuly',
  'm.',
  'strand',
  'storm',
  'lake',
  'wednesday',
  'july',
  'methodist',
  'manor',
  'storm',
  'lake',
  'service',
  'place',
  'tuesday',
  'july',
  'p.m.',
  'family',
  'friendsradcliff',
  'bison',
  'radcliff',
  'storm',
  'lake',
  'bison',
  'story',
  'music',
  'event',
  'downtown',
  'storm',
  'lakefree',
  'accessjuly',
  'city',
  'storm',
  'lake',
  'downtown',
  'concert',
  'event',
  'thursday',
  'aug.',
  'admission',
  'tall',
  'corn',
  'daysjuly',
  'rapids',
  'tall',
  'corn',
  'day',
  'celebration',
  'weekend',
  'head',
  'valley',
  'beauty',
  'weekend',
  'activity',
  'editionsstorm',
  'lake',
  'times',
  'pilot',
  '7',
  'lake',
  'times',
  'pilot',
  '7',
  'lake',
  'times',
  'pilot',
  '7',
  'lake',
  'times',
  'pilot',
  '7',
  'lake',
  'times',
  'pilot',
  '7',
  'lake',
  'times',
  'pilot',
  '7',
  'oasis',
  'pork',
  'plant',
  'bankruptcy',
  'closure',
  'windom',
  'answer',
  'ownership3crash',
  'newell',
  'power',
  'outage4david',
  'thayer5used',
  'product',
  'bv',
  'recycle',
  'center',
  'weather',
  'forecast',
  'p.o.',
  'box',
  'storm',
  'lake',
  'ia',
  'newsfeatured',
  'stories',
  'family',
  'friends',
  'arts',
  'entertainment',
  'classifieds',
  'e',
  '-',
  'edition',
  'hometown',
  'dmca',
  'noticesnewspaper',
  'web',
  'site',
  'content',
  'management',
  'software',
  'service',
  'storm',
  'lake',
  'times',
  'co.',
  'rights',
  'privacy',
  'policy',
  'cookie',
  'experience',
  'website',
  'site'],
 ['bbc',
  'homepageskip',
  'helpyour',
  'accounthomenewssportreelworklifetravelfuturemore',
  'menumore',
  'bbchomenewssportreelworklifetravelfutureculturemusictvweathersoundsclose',
  'newsmenuhomewar',
  'ukraineclimatevideoworldus',
  'canadaukbusinesstechsciencemoreentertainment',
  'artshealthin',
  'picturesbbc',
  'verifyworld',
  'news',
  'tvnewsbeatus',
  'canadaus',
  'storm',
  'vermont',
  'damage',
  'flood',
  'julyshareclose',
  'video',
  'video',
  'javascript',
  'browser',
  'medium',
  'caption',
  'water',
  'destruction',
  'floodsby',
  'gareth',
  'evans',
  'madeline',
  'halpertbbc',
  'newscrews',
  'vermont',
  'damage',
  'storm',
  'month',
  'rain',
  'state',
  'matter',
  'day',
  'flash',
  'flood',
  'home',
  'state',
  'governor',
  'flooding',
  'area',
  'm',
  'rain',
  'capital',
  'city',
  'montpelier',
  'crew',
  'debris',
  'building',
  'rain',
  'week',
  'people',
  'montpelier',
  'berlin',
  'water',
  'concern',
  'flooding',
  'drinking',
  'water',
  'picture',
  'state',
  'town',
  'ludlow',
  'scale',
  'damage',
  'floodwater',
  'people',
  'today',
  'house',
  'ludlow',
  'municipal',
  'manager',
  'brendan',
  'mcnamara',
  'damage',
  'brunt',
  'storm',
  'freight',
  'track',
  'green',
  'mountain',
  'railroad',
  'town',
  'sky',
  'flood',
  'gorge',
  'spokesperson',
  'vermont',
  'rail',
  'system',
  'bbc',
  'partner',
  'cbs',
  'news',
  'operation',
  'washout"',
  'andrew',
  'molen',
  'co',
  '-',
  'owner',
  'restaurant',
  'town',
  'outlet',
  'flooding',
  'business',
  'mess',
  'satellite',
  'image',
  'devastation',
  'floods"we',
  'bridge',
  'road',
  'car',
  'river',
  'power',
  'force',
  'dumpster',
  'image',
  'source',
  'getty',
  'imagesimage',
  'caption',
  'vermont',
  'resident',
  'home',
  'tuesday',
  'damage',
  'floodsvermont',
  'commissioner',
  'safety',
  'jennifer',
  'morrison',
  'cnn',
  'wednesday',
  'people',
  'evacuation',
  'situation',
  'crisis',
  'year',
  'decade',
  'concern',
  'dam',
  'state',
  'capacity',
  'tuesday',
  'night',
  'montpelier',
  'official',
  'wrightsville',
  'dam',
  'river',
  'flood',
  'stage',
  'dam',
  'thing',
  'burner',
  'montpelier',
  'town',
  'manager',
  'bill',
  'fraser',
  'emergency',
  'order',
  'tuesday',
  'city',
  'street',
  'winooski',
  'river',
  'bank',
  'governor',
  'phil',
  'scott',
  'caution',
  'day',
  'rain',
  'week',
  'ground',
  'wood',
  'deluge',
  'state',
  'tropical',
  'storm',
  'irene',
  'people',
  'vermont',
  'climate',
  'way',
  'climate',
  'change',
  'weathera',
  'guide',
  'climate',
  'change',
  'world',
  'day',
  'record',
  'country',
  'climate',
  'tackett',
  'minikin',
  'child',
  'store',
  'montpelier',
  'floodwater',
  'tuesday',
  'business',
  'picture',
  'premise',
  'photojournalist',
  'tear',
  'business',
  '"this',
  'dream',
  'shop',
  'burlington',
  'free',
  'press',
  'national',
  'weather',
  'service',
  'rain',
  'thursday',
  'friday',
  'vermont',
  'downpour',
  'flood',
  'watch',
  'effect',
  'new',
  'york',
  'massachusetts',
  'maine',
  'new',
  'hampshire',
  'connecticut',
  'new',
  'york',
  'state',
  'flooding',
  'year',
  'woman',
  'authority',
  'pamela',
  'nugent',
  'orange',
  'county',
  'home',
  'dog',
  'video',
  'video',
  'javascript',
  'browser',
  'medium',
  'caption',
  'video',
  'scene',
  'vermont',
  'capitalhome',
  'business',
  'road',
  'county',
  'factor',
  'flooding',
  'atmosphere',
  'climate',
  'change',
  'rainfall',
  'world',
  '1.1c',
  'era',
  'temperature',
  'government',
  'world',
  'cut',
  'emission',
  'topicsfloodsvermontnew',
  'yorkunited',
  'statesmore',
  'footage',
  'scale',
  'oklahoma',
  'floodspublished10',
  'julywatch',
  'new',
  'york',
  'street',
  'floodspublished10',
  'julytop',
  'storiesniger',
  'soldier',
  'coup',
  'tvpublished1',
  'hour',
  'singer',
  'sinãad',
  "o'connor",
  'hour',
  'agohow',
  'ukraine',
  'offensive',
  'south',
  'hour',
  'agofeaturessinãad',
  "o'connor",
  'obituary',
  'talent',
  'comparehow',
  'sinãad',
  "o'connor",
  'uhow',
  'ukraine',
  'offensive',
  'south',
  'stutteredn',
  'koreaâ\x80\x99s',
  'prisoner',
  'war',
  'plot',
  'flame',
  'buddha',
  'china',
  'videowatch',
  'flame',
  'buddha',
  'chinathe',
  'claim',
  'india',
  'violenceputin',
  'leader',
  'star',
  'role?can',
  'india',
  'chip',
  'powerhouse?world',
  'city',
  'bbcthe',
  'way',
  'homeswhy',
  'brand',
  'mediathe',
  'film',
  'usmost',
  'read1irish',
  'singer',
  'sinãad',
  "o'connor",
  'family',
  "grid'3how",
  'ukraine',
  'offensive',
  'south',
  'stuttered4niger',
  'soldier',
  'coup',
  'national',
  'tv5alien',
  'congress',
  'biden',
  'plea',
  'deal',
  'apart7mastercard',
  'bank',
  'debit',
  'weed8sinãad',
  "o'connor",
  'obituary',
  'talent',
  'koreaâ\x80\x99s',
  'prisoner',
  'war',
  'plot',
  'toy',
  'maker',
  'movie',
  'sale',
  'news',
  'mobileon',
  'news',
  'alertscontact',
  'bbc',
  'newshomenewssportreelworklifetravelfutureculturemusictvweathersoundsterms',
  'useabout',
  'bbcprivacy',
  'policycookiesaccessibility',
  'helpparental',
  'guidancecontact',
  'bbcget',
  'newsletterswhy',
  'bbcadvertise',
  'usâ',
  'bbc',
  'bbc',
  'content',
  'site',
  'approach',
  'linking'],
 ['hunter',
  'biden',
  'plea',
  'deal',
  'ufo',
  'takeaway',
  'whistleblower',
  'congress',
  'uap',
  'sinéad',
  "o'connor",
  'grammy',
  'singer',
  'netherlands',
  'u.s.',
  'draw',
  'rematch',
  'world',
  'cup',
  'federal',
  'reserve',
  'interest',
  'rate',
  'level',
  'year',
  'niger',
  'president',
  'guard',
  'coup',
  'ohio',
  'officer',
  'k-9',
  'man',
  'hand',
  'story',
  'tic',
  'tac',
  'ufo',
  'hurricane',
  'ian',
  'head',
  'south',
  'carolina',
  'florida',
  'app',
  'brian',
  'dakss',
  'sarah',
  'lynch',
  'baldwin',
  'sophie',
  'reardon',
  'september',
  'cbs',
  'news',
  'families',
  'flood',
  'families',
  'flood',
  'follow',
  'friday',
  'development',
  'coverage',
  'ian',
  'hurricane',
  'strength',
  'south',
  'carolina',
  'hurricane',
  'warning',
  'coast',
  'destruction',
  'florida',
  'national',
  'hurricane',
  'center',
  'ian',
  'life',
  'storm',
  'surge',
  'south',
  'carolina',
  'flooding',
  'rain',
  'carolinas',
  'virginia',
  'ian',
  'florida',
  'river',
  'flooding',
  'florida',
  'week',
  'center',
  'cbs',
  'news',
  'storm',
  'death',
  'florida',
  'friday',
  'morning',
  'ian',
  'hurricane',
  'florida',
  'history',
  'president',
  'biden',
  'thursday',
  'number',
  'report',
  'loss',
  'life',
  'president',
  'briefing',
  'fema',
  'official',
  'ian',
  'core',
  'mile',
  'south',
  'southeast',
  'charleston',
  'south',
  'carolina',
  'a.m.',
  'friday',
  'north',
  'northeast',
  'mph',
  'wind',
  'mph',
  'hurricane',
  'center',
  'ian',
  'landfall',
  'charleston',
  'south',
  'carolina',
  'mid',
  '-',
  'afternoon',
  'friday',
  'cbs',
  'news',
  'meteorologist',
  'david',
  'parkinson',
  'friday',
  'saturday',
  'hurricane',
  'center',
  'carolinas',
  'wednesday',
  'ian',
  'landfall',
  'florida',
  'category',
  'hurricane',
  'state',
  'hurricane',
  'u.s.people',
  'home',
  'video',
  'image',
  'flooding',
  'home',
  'business',
  'power',
  'friday',
  'morning',
  'hurricane',
  'ian',
  'damage',
  'flooding',
  'florida',
  'september',
  'woman',
  'chest',
  'floodwater',
  'stranger',
  'mom',
  'christine',
  'bomlitz',
  'hurricane',
  'ian',
  'ferocity',
  'wednesday',
  'florida',
  'hour',
  'word',
  'year',
  'mother',
  'thursday',
  'morning',
  'storm',
  'word',
  'country',
  'las',
  'vegas',
  'bomlitz',
  'plea',
  'help',
  'medium',
  'mother',
  'bomlitz',
  'way',
  'mom',
  'shirley',
  'affolter',
  'cell',
  'phone',
  'storm',
  'landline',
  'night',
  'storm',
  'evacuation',
  'vehicle',
  'route',
  'thursday',
  'afternoon',
  'samaritan',
  'rescue',
  'cheynne',
  'prevatt',
  'damage',
  'home',
  'storm',
  'florida',
  'resident',
  'chest',
  'floodwater',
  'affolter',
  'englewood',
  'florida',
  'mother',
  'neighbor',
  'rest',
  'community',
  'walker',
  'prevatt',
  'door',
  'relief',
  'woman',
  'prevatt',
  'mother',
  'daughter',
  'phone',
  'bomlitz',
  'worry',
  'september',
  'death',
  'floor',
  'balcony',
  'year',
  'boy',
  'family',
  'jacksonville',
  'hurricane',
  'ian',
  'story',
  'condominium',
  'balcony',
  'panama',
  'city',
  'beach',
  'florida',
  'town',
  'official',
  'sterling',
  'reef',
  'thursday',
  'afternoon',
  'rescue',
  'crew',
  'official',
  'play',
  'september',
  'fort',
  'myers',
  'devastation',
  'fort',
  'myers',
  'area',
  'ian',
  'hurricane',
  'home',
  'slab',
  'wreckage',
  'business',
  'beach',
  'debris',
  'dock',
  'angle',
  'boat',
  'fire',
  'lot',
  'house',
  'william',
  'goodison',
  'wreckage',
  'home',
  'park',
  'fort',
  'myers',
  'beach',
  'year',
  'goodison',
  'storm',
  'son',
  'house',
  'hurricane',
  'park',
  'home',
  'repair',
  'goodison',
  'home',
  'waist',
  'water',
  'goodison',
  'son',
  'trash',
  'air',
  'conditioner',
  'tool',
  'baseball',
  'bat',
  'road',
  'fort',
  'myers',
  'tree',
  'boat',
  'trailer',
  'debris',
  'car',
  'road',
  'storm',
  'surge',
  'engine',
  'lee',
  'county',
  'sheriff',
  'carmine',
  'marceno',
  'office',
  'thousand',
  'fort',
  'myers',
  'area',
  'road',
  'bridge',
  'emergency',
  'crew',
  'tree',
  'people',
  'area',
  'help',
  'outage',
  'chunk',
  'sanibel',
  'causeway',
  'sea',
  'access',
  'barrier',
  'island',
  'people',
  'september',
  'biden',
  'state',
  'emergency',
  'south',
  'carolina',
  'hurricane',
  'ian',
  'forecast',
  'landfall',
  'south',
  'carolina',
  'president',
  'biden',
  'emergency',
  'declaration',
  'state',
  'thursday',
  'night',
  'fema',
  'state',
  'agency',
  'local',
  'damage',
  'white',
  'house',
  'fema',
  'discretion',
  'equipment',
  'resource',
  'impact',
  'emergency',
  'september',
  'protest',
  'havana',
  'blackout',
  'cubans',
  'street',
  'thursday',
  'night',
  'havana',
  'restoration',
  'electricity',
  'day',
  'blackout',
  'island',
  'passage',
  'hurricane',
  'ian',
  'associated',
  'press',
  'journalist',
  'total',
  'people',
  'spot',
  'cerro',
  'neighborhood',
  'light',
  'pot',
  'pan',
  'outpouring',
  'anger',
  'electricity',
  'problem',
  'cuba',
  'ian',
  'island',
  'power',
  'grid',
  'tuesday',
  'night',
  'people',
  'dark',
  'storm',
  'people',
  'damage',
  'addition',
  'power',
  'problem',
  'havana',
  'thursday',
  'internet',
  'service',
  'cellphone',
  'protest',
  'primellef',
  'street',
  'police',
  'demonstrator',
  'corner',
  'block',
  'calzada',
  'del',
  'cerro',
  'protester',
  'work',
  'team',
  'pole',
  'transformer',
  'group',
  'protester',
  'street',
  'night',
  'gathering',
  'july',
  'cuba',
  'protest',
  'decade',
  'thousand',
  'people',
  'power',
  'failure',
  'shortage',
  'good',
  'pandemic',
  'u.s.',
  'sanction',
  'city',
  'island',
  'anger',
  'government',
  'criticism',
  'administration',
  'president',
  'miguel',
  'diaz',
  'canel',
  'government',
  'percentage',
  'population',
  'electricity',
  'authority',
  '%',
  'havana',
  'people',
  'power',
  'thursday',
  'pm',
  'september',
  'florida',
  'business',
  'tourist',
  'attraction',
  'rebuilding',
  'challenge',
  'walt',
  'disney',
  'world',
  'tourist',
  'attraction',
  'florida',
  'damage',
  'hurricane',
  'ian',
  'business',
  'state',
  'coast',
  'rebuilding',
  'process',
  'fort',
  'myers',
  'video',
  'medium',
  'times',
  'square',
  'area',
  'shop',
  'restaurant',
  'storm',
  'sanibel',
  'barrier',
  'island',
  'resort',
  'fort',
  'myers',
  'causeway',
  'carol',
  'dover',
  'president',
  'florida',
  'restaurant',
  'lodging',
  'association',
  'middle',
  'interview',
  'television',
  'westin',
  'cape',
  'coral',
  'resort',
  'marina',
  'fort',
  'myers',
  'cnn',
  'rubble',
  'lot',
  'month',
  'year',
  '"ian',
  'florida',
  'category',
  'hurricane',
  'storm',
  'thousand',
  'flooding',
  'million',
  'power',
  'storm',
  'wind',
  'rain',
  'theme',
  'park',
  'tourism',
  'magnet',
  'florida',
  'harm',
  'orlando',
  'area',
  'walt',
  'disney',
  'world',
  'attraction',
  'storm',
  'florida',
  'leisure',
  'hospitality',
  'sector',
  'job',
  '%',
  'increase',
  'year',
  'figure',
  'florida',
  'department',
  'economic',
  'opportunity',
  'job',
  'lodging',
  'food',
  'service',
  'florida',
  'unemployment',
  'rate',
  '%',
  'august',
  'percentage',
  'point',
  'average',
  '%',
  'year',
  'member',
  'florida',
  'national',
  'guard',
  'resident',
  'neighborhood',
  'aftermath',
  'hurricane',
  'ian',
  'sept.',
  'orlando',
  'florida',
  'pm',
  'september',
  'orlando',
  'international',
  'airport',
  'friday',
  'orlando',
  'international',
  'airport',
  'friday',
  'day',
  'hurricane',
  'ian',
  'official',
  'airport',
  'thursday',
  'evening',
  'flight',
  'noon',
  'time',
  'friday',
  'road',
  'airport',
  'traveler',
  'airport',
  'decision',
  'investigation',
  'property',
  'damage',
  'consideration',
  'safety',
  'security',
  'airport',
  'employee',
  'airport',
  'statement',
  'airport',
  'wednesday',
  'morning',
  'tampa',
  'jacksonville',
  'airport',
  'friday',
  'pm',
  'september',
  'hurricane',
  'ian',
  'landfall',
  'charleston',
  'category',
  'storm',
  'hurricane',
  'ian',
  'landfall',
  'p.m.',
  'friday',
  'charleston',
  'south',
  'carolina',
  'cbs',
  'news',
  'meteorologist',
  'david',
  'parkinson',
  'red',
  'blue',
  'thursday',
  'evening',
  'storm',
  'thursday',
  'south',
  'carolina',
  'category',
  'storm',
  'landfall',
  'ian',
  'system',
  'lot',
  'moisture',
  'rainfall',
  'portion',
  'state',
  'north',
  'carolina',
  'storm',
  'surge',
  'foot',
  'hurricane',
  'ian',
  'south',
  'carolina',
  'florida',
  'pm',
  'september',
  'desantis',
  'authority',
  'power',
  'water',
  'county',
  'thursday',
  'night',
  'press',
  'conference',
  'gov.',
  'ron',
  'desantis',
  'state',
  'agency',
  'resident',
  'hurricane',
  'ian',
  'condition',
  'florida',
  'lee',
  'county',
  'issue',
  'resident',
  'access',
  'water',
  'desantis',
  'official',
  'assistance',
  'fema',
  'fix',
  'water',
  'treatment',
  'facility',
  'official',
  'thousand',
  'gallon',
  'water',
  'health',
  'care',
  'facility',
  'county',
  'power',
  'outage',
  'concern',
  'florida',
  'line',
  'infrastructure',
  'ground',
  'governor',
  'official',
  'astonishment',
  'desantis',
  'road',
  'situation',
  '"official',
  'supply',
  'cot',
  'blanket',
  'tarps',
  'water',
  'people',
  'need',
  'desantis',
  'florida',
  'lady',
  'florida',
  'disaster',
  'fund',
  'authority',
  'resource',
  'people',
  'shoutout',
  'tampa',
  'bay',
  'buccaneers',
  'quarterback',
  'tom',
  'brady',
  'link',
  'fund',
  'medium',
  'account',
  'thursday',
  'night',
  'press',
  'conference',
  'state',
  'division',
  'emergency',
  'management',
  'director',
  'kevin',
  'guthrie',
  'resident',
  'authority',
  'clock',
  'resident',
  'guthrie',
  'resident',
  'damage',
  'drone',
  'area',
  'authority',
  'desantis',
  'school',
  'district',
  'friday',
  'monday',
  'pm',
  'september',
  'people',
  'living',
  'facility',
  'orange',
  'county',
  'fire',
  'rescue',
  'thursday',
  'evening',
  'people',
  'living',
  'facility',
  'orlando',
  'department',
  'photo',
  'rescuer',
  'equipment',
  'inch',
  'water',
  'evacuation',
  'place',
  '@orangecofl',
  'hurricaneian',
  'unit',
  'people',
  'bridge',
  'life',
  'care',
  'center',
  'facility',
  'pic.twitter.com/hqe4gyn39y',
  'ocfire',
  'rescue',
  '@ocfirerescue',
  'september',
  'https://t.co/x9dyiykul9',
  'pic.twitter.com/nbu5xvacnt',
  'ocfire',
  'rescue',
  '@ocfirerescue',
  'september',
  'facility',
  'pm',
  'september',
  'cubans',
  'hurricane',
  'ian',
  'power',
  'outage',
  'ivette',
  'garrido',
  'chicken',
  'freezer',
  'dog',
  'power',
  'blackout',
  'hurricane',
  'ian',
  'day',
  'freezer',
  'time',
  'thing',
  'garrido',
  'mother',
  'year',
  'daughter',
  'town',
  'cojimar',
  'outskirt',
  'havana',
  'thousand',
  'cubans',
  'situation',
  'pm',
  'september',
  'crew',
  'resident',
  'residents',
  'florida',
  'wind',
  'flooding',
  'people',
  'home',
  'case',
  'people',
  'safety',
  'rescuer',
  'woman',
  'relief',
  'flood',
  'water',
  'ground',
  'shelter',
  'osceola',
  'county',
  'sheriff',
  'marcos',
  'r.',
  'lopez',
  'rescue',
  'crew',
  'resident',
  'orlando',
  'nursing',
  'home',
  'water',
  'woman',
  'year',
  'mother',
  'window',
  'safety',
  'swim',
  'woman',
  'people',
  'sailboat',
  'rescue',
  'place',
  'region',
  'crew',
  'rescue',
  'resident',
  'hurricane',
  'ian',
  'pm',
  'september',
  'florida',
  'resident',
  'floodwater',
  'moment',
  'kim',
  'silva',
  'family',
  'hurricane',
  'hurricane',
  'ian',
  'north',
  'port',
  'home',
  'michelle',
  'robinson',
  'waist',
  'water',
  'bulldog',
  'daisy',
  'kayak',
  'dog',
  'bar',
  'kitchen',
  'island',
  'robinson',
  'countertop',
  'pm',
  'september',
  'tom',
  'brady',
  'tampa',
  'bay',
  'buccaneers',
  'owner',
  'hurricane',
  'relief',
  'fund',
  'owner',
  'tampa',
  'bay',
  'buccaneers',
  'glazer',
  'family',
  'thursday',
  'evening',
  ...],
 ['home',
  'mail',
  'news',
  'finance',
  'sports',
  'entertainment',
  'life',
  'search',
  'shopping',
  'yahoo',
  'plus',
  'yahoo',
  'news',
  'app',
  'yahoo',
  'news',
  'yahoo',
  'news',
  'search',
  'query',
  'sign',
  'mail',
  'sign',
  'mail',
  'news',
  'politics',
  'world',
  'covid-19',
  'climate',
  'change',
  'health',
  'science',
  'originals',
  'skullduggery',
  'podcast',
  'conspiracyland',
  'contact',
  'arizona',
  'monsoon',
  'storm',
  'arizona',
  'weather',
  'girl',
  'beguile',
  'articleej',
  'montini',
  'arizona',
  'republicjuly',
  'min',
  'readwe',
  'place',
  'rain',
  'monsoon',
  'storm',
  'thing',
  'thing',
  'trouble',
  'turmoil',
  'heartbreak',
  'life',
  'year',
  'monsoon',
  'storm',
  'elsea',
  'monsoon',
  'storm',
  'mt.',
  'lemmon',
  'coronado',
  'national',
  'forest',
  'level',
  'experience',
  'state',
  'kind',
  'relationship',
  'weather',
  'experience',
  'lighting',
  'thunder',
  'wind',
  'rain',
  'entanglement',
  'life',
  'monsoon',
  'storm',
  'monsoon',
  'storm',
  'home',
  'monsoon',
  'storm',
  'fun',
  'friend',
  'difference',
  'time',
  'time',
  'monsoon',
  'summer',
  'rain',
  'phoenixinfatuation',
  'mind',
  'poet',
  'w.b.',
  'yeats',
  'delight',
  'storm',
  'drop',
  'rain',
  'roofcloud',
  'horizon',
  'neighborhood',
  'afternoon',
  'evening',
  'story',
  'sprinkle',
  'rain',
  'peck',
  'cheek',
  'storm',
  'wait',
  'hint',
  'wind',
  'tree',
  'limb',
  'flutter',
  'chest',
  'heart',
  'time',
  'drop',
  'rain',
  'roof',
  'both?it',
  'reach',
  'montini',
  'ed.montini@arizonarepublic.com',
  'opinion',
  'content',
  'article',
  'arizona',
  'republic',
  'monsoon',
  'storm',
  'weather',
  'girl',
  'storiesin',
  'know',
  'yahoohow',
  'ac',
  'heatwave',
  'genius',
  'this’as',
  'record',
  'heatwave',
  'southwest',
  'midwest',
  'northeast',
  'people',
  'tiktok',
  'hack',
  'cool.13h',
  'agothe',
  'florida',
  'times',
  'unionnational',
  'hurricane',
  'center',
  'system',
  'atlantic',
  'basin',
  'east',
  'floridasome',
  'model',
  'disturbance',
  'east',
  'coast',
  'florida',
  'week',
  'florida',
  'public',
  'radio',
  'emergency',
  'network.2d',
  'agonbc',
  'newslike',
  'tub',
  'water',
  'temperature',
  'florida',
  'degreeson',
  'monday',
  'country',
  'heat',
  'boiling',
  'milestone',
  'buoy',
  'florida',
  'jaw',
  'degree',
  'fahrenheit',
  'water',
  'temperature.1d',
  'agoreuterssaguaro',
  'arizona',
  'heat',
  'scientist',
  'saysarizona',
  'symbol',
  'u.s.',
  'west',
  'arm',
  'case',
  'state',
  'record',
  'streak',
  'heat',
  'scientist',
  'tuesday',
  'summer',
  'monsoon',
  'cacti',
  'desert',
  'giant',
  'ability',
  'wild',
  'city',
  'temperature',
  'degree',
  'fahrenheit',
  'celsius',
  'day',
  'phoenix',
  'tania',
  'hernandez',
  'plant',
  'heat',
  'point',
  'heat',
  'water',
  'hernandez',
  'research',
  'scientist',
  'phoenix',
  'acre',
  'hectare',
  'desert',
  'botanical',
  'garden',
  'cactus',
  'specie',
  'sahuaro',
  'foot',
  'agowftv2',
  'disturbance',
  'atlantic',
  'oceanthe',
  'national',
  'hurricane',
  'center',
  'monday',
  'disturbance',
  'atlantic',
  'ocean.2d',
  'agothe',
  'telegraphpowerful',
  'mph',
  'wind',
  'philippineswinds',
  'excess',
  'mile',
  'hour',
  'philippines',
  'person',
  'typhoon',
  'doksuri',
  'landfall.16h',
  'agopalm',
  'beach',
  'daily',
  'newshere',
  'list',
  'county',
  'hurricane',
  'florida',
  'statesof',
  'county',
  'loss',
  'hurricane',
  'florida.11h',
  'agola',
  'timesgiant',
  'crack',
  'santa',
  'monica',
  'pch',
  'emergency',
  'repairsa',
  'portion',
  'bluff',
  'pacific',
  'coast',
  'highway',
  'santa',
  'monica',
  'danger',
  'roadway',
  'below.1d',
  'agothe',
  'bergen',
  'recordtemperatures',
  'century',
  'mark',
  'north',
  'jersey',
  'brace',
  'heat',
  'wavea',
  'forecast',
  'national',
  'weather',
  'service',
  'office',
  'new',
  'york',
  'city',
  'state',
  'friday',
  'day',
  'week.18h',
  'agoidaho',
  'statesmanweak',
  'bobcat',
  'kitten',
  'tree',
  'search',
  'sibling“each',
  'day',
  'kitten',
  'wild',
  'mother',
  'chance',
  'survival',
  'decrease',
  '”4h',
  'agomiami',
  'heraldstormy',
  'weather',
  'south',
  'florida',
  'keys',
  'relief',
  'last?heat',
  'advisory',
  'effect',
  'wednesday',
  'rain',
  'bit',
  'weekend.11h',
  'agostylecasterhere',
  'type',
  'weather',
  'zodiac',
  'sign',
  'moods',
  'emotionsit',
  'calm',
  'storm.1d',
  'agocbs',
  'chicagochicago',
  'alert',
  'weather',
  'storm',
  'wednesdaycbs',
  'chief',
  'meteorologist',
  'albert',
  'ramon',
  'weather',
  'way',
  'chicago',
  'area.1d',
  'agothe',
  'guardiancan’t',
  'fight',
  'boar',
  'plaguethese',
  'pig',
  'billion',
  'damage',
  'chef',
  'meat',
  'purveyor',
  'pork',
  'map',
  'agothe',
  'cool',
  'downthe',
  'world',
  'energy',
  'supply',
  'milestone',
  'year',
  'making',
  'moment’"it',
  'moment',
  'agowhiochance',
  'thunderstorm',
  'evening',
  'heat',
  'advisory',
  'region',
  'noon',
  'thursdaymild',
  'tonight',
  'friday',
  'temperature',
  'storm',
  'center',
  'says.2h',
  'agonbc',
  'sports',
  'chicagocould',
  'rain',
  'storm',
  'crosstown',
  'classic',
  'forecastthe',
  'potential',
  'afternoon',
  'rain',
  'storm',
  'game',
  'crosstown',
  'classic',
  'wednesday.8h',
  'agothe',
  'cool',
  'downscientists',
  'lithium',
  'replacement',
  'ev',
  'battery',
  '%',
  'hour',
  'months.2d',
  'agothe',
  'battle',
  'creek',
  'enquirerdamaging',
  'wind',
  'rain',
  'southwest',
  'michigan',
  'wednesday',
  'national',
  'weather',
  'service',
  'grand',
  'rapids',
  'thunderstorm',
  'watch',
  'southwest',
  'michigan',
  'p.m.',
  'agokmspcrane',
  'nyca',
  'crane',
  'building',
  'new',
  'york',
  'city',
  'wednesday',
  'morning',
  'agomore',
  'stories',
  "trending'it",
  'marines',
  'car',
  'camp',
  'lejeune',
  'carbon',
  'monoxide',
  'poisoningusa',
  'today·5',
  'min',
  'readmitch',
  'mcconnell',
  'press',
  'conference',
  'news·2',
  'readamericans',
  'visa',
  'europe',
  'yahoo',
  'news·3',
  'min',
  'readwife',
  'husband',
  'brain',
  'injury',
  'readmiami',
  'dade',
  'police',
  'chief',
  'resignation',
  'mayor',
  'min',
  'populararizona',
  'wildfire',
  'monsoon',
  'monsoon',
  'havoc',
  'indiainsider',
  'videotuesday',
  'evening',
  'forecast',
  'july',
  'weather',
  'stress',
  'tree',
  'yardkmgh',
  'denver',
  'scrippssuper',
  'typhoon',
  'doksuri',
  'spins',
  'seastoryful',
  'yahoo!uspoliticsworldcovid-19climate',
  'usterms',
  'privacy',
  'policyprivacy',
  'dashboardhelpshare',
  'usabout',
  'adssite',
  'app',
  'yahoo',
  'right'],
 ['discover',
  'thomson',
  'reutersdirectory',
  '-',
  'phone',
  'onlyfor',
  'tablet',
  'portrait',
  'upfor',
  'tablet',
  'landscape',
  'upfor',
  'desktop',
  'desktop',
  'update',
  'west',
  'virginia',
  'power',
  'outage',
  'stormsby',
  'ian',
  'simpson5',
  'min',
  'read',
  'west',
  'virginia',
  'state',
  '*',
  'heat',
  'wave',
  'midwest',
  'temp',
  'west',
  'death',
  'storm',
  'tennessee)lewisburg',
  'w.v.',
  'july',
  'reuters',
  'day',
  'storm',
  'united',
  'states',
  'state',
  'west',
  'virginia',
  'thursday',
  'electricity',
  'customer',
  'power',
  'storm',
  'people',
  'dark',
  'utility',
  'home',
  'business',
  'power',
  'ohio',
  'virginia',
  'air',
  'conditioning',
  'heat',
  'wave',
  'west',
  'virginia',
  'population',
  'utility',
  'people',
  'power',
  'rest',
  'week',
  'batch',
  'storm',
  'west',
  'virginia',
  'tennessee',
  'kentucky',
  'north',
  'carolina',
  'thursday',
  'afternoon',
  'outage',
  'weather',
  'death',
  'tennessee',
  'great',
  'smoky',
  'mountains',
  'national',
  'park',
  'man',
  'motorcycle',
  'accident',
  'weather',
  'woman',
  'tree',
  'park',
  'spokeswoman',
  'melissa',
  'cobern',
  'tree',
  'park',
  'road',
  'motorist',
  'truck',
  'ice',
  'water',
  'west',
  'virginia',
  'mountain',
  'resort',
  'town',
  'lewisburg',
  'thousand',
  'resident',
  'region',
  'power',
  'water',
  'plant',
  'power',
  'outage',
  'pressure',
  'resident',
  'lewisburg',
  'mayor',
  'john',
  'manchester',
  'repair',
  'crew',
  'arkansas',
  'campground',
  'town',
  'outskirt',
  'field',
  'dozen',
  'truck',
  'jerry',
  'morehead',
  'crew',
  'hour',
  'day',
  'people',
  'today',
  'work',
  'katie',
  'gwynn',
  'lewisburg',
  'power',
  'thursday',
  'neighbor',
  'refrigerator',
  'generator',
  'extension',
  'cord',
  'day',
  'payment',
  '“the',
  'condition',
  'difficulty',
  'people',
  'manchester',
  'death',
  'injury',
  'lewisburg',
  'storm',
  'temperature',
  'charleston',
  'state',
  'city',
  'fahrenheit',
  'celsius',
  'thursday',
  'f',
  'friday',
  'saturday',
  'mid-80',
  'f',
  'monday',
  'accuweather.com',
  'snarl',
  'strain',
  'infrastructure',
  'thousand',
  'visitor',
  'golf',
  'tournament',
  'greenbrier',
  'resort',
  'white',
  'sulphur',
  'springs',
  'lewisburg',
  'thousand',
  'weekend',
  'concert',
  'resort',
  'rod',
  'stewart',
  'jon',
  'bon',
  'jovi',
  'bad',
  'news',
  'midwest',
  'farmersthe',
  'heat',
  'wave',
  'news',
  'midwest',
  'farmer',
  'corn',
  'crop',
  'drought',
  'middle',
  'growth',
  'phase',
  'u.s.',
  'drought',
  'monitor',
  'area',
  'drought',
  'condition',
  'illinois',
  'indiana',
  'ohio',
  'missouri',
  'corn',
  'price',
  'year',
  'soybean',
  'record',
  'high',
  'thursday',
  'heat',
  'crop',
  'degree',
  'heat',
  'drought',
  'crop',
  'accuweather.com',
  'meteorologist',
  'alex',
  'sosnowski',
  'washington',
  'd.c.',
  'saturday',
  'time',
  'record',
  'f',
  'c',
  'midwest',
  'east',
  'temperature',
  'week',
  'heat',
  'return',
  'west',
  'digit',
  'temperature',
  'idaho',
  'utah',
  'washington',
  'oregon',
  'temperature',
  'chicago',
  'record',
  'f',
  'thursday',
  'degree',
  'arrival',
  'thunderstorm',
  'afternoon',
  'summer',
  'school',
  'school',
  'building',
  'air',
  'conditioning',
  'columbus',
  'drive',
  'downtown',
  'pavement',
  'ground',
  'level',
  'fountain',
  'downtown',
  'chicago',
  'daley',
  'plaza',
  'lunchtime',
  'dozen',
  'people',
  'foot',
  'water',
  'time',
  'body',
  'mary',
  'moore',
  'chicago',
  'foot',
  'fountain',
  'break',
  'jury',
  'duty',
  'weather',
  'winter',
  'storm',
  'friday',
  'united',
  'states',
  'rain',
  'hail',
  'wind',
  'mile',
  'hour',
  'km',
  'hour',
  'home',
  'business',
  'power',
  'storm',
  'record',
  'heat',
  'people',
  'mary',
  'wisniewski',
  'chicago',
  'scott',
  'disavino',
  'new',
  'york',
  'kim',
  'palmer',
  'cleveland',
  'tim',
  'ghianni',
  'nashville',
  'nr',
  'sethuraman',
  'bangalore',
  'andrew',
  'stern',
  'todd',
  'eastham',
  'lisa',
  'shumaker)our',
  'standards',
  'thomson',
  'reuters',
  'trust',
  'principles',
  'appsnewslettersadvertise',
  'usadvertising',
  'guidelinescookiesterms',
  'useprivacydo',
  'informationall',
  'quote',
  'minimum',
  'minute',
  'list',
  'exchange',
  'delay',
  'reuters',
  'rights',
  'reserved.for',
  'phone',
  'onlyfor',
  'tablet',
  'portrait',
  'upfor',
  'tablet',
  'landscape',
  'upfor',
  'desktop',
  'desktop'],
 ['owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'today',
  'low',
  '74f.',
  'wind',
  'light',
  'tonight',
  'low',
  '74f.',
  'wind',
  'light',
  'july',
  'pm',
  'erika',
  'barrett',
  'joe',
  'benedict',
  'dgcnews@dailygate.com',
  'editordgc@dailygate.com',
  'jun',
  'jul',
  'storm',
  'keokuk',
  'thursday',
  'morning',
  'devastation',
  'wake',
  'semis',
  'power',
  'pole',
  'score',
  'tree',
  'power',
  'outage',
  'south',
  'lee',
  'county',
  'road',
  'community',
  'debris',
  'aftermath',
  'tempest',
  'semis',
  'lee',
  'county',
  'connable',
  'road',
  'hamilton',
  'extent',
  'damage',
  'leecomm',
  'assistance',
  'state',
  'trooper',
  'hancock',
  'county',
  'deputy',
  'storm',
  'wind',
  'mph',
  'lee',
  'county',
  'board',
  'supervisors',
  'friday',
  'state',
  'emergency',
  'iowa',
  'state',
  'statute',
  'expenditure',
  'emergency',
  'fund',
  'source',
  'invoking',
  'aid',
  'agreement',
  'applying',
  'state',
  'iowa',
  'assistance',
  '”the',
  'national',
  'weather',
  'service',
  'storm',
  'derecho',
  'service',
  'f1',
  'tornado',
  'kahoka',
  'missouri',
  'tornado',
  'keokuk',
  'service',
  'mph',
  'wind',
  'storm',
  'taco',
  'tonight',
  'huh',
  'woman',
  'friend',
  'keokuk',
  'yard',
  'debris',
  'tree',
  'wreckage',
  'sense',
  'camaraderie',
  'resilience',
  'community',
  'city',
  'keokuk',
  'citizen',
  'facebook',
  'page',
  'help',
  'debris',
  'roadway',
  'alley',
  'alliant',
  'energy',
  'power',
  'restoration',
  'p.m.',
  'friday',
  'local',
  'damage',
  'home',
  'result',
  'tree',
  'ronnie',
  'braggs',
  'property',
  'tree',
  'child',
  'shake',
  'braggs',
  'basement',
  'extent',
  'damage',
  'home',
  'braggs',
  'home',
  'decision',
  'home',
  'family',
  'job',
  'boss',
  'point',
  'job',
  'today',
  'day',
  'today',
  '”todd',
  'miller',
  'storm',
  'lifetime',
  'buddy',
  'today',
  'golf',
  'course',
  'quarter',
  'morning',
  'hole',
  'noon',
  'todd',
  'miller',
  '“we',
  'thing',
  'storm',
  'miller',
  'sight',
  'cable',
  'line',
  'pool',
  'telephone',
  'pole',
  'windshield',
  'tree',
  'melissa',
  'derr',
  'storm',
  'car',
  'street',
  'driveway',
  'storm',
  'derr',
  'kitchen',
  'door',
  'tree',
  '”the',
  'tree',
  'oak',
  'yard',
  'trunk',
  'derr',
  'home',
  'roof',
  'car',
  'situation',
  'hyvee',
  'supermarket',
  'community',
  'resourcefulness',
  'compassion',
  'customer',
  'employee',
  'shelter',
  'cooler',
  'storm',
  'shopper',
  'lindsy',
  'swindler',
  'gratitude',
  'store',
  'blanket',
  'safety',
  'tempest',
  'aftermath',
  'sight',
  'john',
  'davis',
  'hyvee',
  'tree',
  'home',
  'wife',
  'helen',
  'basement',
  'time',
  'extent',
  'destruction',
  'helen',
  'confetti',
  'fixture',
  'insulation',
  'water',
  'floor',
  'addition',
  'garage',
  'report',
  'tree',
  'route',
  'n.',
  '13th',
  'hilton',
  'rd',
  '16th',
  'carroll',
  'roof',
  'beck',
  'powerline',
  'tree',
  'n.',
  'street',
  'kilbourne',
  'mckinley',
  'tree',
  'town',
  'rand',
  'park',
  '%',
  'tree',
  'keokuk',
  'resident',
  'mike',
  'merrick',
  'city',
  'keokuk',
  'damage',
  'rand',
  'park',
  'notice',
  'tree',
  'car',
  'windshield',
  'light',
  'baseball',
  'field',
  'metal',
  'plastic',
  'sheds',
  'neighboring',
  'property',
  'building',
  'half',
  'wall',
  'indian',
  'hill',
  'neighborhood',
  'keokuk',
  'fire',
  'department',
  'wind',
  'storm',
  'tornado',
  'report',
  'storm',
  'derecho',
  'kfd',
  'resident',
  'power',
  'line',
  'community',
  'emergency',
  'need',
  'electricity',
  'lee',
  'county',
  'sheriff',
  'office',
  'statement',
  'folk',
  'travel',
  'crew',
  'debris',
  'power',
  'line',
  'effort',
  'swing',
  'power',
  'storm',
  'impact',
  'keokuk',
  'circumstance',
  'sense',
  'community',
  'spirit',
  'perseverance',
  'melissa',
  'derr',
  'word',
  'bit',
  'cleanup',
  'thing',
  'subscriber',
  'image',
  'e',
  '-',
  'edition',
  'subscription',
  'subscription',
  'option',
  'nowthe',
  'daily',
  'gate',
  'app',
  'news',
  'update',
  'daily',
  'gate',
  'device',
  'print',
  'iowa',
  'wesleyan',
  'property',
  'auction',
  'august',
  'fort',
  'madison',
  'man',
  'felony',
  'drug',
  'charge',
  'lee',
  'county',
  'republicans',
  'banquet',
  'road',
  'survey',
  'city',
  'plan',
  'action',
  'keokuk',
  'street',
  'humidity',
  '%',
  'cloud',
  'coverage',
  '%',
  'wind',
  'mph',
  'uv',
  'index',
  'sunrise',
  'sunset',
  'today',
  'low',
  '74f.',
  'wind',
  'light',
  'tonight',
  'low',
  '74f.',
  'wind',
  'light',
  'tomorrow',
  'cloud',
  'time',
  'time',
  '99f.',
  'wind',
  'sse',
  'mph',
  'munoz',
  'operators',
  'trailer',
  'hopper',
  'indiana',
  'fountain',
  'co.',
  'neighbor',
  'herald',
  'journal',
  'kv',
  'post',
  'news',
  'newton',
  'co.',
  'enterprise',
  'rensselaer',
  'republican',
  'review',
  'republican',
  'iowa',
  'atlantic',
  'news',
  'telegraph',
  'audubon',
  'advocate',
  'journal',
  'barr',
  'post',
  'card',
  'news',
  'burlington',
  'hawk',
  'eye',
  'collector',
  'journal',
  'fayette',
  'county',
  'union',
  'ft',
  '.',
  'madison',
  'daily',
  'democrat',
  'independence',
  'bulletin',
  'journal',
  'keokuk',
  'daily',
  'gate',
  'city',
  'oelwein',
  'daily',
  'register',
  'vinton',
  'newspapers',
  'newspapers',
  'michigan',
  'iosco',
  'county',
  'news',
  'herald',
  'ludington',
  'daily',
  'news',
  'oceana',
  'herald',
  'journal',
  'oscoda',
  'press',
  'white',
  'lake',
  'beacon',
  'new',
  'york',
  'finger',
  'lakes',
  'times',
  'olean',
  'times',
  'herald',
  'salamanca',
  'press',
  'pennsylvania',
  'bradford',
  'era',
  'clearfield',
  'progress',
  'courier',
  'express',
  'free',
  'press',
  'courier',
  'jeffersonian',
  'democrat',
  'leader',
  'vindicator',
  'potter',
  'leader',
  'enterprise',
  'wellsboro',
  'gazette',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'daily',
  'gate',
  'po',
  'box',
  'keokuk',
  'ia',
  'term',
  'use',
  'blox',
  'content',
  'management',
  'system',
  'blox',
  'digital'],
 ['ad',
  'issue',
  'video',
  'player',
  'content',
  'ad',
  'video',
  'content',
  'ad',
  'audio',
  'ad',
  'ad',
  'page',
  'content',
  'ad',
  'ad',
  'ad',
  'effort',
  'contribution',
  'feedback',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'texans',
  'power',
  'outage',
  'storm',
  'texans',
  'power',
  'outage',
  'storm',
  'dramatic',
  'video',
  'moment',
  'crane',
  'new',
  'york',
  'street',
  'esper',
  'fighter',
  'jet',
  'syria',
  'dr.',
  'gupta',
  'bronny',
  'james',
  'arrest',
  'alleged',
  'gilgo',
  'beach',
  'killer',
  'case',
  'date',
  'trooper',
  'ex',
  '-',
  'pastor',
  'demeanor',
  'police',
  'year',
  'girl',
  'ex',
  '-',
  'official',
  'shift',
  'trump',
  'attitude',
  'cnn',
  'reporter',
  'witness',
  'theft',
  'shoplifting',
  'prisoner',
  'ukraine',
  'people',
  'year',
  'life',
  'study',
  'emergency',
  'physician',
  'mistake',
  'people',
  'heat',
  'wave',
  'police',
  'fire',
  'water',
  'cannon',
  'protester',
  'christie',
  'debt',
  'governor',
  'tip',
  'trump',
  'unesco',
  'world',
  'heritage',
  'site',
  'missile',
  'attack',
  'pence',
  'trump',
  'threat',
  'prison',
  'video',
  'damage',
  'cathedral',
  'mlb',
  'game',
  'rain',
  'stadium',
  'step',
  'waterfall',
  'week',
  'weather',
  'catastrophe',
  'texas',
  'pm',
  'est',
  'sun',
  'february',
  'texans',
  'power',
  'outage',
  'storm',
  'texans',
  'power',
  'outage',
  'storm',
  'dramatic',
  'video',
  'moment',
  'crane',
  'new',
  'york',
  'street',
  'esper',
  'fighter',
  'jet',
  'syria',
  'dr.',
  'gupta',
  'bronny',
  'james',
  'arrest',
  'alleged',
  'gilgo',
  'beach',
  'killer',
  'case',
  'date',
  'trooper',
  'ex',
  '-',
  'pastor',
  'demeanor',
  'police',
  'year',
  'girl',
  'ex',
  '-',
  'official',
  'shift',
  'trump',
  'attitude',
  'cnn',
  'reporter',
  'witness',
  'theft',
  'shoplifting',
  'prisoner',
  'ukraine',
  'people',
  'year',
  'life',
  'study',
  'emergency',
  'physician',
  'mistake',
  'people',
  'heat',
  'wave',
  'police',
  'fire',
  'water',
  'cannon',
  'protester',
  'christie',
  'debt',
  'governor',
  'tip',
  'trump',
  'unesco',
  'world',
  'heritage',
  'site',
  'missile',
  'attack',
  'pence',
  'trump',
  'threat',
  'prison',
  'video',
  'damage',
  'cathedral',
  'mlb',
  'game',
  'rain',
  'stadium',
  'step',
  'waterfall',
  'week',
  'lone',
  'star',
  'state',
  'relief',
  'temperature',
  'sunday',
  'state',
  '60',
  '70',
  'temperature',
  'resident',
  'time',
  'year',
  'texans',
  'devastation',
  'winter',
  'storm',
  'day',
  'customer',
  'line',
  'frontier',
  'fiesta',
  'february',
  'houston',
  'texas',
  'winter',
  'storm',
  'houston',
  'area',
  'hour',
  'million',
  'americans',
  'electricity',
  'wednesday',
  'cold',
  'winter',
  'storm',
  'system',
  'grip',
  'swathe',
  'united',
  'states',
  'mexico',
  'photo',
  'thomas',
  'shea',
  'afp',
  'photo',
  'thomas',
  'shea',
  'afp',
  'getty',
  'images',
  'storm',
  'nation',
  'brink',
  'year',
  'lockdown',
  'people',
  'state',
  'february',
  'million',
  'power',
  'family',
  'fireplace',
  'scavenge',
  'firewood',
  'night',
  'car',
  'hour',
  'food',
  'shelf',
  'weather',
  'condition',
  'food',
  'supply',
  'chain',
  'problem',
  'temperature',
  'pipe',
  'water',
  'disruption',
  'state',
  'population',
  'covid-19',
  'relief',
  'effort',
  'food',
  'bank',
  'shipment',
  'appointment',
  'week',
  'state',
  'temperature',
  'snow',
  'road',
  'power',
  'outage',
  'city',
  'country',
  'emergency',
  'declaration',
  'state',
  'texas',
  'impact',
  'week',
  'window',
  'storm',
  'time',
  'harris',
  'county',
  'texas',
  'judge',
  'lina',
  'hidalgo',
  'temperature',
  'state',
  'dallas',
  'degree',
  'fahrenheit',
  'temperature',
  'city',
  'austin',
  'san',
  'antonio',
  'digit',
  'temperature',
  'time',
  'year',
  'texans',
  'blackout',
  'monday',
  'morning',
  'electric',
  'reliability',
  'council',
  'texas',
  'ercot',
  'grid',
  'operator',
  '%',
  'state',
  'load',
  'record',
  'demand',
  'resident',
  'layer',
  'blanket',
  'car',
  'hour',
  'device',
  'state',
  'leader',
  'national',
  'guard',
  'welfare',
  'check',
  'resident',
  'state',
  'warming',
  'center',
  'duct',
  'door',
  'window',
  'temperature',
  'drop',
  'layer',
  'clothing',
  'blanket',
  'cat',
  'warmth',
  'chey',
  'louis',
  'irving',
  'pedestrian',
  'road',
  'monday',
  'february',
  'east',
  'austin',
  'texas',
  'customer',
  'dark',
  'texas',
  'tuesday',
  'official',
  'state',
  'answer',
  'ercot',
  'governor',
  'group',
  'handling',
  'pump',
  'jack',
  'permian',
  'basin',
  'midland',
  'texas',
  'u.s',
  'saturday',
  'feb.',
  'freeze',
  'u.s.',
  'specter',
  'power',
  'outage',
  'texas',
  'pressure',
  'energy',
  'price',
  'level',
  'photographer',
  'matthew',
  'busch',
  'bloomberg',
  'getty',
  'images',
  'texas',
  'power',
  'state',
  'electric',
  'reliability',
  'council',
  'texas',
  'hour',
  'texas',
  'gov.',
  'greg',
  'abbott',
  'statement',
  'texans',
  'power',
  'heat',
  'home',
  'state',
  'temperature',
  'winter',
  'weather',
  'resident',
  'barbara',
  'martinez',
  'fireplace',
  'parent',
  'dog',
  'firewood',
  'martinez',
  'goal',
  'today',
  'firewood',
  'official',
  'death',
  'toll',
  'dozen',
  'case',
  'carbon',
  'monoxide',
  'poisoning',
  'houston',
  'police',
  'report',
  'woman',
  'girl',
  'carbon',
  'monoxide',
  'poisoning',
  'car',
  'garage',
  'home',
  'heat',
  'power',
  'person',
  'fort',
  'worth',
  'carbon',
  'monoxide',
  'incident',
  'fire',
  'official',
  'police',
  'car',
  'memorial',
  'drive',
  'houston',
  'texas',
  'morning',
  'monday',
  'february',
  '15th',
  'snow',
  'storm',
  'photo',
  'reginald',
  'mathalone',
  'nurphoto',
  'ap',
  'official',
  'grid',
  'operator',
  'dark',
  'million',
  'power',
  'weather',
  'condition',
  'vehicle',
  'sunday',
  'tuesday',
  'houston',
  'area',
  'police',
  'chief',
  'art',
  'acevedo',
  'addition',
  'carbon',
  'monoxide',
  'death',
  'acevedo',
  'death',
  'person',
  'weather',
  'traffic',
  'fatality',
  'area',
  'problem',
  'water',
  'disruption',
  'water',
  'leak',
  'weather',
  'san',
  'angelo',
  'city',
  'official',
  'boil',
  'water',
  'notice',
  'people',
  'faucet',
  'pipe',
  'water',
  'pressure',
  'supply',
  'concern',
  'citizen',
  'water',
  'official',
  'tweet',
  'city',
  'richardson',
  'worker',
  'kaleb',
  'love',
  'ice',
  'water',
  'fountain',
  'tuesday',
  'richardson',
  'texas',
  'customer',
  'texas',
  'power',
  'wednesday',
  'morning',
  'jordan',
  'orta',
  'cnn',
  'car',
  'tuesday',
  'night',
  'year',
  'son',
  'san',
  'antonio',
  'home',
  'power',
  'son',
  'cnn',
  'decision',
  'car',
  'heater',
  'authority',
  'san',
  'antonio',
  'oxygen',
  'bottle',
  'home',
  'resident',
  'supply',
  'house',
  'dark',
  'gov.',
  'abbott',
  'investigation',
  'ercot',
  'pedestrian',
  'snow',
  'mckinney',
  'texas',
  'u.s.',
  'tuesday',
  'feb.',
  'energy',
  'crisis',
  'u.s.',
  'sign',
  'tuesday',
  'blackout',
  'customer',
  'electricity',
  'refinery',
  'oil',
  'weather',
  'photographer',
  'cooper',
  'neill',
  'bloomberg',
  'getty',
  'images',
  'winter',
  'storm',
  'hammer',
  'business',
  'ercot',
  'ceo',
  'bill',
  'magness',
  'issue',
  'lack',
  'energy',
  'supply',
  'weather',
  'power',
  'facility',
  'ercot',
  'power',
  'outage',
  'system',
  'collapse',
  'outage',
  'demand',
  'system',
  'blackout',
  'people',
  'blackout',
  'blackout',
  'supply',
  'demand',
  'balance',
  'month',
  'people',
  'power',
  'people',
  'propane',
  'tank',
  'tuesday',
  'feb.',
  'houston',
  'temperature',
  'freezing',
  'tuesday',
  'resident',
  'electricity',
  'texas',
  'grid',
  'minute',
  'lawmaker',
  'power',
  'outage',
  'pipe',
  'home',
  'water',
  'plant',
  'abilene',
  'mcmurry',
  'university',
  'campus',
  'resident',
  'water',
  'campus',
  'swimming',
  'pool',
  'toilet',
  'friendswood',
  'sandra',
  'erickson',
  'home',
  'pipe',
  'ceiling',
  'room',
  'hurricane',
  'catastrophe',
  'cnn',
  'shelf',
  'meat',
  'aisle',
  'grocery',
  'store',
  'mckinney',
  'texas',
  'wednesday',
  'customer',
  'texas',
  'power',
  'thursday',
  'improvement',
  'million',
  'power',
  'round',
  'temperature',
  'people',
  'south',
  'freeze',
  'warning',
  'recovery',
  'tally',
  'household',
  'dark',
  'disaster',
  'shape',
  'texas',
  'week',
  'dark',
  'country',
  'infrastructure',
  'people',
  'texas',
  'water',
  'disruption',
  'water',
  'system',
  'reporting',
  'issue',
  'pipe',
  'toby',
  'baker',
  'director',
  'texas',
  'commission',
  'environmental',
  'quality',
  'system',
  'boil',
  'water',
  'advisory',
  'baker',
  'crestview',
  'resident',
  'cnn',
  'snow',
  'balcony',
  'drinking',
  'water',
  'supply',
  'official',
  'food',
  'shortage',
  'situation',
  'texans',
  'grocery',
  'store',
  'shipment',
  'dairy',
  'product',
  'store',
  'shelf',
  'texas',
  'agriculture',
  'commissioner',
  'sid',
  'miller',
  'food',
  'supply',
  'chain',
  'problem',
  'covid-19',
  'fort',
  'worth',
  'resident',
  'philip',
  'shelley',
  'wife',
  'month',
  'daughter',
  'ava',
  'formula',
  'shelley',
  'store',
  'food',
  'food',
  'refrigerator',
  'freezer',
  'food',
  'way',
  'vehicle',
  'southbound',
  'interstate',
  'highway',
  'february',
  'killeen',
  'texas',
  'hit',
  'state',
  'hospital',
  'president',
  'ceo',
  'houston',
  'methodist',
  'dr.',
  'marc',
  'bloom',
  'charge',
  'hospital',
  'houston',
  'area',
  'facility',
  'water',
  'day',
  'hospital',
  'rainwater',
  'toilet',
  'cnn',
  'trinity',
  'river',
  'snow',
  'storm',
  'monday',
  'feb.',
  'fort',
  'worth',
  'texas',
  'blast',
  'winter',
  'weather',
  'u.s.',
  'people',
  'texas',
  'power',
  'yffy',
  'yossifor',
  'star',
  'telegram',
  'ap',
  'snow',
  'flooding',
  'half',
  'state',
  'population',
  'disruption',
  'water',
  'service',
  'pipe',
  'boil',
  'water',
  'advisory',
  'home',
  'business',
  'power',
  'austin',
  'state',
  'capital',
  'water',
  'supply',
  'gallon',
  'pipe',
  'austin',
  'water',
  'director',
  'greg',
  'meszaros',
  'thursday',
  'news',
  'conference',
  'fire',
  'department',
  'thousand',
  'thousand',
  'pipe',
  'meszaros',
  'austin',
  'resident',
  'jenn',
  'studebaker',
  'home',
  'power',
  'water',
  'cnn',
  'week',
  'family',
  'fireplace',
  'chair',
  'bookshelf',
  'wood',
  'water',
  'snow',
  'bathtub',
  'cnn',
  'charles',
  'andrews',
  'neighborhood',
  'waco',
  'texas',
  'february',
  'household',
  'texas',
  'dark',
  'president',
  'joe',
  'biden',
  'disaster',
  'declaration',
  'texas',
  'resource',
  'state',
  'water',
  'disruption',
  'pile',
  'supply',
  'concern',
  'home',
  'business',
  'hospital',
  'disaster',
  'pandemic',
  'texas',
  'hospital',
  'association',
  'spokeswoman',
  'carrie',
  'williams',
  'saturday',
  'morning',
  'people',
  'water',
  'disruption',
  'official',
  'cnn',
  'state',
  'process',
  'recovery',
  'detail',
  'devastation',
  'week',
  'people',
  'sam',
  'club',
  'store',
  'essential',
  'saturday',
  'february',
  'austin',
  'marty',
  'miles',
  'manager',
  'hotel',
  'group',
  'galveston',
  'demand',
  'resident',
  'place',
  'miles',
  'day',
  'power',
  'emergency',
  'generator',
  'water',
  'day',
  'miles',
  'blackout',
  'water',
  'stop',
  'time',
  'hour',
  'thousand',
  'dark',
  'official',
  'hike',
  'customer',
  'energy',
  'bill',
  'result',
  'storm',
  ...],
 ['app',
  'searchsign',
  'locationsclosecheyennesee',
  'storiessafetyfood',
  'drinksportssee',
  'moreadditional',
  'contentnational',
  'newslocal',
  'newsletternewsbreak',
  'corporateabout',
  'uscontributorspublishersadvertisersterm',
  'use',
  'privacy',
  'policydo',
  'sell',
  'share',
  'info',
  'help',
  'centersign',
  'cheyenne',
  'wy',
  'update',
  'emailsubscribey95',
  'countryse',
  'wyoming',
  'storm',
  'foot',
  'snow',
  'strong',
  'windsby',
  'doug',
  'randall,2023',
  'doug',
  'randall,2023',
  'publisher',
  'newsbreakcomments',
  '0add',
  'commentyou',
  'popularit',
  'climate',
  'change',
  'flooding',
  'war',
  'flood',
  'control',
  'damage',
  'montpelier',
  'vt14',
  'day',
  'agochief',
  'justice',
  'suspension',
  'matrimonial',
  'trial',
  'judicial',
  'vacanciespassaic',
  'nj15',
  'day',
  'agopowerful',
  'magnitude',
  'earthquake',
  'alaska',
  'peninsula',
  'local',
  'tsunami',
  'warningssand',
  'point',
  'ak10',
  'day',
  'agoget',
  'cheyenne',
  'wy',
  'update',
  'emailsubscribetrending‹›1hunter',
  'biden',
  'plea',
  'deal',
  'through2sinéad',
  "o'connor",
  'singer',
  '563kevin',
  'spacey',
  'assault',
  'charges4federal',
  'reserve',
  'interest',
  'rates5police',
  'k-9',
  'attack',
  'black',
  'man6rudy',
  'giuliani',
  'statement',
  'georgia',
  'election',
  'workers7major',
  'automaker',
  'team',
  'ev',
  'crane',
  'collapse',
  'particle',
  'medium',
  'term',
  'use',
  'privacy',
  'policydo',
  'sell',
  'share',
  'info',
  'help',
  'centercomments',
  '0closecommunity',
  'policy'],
 ['site',
  'theme',
  'toggle',
  'switch',
  'light',
  'mode',
  'site',
  'theme',
  'toggle',
  'switch',
  'light',
  'mode',
  'tv',
  'programs',
  'global',
  'nationalwest',
  'blockthe',
  'morning',
  'showvideo',
  'centremore',
  'page',
  'email',
  'heavy',
  'snow',
  'flight',
  'storm',
  'u.s.',
  'trouble',
  'midwest',
  'northeast',
  'official',
  'north',
  'dakota',
  'south',
  'dakota',
  'minnesota',
  'iowa',
  'people',
  'saturday',
  'winnipeg',
  'winter',
  'storm',
  'ulmer',
  'united',
  'states',
  'wednesday',
  'colorado',
  'low',
  'trip',
  'winter',
  'blizzard',
  'day',
  'adventure',
  'global',
  'news',
  'winnipeg',
  'colorado',
  'low',
  'north',
  'dakota',
  'weather',
  'statement',
  'wednesday',
  'morning',
  'southeast',
  'manitoba',
  'cm',
  'snow',
  'blizzard',
  'warning',
  'thursday',
  'body',
  'rockies',
  'family',
  'grid',
  'singer',
  'sinéad',
  'o’connor',
  'canadians',
  'europe',
  'permit',
  'visa',
  'pest',
  'mouse',
  'video',
  'tim',
  'hortons',
  'ontario',
  'mitch',
  'mcconnell',
  'remark',
  'reporters',
  'bank',
  'canada',
  'rate',
  'inflation',
  'progress',
  'singer',
  'sinéad',
  'o’connor',
  'westjet',
  'airline',
  'ticket',
  'europe',
  'ufo',
  'hearing',
  'u.s.',
  'lawmaker',
  'allegation',
  'coverup',
  'transparency',
  'team',
  'trudeau',
  'election',
  'mitch',
  'mcconnell',
  'news',
  'conference',
  'bronny',
  'james',
  'son',
  'nba',
  'star',
  'lebron',
  'james',
  'arrest',
  'workout',
  'body',
  'rockies',
  'family',
  'grid',
  'singer',
  'sinéad',
  'o’connor',
  'canadians',
  'europe',
  'permit',
  'visa',
  'pest',
  'mouse',
  'video',
  'tim',
  'hortons',
  'ontario',
  'mitch',
  'mcconnell',
  'remark',
  'reporters',
  'bank',
  'canada',
  'rate',
  'inflation',
  'progress',
  'singer',
  'sinéad',
  'o’connor',
  'westjet',
  'airline',
  'ticket',
  'europe',
  'ufo',
  'hearing',
  'u.s.',
  'lawmaker',
  'allegation',
  'coverup',
  'transparency',
  'team',
  'trudeau',
  'election',
  'mitch',
  'mcconnell',
  'news',
  'conference',
  'bronny',
  'james',
  'son',
  'nba',
  'star',
  'lebron',
  'james',
  'arrest',
  'workout',
  'aboutprinciples',
  'practicesbranded',
  'contentcontact',
  'homeadvertiser',
  'election',
  'registryglobal',
  'news',
  'licensing',
  'requests',
  'privacy',
  'policycopyrightterm',
  'standards',
  'termscorus',
  'entertainmentaccessibility'],
 ['hunter',
  'biden',
  'plea',
  'deal',
  'ufo',
  'takeaway',
  'whistleblower',
  'congress',
  'uap',
  'sinéad',
  "o'connor",
  'grammy',
  'singer',
  'netherlands',
  'u.s.',
  'draw',
  'rematch',
  'world',
  'cup',
  'federal',
  'reserve',
  'interest',
  'rate',
  'level',
  'year',
  'niger',
  'president',
  'guard',
  'coup',
  'ohio',
  'officer',
  'k-9',
  'man',
  'hand',
  'story',
  'tic',
  'tac',
  'ufo',
  'vermont',
  'flooding',
  'railroad',
  'track',
  'mid',
  '-',
  'air',
  'gorge',
  'july',
  'cbs',
  'news',
  'vermont',
  'town',
  'floodwater',
  'vermont',
  'town',
  'water',
  'record',
  'flood',
  'flooding',
  'vermont',
  'day',
  'storm',
  'sunday',
  'town',
  'knee',
  'water',
  'case',
  'railroad',
  'track',
  'mid',
  '-',
  'air',
  'footage',
  'railroad',
  'track',
  'sky',
  'connection',
  'ground',
  'gorge',
  'tree',
  'middle',
  'railroad',
  'track',
  'ludlow',
  'vt',
  '@weatherchannel',
  '@accuweather',
  '@wcvb',
  '@nwsburlington',
  '@abc',
  '@foxweather',
  'pic.twitter.com/ss0ceduw5u',
  'henry',
  'swenson',
  '@henryswenson',
  'july',
  'railroad',
  'ludlow',
  'vermont',
  'half',
  'inch',
  'rain',
  'july',
  'total',
  'national',
  'weather',
  'service',
  'town',
  'damage',
  'storm',
  'week',
  'municipal',
  'manager',
  'brendan',
  'mcnamara',
  'people',
  'burden',
  'piece',
  'brunt',
  'storm',
  'spokesperson',
  'vermont',
  'rail',
  'system',
  'cbs',
  'news',
  'video',
  'washout',
  'green',
  'mountain',
  'railroad',
  'railroad',
  'freight',
  'line',
  'rutland',
  'bellows',
  'falls',
  'operation',
  'line',
  'vermont',
  'track',
  'inspection',
  'repair',
  'rail',
  'freight',
  'service',
  'customer',
  'community',
  'vermont',
  'spokesperson',
  'rail',
  'system',
  'damage',
  'ludlow',
  'boil',
  'water',
  'notice',
  'official',
  'resident',
  'water',
  'people',
  'today',
  'house',
  'loss',
  'life',
  'mcnamara',
  'ludlow',
  'people',
  'care',
  'storm',
  'floodwater',
  'area',
  'vehicle',
  'home',
  'rain',
  'national',
  'weather',
  'service',
  'burlington',
  'floodwater',
  'round',
  'shower',
  'thunderstorm',
  'thursday',
  'friday',
  'storm',
  'inch',
  'rain',
  'service',
  'threat',
  'flooding',
  'floodwater',
  'today',
  'condition',
  'round',
  'shower',
  'thunderstorm',
  'thursday',
  'friday',
  'rainfall',
  'excess',
  'threat',
  'flooding',
  'pic.twitter.com/qnbmzn706',
  'nws',
  'burlington',
  '@nwsburlington',
  'july',
  'ufo',
  'takeaway',
  'whistleblower',
  'congress',
  'uap',
  'hunter',
  'biden',
  'plea',
  'deal',
  'story',
  'tic',
  'tac',
  'ufo',
  'sighting',
  'hammerhead',
  'worm',
  'li',
  'cohen',
  'media',
  'producer',
  'content',
  'writer',
  'cbs',
  'news',
  'july',
  'cbs',
  'interactive',
  'inc.',
  'rights',
  'thank',
  'cbs',
  'news',
  'account',
  'feature',
  'email',
  'address',
  'email',
  'address',
  'flooding',
  'water',
  'rescue',
  'chester',
  'county',
  'storm',
  'fema',
  'crew',
  'flooding',
  'damage',
  'austin',
  'week',
  'storm',
  'vermont',
  'phish',
  'flood',
  'recovery',
  'effort',
  'official',
  'damage',
  'flooding',
  'month',
  'west',
  'resident',
  'help',
  'copyright',
  'cbs',
  'interactive',
  'inc.',
  'right',
  'privacy',
  'policy',
  'california',
  'notice',
  'personal',
  'information',
  'terms',
  'use',
  'advertise',
  'captioning',
  'cbs',
  'news',
  'paramount+',
  'cbs',
  'news',
  'store',
  'site',
  'map',
  'contact',
  'browser',
  'notification',
  'news',
  'event',
  'reporting'],
 ['contentskip',
  'navigationskip',
  'navigationprint',
  'subscription',
  'sign',
  'insearch',
  'jobssearchus',
  'editionus',
  'editionuk',
  'editionaustralia',
  'guardian',
  'guardiannewsopinionsportculturelifestyleshowmoreshow',
  'morenewsview',
  'newsus',
  'newsworld',
  'politicsbusinesstechsciencenewslettersfight',
  'democracyopinionview',
  'opinionthe',
  'guardian',
  'viewcolumnistslettersopinion',
  'videoscartoonssportview',
  'sportsoccernfltennismlbmlsnbanhlf1golfcultureview',
  'culturefilmbooksmusicart',
  'designtv',
  'radiostageclassicalgameslifestyleview',
  'lifestylefashionfoodrecipeslove',
  'sexhome',
  'gardenhealth',
  'fitnessfamilytravelmoneysearch',
  'input',
  'google',
  'search',
  'searchsupport',
  'usprint',
  'subscriptionsus',
  'editionuk',
  'editionaustralia',
  'editionsearch',
  'jobsdigital',
  'archiveguardian',
  'puzzles',
  'licensingthe',
  'guardian',
  'guardianguardian',
  'weeklycrosswordswordiplycorrectionsfacebooktwittersearch',
  'jobsdigital',
  'archiveguardian',
  'puzzles',
  'licensingusworldenvironmentsoccerus',
  'politicsbusinesstechsciencenewslettersfight',
  'democracy01:24home',
  'rubble',
  'tornado',
  'mississippi',
  'videothe',
  'observermississippi',
  'article',
  'month',
  'oldmississippi',
  'tornado',
  'death',
  'toll',
  'state',
  '21st',
  'article',
  'month',
  'oldfatalitie',
  'tornado',
  'year',
  'storm',
  'region',
  'sundayoliver',
  'laughland',
  'mar',
  'edtfirst',
  'sat',
  'mar',
  'edtdevastating',
  'storm',
  'tornado',
  'mississippi',
  'friday',
  'night',
  'people',
  'state',
  'dozen',
  'rescue',
  'worker',
  'people',
  'rubble',
  'saturday',
  'state',
  'tornado',
  'death',
  'toll',
  'decade',
  'weather',
  'state',
  'center',
  'destruction',
  'saturday',
  'morning',
  'majority',
  'town',
  'rolling',
  'fork',
  'silver',
  'city',
  'mississippi',
  'delta',
  'scale',
  'devastation',
  'rolling',
  'fork',
  'mayor',
  'eldridge',
  'walker',
  'city',
  'cnn',
  'image',
  'neighborhood',
  'rubble',
  'car',
  'tree',
  'leave',
  'walker',
  '”mississippi',
  'meteorologist',
  'air',
  'tornado',
  'family',
  'home',
  'family',
  'place',
  'child',
  'morning',
  'clothe',
  'fork',
  'population',
  'people',
  '%',
  'resident',
  'poverty',
  'line',
  '%',
  'home',
  'weather',
  'town',
  'birthplace',
  'blues',
  'music',
  'pioneer',
  'muddy',
  'water',
  'official',
  'north',
  'central',
  'alabama',
  'man',
  'trailer',
  'home',
  'storm',
  'death',
  'toll',
  'night',
  'weather',
  'response',
  'official',
  'mississippi',
  'saturday',
  'afternoon',
  'death',
  'county',
  'state',
  'delta',
  'region',
  'mississippi',
  'border',
  'alabama',
  'damage',
  'series',
  'storm',
  'tornado',
  'rolling',
  'fork',
  'mississippi',
  'photograph',
  'newton',
  'getty',
  'imagesthe',
  'national',
  'weather',
  'service',
  'team',
  'location',
  'delta',
  'region',
  'damage',
  'state',
  'responder',
  'area',
  'saturday',
  'morning',
  'agency',
  'path',
  'destruction',
  'mile',
  'state',
  'tornado',
  'cyclone',
  'night',
  '“the',
  'loss',
  'town',
  'mississippi',
  'governor',
  'tate',
  'reeves',
  'rolling',
  'fork',
  'saturday',
  'morning',
  'god',
  'hand',
  'family',
  'friend',
  '”the',
  'disaster',
  'agency',
  'fema',
  'team',
  'state',
  'responder',
  'reeves',
  'disaster',
  'assistance',
  'government',
  'state',
  'emergency',
  'county',
  'weather',
  'joe',
  'biden',
  'condolence',
  'twitter',
  'president',
  'support',
  'community',
  'effect',
  'damage',
  'path',
  'rolling',
  'fork',
  'ms',
  '@accuweather',
  'pic.twitter.com/6rstncrqs6',
  'reed',
  'timmer',
  'phd',
  'march',
  'storm',
  'tennessee',
  'alabama',
  'people',
  'region',
  'power',
  'saturday',
  'morning',
  'tracking',
  'site',
  'wonder',
  'bolden',
  'associated',
  'press',
  'remnant',
  'mother',
  'home',
  'rolling',
  'fork',
  'breeze',
  '”sheddrick',
  'bell',
  'partner',
  'daughter',
  'ap',
  'closet',
  'rolling',
  'fork',
  'home',
  'tornado',
  'daughter',
  'partner',
  'mapaccording',
  'record',
  'national',
  'weather',
  'service',
  'tornado',
  'death',
  'toll',
  'mississippi',
  'century',
  'year',
  'weekend',
  'catastrophe',
  'outbreak',
  'tornado',
  'april',
  'dozen',
  'region',
  'mississippi',
  'storm',
  'system',
  'supercell',
  'kind',
  'tornado',
  'hail',
  'united',
  'states',
  'walker',
  'ashley',
  'meteorology',
  'professor',
  'university',
  'northern',
  'illinois',
  'associated',
  'press',
  'meteorologist',
  'tornado',
  'risk',
  'region',
  'week',
  'advance',
  'ashley',
  'colleague',
  'march',
  'national',
  'weather',
  'service',
  'storm',
  'prediction',
  'center',
  'range',
  'alert',
  'area',
  'march',
  'tornado',
  'aftermath',
  'rolling',
  'fork',
  'mississippi',
  'photograph',
  'severestudios.com/jordan',
  'hall',
  'reuterstornado',
  'expert',
  'risk',
  'exposure',
  'region',
  'people',
  'landscape',
  'track',
  'tornado',
  'disaster',
  'ashley',
  'email',
  'matt',
  'elliott',
  'warning',
  'coordination',
  'meteorologist',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'storm',
  'prediction',
  'centre',
  'norman',
  'oklahoma',
  'weather',
  'state',
  'storm',
  'region',
  'sunday',
  'level',
  'risk',
  'wind',
  'tornado',
  'hail',
  'area',
  'montgomery',
  'alabama',
  'jackson',
  'mississippi',
  'columbus',
  'macon',
  'georgia',
  'rain',
  'sunday',
  'flooding',
  'meteorologist',
  'edward',
  'helmore',
  'associated',
  'press',
  'observeralabamatornadoesextreme',
  'storymore',
  'storyextreme',
  'heatwave',
  'texas',
  'city',
  'heat',
  'death',
  'hemisphere',
  'weather',
  'jul',
  'tracker',
  'people',
  'air',
  'quality',
  'warning',
  'wildfire',
  'jun',
  'storm',
  'tornado',
  'people',
  'apr',
  'tornado',
  'biden',
  'emergency',
  'storm',
  'region26',
  'mar',
  'tracker',
  'pressure',
  'tornado',
  'california24',
  'mar',
  'angeles',
  'tornado',
  'decade',
  'loud’23',
  'mar',
  'tornado',
  'wind',
  'snow',
  'storm',
  'expected27',
  'feb',
  'snowstorm',
  'year',
  'californians',
  'frozen25',
  'feb',
  'viewedusworldenvironmentsoccerus',
  'politicsbusinesstechsciencenewslettersfight',
  'reporting',
  'analysis',
  'guardian',
  'ushelpcomplaint',
  'correctionssecuredropwork',
  'usprivacy',
  'policycookie',
  'policyterms',
  'conditionscontact',
  'usall',
  'topicsall',
  'newspaper',
  'archivefacebookyoutubeinstagramlinkedintwitternewslettersadvertise',
  'labssearch',
  'guardian',
  'news',
  'media',
  'limited',
  'company',
  'right'],
 ['permission',
  'video',
  'account',
  'dashboard',
  'profile',
  'item',
  'terms',
  'use',
  'privacy',
  'policy',
  'account',
  'dashboard',
  'profile',
  'item',
  'log',
  'account',
  'log',
  'account',
  'sign',
  'today',
  'account',
  'dashboard',
  'profile',
  'item',
  'warning',
  'storm',
  'twin',
  'cities',
  'mn',
  'storm',
  'twin',
  'cities',
  'area',
  'minnesota',
  'wisconsin',
  'monday',
  'july',
  'rain',
  'hail',
  'wind',
  'tree',
  'power',
  'line',
  'thousand',
  'power',
  'report',
  'restriction',
  'usage',
  'terms',
  '@jayjrmejia',
  'spectee',
  'note',
  'clip',
  'video',
  'location',
  'hudson',
  'st.',
  'croix',
  'county',
  'wisconsin',
  'video',
  'recording',
  'date',
  'time',
  'july',
  '14:00h',
  'discussion',
  'discussion',
  'email',
  'notification',
  'discussion',
  'notification',
  'discussion',
  'language',
  'turn',
  'caps',
  'lock',
  'threat',
  'person',
  'racism',
  'sexism',
  'sort',
  '-ism',
  'person',
  'report',
  'link',
  'comment',
  'post',
  'eyewitness',
  'account',
  'history',
  'article',
  'discussion',
  'discussion',
  'time',
  'medium',
  'post',
  'business',
  'organization',
  'northern',
  'virginia',
  'business',
  'stream',
  'email',
  'button',
  'article',
  'insidenova',
  'articlesfollowing',
  'recount',
  'baldwin',
  'winner',
  'senate',
  'district',
  'republican',
  'gunshot',
  'wound',
  'hospital',
  'blood',
  'trail',
  "woodbridge'you",
  'champion',
  'warrenton',
  'community',
  'death',
  'great',
  'harvest',
  'owner',
  'pablo',
  'teodoroupdated',
  'year',
  'boy',
  'murder',
  'woodbridge',
  'council',
  'passenger',
  'flight',
  'proposal',
  'manassas',
  'regional',
  'airportthe',
  'container',
  'store',
  'sign',
  'springfield',
  'plazafour',
  'driver',
  'car',
  'sterlingross',
  'discount',
  'store',
  'woodbridge',
  'marumsco',
  'plazadowntown',
  'culpeper',
  'roundabout',
  'construction',
  'place',
  'virginia',
  'collectionsex',
  'owner',
  'look',
  'dan',
  'snyder',
  'mount',
  'vernon',
  'estatecitie',
  'home',
  'price',
  'charlottesville',
  'metro',
  'areacitie',
  'home',
  'price',
  'norfolk',
  'metro',
  'areacitie',
  'home',
  'price',
  'blacksburg',
  'metro',
  'areain',
  'photo',
  'picture',
  'vettes',
  'vets',
  'car',
  'haymarketcities',
  'home',
  'virginiain',
  'photo',
  'houseboat',
  'sale',
  'wharf',
  'liveaboard',
  'gangplank',
  'marinacitie',
  'home',
  'price',
  'lynchburg',
  'metro',
  'area',
  'old',
  'bridge',
  'road',
  'woodbridge',
  'va',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'blox',
  'content',
  'management',
  'system',
  'blox',
  'digital',
  'minute',
  'news',
  'device'],
 ['owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'colorado',
  'springs',
  'delay',
  'spending',
  'control',
  'revenue',
  'united',
  'states',
  'netherlands',
  'takeaway',
  'draw',
  'story',
  'denver',
  'broncos',
  'snowcapped',
  'helmet',
  'letter',
  'money',
  'editorial',
  'boost',
  'colorado',
  'buckley',
  'space',
  'force',
  'base',
  'creator',
  'colorado',
  'alpine',
  'mountain',
  'bike',
  'trail',
  'legend',
  'colorado',
  'springs',
  'style',
  'sushi',
  'eatery',
  'table',
  'talk',
  'theatreworks',
  'taming',
  'shrew',
  'twist',
  'colorado',
  'springs',
  'month',
  'colorado',
  'springs',
  'author',
  'lisa',
  'renee',
  'jones',
  'romance',
  'ego',
  'l.r.',
  'jones',
  'thriller',
  'air',
  'force',
  'academy',
  'cadet',
  'jacks',
  'valley',
  'special',
  'report',
  'assisted',
  'living',
  'death',
  'feelin',
  'heat',
  'place',
  'colorado',
  'springs',
  'area',
  'summer',
  'sign',
  'newsletter',
  'news',
  'matter',
  'inbox',
  'colorado',
  'weather',
  'update',
  'arctic',
  'storm',
  'airport',
  'delay',
  'arctic',
  'blast',
  'state',
  'dec',
  'jan',
  'storm',
  'colorado',
  'springs',
  'temperature',
  'dusting',
  'snow',
  'wind',
  'chill',
  'business',
  'operation',
  'travel',
  'airport',
  'highway',
  'state',
  'thursday',
  'friday',
  'weather',
  'traffic',
  'update',
  'low',
  'degree',
  'a.m.',
  'low',
  '-6',
  'a.m.',
  'thursday',
  'colorado',
  'springs',
  'national',
  'weather',
  'service',
  'pueblo',
  'wind',
  'chill',
  'value',
  'degree',
  'snow',
  'accumulation',
  'inch',
  'closure',
  'delay',
  'pikes',
  'peak',
  'region',
  '-click',
  'closure',
  'delay',
  'click',
  'traffic',
  'condition',
  'colorado',
  'springs',
  'click',
  'traffic',
  'condition',
  'e470',
  'traffic',
  'i-70',
  'exit',
  'east',
  '56th',
  'avenue',
  'colorado',
  'department',
  'transportation',
  'cdot',
  'december',
  'flightaware.com',
  'cancellation',
  'delay',
  'denver',
  'international',
  'airport',
  'cancellation',
  'delay',
  'colorado',
  'springs',
  'airport.9',
  'lane',
  'c470',
  'crash',
  'west',
  'alameda',
  'parkway',
  'e',
  'fr',
  'road',
  'rooney',
  'lane',
  'i-70',
  'vehicle',
  'recovery',
  'exit',
  'frisco',
  'exit',
  'officer',
  'lane',
  'i-270',
  'crash',
  'co',
  'i-76.6:30',
  'northbound',
  'i-25',
  'lane',
  'crash',
  'exit',
  'wilcox',
  'street',
  'co',
  'p.m.',
  'denver',
  'international',
  'airport',
  'cancellation',
  'flight',
  'colorado',
  'springs',
  'airport',
  'cancellation',
  'delays.3:45',
  'lane',
  'westbound',
  'i-76',
  'crash',
  'exit',
  'heavy',
  'traffic',
  'i-70',
  'exit',
  'east',
  '56th',
  'a.m.',
  'mountain',
  'metropolitan',
  'transit',
  'bus',
  'service',
  'schedule',
  'thursday',
  'bus',
  'people',
  'ride',
  'shelter',
  'location',
  'spokesperson',
  'elaine',
  'sheridan.10:15',
  'a.m.',
  'el',
  'paso',
  'county',
  'combined',
  'courts',
  'a.m.',
  'friday.9:30',
  'a.m.',
  'colorado',
  'department',
  'transportation',
  'list',
  'highway',
  'closure',
  'twitter',
  'account',
  'morning',
  'silverthorne',
  'spinning',
  'direction',
  'limon',
  'burlington',
  'u.s.',
  'direction',
  'loveland',
  'pass',
  'eb',
  'i70',
  'crew',
  'obstruction',
  'https://t.co/4v3qpi06j8',
  'update',
  'video',
  'medium',
  'use',
  'wb',
  'tunnel',
  'pic.twitter.com/cqufbmzoud',
  'csp',
  'colorado',
  'springs',
  'december',
  'sign',
  'springs',
  'update',
  'morning',
  'rundown',
  'news',
  'colorado',
  'springs',
  'country',
  'success',
  'newsletter',
  'click',
  'colorado',
  'springs',
  'airport',
  'flight',
  'status',
  'information',
  'dia',
  'flight',
  'status',
  'information.6:30',
  'a.m.',
  'pikes',
  'peak',
  'library',
  'district',
  'location',
  'thursday',
  'security',
  'public',
  'library',
  'closed.6:15',
  'garden',
  'gods',
  'visitor',
  'center',
  'thursday.6',
  'a.m.',
  'official',
  'el',
  'paso',
  'county',
  'combined',
  'courts',
  'thursday',
  'manitou',
  'springs',
  'city',
  'hall',
  'government',
  'facility',
  'staff',
  'student',
  'holiday',
  'break',
  'school',
  'district',
  'delay',
  'staff',
  'member',
  'thursday',
  'college',
  'university',
  'region',
  'holiday',
  'break',
  'military',
  'service',
  'mission',
  'activity',
  'status',
  'fort',
  'carson',
  'official',
  'duty',
  'reporting',
  'procedure',
  '4th',
  'infantry',
  'division',
  'unit',
  'place',
  'air',
  'force',
  'academy',
  'personnel',
  'hour',
  'delay',
  'employee',
  'supervisor',
  'questions.--with',
  'high',
  'wednesday',
  'day',
  'month',
  'day',
  'decade',
  'flurry',
  'wind',
  'speed',
  'snow',
  'visibility',
  'issue',
  'flash',
  'freezing',
  'road',
  'condition',
  'thursday',
  'city',
  'operations',
  'program',
  'supervisor',
  'shaun',
  'lucero',
  'morning',
  'snow',
  'ice',
  'crew',
  'roadway',
  'anti',
  'trouble',
  'area',
  'lucero',
  'roadway',
  'ice',
  'day',
  'band',
  'snow',
  'i-25',
  'plain',
  'gusty',
  'wind',
  'mountain',
  'snowfall',
  'subzero',
  'temperature',
  'plain',
  'cowx',
  'pic.twitter.com/gjheb7i4ib',
  'nws',
  'pueblo',
  '@nwspueblo',
  'december',
  'weather',
  'service',
  'wind',
  'chill',
  'life',
  'frostbite',
  'minute',
  'temperature',
  'dec.',
  'colorado',
  'springs',
  'low',
  'degree',
  'nws',
  'climate',
  'datum',
  'record',
  'forecast',
  'national',
  'weather',
  'service',
  'today',
  '%',
  'chance',
  'snow',
  'shower',
  'a.m.',
  'wind',
  'chill',
  'value',
  '-20',
  'wind',
  'mph',
  'afternoon',
  'friday',
  'wind',
  'chill',
  'value',
  '-25',
  'mph',
  'saturday',
  'northwest',
  'mph',
  'christmas',
  'day',
  'high',
  'wind',
  'mph',
  'click',
  'gazette',
  'coloradans',
  'brace',
  'freeze',
  'thursday',
  'winter',
  'season',
  'presence',
  'colorado',
  'area',
  'wednesday',
  'evening',
  'blast',
  'list',
  'wind',
  'chill',
  'temp',
  'colorado',
  'colorado',
  'springs',
  'blast',
  'official',
  'tip',
  'colorado',
  'springs',
  'bus',
  'system',
  'traveler',
  'shelter',
  'storm',
  'colorado',
  'springs',
  'airport',
  'delay',
  'cancellation',
  'storm',
  'colorado',
  'snow',
  'total',
  'dec.',
  'state',
  'comments',
  'gazette',
  'subscriber',
  'colorado',
  'springs',
  'weather',
  'day',
  'temp',
  'chance',
  'storm',
  'colorado',
  'springs',
  'weather',
  'temp',
  'relief',
  'sight',
  'burger',
  'employee',
  'mask',
  'state',
  'colorado',
  'employee',
  'doctor',
  'note',
  'policy',
  'policy',
  'way',
  'best',
  'online',
  'gambling',
  'site',
  'money',
  'listing',
  'best',
  'online',
  'gambling',
  'site',
  'money',
  'listing',
  'breaking',
  'news',
  'email',
  'access',
  'premium',
  'content',
  'access',
  'time',
  'news',
  'update',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'gazette.com',
  'coloradosprings.com',
  'gazettepreps.com',
  'springs',
  'outtherecolorado.com',
  'copyright',
  'colorado',
  'springs',
  'gazette',
  'l.l.c.',
  'east',
  'pikes',
  'peak',
  'ave',
  '.',
  'suite',
  'colorado',
  'springs',
  'co',
  'term',
  'use',
  '',
  '',
  'privacy',
  'policy',
  'privacy',
  'choices',
  'blox',
  'content',
  'management',
  'system',
  'blox',
  'digital'],
 ['menudaily',
  'e',
  '-',
  'edition',
  'evening',
  'e',
  'edition',
  'sign',
  'newsletters',
  'local',
  'news',
  'local',
  'news',
  'broward',
  'county',
  'palm',
  'beach',
  'county',
  'miami',
  'dade',
  'county',
  'delray',
  'sun',
  'boca',
  'times',
  'west',
  'boca',
  'times',
  'gateway',
  'gazette',
  'palm',
  'beach',
  'county',
  'community',
  'e',
  '-',
  'edition',
  'weather',
  'news',
  'forecast',
  'conditions',
  'hurricane',
  'storms',
  'hurricanes',
  'sports',
  'miami',
  'dolphins',
  'miami',
  'heat',
  'florida',
  'panthers',
  'miami',
  'marlins',
  'inter',
  'miami',
  'um',
  'hurricanes',
  'fau',
  'owls',
  'high',
  'school',
  'sports',
  'florida',
  'journal',
  'journal',
  'opinion',
  'broward',
  'jewish',
  'news',
  'miami',
  'dade',
  'news',
  'palm',
  'beach',
  'jewish',
  'news',
  'e',
  '-',
  'newspaper',
  'paid',
  'partner',
  'content',
  'advertising',
  'ascend',
  'paid',
  'content',
  'brandpoint',
  'forecasts',
  'conditions',
  'weather',
  'news',
  'hurricane',
  'news',
  'hurricane',
  'hurricane',
  'preparedness',
  'depression',
  'weekend',
  'system',
  'africa',
  'angie',
  'dimichele',
  'july',
  'a.m.',
  'depression',
  'weekend',
  'week',
  'wave',
  'tropical',
  'depression',
  'don',
  'storm',
  'forecaster',
  'kathy',
  'laskowski',
  'july',
  'a.m.',
  'expert',
  'model',
  'don',
  'storm',
  'odd',
  'cyclone',
  'robin',
  'webb',
  'july',
  'a.m.',
  'p.m.',
  'thursday',
  'area',
  'pressure',
  'mile',
  'west',
  'southwest',
  'fema',
  'disaster',
  'relief',
  'fund',
  'money',
  'hurricane',
  'season',
  'gear',
  'anthony',
  'man',
  'july',
  'a.m.',
  'hurricane',
  'season',
  'peak',
  'period',
  'federal',
  'emergency',
  'management',
  'agency',
  'disaster',
  'relief',
  'forecaster',
  'prediction',
  'hurricane',
  'season',
  'sea',
  'temperature',
  'shira',
  'moolten',
  'july',
  'p.m.',
  'meteorologist',
  'colorado',
  'state',
  'university',
  'forecast',
  'hurricane',
  'season',
  'disturbance',
  'chance',
  'development',
  'atlantic',
  'angie',
  'dimichele',
  'june',
  'a.m.',
  'disturbance',
  'atlantic',
  'ocean',
  'north',
  'northeastward',
  'area',
  'national',
  'hurricane',
  'center',
  'monitoring',
  'remnant',
  'tropical',
  'storm',
  'cindy',
  'robin',
  'webb',
  'june',
  'a.m.',
  'system',
  '%',
  'chance',
  'way',
  'hurricane',
  'season',
  'time',
  'money',
  'abigail',
  'hasebroock',
  'june',
  'p.m.',
  'hurricane',
  'season',
  'swing',
  'palm',
  'beach',
  'county',
  'official',
  'resident',
  'tropical',
  'storm',
  'bret',
  'island',
  'week',
  'bill',
  'kearney',
  'june',
  'a.m.',
  'tropical',
  'storm',
  'bret',
  'lesser',
  'antilles',
  'caribbean',
  'storm',
  'atlantic',
  'record',
  'temperature',
  'june',
  'hurricane',
  'season',
  'bill',
  'kearney',
  'june',
  'a.m.',
  'thing',
  'june',
  'chicago',
  'tribune',
  'baltimore',
  'sun',
  'morning',
  'pa.',
  'daily',
  'press',
  'va.',
  'new',
  'york',
  'daily',
  'news',
  'orlando',
  'sentinel',
  'hartford',
  'courant',
  'virginian',
  'pilot',
  'studio',
  'photo',
  'request',
  'news',
  'tip',
  'newspaper',
  'archives',
  'e',
  '-',
  'edition',
  'sign',
  'newsletters',
  'help',
  'center',
  'site',
  'map',
  'place',
  'ad',
  'ad',
  'policy',
  'homes',
  'sale',
  'place',
  'auto',
  'ad',
  'subscriber',
  'terms',
  'conditions',
  'terms',
  'service',
  'privacy',
  'policy',
  'cookie',
  'preferences',
  'cookie',
  'policy',
  'notice',
  'collection',
  'notice',
  'financial',
  'incentive',
  'share',
  'information'],
 ['main',
  'content',
  'sensor',
  'network',
  'maps',
  'radar',
  'severe',
  'weather',
  'news',
  'blogs',
  'mobile',
  'apps',
  'nearest',
  'station',
  'manage',
  'favorite',
  'citieslog',
  'joinsettingsaccount_box',
  'log',
  'person_add',
  'join',
  'setting',
  'settings',
  'sensor',
  'networkmaps',
  'radarsevere',
  'weathernews',
  'blogsmobile',
  'appshistorical',
  'weatherstarnews',
  'blogs',
  'category',
  'news',
  'stories',
  'infographics',
  'posters',
  'news',
  'stories',
  'category',
  'storiesinfographicsposterspublished',
  'weather',
  'company',
  'mission',
  'weather',
  'news',
  'environment',
  'importance',
  'science',
  'life',
  'story',
  'position',
  'parent',
  'company',
  'ibm.recent',
  'storiesweather',
  'articlesour',
  'appsabout',
  'uscontactcareerspws',
  'networkwundermapfeedback',
  'supportterms',
  'useprivacy',
  'policyaccessibility',
  'statementadchoicesdata',
  'vendorswe',
  'responsibility',
  'datum',
  'technology',
  'datum',
  'data',
  'vendor',
  'control',
  'datum',
  'datum',
  'rightspowered',
  'ibm',
  'cloud',
  'copyright',
  'twc',
  'product',
  'technology',
  'llc',
  'javascript',
  'application'],
 ['skip',
  'navigationwatchlivemarketspre',
  'marketsu.s.',
  'marketscurrenciescryptocurrencyfutures',
  'commoditiesbondsfunds',
  'etfsbusinesseconomyfinancehealth',
  'sciencemediareal',
  'estateenergyclimatetransportationindustrialsretailwealthlifesmall',
  'financefintechfinancial',
  'advisorsoptions',
  'actionetf',
  'streetbuffett',
  'archiveearningstrader',
  'talktechcybersecurityenterpriseinternetmediamobilesocial',
  'mediacnbc',
  'disruptor',
  'tvlive',
  'tvlive',
  'audiobusiness',
  'day',
  'showsentertainment',
  'episodeslatest',
  'videotop',
  'interviewscnbc',
  'worlddigital',
  'originalslive',
  'tv',
  'clubtrust',
  'portfolioanalysistrade',
  'videoshomestretchjim',
  'newspro',
  'livemarket',
  'forecastsubscribesign',
  'inmenumake',
  'itselectall',
  'selectcredit',
  'cards',
  'loans',
  'banking',
  'mortgages',
  'insurance',
  'credit',
  'monitoring',
  'personal',
  'finance',
  'small',
  'business',
  'taxes',
  'help',
  'low',
  'credit',
  'scores',
  'investing',
  'selectall',
  'credit',
  'cardsfind',
  'credit',
  'card',
  'youbest',
  'credit',
  'cardsbest',
  'rewards',
  'credit',
  'cardsbest',
  'travel',
  'credit',
  'cardsbest',
  '%',
  'apr',
  'credit',
  'cardsbest',
  'balance',
  'transfer',
  'credit',
  'cash',
  'credit',
  'cardsbest',
  'credit',
  'card',
  'welcome',
  'bonusesbest',
  'credit',
  'cards',
  'loansfind',
  'best',
  'personal',
  'loan',
  'youbest',
  'personal',
  'loansbest',
  'debt',
  'consolidation',
  'loansbest',
  'loans',
  'refinance',
  'credit',
  'card',
  'debtbest',
  'loans',
  'fast',
  'fundingbest',
  'small',
  'personal',
  'loansbest',
  'large',
  'personal',
  'loansbest',
  'personal',
  'loans',
  'onlinebest',
  'student',
  'loan',
  'bankingfind',
  'savings',
  'account',
  'youbest',
  'high',
  'yield',
  'savings',
  'accountsbest',
  'big',
  'bank',
  'savings',
  'accountsbest',
  'big',
  'bank',
  'checking',
  'accountsbest',
  'fee',
  'checking',
  'accountsno',
  'overdraft',
  'fee',
  'checking',
  'accountsbest',
  'checking',
  'account',
  'bonusesbest',
  'money',
  'market',
  'accountsbest',
  'credit',
  'unionsselectall',
  'mortgagesbest',
  'mortgagesbest',
  'mortgages',
  'small',
  'paymentbest',
  'mortgage',
  'paymentbest',
  'mortgage',
  'origination',
  'feebest',
  'mortgages',
  'credit',
  'scoreadjustable',
  'rate',
  'mortgagesaffording',
  'insurancebest',
  'life',
  'insurancebest',
  'homeowners',
  'insurancebest',
  'renters',
  'insurancebest',
  'car',
  'insurancetravel',
  'insuranceselectall',
  'credit',
  'monitoringbest',
  'credit',
  'monitoring',
  'servicesbest',
  'identity',
  'theft',
  'protectionhow',
  'credit',
  'scorecredit',
  'repair',
  'servicesselectall',
  'personal',
  'financebest',
  'budgeting',
  'appsbest',
  'expense',
  'tracker',
  'appsbest',
  'money',
  'transfer',
  'appsbest',
  'resale',
  'apps',
  'sitesbuy',
  'bnpl',
  'appsbest',
  'debt',
  'reliefselectall',
  'small',
  'businessbest',
  'small',
  'business',
  'savings',
  'accountsbest',
  'small',
  'business',
  'checking',
  'accountsbest',
  'credit',
  'cards',
  'small',
  'businessbest',
  'small',
  'business',
  'loansbest',
  'tax',
  'software',
  'taxesbest',
  'tax',
  'softwarebest',
  'tax',
  'software',
  'businessestax',
  'help',
  'low',
  'credit',
  'scoresbest',
  'credit',
  'cards',
  'bad',
  'creditbest',
  'personal',
  'loans',
  'bad',
  'creditbest',
  'debt',
  'consolidation',
  'loans',
  'bad',
  'creditpersonal',
  'loans',
  'creditbest',
  'credit',
  'cards',
  'building',
  'creditpersonal',
  'loans',
  'credit',
  'score',
  'lowerpersonal',
  'loans',
  'credit',
  'score',
  'lowerbest',
  'mortgages',
  'bad',
  'creditbest',
  'hardship',
  'loanshow',
  'credit',
  'scoreselectall',
  'investingbest',
  'ira',
  'accountsbest',
  'roth',
  'ira',
  'accountsbest',
  'investing',
  'appsbest',
  'free',
  'stock',
  'trading',
  'platformsbest',
  'robo',
  'advisorsindex',
  'fundsmutual',
  'fundsetfsbondsusaintlwatchlivesearch',
  'quote',
  'news',
  'videoswatchlistsign',
  'increate',
  'clubpromenuweather',
  'disasterspossible',
  'tornado',
  'arkansas',
  'deep',
  'south',
  'brace',
  'storm',
  'published',
  'd',
  'mar',
  'pm',
  'pointssevere',
  'storm',
  'people',
  'building',
  'power',
  'line',
  'arkansas',
  'wednesday',
  'tornado',
  'hurricane',
  'force',
  'wind',
  'deep',
  'south',
  'week',
  'twister',
  'new',
  'orleans',
  'area',
  'tornado',
  'watch',
  'arkansas',
  'louisiana',
  'missouri',
  'oklahoma',
  'texas',
  'wednesday',
  'afternoon',
  'risk',
  'portion',
  'western',
  'tennessee',
  'eastern',
  'arkansas',
  'louisiana',
  'mississippi',
  'alabama',
  'florida',
  'panhandle',
  'march',
  'noaasevere',
  'storm',
  'people',
  'building',
  'power',
  'line',
  'arkansas',
  'wednesday',
  'tornado',
  'hurricane',
  'force',
  'wind',
  'deep',
  'south',
  'week',
  'twister',
  'new',
  'orleans',
  'area',
  'death',
  'storm',
  'wednesday',
  'tornado',
  'a.m.',
  'springdale',
  'town',
  'johnson',
  'mile',
  'kilometer',
  'northwest',
  'little',
  'rock',
  'damage',
  'springdale',
  'school',
  'gymnasium',
  'warehouse',
  'kfsm',
  'tv',
  'springdale',
  'school',
  'district',
  'arkansas',
  'class',
  'wednesday',
  'building',
  'residence',
  'storm',
  'damage',
  'washington',
  'county',
  'arkansas',
  'emergency',
  'management',
  'director',
  'john',
  'luther',
  'people',
  'information',
  'national',
  'weather',
  'service',
  'meteorologist',
  'joe',
  'sellers',
  'tulsa',
  'oklahoma',
  'investigator',
  'area',
  'damage',
  'weather',
  'service',
  'tornado',
  'seller',
  'tornado',
  'watch',
  'arkansas',
  'louisiana',
  'missouri',
  'oklahoma',
  'texas',
  'wednesday',
  'afternoon',
  'storm',
  'prediction',
  'center',
  'norman',
  'oklahoma',
  'mississippi',
  'alabama',
  'arkansas',
  'louisiana',
  'tennessee',
  'risk',
  'weather',
  'wednesday',
  'people',
  'area',
  'city',
  'memphis',
  'tennessee',
  'baton',
  'rouge',
  'louisiana',
  'jackson',
  'mississippi',
  'montgomery',
  'alabama',
  'mississippi',
  'dozen',
  'school',
  'class',
  'wednesday',
  'precaution',
  'child',
  'building',
  'bus',
  '"today',
  'weather',
  'folk',
  'day',
  'life',
  'stephen',
  'mccraney',
  'director',
  'mississippi',
  'emergency',
  'management',
  'agency',
  'briefing',
  'official',
  'mississippi',
  'county',
  'location',
  'people',
  'home',
  'storm',
  'louisiana',
  'official',
  'federal',
  'emergency',
  'management',
  'agency',
  'people',
  'housing',
  'trailer',
  'hurricane',
  'ida',
  'alert',
  'case',
  'weather',
  'afternoon',
  'week',
  'tornado',
  'new',
  'orleans',
  'area',
  'neighborhood',
  'hour',
  'man',
  'cnbc',
  'prolicensing',
  'councilsselect',
  'financecnbc',
  'peacockjoin',
  'cnbc',
  'panelsupply',
  'chain',
  'valuesselect',
  'shoppingclosed',
  'captioningdigital',
  'productsnews',
  'releasesinternshipscorrectionsabout',
  'cnbcad',
  'choicessite',
  'mappodcastscareershelpcontactnews',
  'tipsgot',
  'news',
  'tip',
  'touchadvertise',
  'usplease',
  'contact',
  'uscnbc',
  'newsletterssign',
  'newsletter',
  'cnbc',
  'inboxsign',
  'nowget',
  'inbox',
  'info',
  'product',
  'service',
  'privacy',
  'policy',
  'information',
  'notice',
  'terms',
  'service',
  'cnbc',
  'llc',
  'rights',
  'division',
  'nbcuniversaldata',
  'time',
  'snapshot',
  'data',
  'minute',
  'global',
  'business',
  'financial',
  'news',
  'stock',
  'quotes',
  'market',
  'data',
  'analysis',
  'market',
  'data',
  'terms',
  'use',
  'disclaimersdata'],
 ['navigationskip',
  'main',
  'contentskip',
  'related',
  'content',
  'news',
  'home',
  'politics',
  'world',
  'tech',
  'science',
  'weather',
  'opinion',
  'originals',
  'skullduggery',
  'podcast',
  'conspiracyland',
  'finance',
  'home',
  'portfolio',
  'yahoo',
  'finance',
  'news',
  'screeners',
  'markets',
  'videos',
  'watchlists',
  'personal',
  'finance',
  'crypto',
  'industries',
  'contact',
  'sports',
  'home',
  'fantasy',
  'daily',
  'fantasy',
  'nfl',
  'nba',
  'mlb',
  'nhl',
  'ncaaf',
  'ncaaw',
  'mma',
  'sportsbook',
  'soccer',
  'tennis',
  'nascar',
  'golf',
  'boxing',
  'cycling',
  'wnba',
  'usfl',
  'indycar',
  'horse',
  'racing',
  'olympics',
  'gamechannel',
  'rival',
  'podcast',
  'videos',
  'rss',
  'team',
  'apparel',
  'gear',
  'shop',
  'shirts',
  'newsfeed',
  'entertainment',
  'home',
  'celebrity',
  'tv',
  'movies',
  'music',
  'life',
  'home',
  'health',
  'style',
  'beauty',
  'parenting',
  'horoscope',
  'food',
  'travel',
  'terms',
  'privacy',
  'privacy',
  'dashboard',
  'ads',
  'career',
  'right',
  'yahoo',
  'sports',
  'yahoo',
  'sports',
  'search',
  'query',
  'news',
  'finance',
  'sports',
  'news',
  'politics',
  'world',
  'tech',
  'science',
  'weather',
  'opinion',
  'originals',
  'life',
  'health',
  'style',
  'beauty',
  'parenting',
  'horoscope',
  'food',
  'travel',
  'entertainment',
  'celebrity',
  'tv',
  'movies',
  'music',
  'finance',
  'business',
  'crypto',
  'watchlist',
  'portfolio',
  'personal',
  'finance',
  'sports',
  'fantasy',
  'nfl',
  'mlb',
  'nba',
  'nhl',
  'soccer',
  'sportsbook',
  'mma',
  'editions',
  'englishaustralia',
  'englishcanada',
  'englishcanada',
  'françaisfrance',
  'françaisgermany',
  'deutschhong',
  'kong',
  '繁體中文malaysia',
  'englishsingapore',
  'englishtaiwan',
  'english',
  'mail',
  'sign',
  'nfl',
  'news',
  'fantasy',
  'football',
  'scores',
  'schedule',
  'standings',
  'stats',
  'teams',
  'players',
  'draft',
  'injuries',
  'odds',
  'super',
  'bowl',
  'gamechannel',
  'video',
  'nba',
  'news',
  'free',
  'agency',
  'draft',
  'playoffs',
  'scores',
  'schedules',
  'standings',
  'stats',
  'teams',
  'players',
  'injuries',
  'video',
  'odds',
  'fantasy',
  'basketball',
  'mlb',
  'news',
  'scores',
  'schedules',
  'fantasy',
  'baseball',
  'standings',
  'stats',
  'teams',
  'players',
  'odds',
  'video',
  'world',
  'baseball',
  'classic',
  'nhl',
  'playoffs',
  'news',
  'scores',
  'schedule',
  'standings',
  'stats',
  'teams',
  'players',
  'odds',
  'fantasy',
  'hockey',
  'world',
  'cup',
  'scores',
  'schedule',
  'standings',
  'teams',
  'stats',
  'fantasy',
  'football',
  'draft',
  'rankings',
  'mock',
  'draft',
  'news',
  'wnba',
  'score',
  'schedule',
  'standings',
  'stats',
  'teams',
  'players',
  'ncaaf',
  'news',
  'scores',
  'schedule',
  'standings',
  'rankings',
  'stats',
  'teams',
  'recruiting',
  'dan',
  'wetzel',
  'odds',
  'news',
  'scores',
  'schedule',
  'standings',
  'rankings',
  'stats',
  'teams',
  'players',
  'recruiting',
  'odds',
  'tennis',
  'news',
  'matches',
  'tournament',
  'wimbledon',
  'open',
  'french',
  'open',
  'australian',
  'open',
  'golf',
  'news',
  'pga',
  'leaderboard',
  'schedule',
  'pro',
  'tours',
  'players',
  'stats',
  'mma',
  'news',
  'kevin',
  'iole',
  'video',
  'pound',
  'ufc',
  'schedule',
  'sportsbook',
  'news',
  'odds',
  'experts',
  'nfl',
  'expert',
  'bet',
  'calculator',
  'legalization',
  'tracker',
  'casino',
  'games',
  'soccer',
  'world',
  'cup',
  'news',
  'scores',
  'schedule',
  'premier',
  'league',
  'mls',
  'nwsl',
  'liga',
  'mx',
  'concacaf',
  'league',
  'champions',
  'league',
  'la',
  'liga',
  'serie',
  'bundesliga',
  'ligue',
  'nascar',
  'news',
  'schedule',
  'result',
  'standings',
  'drivers',
  'stats',
  'video',
  'boxing',
  'news',
  'pound',
  'pound',
  'kevin',
  'iole',
  'usfl',
  'news',
  'cycling',
  'news',
  'ncaaw',
  'news',
  'schedule',
  'standing',
  'rankings',
  'teams',
  'indycar',
  'news',
  'horse',
  'racing',
  'news',
  'kentucky',
  'derby',
  'preakness',
  'stakes',
  'belmont',
  'stakes',
  'olympics',
  'beijing',
  'games',
  'home',
  'medal',
  'race',
  'gamechannel',
  'rival',
  'ball',
  'bandwagon',
  'yahoo',
  'fantasy',
  'football',
  'forecast',
  'college',
  'football',
  'enquirer',
  'game',
  'videos',
  'nfl',
  'nba',
  'mlb',
  'nhl',
  'soccer',
  'fantasy',
  'ncaaf',
  'rss',
  'jobs',
  'news',
  'fantasy',
  'read',
  "leader'this",
  'soul',
  'photo',
  'video',
  'weather',
  'storm',
  'damage',
  'south',
  'dakotaelisabeth',
  'smith',
  'sioux',
  'falls',
  'argus',
  'leaderthu',
  'pm·2',
  'min',
  'readsioux',
  'falls',
  'official',
  'siren',
  'tornado',
  'wind',
  'report',
  'tornado',
  'south',
  'dakota',
  'thursday',
  'night',
  'damage',
  'community',
  'castlewood',
  'tornado',
  'damage',
  'school',
  'home',
  'gov.',
  'kristi',
  'noem',
  'hamlin',
  'county',
  'town',
  'thursday',
  'night',
  'damage',
  'sioux',
  'falls',
  'official',
  'person',
  'weather',
  'resident',
  'weather',
  'damage',
  'south',
  'dakotadrone',
  'footage',
  'damage',
  'south',
  'dakota',
  '',
  '',
  'sdwx',
  'pic.twitter.com/tg07f5m6nk',
  'aaron',
  'rigsby',
  '@aaronrigsbyosc',
  'shots',
  'pic.twitter.com/btbltl0aoq',
  'kevin',
  'tupy',
  '@zwireless',
  'family',
  'weather',
  'sioux',
  'falls',
  'dust',
  'sdwx',
  'pic.twitter.com/txxlixwez4',
  'cory',
  'martin',
  '@cory_martin',
  '2022i',
  'south',
  'dakota',
  'life',
  'soul',
  'basement',
  '@kelostormcenter',
  'pic.twitter.com/4jv6kqpoai',
  'kara',
  'henke',
  '@karabearah10',
  'mph',
  'wind',
  'siren',
  'day',
  'night',
  'volga',
  'southdakota',
  '@weatherchannel',
  '@keloland',
  '@kelostormcenter',
  '@brialnews',
  '@brkgsregister',
  '@weathernation',
  'pic.twitter.com/vv1exkrwvl',
  'amanda',
  'pipes',
  'ღ',
  'cloud',
  'west',
  'storm',
  'edge',
  'sioux',
  'falls',
  '',
  '',
  'sodak',
  'weather',
  '@skercr0w',
  'falls',
  'sd',
  'pm',
  '@kelostormcenter',
  '@breakingweather',
  '@weathernetwork',
  'sioux',
  'weather',
  'pic.twitter.com/c0xnpmrnsx',
  'michael',
  'rios',
  '@michaelrios67',
  'sioux',
  'falls',
  'sd',
  'pm',
  'time',
  '@keloland',
  '@weatherchannel',
  'pic.twitter.com/1psazkmnh7',
  'john',
  '@chubbyclubbie',
  'line',
  'sioux',
  'falls',
  'minute',
  'pic.twitter.com/eqizueypuz',
  'brandon',
  'fey',
  '@brandonleefey',
  'pic.twitter.com/pvjt9u53qr',
  'jeff',
  'lebrun',
  '@jlebrun05',
  'cloud',
  'tornado',
  'castlewood',
  'sd',
  'watertown',
  'moment',
  'mom',
  'bf',
  'mom',
  'photo',
  'sdwx',
  '@nwsaberdeen',
  'pic.twitter.com/lk3gukgv3u',
  'alex',
  'resel',
  '@aresel',
  'damage',
  'photo',
  'castlewood',
  'thank',
  '@baileyzubke',
  'jayce',
  '@nwsaberdeen',
  'pic.twitter.com/tbqq5s9ivl',
  'brent',
  'nathaniel',
  '@brentnathaniel',
  '2022near',
  'canton',
  'sd',
  'sdwx',
  'pic.twitter.com/0szpov17dx',
  'joseph',
  '@jzweifel62',
  'coverage',
  'weather',
  'south',
  'dakotaupdates',
  'fatality',
  'sioux',
  'fallsemergency',
  'manager',
  'storm',
  'damage',
  'south',
  'dakota',
  'countieswind',
  'mph',
  'south',
  'dakota',
  'city',
  'windspeed',
  'thursdaycastlewood',
  'school',
  'tornado',
  'mph',
  'gust',
  'garyhow',
  'power',
  'outage',
  'south',
  'dakota',
  'xcel',
  'energy',
  'sioux',
  'valley',
  'energyelisabeth',
  'smith',
  'producer',
  'usa',
  'today',
  'network',
  'twitter',
  '@elisabethsmith0',
  'article',
  'sioux',
  'falls',
  'argus',
  'leader',
  'media',
  'video',
  'weather',
  'south',
  'dakota',
  'storiesyahoo',
  'sports2023',
  'fantasy',
  'football',
  'draft',
  'rankingswe',
  'peak',
  'fantasy',
  'football',
  'draft',
  'season',
  'time',
  'draft',
  'prep',
  'agoyahoo',
  'sportsbronny',
  'james',
  'arrest',
  '.',
  'killer',
  'athlete',
  'man',
  'basketball',
  'player',
  'vulnerable.13h',
  'sports2023',
  'mlb',
  'trade',
  'deadline',
  'angel',
  'white',
  'sox',
  'p',
  'lucas',
  'giolito',
  'shohei',
  'ohtanithe',
  'angels',
  'reliever',
  'reynaldo',
  'lópez',
  'white',
  'sox.27',
  'sportschiefs',
  'place',
  'john',
  'ross',
  'nfl',
  'man',
  'draft',
  'bust',
  'reserve',
  'ross',
  'second',
  'yard',
  'dash',
  'combine.6h',
  'agoyahoo',
  'sportswomen',
  'world',
  'cup',
  'lindsey',
  'horan',
  'uswnt',
  'half',
  'equalizer',
  'draw',
  'netherlandsthe',
  'u.s.',
  'woman',
  'team',
  'woman',
  'soccer',
  'world',
  'lindsey',
  'horan',
  'rescue.2h',
  'agoyahoo',
  'sportssources',
  'colorado',
  'verge',
  'pac-12',
  'big',
  'fall',
  'pac-12',
  'board',
  'meeting',
  'tap',
  'thursday.6h',
  'agoyahoo',
  'sports2023',
  'mlb',
  'trade',
  'deadline',
  'angel',
  'shohei',
  'ohtani',
  'board',
  'lucas',
  'giolitofollow',
  'rumor',
  'deal',
  'reaction',
  'mlb',
  'aug.',
  'trade',
  'deadline.24',
  'sportsseahawks',
  'round',
  'cb',
  'devon',
  'witherspoon',
  'nfl',
  'rookie',
  'year',
  'holdout',
  'era',
  'nfl',
  'rookie',
  'wage',
  'scale.9h',
  'sportsjim',
  'harbaugh',
  'stubbornness',
  'bridge',
  'ncaathe',
  'ncaa',
  'coach',
  'day',
  'harbaugh',
  'way',
  'trouble.7h',
  'agoyahoo',
  'sportsformer',
  'notre',
  'dame',
  'qb',
  'heisman',
  'trophy',
  'winner',
  'johnny',
  'lujack',
  'dame',
  '.',
  'ap',
  'lujack',
  'season',
  'quarterback.1d',
  'agoyahoo',
  'sports2023',
  'mlb',
  'trade',
  'deadline',
  'aaron',
  'judge',
  'yankees',
  'roster',
  'restraint',
  'angst',
  'yankees',
  'emphasis',
  'talent',
  'aging',
  'lineup',
  'star.4h',
  'agoyahoo',
  'sports2023',
  'mlb',
  'trade',
  'deadline',
  'shohei',
  'ohtani',
  'angels',
  'deadlinewill',
  'shohei',
  'ohtani',
  'agoyahoo',
  'sportsboxing',
  'pound',
  'pound',
  'ranking',
  'saturday',
  'superfight',
  'naoya',
  'inoue',
  '.',
  '1after',
  'naoya',
  'inoue',
  'stephen',
  'fulton',
  'tuesday',
  'inoue',
  'terence',
  'crawford.2d',
  'agoyahoo',
  'sportsdolphins',
  'wr',
  'tyreek',
  'hill',
  'settlement',
  'marina',
  'hill',
  'marina',
  'employee',
  'head',
  'boat',
  'permission',
  'month',
  'miami.10h',
  'sportsthe',
  'official',
  'nba',
  'power',
  'nba',
  'team',
  'week',
  'basis',
  'ranking',
  'complaint',
  'them).2d',
  'sportswomen',
  'world',
  'cup',
  'tracker',
  'uswnt',
  'netherlands',
  'rematch',
  'finallindsey',
  'horan',
  'equalizer',
  'match',
  'uswnt.6h',
  'agoyahoo',
  'sportserrol',
  'spence',
  'jr.',
  'path',
  'terence',
  'crawford',
  'boxing',
  'immortalityerrol',
  'spence',
  'jr.',
  'trash',
  'claim',
  'sport',
  'fighter',
  'precipice',
  'goal.12h',
  'agoyahoo',
  'sportsbroncos',
  'coach',
  'sean',
  'payton',
  'nfl',
  'gambling',
  'policy',
  'language',
  'eyioma',
  'uwazurike',
  'gambling',
  'rule',
  'player',
  'sean',
  'payton',
  'nfl',
  'gambling',
  'rule',
  'gun',
  'rules.1d',
  'agoyahoo',
  'justin',
  'herbert',
  'contract',
  'joe',
  'burrow',
  'future?charle',
  'robinson',
  'charles',
  'mcdonald',
  'jori',
  'epstein',
  'justin',
  'herbert',
  'deal',
  'joe',
  'burrow',
  'future',
  'saquon',
  'barkley',
  'holdout',
  'time',
  'cowboys',
  'browns',
  'camp.9h',
  'agoyahoo',
  'sportswomen',
  'soccer',
  'player',
  'lawsuit',
  'butler',
  'university',
  'assault',
  'team',
  'trainertwo',
  'player',
  'player',
  'ex',
  '-',
  'trainer',
  'michael',
  'howell',
  'butler',
  'lawsuit.8h',
  'agomore',
  'storiesyahoo!nflnbamlbnhlworld',
  'cupfantasy',
  'racingolympicsgamechannelrivalspodcastsvideosrssjobshelpmore',
  'newsterms',
  'privacy',
  'policyprivacy',
  'dashboardhelpshare',
  'usabout',
  'adsfollow',
  'app',
  'yahoo',
  'right'],
 ['main',
  'content',
  'sensor',
  'network',
  'maps',
  'radar',
  'severe',
  'weather',
  'news',
  'blogs',
  'mobile',
  'apps',
  'nearest',
  'station',
  'manage',
  'favorite',
  'citieslog',
  'joinsettingsaccount_box',
  'log',
  'person_add',
  'join',
  'setting',
  'settings',
  'sensor',
  'networkmaps',
  'radarsevere',
  'weathernews',
  'blogsmobile',
  'appshistorical',
  'weatherstarnews',
  'blogs',
  'category',
  'news',
  'stories',
  'infographics',
  'posters',
  'news',
  'stories',
  'category',
  'storiesinfographicsposterspublished',
  'weather',
  'company',
  'mission',
  'weather',
  'news',
  'environment',
  'importance',
  'science',
  'life',
  'story',
  'position',
  'parent',
  'company',
  'ibm.recent',
  'storiesweather',
  'articlesour',
  'appsabout',
  'uscontactcareerspws',
  'networkwundermapfeedback',
  'supportterms',
  'useprivacy',
  'policyaccessibility',
  'statementadchoicesdata',
  'vendorswe',
  'responsibility',
  'datum',
  'technology',
  'datum',
  'data',
  'vendor',
  'control',
  'datum',
  'datum',
  'rightspowered',
  'ibm',
  'cloud',
  'copyright',
  'twc',
  'product',
  'technology',
  'llc',
  'javascript',
  'application'],
 ['main',
  'content',
  'sensor',
  'network',
  'maps',
  'radar',
  'severe',
  'weather',
  'news',
  'blogs',
  'mobile',
  'apps',
  'nearest',
  'station',
  'manage',
  'favorite',
  'citieslog',
  'joinsettingsaccount_box',
  'log',
  'person_add',
  'join',
  'setting',
  'settings',
  'sensor',
  'networkmaps',
  'radarsevere',
  'weathernews',
  'blogsmobile',
  'appshistorical',
  'weatherstarnews',
  'blogs',
  'category',
  'news',
  'stories',
  'infographics',
  'posters',
  'news',
  'stories',
  'category',
  'storiesinfographicsposterspublished',
  'weather',
  'company',
  'mission',
  'weather',
  'news',
  'environment',
  'importance',
  'science',
  'life',
  'story',
  'position',
  'parent',
  'company',
  'ibm.recent',
  'storiesweather',
  'articlesour',
  'appsabout',
  'uscontactcareerspws',
  'networkwundermapfeedback',
  'supportterms',
  'useprivacy',
  'policyaccessibility',
  'statementadchoicesdata',
  'vendorswe',
  'responsibility',
  'datum',
  'technology',
  'datum',
  'data',
  'vendor',
  'control',
  'datum',
  'datum',
  'rightspowered',
  'ibm',
  'cloud',
  'copyright',
  'twc',
  'product',
  'technology',
  'llc',
  'javascript',
  'application'],
 ['day',
  'woman',
  'birth',
  'hospital',
  'heart',
  'attack',
  'seizure',
  'kidney',
  'failure',
  'blood',
  'transfusion',
  'problem',
  'death',
  'human',
  'trafficking',
  'sports',
  'entertainment',
  'life',
  'money',
  'tech',
  'travel',
  'opinion',
  'obituariesonly',
  'usa',
  'today',
  'newsletters',
  'subscribers',
  'archives',
  'crossword',
  'enewspaper',
  'magazines',
  'investigations',
  'weather',
  'forecast',
  'video',
  'humankind',
  'curiousbest',
  'booklist',
  'pets',
  'food',
  'reviewed',
  'coupons',
  'blueprint',
  'best',
  'auto',
  'insurance',
  'best',
  'pet',
  'insurance',
  'best',
  'travel',
  'insurance',
  'best',
  'credit',
  'cards',
  'best',
  'cd',
  'rate',
  'best',
  'personal',
  'loans',
  'map',
  'south',
  'weather',
  'tornado',
  'updatessusan',
  'miller',
  'john',
  'bacon',
  'jorge',
  'l.',
  'ortiz',
  'ross',
  'todayrolling',
  'fork',
  'miss.',
  'severe',
  'storm',
  'south',
  'sunday',
  'day',
  'tornado',
  'mississippi',
  'delta',
  'region',
  'country',
  'area',
  'town',
  'dozen',
  'people',
  'storm',
  'prediction',
  'center',
  'tornado',
  'hail',
  'louisiana',
  'mississippi',
  'alabama',
  'night',
  'national',
  'weather',
  'service',
  'office',
  'jackson',
  'mississippi',
  'photo',
  'hail',
  'state',
  'sunday',
  'size',
  'baseball',
  'search',
  'rescue',
  'team',
  'sunday',
  'rubble',
  'weekend',
  'tornado',
  'people',
  'twister',
  'ground',
  'mississippi',
  'hour',
  'friday',
  'night',
  'house',
  'foundation',
  'tree',
  'branch',
  'car',
  'toy',
  'block',
  'rolling',
  'fork',
  'sharkey',
  'county',
  'mile',
  'jackson',
  'tornado',
  'mayor',
  'eldridge',
  'walker',
  'sheriff',
  'department',
  'time',
  'community',
  'resident',
  'time',
  'siren',
  'storm',
  'siren',
  'walker',
  'royce',
  'steed',
  'emergency',
  'manager',
  'humphreys',
  'county',
  'destruction',
  'silver',
  'city',
  'impact',
  'tuscaloosa',
  'birmingham',
  'tornado',
  'hurricane',
  'katrina',
  '2005.“it',
  'devastation',
  'steed',
  'town',
  'population',
  'map',
  '”one',
  'man',
  'morgan',
  'county',
  'alabama',
  'sheriff',
  'department',
  'supercell',
  'mississippi',
  'twister',
  'mile',
  'tornado',
  'damage',
  'north',
  'central',
  'alabama',
  'brian',
  'squitieri',
  'storm',
  'storm',
  'prediction',
  'center',
  'dozen',
  'people',
  'mississippi',
  'emergency',
  'management',
  'agency',
  'deadly',
  'storms',
  'tornado',
  '►',
  'pope',
  'francis',
  'prayer',
  'sunday',
  'people',
  'mississippi',
  'tornado',
  'noon',
  'blessing',
  'vatican',
  'city.',
  'president',
  'joe',
  'biden',
  'sunday',
  'emergency',
  'declaration',
  'mississippi',
  'funding',
  'carroll',
  'humphreys',
  'monroe',
  'sharkey',
  'county',
  'area',
  'friday',
  'night',
  'biden',
  'damage',
  'mississippi',
  'gov.',
  'tate',
  'reeves',
  'state',
  'emergency',
  'federal',
  'emergency',
  'management',
  'agency',
  'home',
  'mississippi',
  'tornado',
  'storm',
  'georgia',
  'tiger',
  'enclosure',
  'tornado',
  'georgia',
  'sunday',
  'morning',
  'building',
  'closing',
  'road',
  'tree',
  'power',
  'line',
  'tiger',
  'animal',
  'park',
  'gov.',
  'brian',
  'kemp',
  'state',
  'emergency',
  'order',
  'hospital',
  'structure',
  'tornado',
  'milledgeville',
  'georgia',
  'police',
  'department',
  'photo',
  'house',
  'tree',
  'resident',
  'emergency',
  'thousand',
  'power',
  'baldwin',
  'county',
  'mile',
  'macon',
  'mile',
  'milledgeville',
  'tornado',
  'cannonville',
  'troup',
  'county',
  'alabama',
  'border',
  'damage',
  'lagrange',
  'daily',
  'news',
  'storm',
  'dollar',
  'size',
  'hail',
  'building',
  'people',
  'injury',
  'official',
  'tiger',
  'enclosure',
  'sunday',
  'wild',
  'animal',
  'safari',
  'pine',
  'mountain',
  'park',
  'tornado',
  'damage',
  'park',
  'facebook',
  'page',
  'post',
  'park',
  'tornado',
  'damage',
  'employee',
  'animal',
  'tigers',
  'safe',
  'post',
  'enclosure',
  'resource',
  'official',
  'resident',
  'help',
  "way'as",
  'recovery',
  'effort',
  'state',
  'leader',
  'delta',
  'region',
  'resident',
  'reeves',
  'word',
  'way',
  'security',
  'secretary',
  'alejandro',
  'mayorkas',
  'fema',
  'administrator',
  'deanne',
  'criswell',
  'agency',
  'support',
  'afternoon',
  'news',
  'conference',
  'rolling',
  'fork',
  'term',
  'recovery',
  'event',
  'criswell',
  'issue',
  'housing',
  '”mississippi',
  'emergency',
  'management',
  'agency',
  'number',
  'resource',
  'water',
  'tarps',
  'restroom',
  'battery',
  'charger',
  'fuel',
  'generator',
  '"it',
  'experience',
  'time',
  'thing',
  'politic',
  'reeves',
  'politic',
  'friend',
  'neighbor',
  'helpthe',
  'mississippi',
  'department',
  'public',
  'safety',
  'donation',
  'water',
  'good',
  'paper',
  'product',
  'victim',
  'storm',
  'way',
  'salvation',
  'army',
  'alabama',
  'louisiana',
  'mississippi',
  'office',
  'supply',
  'feeding',
  'unit',
  'agency',
  'donation',
  'red',
  'cross',
  'disaster',
  'worker',
  'ground',
  'mississippi',
  'help',
  'way',
  'redcross.org',
  'cross',
  'text',
  'redcross',
  'donation',
  'children',
  'emergency',
  'response',
  'team',
  'supply',
  'water',
  'food',
  'diaper',
  'hygiene',
  'kit',
  'family',
  'effort',
  'condition',
  'cluster',
  'friday',
  'storm',
  'tornado',
  'region',
  'siege',
  'weather',
  'sunday',
  'cluster',
  'thunderstorm',
  'alabama',
  'georgia',
  'mississippi',
  'national',
  'weather',
  'service',
  'tornado',
  'watch',
  'mississippi',
  'night',
  'weather',
  'service',
  'tornado',
  'alabama',
  'sunday',
  'night',
  'corridor',
  'supercell',
  'tornado',
  'portion',
  'alabama',
  'montgomery',
  'couple',
  'hour',
  'weather',
  'service',
  'sunday',
  'accuweather',
  'hail',
  'size',
  'golf',
  'ball',
  'alabama',
  'mississippi',
  'sunday',
  'thunderstorm',
  'addition',
  'hail',
  'weather',
  'service',
  'jackson',
  'mississippi',
  'wind',
  'gust',
  'mph',
  'mph',
  'tornado',
  'damage?the',
  'system',
  'path',
  'friday',
  'northeastward',
  'mississippi',
  'alabama',
  'accuweather',
  'national',
  'weather',
  'service',
  'tornado',
  'damage',
  'mile',
  'jackson',
  'town',
  'rolling',
  'fork',
  'sharkey',
  'county',
  'silver',
  'city',
  'humphreys',
  'county',
  'brunt',
  'damage',
  'tornado',
  'mph',
  'tornado',
  'rating',
  'national',
  'weather',
  'service',
  'office',
  'jackson',
  'saturday',
  'tornado',
  'wind',
  'gust',
  'mph',
  'mph',
  'weather',
  'service',
  'tornadoes',
  'explained',
  'tornado',
  'watch',
  'storm',
  'tornado',
  'tornado',
  'mississippi',
  'deep',
  'south',
  'state',
  'decade',
  'national',
  'weather',
  'service',
  'record',
  'april',
  'people',
  'mississippi',
  'tornado',
  'state',
  'u.s.',
  'weather',
  'service',
  'meteorologist',
  'chris',
  'outler',
  'alabama',
  'outbreak',
  'twister',
  'people',
  'damage',
  'sharkey',
  'county?sharkey',
  'county',
  'population',
  'mississippi',
  'delta',
  'region',
  '%',
  'county',
  'population',
  'black',
  '%',
  'census',
  'datum',
  '%',
  'county',
  'household',
  'poverty',
  'county',
  'household',
  'income',
  'household',
  'income',
  'county',
  'level',
  'poverty',
  'mayor',
  'walker',
  'sunday',
  'community',
  'family',
  "''walker",
  'storm',
  'sheriff',
  'department',
  'time',
  'community',
  'resident',
  'time',
  'siren',
  'storm',
  'siren',
  'area',
  'stranger',
  'challenge',
  'backbone',
  'economy',
  'agriculture',
  'lower',
  'delta',
  'flooding',
  'year',
  'crop',
  'farmer',
  'income',
  'farmhand',
  'job',
  'money',
  'economy',
  'brian',
  'broom',
  'diner',
  'worker',
  'refrigeratorthe',
  'owner',
  'employee',
  'rolling',
  'fork',
  'diner',
  'restaurant',
  'walk',
  'refrigerator',
  'rest',
  'restaurant',
  'photo',
  'group',
  'people',
  'cooler',
  'chuck',
  'dairy',
  'bar',
  'wind',
  'refrigerator',
  'ground',
  'owner',
  'tracy',
  'harden',
  'usa',
  'today.“all',
  'light',
  'cooler',
  'husband',
  'wind',
  'refrigerator',
  'door',
  'harden',
  'door',
  'sky',
  'claire',
  'thornton',
  'witnesses',
  'terror',
  'twister',
  'hitcornel',
  'knight',
  'relative',
  'home',
  'rolling',
  'fork',
  'wife',
  'daughter',
  'tornado',
  'direction',
  'transformer',
  'sky',
  'sheddrick',
  'bell',
  'partner',
  'daughter',
  'closet',
  'home',
  'rolling',
  'fork',
  'minute',
  'storm',
  'wind',
  'window',
  'daughter',
  'partner',
  'eye',
  'tornado',
  'deadlynighttime',
  'tornado',
  'tornado',
  'scientist',
  'study',
  'northern',
  'illinois',
  'university',
  'professor',
  'walker',
  'ashley',
  'andrew',
  'krmenec',
  'tornado',
  '%',
  'tornado',
  '%',
  'tornado',
  'death',
  'nighttime',
  'tornado',
  'death',
  'daytime',
  'reason',
  'weather.com',
  'meteorologist',
  'jon',
  'erdman',
  'lightning',
  'tornado',
  'night',
  'erdman',
  'challenge',
  'science',
  'community',
  'face',
  'public',
  'shelter',
  'threat',
  'tornado',
  'second',
  'shelter',
  'doyle',
  'ricecontributing',
  'christine',
  'fernando',
  'claire',
  'thornton',
  'usa',
  'today',
  'jackson',
  'miss.',
  'clarion',
  'ledger',
  'associated',
  'press',
  'weekly',
  'adabout',
  'newsroom',
  'staff',
  'ethical',
  'principles',
  'correction',
  'press',
  'accessibility',
  'sitemap',
  'subscription',
  'terms',
  'conditions',
  'terms',
  'service',
  'california',
  'privacy',
  'rights',
  'privacy',
  'policy',
  'privacy',
  'policydo',
  'sell',
  'share',
  'target',
  'infocookie',
  'settingscontact',
  'account',
  'feedback',
  'home',
  'delivery',
  'enewspaper',
  'usa',
  'today',
  'shop',
  'usa',
  'today',
  'print',
  'editions',
  'licensing',
  'reprints',
  'advertise',
  'careers',
  'internships',
  'businessnews',
  'tips',
  'letter',
  'editor',
  'newsletters',
  'mobile',
  'app',
  'facebook',
  'twitter',
  'instagram',
  'linkedin',
  'pinterest',
  'youtube',
  'reddit',
  'flipboard',
  'jobs',
  'sports',
  'betting',
  'sports',
  'weekly',
  'studio',
  'gannett',
  'classifieds',
  'coupons',
  'blueprint',
  'auto',
  'insurance',
  'pet',
  'insurance',
  'travel',
  'insurance',
  'credit',
  'cards',
  'banking',
  'personal',
  'loans',
  'usa',
  'today',
  'division',
  'gannett',
  'satellite',
  'information',
  'network',
  'llc'],
 ['arkansasentergy',
  'louisianaentergy',
  'mississippientergy',
  'new',
  'orleansentergy',
  'texasentergy',
  'nuclearlatest',
  'news',
  'releasesimage',
  'galleryvideo',
  'b',
  'rollinfographicslogosrss',
  'feedsmedia',
  'contactsinsight',
  'blog',
  'futurepeople',
  'powerstormstips',
  'historyour',
  'leadershipboard',
  'directorsinvestor',
  'value',
  'ethicsdiversity',
  'inclusion',
  'belongingaward',
  'recognitionsocial',
  'centerlatest',
  'updatespreparationsafetyrestorationresourcesmyentergy',
  'entergy',
  'newsroom',
  'storm',
  'contact',
  'usabout',
  'uscareer',
  '',
  '',
  'entergy.com',
  'arkansasentergy',
  'louisianaentergy',
  'mississippientergy',
  'new',
  'orleansentergy',
  'texasentergy',
  'nuclearlatest',
  'news',
  'releasesimage',
  'galleryvideo',
  'b',
  'rollinfographicslogosrss',
  'feedsmedia',
  'contactsinsight',
  'blog',
  'futurepeople',
  'powerstormstips',
  'historyour',
  'leadershipboard',
  'directorsinvestor',
  'value',
  'ethicsdiversity',
  'inclusion',
  'belongingaward',
  'medium',
  'entergy',
  'arkansas',
  'entergy',
  'louisiana',
  'entergy',
  'mississippi',
  'entergy',
  'new',
  'orleans',
  'entergy',
  'texas',
  'insights',
  'entergy',
  'louisiana',
  'storm',
  'update',
  'a.m.',
  'entergy',
  'louisiana',
  'storm',
  'update',
  'a.m.',
  'louisiana',
  'editorial',
  'team',
  'line',
  'storm',
  'wind',
  'north',
  'louisiana',
  'morning',
  'power',
  'thousand',
  'customer',
  'bossier',
  'east',
  'carrol',
  'madison',
  'parish',
  'hour',
  'crew',
  'power',
  'customer',
  'peak',
  'entergy',
  'louisiana',
  'customer',
  'power',
  'a.m.',
  'power',
  'national',
  'weather',
  'service',
  'shreveport',
  'complex',
  'thunderstorm',
  'wind',
  'mph',
  'shreveport',
  'mph',
  'monroe',
  'wind',
  'lightning',
  'potential',
  'damage',
  'report',
  'storm',
  'tree',
  'limb',
  'process',
  'powerline',
  'equipment',
  'entergy',
  'crew',
  'damage',
  'restoration',
  'plan',
  'light',
  'morning',
  'day',
  'work',
  'field',
  'switching',
  'power',
  'crew',
  'power',
  'work',
  'material',
  'personnel',
  'chainsaw',
  'tree',
  'trimmer',
  'bucket',
  'truck',
  'distribution',
  'line',
  'worker',
  'job',
  'customer',
  'restoration',
  'time',
  'area',
  'area',
  'crew',
  'repair',
  'equipment',
  'company',
  'customer',
  'process',
  'customer',
  'storm',
  'event',
  'weather',
  'equipment',
  'ground',
  'debris',
  'distance',
  'powerline',
  'crew',
  'worksite',
  'powerline',
  'area',
  'entergy',
  'company',
  'customer',
  'generator',
  'manufacturer',
  'guideline',
  'generator',
  'door',
  'window',
  'carbon',
  'monoxide',
  'hazard',
  'safety',
  'utility',
  'worker',
  'area',
  'generator',
  'wall',
  'outlet',
  'backfeed',
  'power',
  'grid',
  'crew',
  'equipment',
  'entergy',
  'power',
  'community',
  'light',
  'way',
  'touch',
  'storm',
  'center',
  'text',
  'messaging',
  'app',
  'medium',
  'channel',
  'facebook',
  'twitter',
  '@entergyla',
  'entergy',
  'arkansas',
  'storm',
  'damage',
  'power',
  'grid',
  'entergy',
  'workplace',
  'new',
  'orleans',
  'energy',
  'efficiency',
  'tip',
  'summer',
  'budget',
  'louisiana',
  'llcentergy',
  'arkansas',
  'llcentergy',
  'mississippi',
  'llcentergy',
  'new',
  'orleans',
  'llcentergy',
  'texas',
  'inc.',
  'entergy',
  'nuclearadditional',
  'releasesinsight',
  'centercontact',
  'entergy',
  'corporation',
  'right'],
 ['st.',
  'louis',
  'news',
  'missouri',
  'news',
  'illinois',
  'news',
  'national',
  'news',
  'politics',
  'hill',
  'contact',
  'fox',
  'file',
  'crime',
  'real',
  'estate',
  'hancock',
  'kelley',
  'margie',
  'money',
  'saver',
  'legal',
  'lens',
  'medical',
  'minute',
  'proud',
  'stl',
  'pulse',
  'st.',
  'louis',
  'reporters',
  'spirit',
  'st.',
  'louis',
  'bestreviews',
  'bestreviews',
  'daily',
  'deals',
  'automotive',
  'news',
  'press',
  'nonprofit',
  'wildwood',
  'ice',
  'donation',
  'family',
  'effort',
  'officer',
  'casey',
  'williamson',
  'mother',
  'isp',
  'license',
  'plate',
  'reader',
  'st.',
  'louis',
  'weather',
  'radar',
  'closings',
  'delays',
  'daily',
  'st.',
  'louis',
  'area',
  'forecast',
  'fox',
  'meteorologist',
  'chris',
  'higgins',
  'extreme',
  'weather',
  'blog',
  'long',
  'range',
  'forecast',
  'watch',
  'warnings',
  'allergy',
  'index',
  'river',
  'level',
  'flood',
  'forecast',
  'segment',
  'newscast',
  'playback',
  'fox',
  'program',
  'schedule',
  'kplr',
  'program',
  'schedule',
  'breaking',
  'news',
  'press',
  'conference',
  'event',
  'video',
  'skyfox',
  'helicopter',
  'st.',
  'louis',
  'area',
  'video',
  'cameras',
  'fanduel',
  'horse',
  'rogue',
  'runner',
  'storm',
  'runner',
  'st.',
  'louis',
  'cardinals',
  'st.',
  'louis',
  'blues',
  'battlehawks',
  'st.',
  'louis',
  'city',
  'sc',
  'kansas',
  'city',
  'chiefs',
  'liv',
  'golf',
  'high',
  'school',
  'sports',
  'scores',
  'sports',
  'illustrated',
  'college',
  'prep',
  'zone',
  'cardinals',
  'diamondback',
  'home',
  'run',
  'mount',
  'rushmore',
  'st.',
  'louis',
  'sport',
  'fox',
  'fan',
  'diamondback',
  'score',
  'cardinal',
  'tko',
  'kid',
  'cardinals',
  'edwardsville',
  'futures',
  'tennis',
  'tournament',
  'nomination',
  'tools',
  'teachers',
  'nomination',
  'ticket',
  'mannheim',
  'steamroller',
  'ticket',
  'muny',
  'theatre',
  'bret',
  'michaels',
  'parti',
  'gras',
  'tour',
  'friday',
  'expert',
  'arts',
  'entertainment',
  'guest',
  'certificates',
  'fashion',
  'beauty',
  'feature',
  'business',
  'event',
  'food',
  'newsletter',
  'lou',
  'lou',
  'confluence',
  'academies',
  'girls',
  'inc.',
  'st.',
  'louis',
  'woods',
  'basement',
  'systems',
  'thing',
  'basementy',
  'project',
  'guy',
  'fence',
  'snoot',
  'snifter',
  'maplewood',
  'pig',
  'career',
  'post',
  'job',
  'contact',
  'anchors',
  'reporters',
  'newsletters',
  'st.',
  'louis',
  'area',
  'event',
  'advertise',
  'newscast',
  'guest',
  'captioning',
  'rss',
  'information',
  'question',
  'order',
  'copy',
  'newscast',
  'school',
  'closing',
  'registration',
  'internship',
  'kplr',
  'student',
  'shadow',
  'program',
  'work',
  'regional',
  'news',
  'partners',
  'bestreviews',
  'storm',
  'damage',
  'power',
  'outage',
  'jefferson',
  'county',
  'apr',
  'pm',
  'cdt',
  'apr',
  'pm',
  'cdt',
  'apr',
  'pm',
  'cdt',
  'apr',
  'pm',
  'cdt',
  'hillsboro',
  'mo.',
  'storm',
  'damage',
  'hillsboro',
  'missouri',
  'dozen',
  'home',
  'fire',
  'station',
  'community',
  'civic',
  'club',
  'roof',
  'hillsboro',
  'intermediate',
  'school',
  'national',
  'weather',
  'service',
  'damage',
  'tornado',
  'area',
  'line',
  'wind',
  'billie',
  'gibbons',
  'family',
  'hillsboro',
  'chesterfield',
  'storm',
  'saturday',
  'night',
  'gibbons',
  'drive',
  'home',
  'cat',
  'tree',
  'roof',
  'garage',
  'thank',
  'inbox',
  'ameren',
  'missouri',
  'crew',
  'power',
  'people',
  'sunday',
  'morning',
  'power',
  'night',
  'gibbons',
  'power',
  'morning',
  'chesterfield',
  'bit',
  'power',
  'tree',
  'gibbons',
  'street',
  'house',
  'hillsboro',
  'fire',
  'chief',
  'brian',
  'gaudette',
  'tree',
  'dozen',
  'home',
  'fire',
  'station',
  'hit',
  'roof',
  'damage',
  'siding',
  'damage',
  'gutter',
  'damage',
  'gaudette',
  'road',
  'fire',
  'station',
  'hillsboro',
  'intermediate',
  'school',
  'power',
  'school',
  'roof',
  'damage',
  'repair',
  'kid',
  'school',
  'tomorrow',
  'gaudette',
  'schnuck',
  'shopper',
  'compensation',
  'lawsuit',
  'alcohol',
  'price',
  'gibbons',
  'son',
  'class',
  'son',
  'grade',
  'church',
  'street',
  'fire',
  'station',
  'window',
  'result',
  'storm',
  'damage',
  'ticket',
  'booth',
  'hillsboro',
  'community',
  'civic',
  'center',
  'storm',
  'kind',
  'east',
  'gaudette',
  'herculaneum',
  'festus',
  'picture',
  'night',
  'vehicle',
  'interstate',
  'hillsboro',
  'area',
  'jefferson',
  'county',
  'typo',
  'error(required',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'amazon',
  'school',
  'deal',
  'schooler',
  'school',
  'corner',
  'amazon',
  'supply',
  'school',
  'deal',
  'supply',
  'schooler',
  'august',
  'vegetable',
  'flower',
  'flower',
  'plant',
  'hour',
  'soil',
  'air',
  'temperature',
  'sunshine',
  'august',
  'month',
  'planting',
  'chemical',
  'guys',
  'kit',
  'car',
  'car',
  'care',
  'hour',
  'chemical',
  'guys',
  'car',
  'wash',
  'kit',
  'time',
  'deal',
  'soldier',
  'niger',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'senate',
  'gop',
  'leader',
  'mcconnell',
  'news',
  'conference',
  'samsung',
  'smartphone',
  'bet',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'soldier',
  'niger',
  'senate',
  'gop',
  'leader',
  'mcconnell',
  'news',
  'conference',
  'samsung',
  'smartphone',
  'bet',
  'journalist',
  'year',
  'prison',
  'ocean',
  'heat',
  'people',
  'high',
  'arizona',
  'nonprofit',
  'wildwood',
  'ice',
  'donation',
  'mother',
  'daughter',
  'recount',
  'flash',
  'flooding',
  'casey',
  'williamson',
  'mother',
  'isp',
  'license',
  'plate',
  'reader',
  'shooting',
  'madison',
  'illinois',
  'ssm',
  'health',
  'medical',
  'minute',
  'cardio',
  'thrive',
  'program',
  'major',
  'case',
  'squad',
  'shooting',
  'apa',
  'national',
  'boop',
  'pet',
  'day',
  'north',
  'county',
  'police',
  'cooperative',
  'heat',
  'metro',
  'east',
  'crime',
  'tool',
  'major',
  'case',
  'squad',
  'arrest',
  'berkeley',
  'homicide',
  'journalist',
  'year',
  'prison',
  'ocean',
  'heat',
  'people',
  'high',
  'arizona',
  'trump',
  'biden',
  'republicans',
  'year',
  'boy',
  'family',
  'mountain',
  'arizona',
  'girl',
  'montana',
  'federal',
  'reserve',
  'rate',
  'time',
  'attorney',
  'm',
  'settlement',
  'water',
  'gift',
  'summer',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'home',
  'depot',
  'foot',
  'skeleton',
  'halloween',
  'deal',
  'day',
  'prime',
  'day',
  'favorite',
  'amazon',
  'essentials',
  'clothe',
  'bee',
  'belleville',
  'illinois',
  'speed',
  'trap',
  'illinois',
  'stl',
  'enforcement',
  'event',
  'ellisville',
  'man',
  'car',
  'stay',
  'execution',
  'johnny',
  'johnson',
  'furniture',
  'store',
  'warning',
  'customer',
  'tick',
  'specie',
  'mo',
  'livestock',
  'risk',
  'nonprofit',
  'ice',
  'donation',
  'horse',
  'family',
  'effort',
  'officer',
  'casey',
  'williamson',
  'mother',
  'isp',
  'license',
  'plate',
  'reader',
  'mo',
  'marijuana',
  'microbusiness',
  'application',
  'thursday',
  'teen',
  'victim',
  'madison',
  'il',
  'st.',
  'louis',
  'news',
  'weather',
  'sport',
  'news',
  'st.',
  'louis',
  'weather',
  'st.',
  'louis',
  'radar',
  'live',
  'video',
  'traffic',
  'sports',
  'contests',
  'reporter',
  'event',
  'alexa',
  'news',
  'tips',
  'newsletters',
  'ktvi',
  'kplr',
  'eeo',
  'ktvi',
  'public',
  'file',
  'kplr',
  'public',
  'file',
  'public',
  'file',
  'fcc',
  'applications',
  'android',
  'app',
  'google',
  'play',
  'android',
  'weather',
  'app',
  'google',
  'play',
  'personal',
  'information',
  'personal',
  'information',
  'nexstar',
  'media',
  'inc.',
  'rights'],
 ['home',
  'mail',
  'news',
  'finance',
  'sports',
  'entertainment',
  'life',
  'search',
  'shopping',
  'yahoo',
  'plus',
  'yahoo',
  'life',
  'newsletter',
  'yahoo',
  'lifestyle',
  'yahoo',
  'lifestyle',
  'search',
  'query',
  'sign',
  'mail',
  'sign',
  'mail',
  'life',
  'health',
  'facts',
  'life',
  'mental',
  'health',
  'resources',
  'unwind',
  'parent',
  'kid',
  'mini',
  'ways',
  'ttc',
  'style',
  'beauty',
  'good',
  'news',
  'horoscopes',
  'shopping',
  'buying',
  'guides',
  'winter',
  'storm',
  'snow',
  'illinois',
  'maineread',
  'winter',
  'storm',
  'snow',
  'illinois',
  'winter',
  'storm',
  'snow',
  'illinois',
  'winter',
  'storm',
  'snow',
  'illinois',
  'winter',
  'storm',
  'snow',
  'illinois',
  'winter',
  'storm',
  'snow',
  'illinois',
  'winter',
  'storm',
  'snow',
  'illinois',
  'sosnowskimarch',
  'pm·7',
  'min',
  'reada',
  'storm',
  'slew',
  'problem',
  'south',
  'state',
  'midwest',
  'week',
  'zone',
  'snow',
  'edge',
  '-',
  'mississippi',
  'valley',
  'great',
  'lakes',
  'new',
  'york',
  'state',
  'new',
  'england',
  'accuweather',
  'meteorologist',
  'travel',
  'disruption',
  'snowfall',
  'total',
  'inch',
  'mile',
  'corridor',
  'united',
  'states',
  'multiday',
  'weather',
  'outbreak',
  'south',
  'storm',
  'path',
  'portion',
  'midwest',
  'snow',
  'total',
  'chicago',
  'area',
  'corridor',
  'snow',
  'city',
  'suburb',
  'inch',
  'snow',
  'farther',
  'east',
  'indiana',
  'half',
  'michigan',
  'inch',
  'snow',
  'hour',
  'snow',
  'flight',
  'delay',
  'cancellation',
  'detroit',
  'airport',
  'issue',
  'city',
  'albany',
  'boston',
  'flight',
  'delay',
  'rain',
  'visibility',
  'south',
  'hub',
  'st.',
  'louis',
  'pittsburgh',
  'new',
  'york',
  'city',
  'philadelphia',
  'ripple',
  'effect',
  'delay',
  'nation',
  'storm',
  'crew',
  'plane',
  'storm',
  'nation',
  'airline',
  'travel',
  'hub',
  'midwest',
  'northeast',
  'accuweather',
  'senior',
  'meteorologist',
  'dean',
  'devore',
  'volume',
  'traveler',
  'spring',
  'break',
  'matter',
  'accuweather',
  'app',
  'unlock',
  'accuweather',
  'alerts',
  'premium+"there',
  'gradient',
  'snowfall',
  'metro',
  'area',
  'upper',
  'midwest',
  'northeast',
  'devore',
  'wedge',
  'air',
  'storm',
  'air',
  'north',
  'system',
  'continuesin',
  'chicago',
  'gradient',
  'downtown',
  'chicago',
  'flurry',
  'storm',
  'place',
  'mile',
  'south',
  'hour',
  'snow',
  'whiteout',
  'condition',
  'gradient',
  'area',
  'edge',
  'storm',
  'accuweather',
  'meteorologist',
  'andrew',
  'johnson',
  'levine',
  'storm',
  'air',
  'north',
  'snow',
  'rain',
  'rain',
  'snow',
  'missouri',
  'illinois',
  'indiana',
  'friday',
  'band',
  'snow',
  'west',
  'michigan',
  'dozen',
  'mile',
  'mixture',
  'snow',
  'rain',
  'chicago',
  'friday',
  'evening',
  'snow',
  'band',
  'indiana',
  'dozen',
  'mile',
  'detroit',
  'snowfall',
  'rate',
  'inch',
  'hour',
  'swath',
  'road',
  'condition',
  'snow',
  'accuweather',
  'forecaster',
  'condition',
  'distance',
  'air',
  'precipitation',
  'rain',
  'chicago',
  'neighborhood',
  'storm',
  'northwest',
  'city',
  'air',
  'place',
  'precipitation',
  'setup',
  'east',
  'moisture',
  'detroit',
  'metro',
  'area',
  'inch',
  'snow',
  'inch',
  'north',
  'west',
  'devore',
  'michigan',
  'foot',
  'snow',
  'area',
  'downriver',
  'couple',
  'inch',
  'snow',
  'slush',
  'change',
  'rain',
  'friday',
  'night',
  'rain',
  'fog',
  'thunderstorm',
  'travel',
  'trouble',
  'portion',
  'interstate',
  'corridor',
  'midwest',
  'north',
  'ohio',
  'friday',
  'stretch',
  'i-80',
  'indiana',
  'snow',
  'interstate',
  'michigan',
  'vehicle',
  'snow',
  'region',
  'rain',
  'pace',
  'drainage',
  'area',
  'flooding',
  'risk',
  'vehicle',
  'highway',
  'snow',
  'rain',
  'area',
  'wind',
  'storm',
  'portion',
  'tennessee',
  'ohio',
  'valley',
  'appalachians',
  'hurricane',
  'force',
  'mph',
  'store',
  'friday',
  'night',
  'score',
  'power',
  'outage',
  'road',
  'tree',
  'mid',
  '-',
  'afternoon',
  'friday',
  'utility',
  'customer',
  'power',
  'south',
  'state',
  'situation',
  'northeast',
  'storm',
  'great',
  'lakes',
  'friday',
  'night',
  'storm',
  'shape',
  'coast',
  'storm',
  'steam',
  'saturday',
  'area',
  'snow',
  'sleet',
  'northeast',
  'midwest',
  'snow',
  'new',
  'york',
  'state',
  'snowfall',
  'accumulation',
  'inch',
  'foot',
  'friday',
  'afternoon',
  'saturday',
  'farther',
  'period',
  'snow',
  'sleet',
  'rain',
  'travel',
  'condition',
  'time',
  'appalachians',
  'friday',
  'precipitation',
  'rain',
  'friday',
  'friday',
  'night',
  'rain',
  'fog',
  'travel',
  'highway',
  'flight',
  'delay',
  'condition',
  'new',
  'england',
  'line',
  'rain',
  'snow',
  'downtown',
  'area',
  'boston',
  'inch',
  'snow',
  'slush',
  'changeover',
  'rain',
  'devore',
  'area',
  'west',
  'city',
  'center',
  'inch',
  'snow',
  'area',
  'interstate',
  'storm',
  'snow',
  'system',
  'saturday',
  'night',
  'accumulation',
  'boston',
  'storm',
  'potential',
  'new',
  'england',
  'foot',
  'snow',
  'accuweather',
  'local',
  'stormmax',
  'inch',
  'ridge',
  'peak',
  'storm',
  'friday',
  'saturday',
  'storm',
  'new',
  'york',
  'city',
  'snowfall',
  'year',
  'devore',
  'storm',
  'monday',
  'night',
  'tuesday',
  'inch',
  'snow',
  'central',
  'park',
  'inch',
  'bronx',
  'change',
  'friday',
  'friday',
  'evening',
  'snow',
  'coating',
  'new',
  'york',
  'city',
  'devore',
  'rain',
  'time',
  'friday',
  'night',
  'saturday',
  'morning',
  'big',
  'apple',
  'portion',
  'i-80',
  'new',
  'jersey',
  'pennsylvania',
  'time',
  'friday',
  'afternoon',
  'evening',
  'burst',
  'snow',
  'sleet',
  'combination',
  'rain',
  'cloud',
  'ceiling',
  'fog',
  'travel',
  'road',
  'airline',
  'delay',
  'i-95',
  'corridor',
  'washington',
  'd.c.',
  'philadelphia',
  'new',
  'york',
  'city',
  'weekend',
  'travel',
  'condition',
  'west',
  'east',
  'midwest',
  'northeast',
  'sunday',
  'snow',
  'shower',
  'portion',
  'new',
  'york',
  'new',
  'england',
  'condition',
  'march',
  'spring',
  'pattern',
  'midwest',
  'northeast',
  'air',
  'potential',
  'storm',
  'snow',
  'correction',
  'story',
  'snow',
  'storm',
  'new',
  'york',
  'city',
  'week',
  'storm',
  'new',
  'york',
  'city',
  'total',
  'inch',
  'inch',
  'snow',
  'monday',
  'tuesday',
  'inch',
  'snow',
  'level',
  'safety',
  'ad',
  'weather',
  'alert',
  'premium+',
  'accuweather',
  'app',
  'accuweather',
  'alerts',
  'expert',
  'meteorologist',
  'weather',
  'risk',
  'family',
  'car',
  'death',
  'life·7',
  'min',
  'olive',
  'oil',
  'brain',
  'health',
  'studyyahoo',
  'life·5',
  'min',
  'readbarbie',
  'death',
  'anxiety',
  'yahoo',
  'life·7',
  'min',
  'people',
  'joy',
  'frustration',
  'pronoun',
  'yahoo',
  'life·6',
  'min',
  'james',
  'lebron',
  'james',
  'year',
  'son',
  'arrest',
  'condition',
  'yahoo',
  'life·6',
  'min',
  'storiesyahoo',
  'life',
  "shopping'so",
  'office',
  'chair',
  'amazon',
  "midnight'provides",
  'support',
  'head',
  'hip',
  'hand',
  'fan',
  'lumbar',
  'support',
  'life',
  'bra',
  'warner',
  'style',
  'smooth',
  '%',
  'off)it',
  'figure',
  'now.5d',
  'life',
  'shoppingif',
  'thing',
  'summer',
  'lenovo',
  'laptop',
  '%',
  'offshopper',
  'gold',
  'machine',
  "'9h",
  'agoyahoo',
  'life',
  'shoppingthe',
  'deal',
  'amazon',
  'saturday',
  'memory',
  'foam',
  'pillow',
  'pack',
  '%',
  'massage',
  'gun',
  'saving',
  '%',
  'price.4d',
  'agoyahoo',
  'life',
  'time',
  'blouse',
  'figure',
  'shopper',
  'summer',
  'life',
  'foot',
  'massager',
  'heaven',
  'shopper',
  '%',
  'code',
  'goodbye',
  'ache',
  'muscle',
  'fatigue.4d',
  'agoyahoo',
  'life',
  'shoppingpsst',
  'airpods',
  'shopper',
  'love',
  '99the',
  'charging',
  'case',
  'day',
  'listening',
  'pleasure',
  'life',
  'shoppingnordstrom',
  'anniversary',
  'sale',
  'shop',
  'le',
  'creuset',
  'coach',
  'outsave',
  '%',
  'brand',
  'store',
  'discount',
  'event.2d',
  'lifewant',
  'year',
  'study',
  'habit',
  'life',
  'study',
  'behavior',
  'longevity',
  'life',
  'shoppingkate',
  'hudson',
  'la',
  'mer',
  'skin',
  'care',
  'product',
  '%',
  'nordstrom',
  'anniversary',
  'saleher',
  'mom',
  'goldie',
  'hawn',
  'brand',
  'year',
  'ago.1d',
  'agomore',
  'stories',
  'twitterfacebookinstagrampinterestyoutubeyahoo!healthparentingstyle',
  'beautygood',
  'newshoroscopesshoppingterms',
  'privacy',
  'policyprivacy',
  'adssite',
  'map',
  'yahoo',
  'right'],
 ['contentskip',
  'navigationskip',
  'navigationprint',
  'subscription',
  'sign',
  'insearch',
  'jobssearchus',
  'editionus',
  'editionuk',
  'editionaustralia',
  'guardian',
  'guardiannewsopinionsportculturelifestyleshowmoreshow',
  'morenewsview',
  'newsus',
  'newsworld',
  'politicsbusinesstechsciencenewslettersfight',
  'democracyopinionview',
  'opinionthe',
  'guardian',
  'viewcolumnistslettersopinion',
  'videoscartoonssportview',
  'sportsoccernfltennismlbmlsnbanhlf1golfcultureview',
  'culturefilmbooksmusicart',
  'designtv',
  'radiostageclassicalgameslifestyleview',
  'lifestylefashionfoodrecipeslove',
  'sexhome',
  'gardenhealth',
  'fitnessfamilytravelmoneysearch',
  'input',
  'google',
  'search',
  'searchsupport',
  'usprint',
  'subscriptionsus',
  'editionuk',
  'editionaustralia',
  'editionsearch',
  'jobsdigital',
  'archiveguardian',
  'puzzles',
  'licensingthe',
  'guardian',
  'guardianguardian',
  'weeklycrosswordswordiplycorrectionsfacebooktwittersearch',
  'jobsdigital',
  'archiveguardian',
  'puzzles',
  'licensingusworldenvironmentsoccerus',
  'politicsbusinesstechsciencenewslettersfight',
  'democracy',
  'downed',
  'line',
  'utility',
  'pole',
  'road',
  'tornado',
  'harvey',
  'louisiana',
  'wednesday',
  'photograph',
  'christiana',
  'botic',
  'line',
  'utility',
  'pole',
  'road',
  'tornado',
  'harvey',
  'louisiana',
  'wednesday',
  'photograph',
  'christiana',
  'botic',
  'epaus',
  'weather',
  'article',
  'month',
  'oldthree',
  'people',
  'louisiana',
  'storm',
  'system',
  'article',
  'month',
  'batter',
  'louisiana',
  'storm',
  'system',
  'blizzard',
  'condition',
  'great',
  'plainsassociated',
  'press',
  'new',
  'orleansthu',
  'dec',
  'estlast',
  'thu',
  'dec',
  'esta',
  'storm',
  'system',
  'people',
  'louisiana',
  'tornado',
  'state',
  'north',
  'south',
  'new',
  'orleans',
  'area',
  'system',
  'blizzard',
  'condition',
  'great',
  'plains',
  'injury',
  'louisiana',
  'power',
  'outage',
  'wednesday',
  'night',
  'storm',
  'mother',
  'son',
  'north',
  'west',
  'state',
  'day',
  'tornado',
  'woman',
  'wednesday',
  'south',
  'east',
  'louisiana',
  'st',
  'charles',
  'parish',
  'new',
  'orleans',
  'jefferson',
  'st',
  'bernard',
  'parish',
  'area',
  'tornado',
  'march',
  'tornado',
  'new',
  'iberia',
  'louisiana',
  'people',
  'window',
  'iberia',
  'medical',
  'center',
  'hospital',
  'dark',
  'cloud',
  'bradley',
  'lane',
  'tornado',
  'home',
  'new',
  'iberia',
  'louisiana',
  'wednesday',
  'photograph',
  'leslie',
  'westbrook',
  'aptornado',
  'threat',
  'mississippi',
  'county',
  'florida',
  'alabama',
  'weather',
  'threat',
  'new',
  'orleans',
  'emergency',
  'director',
  'collin',
  'arnold',
  'business',
  'residence',
  'wind',
  'damage',
  'west',
  'bank',
  'mississippi',
  'home',
  'people',
  'word',
  'damage',
  'home',
  'business',
  'damage',
  'jefferson',
  'parish',
  'sheriff',
  'suburb',
  'west',
  'new',
  'orleans',
  'building',
  'sheriff',
  'training',
  'academy',
  'building',
  'st',
  'bernard',
  'parish',
  'march',
  'tornado',
  'devastation',
  'sheriff',
  'jimmy',
  'pohlman',
  'damage',
  'mile',
  'stretch',
  'president',
  'guy',
  'mcinnis',
  'damage',
  'march',
  'roof',
  'authority',
  'st',
  'charles',
  'parish',
  'west',
  'new',
  'orleans',
  'woman',
  'tornado',
  'killona',
  'mississippi',
  'people',
  'hospital',
  '“she',
  'residence',
  'sheriff',
  'greg',
  'champagne',
  'woman',
  'debris',
  'tornado',
  '”about',
  'mile',
  'louisiana',
  'authority',
  'body',
  'mother',
  'child',
  'tornado',
  'home',
  'tuesday',
  'keithville',
  'shreveport',
  'house',
  'house',
  'governor',
  'john',
  'bel',
  'edwards',
  'reporter',
  'mile',
  'path',
  'destruction',
  'emergency',
  'declaration',
  'debris',
  'weather',
  'wednesday',
  'keithville',
  'louisiana',
  'photograph',
  'jake',
  'bleiberg',
  'apthe',
  'caddo',
  'parish',
  'coroner',
  'body',
  'year',
  'nikolus',
  'little',
  'wood',
  'body',
  'mother',
  'yoshiko',
  'smith',
  'storm',
  'debris',
  'casey',
  'jones',
  'sheriff',
  'office',
  'boy',
  'father',
  'grocery',
  'storm',
  'family',
  'house',
  'jones',
  'storm',
  'louisiana',
  'south',
  'union',
  'parish',
  'arkansas',
  'line',
  'farmerville',
  'mayor',
  'john',
  'crow',
  'tornado',
  'tuesday',
  'night',
  'apartment',
  'complex',
  'family',
  'neighboring',
  'trailer',
  'park',
  'home',
  'crow',
  'home',
  'lake',
  'd’arbonne',
  'rankin',
  'county',
  'mississippi',
  'tornado',
  'chicken',
  'house',
  'rooster',
  'sheriff',
  'mobile',
  'home',
  'sharkey',
  'county',
  'debris',
  'storm',
  'journey',
  'snow',
  'sierra',
  'nevada',
  'tuesday',
  'thunderstorm',
  'texas',
  'people',
  'grapevine',
  'dallas',
  'suburb',
  'forecaster',
  'system',
  'midwest',
  'ice',
  'rain',
  'snow',
  'day',
  'appalachians',
  'north',
  'east',
  'national',
  'weather',
  'service',
  'winter',
  'storm',
  'wednesday',
  'night',
  'friday',
  'afternoon',
  'resident',
  'west',
  'virginia',
  'vermont',
  'mix',
  'snow',
  'ice',
  'sleet',
  'viewedusworldenvironmentsoccerus',
  'politicsbusinesstechsciencenewslettersfight',
  'reporting',
  'analysis',
  'guardian',
  'ushelpcomplaint',
  'correctionssecuredropwork',
  'usprivacy',
  'policycookie',
  'policyterms',
  'conditionscontact',
  'usall',
  'topicsall',
  'newspaper',
  'archivefacebookyoutubeinstagramlinkedintwitternewslettersadvertise',
  'labssearch',
  'guardian',
  'news',
  'media',
  'limited',
  'company',
  'right'],
 ['cbs',
  'news',
  'boston',
  'free',
  '24/7',
  'news',
  'man',
  'tree',
  'storm',
  'nh',
  'massachusetts',
  'august',
  'pm',
  'cbs',
  'boston',
  'tree',
  'pickup',
  'truck',
  'hollis',
  'nh',
  'tree',
  'pickup',
  'truck',
  'hollis',
  'nh',
  'boston',
  'thunderstorm',
  'massachusetts',
  'new',
  'hampshire',
  'friday',
  'afternoon',
  'hollis',
  'new',
  'hampshire',
  'storm',
  'tree',
  'wire',
  'man',
  'tree',
  'truck',
  'zachary',
  'leishman',
  'driveway',
  'matter',
  'second',
  'wind',
  'rain',
  'tree',
  'truck',
  'leishman',
  'truck',
  'tree',
  'hollis',
  'nh',
  'zachary',
  'leishman',
  'terrified',
  'moment',
  'roof',
  'truck',
  'way',
  'mess',
  'branch',
  'wire',
  'inch',
  'leishman',
  'minute',
  'fire',
  'crew',
  'roof',
  'minute',
  'leishman',
  'hollis',
  'fire',
  'department',
  'driver',
  'silver',
  'lake',
  'road',
  'rocky',
  'pond',
  'road',
  'wood',
  'lane',
  'federal',
  'hill',
  'road',
  'lightning',
  'waltham',
  'friday',
  'time',
  'thunderstorm',
  'warning',
  'suffolk',
  'middlesex',
  'norfolk',
  'county',
  'massachusetts',
  'viewer',
  'waltham',
  'massachusetts',
  'photo',
  'lightning',
  'bolt',
  'wbz',
  'news',
  'team',
  'group',
  'journalist',
  'content',
  'wbz.com',
  'august',
  'pm',
  'cbs',
  'broadcasting',
  'inc.',
  'rights',
  'thank',
  'cbs',
  'news',
  'account',
  'feature',
  'email',
  'address',
  'email',
  'address',
  'ground',
  'philadelphia',
  'international',
  'airport',
  'weather',
  'alert',
  'day',
  'thunderstorm',
  'watch',
  'michigan',
  'p.m.',
  'thunderstorm',
  'power',
  'outage',
  'grosse',
  'pointe',
  'pump',
  'station',
  'man',
  'lightning',
  'st.',
  'clair',
  'county',
  'safety',
  'awareness',
  'term',
  'use',
  'privacy',
  'policy',
  'california',
  'notice',
  'personal',
  'information',
  'wbz',
  'tv',
  'news',
  'sports',
  'weather',
  'contests',
  'program',
  'guide',
  'sitemap',
  'advertise',
  'paramount+',
  'cbs',
  'television',
  'jobs',
  'public',
  'file',
  'wbz',
  'tv',
  'public',
  'file',
  'wsbk',
  'tv',
  'mytv38',
  'public',
  'inspection',
  'file',
  'fcc',
  'applications',
  'eeo',
  'browser',
  'notification',
  'news',
  'event',
  'reporting'],
 ['messi',
  'mania',
  'extreme',
  'heat',
  'hurricane',
  'season',
  'camera',
  'new',
  'favorite',
  'futbolista',
  'tip',
  'newsletters',
  'colorado',
  'state',
  'hurricane',
  'season',
  'forecast',
  'average',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'hurricane',
  'season',
  'storm',
  'hurricane',
  'hurricane',
  'published',
  'july',
  'july',
  'pm',
  'researcher',
  'colorado',
  'state',
  'forecast',
  'hurricane',
  'season',
  'storm',
  'hurricane',
  'hurricane',
  'colorado',
  'state',
  'forecast',
  'thursday',
  'forecast',
  'increase',
  'storm',
  'hurricane',
  'hurricane',
  'colorado',
  'state',
  'june',
  'start',
  'hurricane',
  'season',
  'forecast',
  'storm',
  'january',
  'tropical',
  'storms',
  'arlene',
  'bret',
  'cindy',
  'june',
  'south',
  'florida',
  'news',
  'weather',
  'forecast',
  'entertainment',
  'story',
  'inbox',
  'sign',
  'nbc',
  'south',
  'florida',
  'newsletter',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'hurricane',
  'season',
  'storm',
  'hurricane',
  'hurricane',
  'nbc6',
  'hurricane',
  'special',
  'june',
  '1st',
  'noaa',
  'average',
  'hurricane',
  'season',
  'storm',
  'hurricane',
  'average',
  'hurricane',
  'video',
  'assault',
  'dolphins',
  'tyreek',
  'hill',
  'finance',
  'director',
  '245k',
  'school',
  'thousand',
  'casino',
  'police',
  'noaa',
  'prediction',
  'august',
  'peak',
  'hurricane',
  'season',
  'hurricane',
  'season',
  'nov.',
  'atlantic',
  'hurricane',
  'season',
  'storm',
  'hurricane',
  'status',
  'fiona',
  'ian',
  'hurricane',
  'hurricane',
  'ian',
  'hurricane',
  'florida',
  'cuba',
  'september',
  'hurricane',
  'ian',
  'storm',
  'world',
  'meteorologist',
  'steve',
  'maclaughlin',
  'ian',
  'landfall',
  'florida',
  'category',
  'monster',
  'wall',
  'water',
  'foot',
  'people',
  'ian',
  'state',
  'foot',
  'rain',
  'river',
  'flooding',
  'season',
  'hurricane',
  'nicole',
  'florida',
  'november',
  'hurricane',
  'landfall',
  'east',
  'coast',
  'florida',
  'katrina',
  'hurricane',
  'record',
  'sunshine',
  'state',
  'month',
  'november',
  'end',
  'category',
  'hurricane',
  'nicole',
  'storm',
  'surge',
  'havoc',
  'coast',
  'state',
  'home',
  'business',
  'sea',
  'hurricane',
  'nicole',
  'beach',
  'erosion',
  'florida',
  'east',
  'coast',
  'credit',
  'nicole',
  'damage',
  'storm',
  'devastation',
  'meteorologist',
  'chelsea',
  'ambriz',
  'marine',
  'biologist',
  'video',
  'orca',
  'key',
  'largo',
  'miami',
  'dade',
  'police',
  'director',
  'resignation',
  'mayor',
  'daughter',
  'monster',
  'dad',
  'jazmin',
  'paez',
  'mom',
  'hitman',
  'toddler',
  'video',
  'moment',
  'trooper',
  'way',
  'driver',
  'florida',
  'change',
  'penny',
  'worth',
  'thousands',
  'nbc',
  'news',
  'standards',
  'tips',
  'investigations',
  'newsletters',
  'contact',
  'public',
  'inspection',
  'file',
  'wtvj',
  'accessibility',
  'wtvj',
  'employment',
  'information',
  'fcc',
  'applications',
  'terms',
  'service',
  'advertise',
  'feedback',
  'privacy',
  'policy',
  'privacy',
  'choices',
  'notice',
  'ad',
  'choice',
  'copyright',
  'nbcuniversal',
  'media',
  'llc',
  'right'],
 ['local',
  'news',
  'brooklyn',
  'bronx',
  'manhattan',
  'queens',
  'staten',
  'island',
  'long',
  'island',
  'northern',
  'suburbs',
  'new',
  'jersey',
  'gilgo',
  'beach',
  'killings',
  'world',
  'news',
  'crime',
  'missing',
  'lottery',
  'thing',
  'destination',
  'ny',
  'marijuana',
  'legalization',
  'ny',
  'nj',
  'traffic',
  'automotive',
  'news',
  'monica',
  'pix',
  'politics',
  'politics',
  'hill',
  'newsletters',
  'press',
  'releases',
  'lawmaker',
  'pot',
  'pet',
  'heat',
  'wave',
  'crane',
  'company',
  'owner',
  'manslaughter',
  'livery',
  'cab',
  'nyc',
  'pix11',
  'news',
  'tv',
  'replay',
  'interactive',
  'radar',
  'daily',
  'hourly',
  'forecast',
  'maps',
  'radar',
  'weather',
  'science',
  'weather',
  'alerts',
  'heat',
  'mr.',
  'g',
  'byron',
  'miranda',
  'stacy',
  'ann',
  'gooden',
  'chris',
  'cimino',
  'dan',
  'mannarino',
  'hazel',
  'sanchez',
  'vanessa',
  'freeman',
  'craig',
  'treadway',
  'kirstin',
  'cole',
  'ben',
  'aaron',
  'byron',
  'miranda',
  'alex',
  'lee',
  'justin',
  'walters',
  'long',
  'island',
  'organization',
  'difference',
  'year',
  'upper',
  'west',
  'shooting',
  'nypd',
  'jeremy',
  'jordan',
  'shop',
  'horrors',
  'nyc',
  'tout',
  'rat',
  'complaint',
  'storm',
  'tree',
  'brooklyn',
  'marysol',
  'castro',
  'alex',
  'lee',
  'ben',
  'aaron',
  'star',
  'harvey',
  'pix11',
  'partner',
  'new',
  'leash',
  'life',
  'flower',
  'friday',
  'people',
  'kindness',
  'comedian',
  'birthday',
  'national',
  'wine',
  'cheese',
  'day',
  'pairing',
  'tequila',
  'cocktail',
  'taste',
  'occasion',
  'barbie',
  'party',
  'ny',
  'sportsnation',
  'mlb',
  'nba',
  'nhl',
  'nfl',
  'liv',
  'golf',
  'pga',
  'championship',
  'pix11',
  'sports',
  'nation',
  'marc',
  'malusis',
  'justin',
  'walters',
  'joe',
  'mauceri',
  'perry',
  'sook',
  'moose',
  'loose',
  'hope',
  'giants',
  'training',
  'rodgers',
  'pay',
  'cut',
  'year',
  'deal',
  'giants',
  'tackle',
  'andrew',
  'thomas',
  'lebron',
  'james',
  'son',
  'arrest',
  'moose',
  'loose',
  'sauce',
  'gardner',
  'ny',
  'mets',
  'livestream',
  'mets',
  'livestream',
  'pix11',
  'mets',
  'livestream',
  'faq',
  'mets',
  'owner',
  'trade',
  'deadline',
  'selloff',
  'contact',
  'pix11',
  'pix11',
  'news',
  'team',
  'pix11',
  'tv',
  'listing',
  'pix11',
  'pix11',
  'news',
  'app',
  'press',
  'releases',
  'advertise',
  'pix11',
  'careers',
  'post',
  'job',
  'job',
  'sharing',
  'medium',
  'pix11',
  'woman',
  'hispanic',
  'heritage',
  'month',
  'broadway',
  'g',
  'thing',
  'changemakers',
  'small',
  'business',
  'spotlight',
  'calendar',
  'pix11',
  'contests',
  'aaa',
  'automotive',
  'impact',
  'new',
  'leash',
  'life',
  'marysol',
  'castro',
  'bestreviews',
  'bestreviews',
  'daily',
  'deals',
  'regional',
  'news',
  'partners',
  'walgreens',
  'myw',
  'days',
  'member',
  'event',
  'new',
  'leash',
  'life',
  'swallow',
  'tail',
  'yellow',
  'jacket',
  'new',
  'leash',
  'life',
  'otter',
  'sand',
  'dollar',
  'japan',
  'cuts',
  'festival',
  'new',
  'japanese',
  'cinema',
  'amazon',
  'prime',
  'day',
  'business',
  'storm',
  'flooding',
  'new',
  'jersey',
  'matthew',
  'euzarraga',
  'video',
  'credit',
  'magee',
  'hickey',
  'apr',
  'pm',
  'edt',
  'apr',
  'pm',
  'edt',
  'matthew',
  'euzarraga',
  'video',
  'credit',
  'magee',
  'hickey',
  'apr',
  'pm',
  'edt',
  'apr',
  'pm',
  'edt',
  'new',
  'york',
  'pix11',
  'national',
  'weather',
  'service',
  'flooding',
  'advisory',
  'saturday',
  'storm',
  'area',
  'rain',
  'wind',
  'p.m.',
  'flood',
  'watch',
  'new',
  'jersey',
  'county',
  'atlantic',
  'atlantic',
  'coastal',
  'cape',
  'camden',
  'cape',
  'coastal',
  'atlantic',
  'coastal',
  'ocean',
  'cumberland',
  'eastern',
  'monmouth',
  'gloucester',
  'northwestern',
  'burlington',
  'ocean',
  'salem',
  'southeastern',
  'burlington',
  'western',
  'monmouth',
  'new',
  'jersey',
  'rainwater',
  'flooding',
  'flood',
  'watch',
  'p.m.',
  'queens',
  'long',
  'island',
  'flooding',
  'flood',
  'alert',
  'sunday',
  'night',
  'southern',
  'queens',
  'far',
  'rockaway',
  'nassau',
  'southwest',
  'suffolk',
  'county',
  'alert',
  'typo',
  'error(required',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'amazon',
  'school',
  'deal',
  'schooler',
  'school',
  'corner',
  'amazon',
  'supply',
  'school',
  'deal',
  'supply',
  'schooler',
  'august',
  'vegetable',
  'flower',
  'flower',
  'plant',
  'hour',
  'soil',
  'air',
  'temperature',
  'sunshine',
  'august',
  'month',
  'planting',
  'chemical',
  'guys',
  'kit',
  'car',
  'car',
  'care',
  'hour',
  'chemical',
  'guys',
  'car',
  'wash',
  'kit',
  'time',
  'deal',
  'bomb',
  'threat',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'russia',
  'un',
  'meeting',
  'transgender',
  'intersex',
  'people',
  'cambodia',
  'hun',
  'sen',
  'asia',
  'leader',
  'bomb',
  'threat',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'russia',
  'un',
  'meeting',
  'transgender',
  'intersex',
  'people',
  'cambodia',
  'hun',
  'sen',
  'asia',
  'leader',
  'millipede',
  'specie',
  'leg',
  'lawmaker',
  'pot',
  'pet',
  'heat',
  'wave',
  'lawmaker',
  'pot',
  'pet',
  'heat',
  'wave',
  'crane',
  'company',
  'owner',
  'manslaughter',
  'livery',
  'cab',
  'owner',
  'crane',
  'manhattan',
  'ny',
  'nj',
  'forecast',
  'heat',
  'thunderstorm',
  'firefighter',
  'newark',
  'fire',
  'department',
  'moose',
  'loose',
  'hope',
  'giants',
  'training',
  'gilgo',
  'body',
  'year',
  'owner',
  'crane',
  'new',
  'york',
  'city',
  'giants',
  'tackle',
  'andrew',
  'thomas',
  'year',
  'upper',
  'west',
  'shooting',
  'nypd',
  'new',
  'millipede',
  'specie',
  'leg',
  'lawmaker',
  'pot',
  'pet',
  'heat',
  'wave',
  'crane',
  'company',
  'owner',
  'manslaughter',
  'samsung',
  'smartphone',
  'bet',
  'livery',
  'cab',
  'nyc',
  'firefighter',
  'newark',
  'fire',
  'department',
  'pix11',
  'online',
  'catch',
  'mets',
  'queens',
  'lottery',
  'player',
  'powerball',
  'drawing',
  'gilgo',
  'victim',
  'hunter',
  'mta',
  'boss',
  'fla.',
  'shift',
  'exhibit',
  'jay',
  'z',
  'brooklyn',
  'public',
  'nyc',
  'library',
  'book',
  'crane',
  'company',
  'owner',
  'manslaughter',
  'pet',
  'heat',
  'wave',
  'lawmaker',
  'pot',
  'gift',
  'summer',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'home',
  'depot',
  'foot',
  'skeleton',
  'halloween',
  'deal',
  'day',
  'prime',
  'day',
  'favorite',
  'heat',
  'nyc',
  'heat',
  'nyc',
  'resource',
  'tenant',
  'rent',
  'nyc',
  'tenant',
  'suicide',
  'prevention',
  'health',
  'resource',
  'pix11',
  'news',
  'tv',
  'replay',
  'mets',
  'game',
  'rain',
  'news',
  'nyc',
  'news',
  'covid-19',
  'pix11',
  'morning',
  'news',
  'nyc',
  'weather',
  'nyc',
  'sports',
  'contact',
  'report',
  'android',
  'app',
  'google',
  'play',
  'personal',
  'information',
  'personal',
  'information',
  'nexstar',
  'media',
  'inc.',
  'rights'],
 ['associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'times',
  'edtnorth',
  'divisionwlpct',
  'island78.4673½long',
  'island510.3335½',
  'collier',
  'double',
  'lynx',
  'mystics',
  'napheesa',
  'collier',
  'point',
  'rebound',
  'double',
  'season',
  'diamond',
  'miller',
  'point',
  'assist',
  'minnesota',
  'lynx',
  'washington',
  'mystics',
  'red',
  'sox',
  'league',
  'braves',
  'game',
  'sweep',
  'justin',
  'turner',
  'ahead',
  'run',
  'green',
  'monster',
  'inning',
  'boston',
  'red',
  'sox',
  'league',
  'atlanta',
  'braves',
  'wednesday',
  'night',
  'game',
  'series',
  'butler',
  'university',
  'woman',
  'soccer',
  'player',
  'lawsuit',
  'team',
  'trainer',
  'player',
  'team',
  'rodón',
  'bader',
  'yankees',
  'mets',
  'subway',
  'series',
  'carlos',
  'rodón',
  'victory',
  'start',
  'new',
  'york',
  'yankees',
  'spark',
  'harrison',
  'bader',
  'new',
  'york',
  'mets',
  'game',
  'split',
  'subway',
  'series',
  'man',
  'road',
  'rage',
  'washington',
  'state',
  'year',
  'man',
  'murder',
  'charge',
  'connection',
  'road',
  'rage',
  'shooting',
  'monday',
  'washington',
  'state',
  'monahan',
  'pga',
  'tour',
  'rollback',
  'golf',
  'ball',
  'pga',
  'tour',
  'proposal',
  'golf',
  'ball',
  'commissioner',
  'jay',
  'monahan',
  'memo',
  'player',
  'wednesday',
  'evening',
  'legislator',
  'louisiana',
  'experience',
  'climate',
  'change',
  'impact',
  'infrastructure',
  'lawmaker',
  'u.s.',
  'senate',
  'committee',
  'budget',
  'louisiana',
  'expertise',
  'impact',
  'climate',
  'change',
  'el',
  'salvador',
  'trial',
  'gang',
  'crackdown',
  'rule',
  'el',
  'salvador',
  'congress',
  'court',
  'gang',
  'member',
  'group',
  'trial',
  'effort',
  'thousand',
  'case',
  'country',
  'crackdown',
  'street',
  'gang',
  'wallabies',
  'change',
  'blacks',
  'rugby',
  'championship',
  'test',
  'mcg',
  'australia',
  'new',
  'zealand',
  'captain',
  'time',
  'year',
  'bledisloe',
  'cup',
  'rugby',
  'championship',
  'test',
  'melbourne',
  'sosa',
  'homer',
  'phillies',
  'win',
  'orioles',
  'edmundo',
  'sosa',
  'homer',
  'field',
  'inning',
  'philadelphia',
  'phillies',
  'baltimore',
  'orioles',
  'j.t.',
  'guardians',
  'trade',
  'amed',
  'rosario',
  'dodgers',
  'pitcher',
  'noah',
  'syndergaard',
  'm',
  'cleveland',
  'guardians',
  'amed',
  'rosario',
  'los',
  'angeles',
  'dodgers',
  'pitcher',
  'noah',
  'syndergaard',
  'deal',
  'need',
  'club',
  'pirate',
  'home',
  'run',
  'padres',
  'win',
  'san',
  'diego',
  'ap',
  'ji',
  'man',
  'choi',
  'bryan',
  'reynolds',
  'carlos',
  'santana',
  'home',
  'run',
  'pittsburgh',
  'pirates',
  'san',
  'diego',
  'padres',
  'wednesday',
  'game',
  'pelicans',
  'star',
  'zion',
  'williamson',
  'family',
  'tech',
  'company',
  'new',
  'orleans',
  'pelicans',
  'star',
  'zion',
  'williamson',
  'stepfather',
  'mother',
  'loan',
  'california',
  'technology',
  'company',
  'leader',
  'kim',
  'jong',
  'un',
  'defense',
  'minister',
  'cooperation',
  'state',
  'medium',
  'leader',
  'kim',
  'jong',
  'un',
  'defense',
  'minister',
  'sergei',
  'shoigu',
  'discussion',
  'issue',
  'security',
  'environment',
  'survivor',
  'pilot',
  'whale',
  'pod',
  'coast',
  'rescue',
  'survivor',
  'pod',
  'whale',
  'coast',
  'day',
  'effort',
  'jury',
  'green',
  'bay',
  'woman',
  'boyfriend',
  'jury',
  'wisconsin',
  'green',
  'bay',
  'woman',
  'boyfriend',
  'body',
  'location',
  'month',
  'contact',
  'colorado',
  'regent',
  'athletic',
  'colorado',
  'board',
  'regent',
  'meeting',
  'thursday',
  'athletic',
  'operation',
  'agenda',
  'speculation',
  'school',
  'return',
  'pac-12',
  'health',
  'official',
  'america',
  'metro',
  'heat',
  'death',
  'week',
  'heat',
  'wave',
  'california',
  'gov.',
  'gavin',
  'newsom',
  'hollywood',
  'strike',
  'california',
  'gov.',
  'gavin',
  'newsom',
  'end',
  'strike',
  'hollywood',
  'writer',
  'strike',
  'associated',
  'press',
  'news',
  'organization',
  'reporting',
  'ap',
  'today',
  'source',
  'news',
  'format',
  'provider',
  'technology',
  'service',
  'news',
  'business',
  'world',
  'population',
  'ap',
  'journalism',
  'day',
  'copyright',
  'associated',
  'press',
  'rights'],
 ['skip',
  'navigationwatchlivemarketspre',
  'marketsu.s.',
  'marketscurrenciescryptocurrencyfutures',
  'commoditiesbondsfunds',
  'etfsbusinesseconomyfinancehealth',
  'sciencemediareal',
  'estateenergyclimatetransportationindustrialsretailwealthlifesmall',
  'financefintechfinancial',
  'advisorsoptions',
  'actionetf',
  'streetbuffett',
  'archiveearningstrader',
  'talktechcybersecurityenterpriseinternetmediamobilesocial',
  'mediacnbc',
  'disruptor',
  'tvlive',
  'tvlive',
  'audiobusiness',
  'day',
  'showsentertainment',
  'episodeslatest',
  'videotop',
  'interviewscnbc',
  'worlddigital',
  'originalslive',
  'tv',
  'clubtrust',
  'portfolioanalysistrade',
  'videoshomestretchjim',
  'newspro',
  'livemarket',
  'forecastsubscribesign',
  'inmenumake',
  'itselectall',
  'selectcredit',
  'cards',
  'loans',
  'banking',
  'mortgages',
  'insurance',
  'credit',
  'monitoring',
  'personal',
  'finance',
  'small',
  'business',
  'taxes',
  'help',
  'low',
  'credit',
  'scores',
  'investing',
  'selectall',
  'credit',
  'cardsfind',
  'credit',
  'card',
  'youbest',
  'credit',
  'cardsbest',
  'rewards',
  'credit',
  'cardsbest',
  'travel',
  'credit',
  'cardsbest',
  '%',
  'apr',
  'credit',
  'cardsbest',
  'balance',
  'transfer',
  'credit',
  'cash',
  'credit',
  'cardsbest',
  'credit',
  'card',
  'welcome',
  'bonusesbest',
  'credit',
  'cards',
  'loansfind',
  'best',
  'personal',
  'loan',
  'youbest',
  'personal',
  'loansbest',
  'debt',
  'consolidation',
  'loansbest',
  'loans',
  'refinance',
  'credit',
  'card',
  'debtbest',
  'loans',
  'fast',
  'fundingbest',
  'small',
  'personal',
  'loansbest',
  'large',
  'personal',
  'loansbest',
  'personal',
  'loans',
  'onlinebest',
  'student',
  'loan',
  'bankingfind',
  'savings',
  'account',
  'youbest',
  'high',
  'yield',
  'savings',
  'accountsbest',
  'big',
  'bank',
  'savings',
  'accountsbest',
  'big',
  'bank',
  'checking',
  'accountsbest',
  'fee',
  'checking',
  'accountsno',
  'overdraft',
  'fee',
  'checking',
  'accountsbest',
  'checking',
  'account',
  'bonusesbest',
  'money',
  'market',
  'accountsbest',
  'credit',
  'unionsselectall',
  'mortgagesbest',
  'mortgagesbest',
  'mortgages',
  'small',
  'paymentbest',
  'mortgage',
  'paymentbest',
  'mortgage',
  'origination',
  'feebest',
  'mortgages',
  'credit',
  'scoreadjustable',
  'rate',
  'mortgagesaffording',
  'insurancebest',
  'life',
  'insurancebest',
  'homeowners',
  'insurancebest',
  'renters',
  'insurancebest',
  'car',
  'insurancetravel',
  'insuranceselectall',
  'credit',
  'monitoringbest',
  'credit',
  'monitoring',
  'servicesbest',
  'identity',
  'theft',
  'protectionhow',
  'credit',
  'scorecredit',
  'repair',
  'servicesselectall',
  'personal',
  'financebest',
  'budgeting',
  'appsbest',
  'expense',
  'tracker',
  'appsbest',
  'money',
  'transfer',
  'appsbest',
  'resale',
  'apps',
  'sitesbuy',
  'bnpl',
  'appsbest',
  'debt',
  'reliefselectall',
  'small',
  'businessbest',
  'small',
  'business',
  'savings',
  'accountsbest',
  'small',
  'business',
  'checking',
  'accountsbest',
  'credit',
  'cards',
  'small',
  'businessbest',
  'small',
  'business',
  'loansbest',
  'tax',
  'software',
  'taxesbest',
  'tax',
  'softwarebest',
  'tax',
  'software',
  'businessestax',
  'help',
  'low',
  'credit',
  'scoresbest',
  'credit',
  'cards',
  'bad',
  'creditbest',
  'personal',
  'loans',
  'bad',
  'creditbest',
  'debt',
  'consolidation',
  'loans',
  'bad',
  'creditpersonal',
  'loans',
  'creditbest',
  'credit',
  'cards',
  'building',
  'creditpersonal',
  'loans',
  'credit',
  'score',
  'lowerpersonal',
  'loans',
  'credit',
  'score',
  'lowerbest',
  'mortgages',
  'bad',
  'creditbest',
  'hardship',
  'loanshow',
  'credit',
  'scoreselectall',
  'investingbest',
  'ira',
  'accountsbest',
  'roth',
  'ira',
  'accountsbest',
  'investing',
  'appsbest',
  'free',
  'stock',
  'trading',
  'platformsbest',
  'robo',
  'advisorsindex',
  'fundsmutual',
  'fundsetfsbondsusaintlwatchlivesearch',
  'quote',
  'news',
  'videoswatchlistsign',
  'increate',
  'clubpromenuweather',
  'disasterstropical',
  'storm',
  'lane',
  'flood',
  'published',
  'sat',
  'aug',
  'edtupdated',
  'sat',
  'aug',
  'pm',
  'pointshawaii',
  'hit',
  'hurricane',
  'lane',
  'monster',
  'tempest',
  'friday',
  'storm',
  'wind',
  'mile',
  'hour',
  'saturday',
  'hawaii',
  'north',
  'northwest',
  'pacific',
  'ocean',
  'rain',
  'band',
  'flooding',
  'island',
  'police',
  'emergency',
  'crew',
  'rescue',
  'people',
  'vehicle',
  'home',
  'water',
  'friday',
  'man',
  'photo',
  'floodwater',
  'hurricane',
  'lane',
  'rainfall',
  'big',
  'island',
  'august',
  'hilo',
  'hawaii',
  'hurricane',
  'lane',
  'foot',
  'rain',
  'big',
  'island',
  'flash',
  'flood',
  'warning',
  'mario',
  'tama',
  'getty',
  'imagestropical',
  'storm',
  'lane',
  'hawaii',
  'island',
  'oahu',
  'saturday',
  'u.s.',
  'state',
  'rain',
  'flooding',
  'big',
  'island',
  'weather',
  'defense',
  'official',
  'hawaii',
  'hit',
  'hurricane',
  'lane',
  'monster',
  'tempest',
  'friday',
  'storm',
  'wind',
  'mile',
  'hour',
  'saturday',
  'hawaii',
  'north',
  'northwest',
  'pacific',
  'ocean',
  'rain',
  'band',
  'flooding',
  'island',
  'storm',
  'track',
  'life',
  'flash',
  'flooding',
  'wind',
  'tornado',
  'center',
  'location',
  'national',
  'weather',
  'service',
  'honolulu',
  'office',
  'forecast',
  'track',
  'intensity',
  'lane',
  'big',
  'island',
  'island',
  'hawaii',
  'friday',
  'flash',
  'flood',
  'weather',
  'service',
  'hilo',
  'big',
  'island',
  'community',
  'inch',
  'cm',
  'rain',
  'wednesday',
  'friday',
  'day',
  'total',
  'record',
  'area',
  'inch',
  'weather',
  'service',
  'police',
  'emergency',
  'crew',
  'rescue',
  'people',
  'vehicle',
  'home',
  'water',
  'friday',
  'saturday',
  'lane',
  'north',
  'northwest',
  'mph',
  'km',
  'h',
  'nws',
  'meteorologist',
  'chevy',
  'chevalier',
  'phone',
  'west',
  'hawaii',
  'saturday',
  'thing',
  'reason',
  'big',
  'island',
  'rain',
  'injury',
  'reportedno',
  'injury',
  'structure',
  'big',
  'island',
  'melissa',
  'dye',
  'nws',
  'spokeswoman',
  'honolulu',
  'hilo',
  'area',
  'neighborhood',
  'devastation',
  'river',
  'komohana',
  'time',
  'hilo',
  'resident',
  'tracy',
  'pacheco',
  'pahale',
  'park',
  'park',
  'home',
  'state',
  'capital',
  'honolulu',
  'percent',
  'hawaii',
  'resident',
  'rain',
  'saturday',
  'storm',
  'state',
  'forecaster',
  'people',
  'emergency',
  'shelter',
  'city',
  'friday',
  'mayor',
  'kirk',
  'caldwell',
  'weather',
  'channel',
  'honolulu',
  'flood',
  'mudslide',
  'mountain',
  'resident',
  'area',
  'flood',
  'caldwell',
  'friday',
  'forecast',
  'lane',
  'category',
  'hurricane',
  'wind',
  'mph',
  'kph',
  'week',
  'hawaii',
  'depression',
  'sunday',
  'new',
  'yorker',
  'rigo',
  'pagoada',
  'vacation',
  'oahu',
  'family',
  'big',
  'island',
  'pagoada',
  'hawaii',
  'airport',
  'storm',
  'flight',
  'honolulu',
  'airport',
  'kahului',
  'airport',
  'maui',
  'traveler',
  'congestion',
  'airport',
  'weekend',
  'result',
  'hawaii',
  'governor',
  'david',
  'ige',
  'cnbc',
  'prolicensing',
  'councilsselect',
  'financecnbc',
  'peacockjoin',
  'cnbc',
  'panelsupply',
  'chain',
  'valuesselect',
  'shoppingclosed',
  'captioningdigital',
  'productsnews',
  'releasesinternshipscorrectionsabout',
  'cnbcad',
  'choicessite',
  'mappodcastscareershelpcontactnews',
  'tipsgot',
  'news',
  'tip',
  'touchadvertise',
  'usplease',
  'contact',
  'uscnbc',
  'newsletterssign',
  'newsletter',
  'cnbc',
  'inboxsign',
  'nowget',
  'inbox',
  'info',
  'product',
  'service',
  'privacy',
  'policy',
  'information',
  'notice',
  'terms',
  'service',
  'cnbc',
  'llc',
  'rights',
  'division',
  'nbcuniversaldata',
  'time',
  'snapshot',
  'data',
  'minute',
  'global',
  'business',
  'financial',
  'news',
  'stock',
  'quotes',
  'market',
  'data',
  'analysis',
  'market',
  'data',
  'terms',
  'use',
  'disclaimersdata'],
 ['permission',
  'article',
  'log',
  'account',
  'log',
  'account',
  'sign',
  'today',
  'account',
  'dashboard',
  'profile',
  'item',
  'west',
  'virginia',
  'county',
  'state',
  'preparedness',
  'storm',
  'madison',
  'hirneisen',
  'center',
  'square',
  'west',
  'virginia',
  'university',
  'college',
  'student',
  'high',
  'street',
  'morgantown',
  'west',
  'virginia',
  'snow',
  'storm',
  'center',
  'square',
  'anticipation',
  'winter',
  'storm',
  'system',
  'west',
  'virginia',
  'week',
  'gov.',
  'jim',
  'justice',
  'state',
  'preparedness',
  'county',
  'tuesday',
  'national',
  'weather',
  'service',
  'charleston',
  'west',
  'virginia',
  'winter',
  'storm',
  'system',
  'state',
  'wednesday',
  'night',
  'thursday',
  'storm',
  'system',
  'temperature',
  'wind',
  'snow',
  'shower',
  'region',
  'friday',
  'nws',
  'windy',
  'condition',
  'temperature',
  'snow',
  'shower',
  'friday',
  'saturday',
  'justice',
  'state',
  'preparedness',
  'west',
  'virginia',
  'emergency',
  'operations',
  'center',
  'partner',
  'agency',
  'resource',
  'storm',
  'emergency',
  'time',
  'west',
  'virginia',
  'emergency',
  'management',
  'division',
  'resident',
  'supply',
  'case',
  'power',
  'outage',
  'battery',
  'flashlight',
  'hand',
  'medication',
  'necessity',
  'storm',
  'emd',
  'monitor',
  'event',
  'citizen',
  'west',
  'virginia',
  'weather',
  'emd',
  'director',
  'ge',
  'mccabe',
  'statement',
  'time',
  'emergency',
  'holiday',
  'emergency',
  'agency',
  'storm',
  'path',
  'national',
  'weather',
  'service',
  'briefing',
  'state',
  'official',
  'partner',
  'update',
  'emd',
  'liaison',
  'county',
  'governor',
  'office',
  'west',
  'virginia',
  'unemployment',
  '%',
  '%',
  'june',
  'west',
  'virginia',
  'veteran',
  'population',
  'states',
  'west',
  'virginia',
  'program',
  'm',
  'appropriation',
  'hhs',
  'west',
  'virginia',
  'veteran',
  'population',
  'states',
  'cannabis',
  'consumption',
  'west',
  'virginia',
  'rest',
  'county',
  'highest',
  'poverty',
  'rate',
  'west',
  'virginia',
  'beckley',
  'wv',
  'poorest',
  'u.s.',
  'cities',
  'spn',
  'poll',
  'majority',
  'parent',
  'teacher',
  'course',
  'curriculum',
  'sen.',
  'mcconnell',
  'press',
  'conference',
  'concern',
  'u.s.',
  'house',
  'committee',
  'report',
  'mayorkas',
  'border',
  'policy',
  'dereliction',
  'duty',
  'desantis',
  'nation',
  'decline',
  'coast',
  'guard',
  'stockpile',
  'food',
  'water',
  'emergency',
  'report',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'copyright',
  'franklin',
  'news',
  'foundation',
  'n.',
  'clark',
  'st.',
  'suite',
  'chicago',
  'il',
  'term',
  'use',
  '',
  '',
  'privacy',
  'policy'],
 ['home',
  'mail',
  'news',
  'finance',
  'sports',
  'entertainment',
  'life',
  'search',
  'shopping',
  'yahoo',
  'plus',
  'yahoo',
  'life',
  'newsletter',
  'yahoo',
  'lifestyle',
  'yahoo',
  'lifestyle',
  'search',
  'query',
  'sign',
  'mail',
  'sign',
  'mail',
  'life',
  'health',
  'facts',
  'life',
  'mental',
  'health',
  'resources',
  'unwind',
  'parent',
  'kid',
  'mini',
  'ways',
  'ttc',
  'style',
  'beauty',
  'good',
  'news',
  'horoscopes',
  'shopping',
  'buying',
  'guides',
  'associated',
  'pressstorms',
  'arkansas',
  'illinois',
  'indiana',
  'article1/17aptopix',
  'severe',
  'weather',
  'illinoisauthorities',
  'scene',
  'apollo',
  'theatre',
  'spring',
  'storm',
  'damage',
  'injury',
  'concert',
  'friday',
  'march',
  'belvidere',
  'ill.',
  'ap',
  'photo',
  'matt',
  'marton)associated',
  'weather',
  'illinoisauthorities',
  'scene',
  'apollo',
  'theatre',
  'spring',
  'storm',
  'damage',
  'injury',
  'concert',
  'friday',
  'march',
  'belvidere',
  'ill.',
  'ap',
  'photo',
  'matt',
  'marton)associated',
  'weather',
  'illinoisauthorities',
  'scene',
  'apollo',
  'theatre',
  'spring',
  'storm',
  'damage',
  'injury',
  'concert',
  'friday',
  'march',
  'belvidere',
  'ill.',
  'ap',
  'photo',
  'matt',
  'marton)associated',
  'weather',
  'illinoisauthorities',
  'scene',
  'apollo',
  'theatre',
  'spring',
  'storm',
  'damage',
  'injury',
  'concert',
  'friday',
  'march',
  'belvidere',
  'ill.',
  'ap',
  'photo',
  'matt',
  'marton)associated',
  'weather',
  'illinoisinvestigators',
  'apollo',
  'theatre',
  'spring',
  'storm',
  'damage',
  'injury',
  'concert',
  'friday',
  'march',
  'belvidere',
  'ill.',
  'ap',
  'photo',
  'matt',
  'marton)associated',
  'weather',
  'illinoisauthorities',
  'apollo',
  'theatre',
  'spring',
  'storm',
  'damage',
  'injury',
  'concert',
  'friday',
  'march',
  'belvidere',
  'ill.',
  'ap',
  'photo',
  'matt',
  'marton)associated',
  'weather',
  'illinoisauthorities',
  'scene',
  'apollo',
  'theatre',
  'spring',
  'storm',
  'damage',
  'injury',
  'concert',
  'friday',
  'march',
  'belvidere',
  'ill.',
  'ap',
  'photo',
  'matt',
  'marton)associated',
  'weather',
  'iowahomes',
  'tornado',
  'coralville',
  'iowa',
  'friday',
  'march',
  'ap',
  'photo',
  'ryan',
  'foley)associated',
  'press9/17aptopix',
  'severe',
  'weather',
  'car',
  'kroger',
  'parking',
  'lot',
  'storm',
  'little',
  'rock',
  'ark.',
  'friday',
  'march',
  'ap',
  'photo',
  'andrew',
  'demillo)associated',
  'press10/17severe',
  'weather',
  'arkansasthe',
  'interior',
  'store',
  'storm',
  'little',
  'rock',
  'ark.',
  'friday',
  'march',
  'ap',
  'photo',
  'andrew',
  'demillo)associated',
  'weather',
  'arkansasemergency',
  'personnel',
  'people',
  'parking',
  'lot',
  'storm',
  'little',
  'rock',
  'ark.',
  'friday',
  'march',
  'ap',
  'photo',
  'andrew',
  'demillo)associated',
  'weather',
  'hom',
  'tree',
  'tornado',
  'little',
  'rock',
  'ark.',
  'friday',
  'march',
  'ap',
  'photo',
  'andrew',
  'demillo)associated',
  'weather',
  'iowaa',
  'home',
  'block',
  'wapello',
  'keokuk',
  'road',
  'mile',
  'martinsburg',
  'iowa',
  'weather',
  'storm',
  'friday',
  'march',
  'kyle',
  'ocker',
  'ottumwa',
  'courier',
  'press14/17severe',
  'weather',
  'illinoisrubble',
  'apollo',
  'theatre',
  'saturday',
  'april',
  'spring',
  'storm',
  'damage',
  'injury',
  'friday',
  'belvidere',
  'ill.',
  'ap',
  'photo',
  'matt',
  'marton)associated',
  'press15/17severe',
  'weather',
  'illinoisrubble',
  'apollo',
  'theatre',
  'saturday',
  'april',
  'spring',
  'storm',
  'damage',
  'injury',
  'belvidere',
  'ill.',
  'ap',
  'photo',
  'matt',
  'marton)associated',
  'press16/17severe',
  'weather',
  'illinoisrubble',
  'apollo',
  'theatre',
  'saturday',
  'april',
  'spring',
  'storm',
  'damage',
  'injury',
  'belvidere',
  'ill.',
  'ap',
  'photo',
  'matt',
  'marton)associated',
  'press17/17severe',
  'weather',
  'illinoisauthorities',
  'scene',
  'apollo',
  'theatre',
  'spring',
  'storm',
  'damage',
  'injury',
  'concert',
  'friday',
  'march',
  'belvidere',
  'ill.',
  'ap',
  'photo',
  'matt',
  'marton)associated',
  'press561andrew',
  'april',
  'min',
  'readlittle',
  'rock',
  'ark.',
  'ap',
  'monster',
  'storm',
  'system',
  'south',
  'midwest',
  'friday',
  'weather',
  'tornado',
  'home',
  'shopping',
  'center',
  'arkansas',
  'theater',
  'roof',
  'metal',
  'concert',
  'illinois',
  'sweep',
  'indiana',
  'storm',
  'death',
  'sullivan',
  'county',
  'indiana',
  'emergency',
  'management',
  'director',
  'jim',
  'pirtle',
  'email',
  'associated',
  'press',
  'saturday',
  'storm',
  'home',
  'resident',
  'county',
  'seat',
  'sullivan',
  'illinois',
  'state',
  'line',
  'mile',
  'kilometer',
  'southwest',
  'indianapolis',
  'person',
  'dozen',
  'little',
  'rock',
  'area',
  'authority',
  'town',
  'wynne',
  'arkansas',
  'official',
  'home',
  'people',
  'debris',
  'authority',
  'theater',
  'roof',
  'tornado',
  'belvidere',
  'illinois',
  'person',
  'belvidere',
  'police',
  'department',
  'collapse',
  'storm',
  'area',
  'theater',
  'p.m.',
  'assessment',
  'tornado',
  'damage',
  'collapse',
  'apollo',
  'theatre',
  'metal',
  'concert',
  'town',
  'mile',
  'kilometer',
  'northwest',
  'chicago',
  'venue',
  'facebook',
  'page',
  'band',
  'angel',
  'crypta',
  'remain',
  'revocation',
  'belvidere',
  'fire',
  'department',
  'chief',
  'shawn',
  'schadle',
  'people',
  'venue',
  'responder',
  'elevator',
  'power',
  'line',
  'theater',
  'belvidere',
  'police',
  'chief',
  'shane',
  'woody',
  'scene',
  'collapse',
  'chaos',
  'chaos',
  'lewellyn',
  'theater',
  'portion',
  'ceiling',
  'story',
  'continues“i',
  'minute',
  'wtvo',
  'tv',
  'wind',
  'building',
  'second',
  '”some',
  'people',
  'portion',
  'ceiling',
  'people',
  'rubble',
  'lewellyn',
  '“they',
  'rubble',
  'hand',
  'twister',
  'iowa',
  'wind',
  'grass',
  'fire',
  'oklahoma',
  'storm',
  'system',
  'swath',
  'country',
  'people',
  'weather',
  'president',
  'joe',
  'biden',
  'aftermath',
  'tornado',
  'mississippi',
  'week',
  'government',
  'area',
  'little',
  'rock',
  'tornado',
  'neighborhood',
  'city',
  'shopping',
  'center',
  'kroger',
  'grocery',
  'store',
  'arkansas',
  'river',
  'north',
  'little',
  'rock',
  'city',
  'damage',
  'home',
  'business',
  'vehicle',
  'evening',
  'official',
  'pulaski',
  'county',
  'fatality',
  'north',
  'little',
  'rock',
  'detail',
  'baptist',
  'health',
  'medical',
  'center',
  'little',
  'rock',
  'official',
  'katv',
  'afternoon',
  'people',
  'tornado',
  'injury',
  'condition',
  'mayor',
  'frank',
  'scott',
  'jr.',
  'assistance',
  'national',
  'guard',
  'evening',
  'property',
  'damage',
  '”gov',
  'sarah',
  'huckabee',
  'sanders',
  'member',
  'arkansas',
  'national',
  'guard',
  'authority',
  'damage',
  'state',
  'little',
  'rock',
  'resident',
  'niki',
  'scott',
  'cover',
  'bathroom',
  'husband',
  'tornado',
  'way',
  'glass',
  'tornado',
  'house',
  'street',
  'tree',
  'scott',
  'chainsaw',
  'siren',
  'area',
  'clinton',
  'national',
  'airport',
  'passenger',
  'worker',
  'bathroom',
  'path',
  'storm',
  'sanders',
  'state',
  'emergency',
  'twitter',
  'mile',
  'kilometer',
  'memphis',
  'tennessee',
  'city',
  'wynne',
  'arkansas',
  'tornado',
  'damage',
  'sanders',
  'st.',
  'francis',
  'county',
  'coroner',
  'miles',
  'j.',
  'kimble',
  'ap',
  'phone',
  'friday',
  'night',
  'cross',
  'county',
  'coroner',
  'wynne',
  'people',
  'tornado',
  'governor',
  'briefing',
  'little',
  'rock',
  'official',
  'friday',
  'night',
  'number',
  'death',
  'city',
  'councilmember',
  'lisa',
  'powell',
  'carter',
  'ap',
  'town',
  'wynne',
  'power',
  'road',
  'debris',
  'panic',
  'wynne',
  'house',
  'tree',
  'street',
  '”the',
  'tornado',
  'area',
  'night',
  'police',
  'department',
  'covington',
  'tennessee',
  'facebook',
  'west',
  'tennessee',
  'city',
  'power',
  'line',
  'tree',
  'road',
  'storm',
  'friday',
  'evening',
  'authority',
  'tipton',
  'county',
  'north',
  'memphis',
  'tornado',
  'school',
  'covington',
  'location',
  'county',
  'tipton',
  'county',
  'sheriff',
  'shannon',
  'beasley',
  'facebook',
  'home',
  'structure',
  'tornado',
  'iowa',
  'damage',
  'tornado',
  'iowa',
  'city',
  'home',
  'university',
  'iowa',
  'video',
  'kcrg',
  'tv',
  'power',
  'pole',
  'roof',
  'apartment',
  'building',
  'suburb',
  'coralville',
  'home',
  'city',
  'hills',
  'customer',
  'arkansas',
  'power',
  'outage',
  'oklahoma',
  'wind',
  'gust',
  'mph',
  'kph',
  'grass',
  'fire',
  'people',
  'home',
  'oklahoma',
  'city',
  'trooper',
  'portion',
  'interstate',
  '35.in',
  'illinois',
  'ben',
  'wagner',
  'radar',
  'operator',
  'woodford',
  'county',
  'emergency',
  'management',
  'agency',
  'hail',
  'window',
  'car',
  'building',
  'area',
  'roanoke',
  'peoria',
  'customer',
  'power',
  'state',
  'friday',
  'night',
  'outage',
  'iowa',
  'missouri',
  'tennessee',
  'wisconsin',
  'indiana',
  'texas',
  'fire',
  'crew',
  'blaze',
  'el',
  'dorado',
  'kansas',
  'resident',
  'school',
  'child',
  'school',
  'chicago',
  'o’hare',
  'international',
  'airport',
  'traffic',
  'management',
  'program',
  'effect',
  'plane',
  'hour',
  'wfld',
  'tv',
  'national',
  'weather',
  'service',
  'storm',
  'prediction',
  'center',
  'outbreak',
  'thunderstorm',
  'potential',
  'hail',
  'wind',
  'gust',
  'tornado',
  'distance',
  'ground',
  'supercell',
  'thunderstorm',
  'state',
  'temperature',
  'world',
  'weather',
  'service',
  'batch',
  'storm',
  'tuesday',
  'area',
  'press',
  'writer',
  'michael',
  'tarm',
  'chicago',
  'jill',
  'bleed',
  'little',
  'rock',
  'harm',
  'venhuizenin',
  'madison',
  'wisconsin',
  'isabella',
  "o'malley",
  'philadelphia',
  'lisa',
  'baumann',
  'bellingham',
  'washington',
  'adrian',
  'sainz',
  'memphis',
  'michael',
  'goldberg',
  'jackson',
  'mississippi',
  'trisha',
  'ahmed',
  'minneapolis',
  'report',
  'car',
  'death',
  'life·7',
  'min',
  'olive',
  'oil',
  'brain',
  'health',
  'studyyahoo',
  'life·5',
  'min',
  'readbarbie',
  'death',
  'anxiety',
  'yahoo',
  'life·7',
  'min',
  'people',
  'joy',
  'frustration',
  'pronoun',
  'yahoo',
  'life·6',
  'min',
  'james',
  'lebron',
  'james',
  'year',
  'son',
  'arrest',
  'condition',
  'yahoo',
  'life·6',
  'min',
  'storiesyahoo',
  'life',
  'shopping20',
  'cult',
  'fave',
  'beauty',
  'product',
  'head',
  'toe',
  'gorgeousness',
  '5shopper',
  'cream',
  'hair',
  'fix',
  'beautifiers.4d',
  'life',
  'shoppingthe',
  'deal',
  'amazon',
  'saturday',
  'memory',
  'foam',
  'pillow',
  'pack',
  '%',
  'massage',
  'gun',
  'saving',
  '%',
  'price.4d',
  'agoyahoo',
  'life',
  'beach',
  'cover',
  'jean',
  '%',
  'off)the',
  'workhorse',
  'swimsuit',
  'dinner.4d',
  'life',
  'shoppingnordstrom',
  'anniversary',
  'sale',
  'shop',
  'le',
  'creuset',
  'coach',
  'outsave',
  '%',
  'brand',
  'store',
  'discount',
  'event.2d',
  'life',
  'shoppinga',
  'video',
  'doorbell',
  '%',
  'tech',
  'deal',
  'wednesday',
  'highlight',
  'set',
  'home',
  'security',
  'sensor',
  '%',
  'agoyahoo',
  'life',
  'bra',
  'warner',
  'style',
  'smooth',
  '%',
  'off)it',
  'figure',
  'now.5d',
  'lawyer',
  'haben',
  'girma',
  'accessibility',
  'yearhaben',
  'girma',
  'person',
  'harvard',
  'law',
  'school',
  'people',
  'community',
  'action',
  'accessibility',
  'month',
  'girma',
  'author',
  'speaker',
  'right',
  'lawyer',
  'disability',
  'justice',
  'people',
  'people',
  'dignity',
  'respect',
  'lot',
  'policy',
  'design',
  'people',
  'maker',
  'disability',
  'pride',
  'month',
  'history',
  'achievement',
  'experience',
  'people',
  'lifelouise',
  'brown',
  'test',
  'tube',
  'baby',
  'today',
  'ivf',
  'beginning',
  'ivf',
  'fertility',
  'expert',
  'life',
  'shoppinghurry',
  '.',
  ...],
 ['mainesubscribepostadvertisestate',
  'newscommunity',
  'cornercrime',
  'safetypolitics',
  'governmentschoolstraffic',
  'transitobituariespersonal',
  'financebest',
  'ofarts',
  'entertainmentbusinesshealth',
  'wellnesshome',
  'gardensportstravelkids',
  'familypetsrestaurants',
  'barslocalstreamsee',
  'communitiesportland',
  'meportsmouth',
  'nhaugusta',
  'mehampton',
  'north',
  'hampton',
  'nhexeter',
  'nhconcord',
  'nhmanchester',
  'nhsalem',
  'nhhamilton',
  'wenham',
  'malondonderry',
  'nhstate',
  'editionmainenational',
  'editiontop',
  'national',
  'newssee',
  'communities0weathermaine',
  'weather',
  'bomb',
  'cyclone',
  'new',
  'heavy',
  'snowa',
  'winter',
  'storm',
  'warning',
  'effect',
  'a.m.',
  'saturday',
  'a.m.',
  'sunday',
  'maine',
  'megan',
  'verhelst',
  'patch',
  'staffposted',
  'thu',
  'mar',
  'pm',
  'fri',
  'mar',
  'pm',
  'etreply',
  'bomb',
  'cyclone',
  'snow',
  'rain',
  'maine',
  'weekend',
  'system',
  'sight',
  'swath',
  'united',
  'states',
  'shutterstock)maine',
  'parts',
  'maine',
  'winter',
  'storm',
  'friday',
  'bomb',
  'cyclone',
  'sight',
  'swath',
  'united',
  'states',
  'state',
  'winter',
  'storm',
  'warning',
  'maine',
  'city',
  'presque',
  'isle',
  'caribou',
  'van',
  'buren',
  'mars',
  'hill',
  'ashland',
  'warning',
  'effect',
  'a.m.',
  'saturday',
  'a.m.',
  'sunday',
  'winter',
  'storm',
  'watch',
  'effect',
  'mountain',
  'kennebec',
  'moose',
  'river',
  'valley',
  'winter',
  'weather',
  'advisory',
  'effect',
  'penobscot',
  'aroostook',
  'county',
  'mainewith',
  'time',
  'update',
  'patch',
  'subscribea',
  'storm',
  'system',
  'bomb',
  'cyclone',
  'tennessee',
  'ohio',
  'valley',
  'friday',
  'east',
  'coast',
  'saturday',
  'hour',
  'period',
  'weather',
  'national',
  'weather',
  'service',
  'area',
  'maine',
  'winter',
  'storm',
  'warning',
  'mix',
  'snow',
  'rain',
  'saturday',
  'morning',
  'precipitation',
  'change',
  'snow',
  'inch',
  'snow',
  'state',
  'wind',
  'mph',
  'nws',
  'forecast',
  'mainewith',
  'time',
  'update',
  'patch',
  'subscribecredit',
  'national',
  'weather',
  'service',
  'conditions',
  'area',
  'snow',
  'visibility',
  'travel',
  'power',
  'outage',
  'bulk',
  'snow',
  'maine',
  'portion',
  'state',
  'mix',
  'snow',
  'rain',
  'news',
  'center',
  'maine',
  'forecast',
  'area',
  'weekend',
  'forecast',
  'area',
  'credit',
  'national',
  'weather',
  'service)get',
  'news',
  'inbox',
  'sign',
  'patch',
  'newsletter',
  'alert',
  'thankreply',
  'sharemaine',
  'weather',
  'bomb',
  'cyclone',
  'new',
  'heavy',
  'snowthe',
  'rule',
  'space',
  'discussion',
  'language',
  'claim',
  'reply',
  'topic',
  'patch',
  'community',
  'guidelines',
  'reply',
  'articlereplymore',
  'mainepolitics',
  'government',
  'jul',
  'community',
  'owned',
  'solar',
  'program',
  'dept',
  '.',
  'energy',
  'awardtrending',
  'patchacross',
  'america',
  'newssinéad',
  'o’connor',
  'nj',
  "news'finding",
  'nemo',
  'tiktok',
  'promo',
  'brick',
  'theatre',
  'group',
  'memeacross',
  'america',
  'newsdelta',
  'aquariid',
  'perseid',
  'meteor',
  'showers',
  'ramp',
  'fireballsbaltimore',
  'md',
  'newsmustard',
  'skittle',
  'debut',
  'national',
  'mustard',
  'dayacross',
  'america',
  'newsmodern',
  'homes',
  'pool',
  'art',
  'house',
  'yourcommunity',
  'patch',
  'appcorporate',
  'infoabout',
  'patchcareerspartnershipsadvertise',
  'patchsupportfaqscontact',
  'patchcommunity',
  'guidelinesposting',
  'instructionsterms',
  'useprivacy',
  'policy',
  'patch',
  'media',
  'rights'],
 ['localbusinessinvestigationsopinionlifefoodsportsobituariesclassifiedslegal',
  'noticesepaper80',
  '°',
  'xnewsall',
  'newsohio',
  'newsnation',
  'worldelectionslocalall',
  'localgraduationcrimelocal',
  'school',
  'newsweathertrafficdaily',
  'law',
  'journallegal',
  'noticesmontgomery',
  'county',
  'newsgreene',
  'county',
  'newswarren',
  'county',
  'newsmore',
  'communitiescommunity',
  'businessinvestigationspath',
  'forwardopinionlifeall',
  'lifestylesin',
  'primethings',
  'dobest',
  'daytondayton',
  'pet',
  'contestcelebrationsworship',
  'guidedayton.compuzzles',
  'gameslatest',
  'videoslatest',
  'photoshomesplusfoodsportsall',
  'sportshigh',
  'schoolstom',
  'archdeaconud',
  'flyerswsu',
  'raidersosu',
  'buckeyesdayton',
  'dragonscincinnati',
  'bengalscincinnati',
  'redscleveland',
  'brownslatest',
  'scoresobituariesclassifiedsfind',
  'jobcars',
  'salelegal',
  'noticesnewspaper',
  'archivesdigital',
  'teacher',
  'accessnewslettersnewspaper',
  'archivescustomer',
  'servicecontact',
  'dayton',
  'daily',
  'newsour',
  'productsfeedbackfaqsdigital',
  'help',
  'centerwork',
  'heremarketplaceclassifiedsjobscars',
  'notice',
  'dayton',
  'daily',
  'news',
  'rights',
  'website',
  'term',
  'term',
  'use',
  'privacy',
  'policy',
  'ccpa',
  'option',
  'ad',
  'choices',
  'careers',
  'cox',
  'enterprises.5',
  'storm',
  'ohio',
  'history',
  'storiescredit',
  'daytondailynewslocal',
  'newsby',
  'laurel',
  'pfahlermay',
  'tornado',
  'ohio',
  'event',
  'f4',
  'fujita',
  'scale',
  'damage',
  'wind',
  'speed',
  'mph',
  'summer',
  'tornado',
  'storm',
  'air',
  'history',
  'spring',
  'look',
  'tornado',
  'ohio',
  'history',
  'exploremore',
  'popular',
  'story',
  'ohio',
  'city',
  'reasons1',
  'april',
  'destruction',
  'date',
  'tornado',
  'f5',
  'strength',
  'storm',
  'greene',
  'clark',
  'hamilton',
  'county',
  'death',
  'injury',
  'property',
  'damage',
  'f5',
  'tornado',
  'xenia',
  'wind',
  'mph',
  'national',
  'weather',
  'service',
  'storm',
  'survey',
  'city',
  'city',
  'structure',
  'xenia',
  'people',
  'hospital',
  'people',
  '”after',
  'ravaging',
  'xenia',
  'tornado',
  'greene',
  'county',
  'clark',
  'county',
  'f5',
  'tornado',
  'sayler',
  'park',
  'west',
  'cincinnati',
  'p.m.',
  'people',
  'home',
  'foundation',
  'exploremore',
  'popular',
  'story',
  'fact',
  'ohio',
  'history2',
  'april',
  'wind',
  'temperature',
  'shift',
  'tornado',
  'hour',
  'time',
  'period',
  'damage',
  'national',
  'weather',
  'service',
  'storm',
  'survey',
  'f5',
  'tornado',
  'scioto',
  'lawrence',
  'gallia',
  'county',
  'p.m.',
  'damage',
  'portsmouth',
  'people',
  'size',
  'baseball',
  'vicinity',
  'tornado',
  'reported.3',
  'tornado',
  'ohio',
  'day',
  'f5',
  'tornado',
  'portage',
  'trumbull',
  'county',
  'property',
  'damage',
  'storm',
  'p.m.',
  'portage',
  'mahoning',
  'river',
  'trumbull',
  'steam',
  'people',
  'tornado',
  'f5',
  'exploremore',
  'popular',
  'stories',
  'band',
  'performer',
  'southwest',
  'ohio4',
  'april',
  'palm',
  'sunday',
  'tornado',
  'national',
  'severe',
  'storms',
  'laboratory',
  'outbreak',
  'tornado',
  'state',
  'iowa',
  'wisconsin',
  'illinois',
  'indiana',
  'michigan',
  'ohio',
  'time',
  'day',
  'tornado',
  'disaster',
  'history',
  'datum',
  'death',
  'people',
  'american',
  'red',
  'cross',
  'ohio',
  'tornado',
  'april',
  'midnight',
  'april',
  'hour',
  'period',
  'property',
  'damage',
  'f4',
  'tornado',
  'lucas',
  'lorain',
  'county',
  'p.m.',
  'people',
  'june',
  '1953a',
  'swath',
  'thunderstorm',
  'ohio',
  'tornado',
  'hour',
  'f4',
  'tornado',
  'henry',
  'wood',
  'sandusky',
  'erie',
  'lorain',
  'cuyahoga',
  'county',
  'people',
  'damage',
  'estimate',
  'range',
  'crop',
  'damage',
  'property',
  'damage',
  'cleveland',
  'plain',
  'dealer',
  'cuyahoga',
  'storm',
  'injury',
  'death',
  'f4',
  'swell',
  'p.m.',
  'aftermath',
  'ohio',
  'national',
  'guard',
  'troop',
  'cleveland',
  'looting',
  'home',
  'news1',
  'wall',
  'heals',
  'vietnam',
  'war',
  'veteran',
  'today',
  '2youth',
  'police',
  'summer',
  'camp3prosecutor',
  'man',
  'woman',
  'eye',
  'day',
  'prison',
  'release4',
  'community',
  'gem',
  'creek',
  'founder',
  'year',
  'community',
  'gem',
  'ken',
  'clarkston',
  'minister',
  'city',
  'dayton',
  'authorlaurel',
  'pfahler',
  'dayton',
  'daily',
  'news',
  'rights',
  'website',
  'term',
  'term',
  'use',
  'privacy',
  'policy',
  'ccpa',
  'option',
  'ad',
  'choices',
  'careers',
  'cox',
  'enterprises',
  'newslocalobituariesweatherohio',
  'lotterynie',
  'teacher',
  'accessnewslettersnewspaper',
  'archivescustomer',
  'servicecontact',
  'dayton',
  'daily',
  'newsour',
  'productsfeedbackfaqsdigital',
  'help',
  'centerwork',
  'heremarketplaceclassifiedsjobscars',
  'noticessubscribesubscribe',
  'nowmanage',
  'subscriptionyour',
  'profile',
  'dayton',
  'daily',
  'news',
  'rights',
  'website',
  'term',
  'term',
  'use',
  'privacy',
  'policy',
  'ccpa',
  'option',
  'ad',
  'choices',
  'careers',
  'cox',
  'enterprises'],
 ['contentminneapoli',
  'mnsubscribenews',
  'feedneighbor',
  'postslocal',
  'minneapolis',
  'newsgolden',
  'valley',
  'newsst',
  'louis',
  'park',
  'newsroseville',
  'newsrichfield',
  'newsfridley',
  'newsedina',
  'newshopkins',
  'newssaint',
  'paul',
  'newsmendota',
  'heights',
  'newslocal',
  'newscommunity',
  'cornercrime',
  'safetypolitics',
  'governmentschoolstraffic',
  'transitobituariespersonal',
  'financebest',
  'ofseasonal',
  'holidaysweatherarts',
  'entertainmentbusinesshealth',
  'wellnesshome',
  'gardensportstravelkids',
  'familypetsrestaurants',
  'barslocalstreamneighbor',
  'postslocal',
  'businesseseventsreal',
  'estatereal',
  'estate',
  'listingsreal',
  'estate',
  'newssee',
  'communitiessouthwest',
  'minneapolis',
  'mngolden',
  'valley',
  'mnst',
  'louis',
  'park',
  'mnroseville',
  'mnrichfield',
  'mnfridley',
  'mnedina',
  'mnhopkins',
  'mnsaint',
  'paul',
  'mnmendota',
  'heights',
  'mnstate',
  'editionminnesotanational',
  'editiontop',
  'national',
  'newssee',
  'inch',
  'snow',
  'winter',
  'storm',
  'mn',
  'weatheryet',
  'winter',
  'storm',
  'twin',
  'cities',
  'metro',
  'area',
  'snow',
  'week',
  'william',
  'bornhoft',
  'patch',
  'staffposted',
  'tue',
  'mar',
  'tue',
  'mar',
  'ctreply',
  'week',
  'winter',
  'storm',
  'impact',
  'region',
  'form',
  'rain',
  'snow',
  'national',
  'weather',
  'service',
  'national',
  'weather',
  'service)minneapolis',
  'inch',
  'snow',
  'snowstorm',
  'way',
  'resident',
  'twin',
  'cities',
  'rain',
  'thursday',
  'precipitation',
  'snow',
  'evening',
  'snow',
  'friday',
  'morning',
  'commute',
  'work',
  'forecast',
  'minneapolis',
  'st.',
  'paul',
  'airport',
  'inch',
  'snowfall',
  'season',
  'metro',
  'winter',
  'record',
  'minneapoliswith',
  'time',
  'update',
  'patch',
  'tuesday',
  'day',
  'twin',
  'cities',
  'inch',
  'snow',
  'ground',
  'minnesotans',
  'grass',
  'nov.',
  'snowfall',
  'forecast',
  'region',
  'minneapoliswith',
  'time',
  'update',
  'patch',
  'subscribenational',
  'weather',
  'service',
  'nws',
  'forecast',
  'minneapolis',
  'st.',
  'paul',
  'airport',
  'tuesday',
  'wind',
  'mph',
  'tuesday',
  'night',
  'wind',
  'mph',
  'gust',
  'mph',
  'wednesday',
  'cloud',
  'wind',
  'mph',
  'gust',
  'mph',
  'wednesday',
  'night',
  'percent',
  'chance',
  'rain',
  'wind',
  'mph',
  'thursday',
  'rain',
  'snow',
  'pm',
  'snow',
  'rain',
  'pm',
  'temperature',
  'pm',
  'breezy',
  'north',
  'wind',
  'mph',
  'mph',
  'afternoon',
  'wind',
  'mph',
  'chance',
  'precipitation',
  '%',
  'snow',
  'accumulation',
  'inch',
  'thursday',
  'night',
  'snow',
  'snow',
  'windy',
  'northwest',
  'wind',
  'mph',
  'gust',
  'mph',
  'chance',
  'precipitation',
  '%',
  'snow',
  'accumulation',
  'inch',
  'friday',
  'percent',
  'chance',
  'snow',
  'area',
  'snow',
  'blustery',
  'northwest',
  'wind',
  'mph',
  'gust',
  'mph',
  'friday',
  'night',
  'percent',
  'chance',
  'snow',
  'blustery',
  'northwest',
  'wind',
  'mph',
  'gust',
  'mph',
  'saturday',
  'percent',
  'chance',
  'snow',
  'pm',
  'mph',
  'gust',
  'mph',
  'saturday',
  'night',
  'wind',
  'mph',
  'sunday',
  'wind',
  'mph',
  'sunday',
  'night',
  'mph',
  'monday',
  'wind',
  'mph',
  'news',
  'inbox',
  'sign',
  'patch',
  'newsletter',
  'alert',
  'thankreply',
  'inch',
  'snow',
  'winter',
  'storm',
  'mn',
  'weatherthe',
  'rule',
  'space',
  'discussion',
  'language',
  'claim',
  'reply',
  'topic',
  'patch',
  'community',
  'guidelines',
  'reply',
  'articlereplyreplie',
  'minneapoliscrime',
  'safety',
  '6h7',
  'year',
  'old',
  'girl',
  'year',
  'old',
  'boy',
  'shot',
  'minneapolis',
  'wednesdaycrime',
  'safety',
  '11hviolent',
  'crime',
  'twin',
  'cities',
  'metro',
  'police',
  'data',
  'showsweather',
  '15hheat',
  'advisory',
  'twin',
  'cities',
  'metro',
  'mn',
  'weatherfeatured',
  'events+',
  'eventfeatured',
  'classifieds+',
  'news',
  'nearbyminneapolis',
  'mn',
  'year',
  'old',
  'girl',
  'year',
  'old',
  'boy',
  'shot',
  'minneapolis',
  'wednesdayminneapolis',
  'mn',
  'newsviolent',
  'crime',
  'twin',
  'cities',
  'metro',
  'police',
  'data',
  'showssouthwest',
  'minneapolis',
  'mn',
  'newsrep',
  'ilhan',
  'omar',
  'bill',
  'minimum',
  'wage',
  'mn',
  'news5',
  'houses',
  'minneapolis',
  'areaminneapolis',
  'mn',
  'newsadorable',
  'pets',
  'week',
  'minneapolis',
  'area',
  'sheltersbest',
  'minneapolisminneapolis',
  'schoolssome',
  'mn',
  'schools',
  'use',
  'classroom',
  'play',
  'gun',
  'violence',
  'bullyingminneapolis',
  'seasonal',
  'holidaysjuly',
  'monday',
  'firework',
  'minnesota',
  'yourcommunity',
  'patch',
  'appcorporate',
  'infoabout',
  'patchcareerspartnershipsadvertise',
  'patchsupportfaqscontact',
  'patchcommunity',
  'guidelinesposting',
  'instructionsterms',
  'useprivacy',
  'policy',
  'patch',
  'media',
  'rights'],
 ['sectionsnews',
  'weather',
  'sports',
  'community',
  'highlightslivestream',
  'cancellations',
  'morning',
  'fcc',
  'applications',
  'usabout',
  'contact',
  'kvrr',
  'career',
  'blizzard',
  'warning',
  'dakotas',
  'minnesota',
  'winter',
  'storm',
  'fargo',
  'kvrr',
  'season',
  'winter',
  'storm',
  'way',
  'red',
  'river',
  'valley',
  'tuesday',
  'snow',
  'wind',
  'travel',
  'condition',
  'blizzard',
  'warning',
  'national',
  'weather',
  'service',
  'portion',
  'north',
  'dakota',
  'south',
  'dakota',
  'minnesota',
  'forecaster',
  'wind',
  'mph',
  'snowfall',
  'fargo',
  'public',
  'school',
  'building',
  'activity',
  'april',
  'staff',
  'student',
  'learning',
  'activity',
  'kvrr',
  'local',
  'news',
  'update',
  'category',
  'local',
  'news',
  'minnesota',
  'news',
  'north',
  'dakota',
  'news',
  'tags',
  'blizzard',
  'national',
  'weather',
  'service',
  'winter',
  'storm',
  'facebooktwitterredditpinteresttumblr',
  'heat',
  'f',
  'm',
  'metro',
  'mobile',
  'food',
  'pantry',
  'stop',
  'clay',
  'county',
  'view',
  'alert',
  'details',
  'kvrr',
  'weather7',
  'day',
  'map',
  'popular',
  'family',
  'lead',
  'whereabout',
  'west',
  'fargo',
  'fargo',
  'daycare',
  'provider',
  'counts',
  'herreport',
  'fargo',
  'city',
  'return',
  'school',
  'ndsu',
  'degree',
  'brother',
  'gun',
  'incidents',
  'sunday',
  'monday',
  'newsbusiness',
  'construction',
  'traffic',
  'updates',
  'entertainment',
  'health',
  'local',
  'news',
  'minnesota',
  'news',
  'north',
  'dakota',
  'news',
  'politics',
  'elections',
  'buzz',
  'weatherriver',
  'levels',
  'forecast',
  'kvrr',
  'towercam',
  'long',
  'range',
  'forecast',
  'pet',
  'connection',
  'river',
  'levels',
  'severe',
  'weather',
  'alerts',
  'cancellations',
  'weather',
  'notes',
  'stationadvertise',
  'antenna',
  'tv',
  'contact',
  'contests',
  'coverage',
  'map',
  'kvrr',
  'fcc',
  'public',
  'file',
  'kbrr',
  'fcc',
  'public',
  'file',
  'kjrr',
  'fcc',
  'public',
  'file',
  'knrr',
  'fcc',
  'public',
  'file',
  'fcc',
  'applications',
  'eeo',
  'information',
  'kvrr',
  'career',
  'kvrr',
  'team',
  'privacy',
  'policy',
  'schedule',
  'terms',
  'use'],
 ['health',
  'sex',
  'relationships',
  'viral',
  'trends',
  'human',
  'interest',
  'parenting',
  'fashion',
  'beauty',
  'food',
  'drink',
  'travel',
  'storm',
  'havoc',
  'hawaii',
  'thank',
  'submission',
  'tourist',
  'submarine',
  'pilot',
  'ocean',
  'floor',
  'time',
  'day',
  'job',
  'stuck',
  'hawaii',
  'passenger',
  'hour',
  'delay',
  'nyc',
  'airport',
  'food',
  'voucher',
  'southwest',
  'passenger',
  'photo',
  'bomb',
  'plane',
  'pat',
  'sajak',
  'oldie',
  'wheel',
  'retirement',
  'honolulu',
  'shore',
  'oahu',
  'waikiki',
  'beach',
  'summit',
  'big',
  'island',
  'peak',
  'winter',
  'storm',
  'hawaiian',
  'islands',
  'threat',
  'flash',
  'flood',
  'landslide',
  'tree',
  'limb',
  'storm',
  'nation',
  'island',
  'state',
  'couple',
  'wedding',
  'tourist',
  'indoor',
  'state',
  'infrastructure',
  'deluge',
  'rain',
  'wind',
  'boy',
  'age',
  'creek',
  'honolulu',
  'fire',
  'department',
  'worker',
  'statement',
  'agency',
  'official',
  'thunderstorm',
  'wind',
  'rain',
  'wednesday',
  'gov.',
  'david',
  'ige',
  'state',
  'emergency',
  'state',
  'island',
  'monday',
  'night',
  'people',
  'umbrella',
  'beach',
  'honolulu',
  'ap',
  'veterans',
  'survivor',
  'attack',
  'pearl',
  'harbor',
  'year',
  'anniversary',
  'celebration',
  'tuesday',
  'morning',
  'pearl',
  'harbor',
  'navy',
  'spokesperson',
  'brenda',
  'way',
  'associated',
  'press',
  'email',
  'monday',
  'discussion',
  'event',
  'storm',
  'national',
  'weather',
  'service',
  'storm',
  'threat',
  'flooding',
  'day',
  'pressure',
  'system',
  'east',
  'west',
  'edge',
  'archipelago',
  'storm',
  'power',
  'community',
  'hawaii',
  'rain',
  'state',
  'island',
  'oahu',
  'monday',
  'evening',
  'people',
  'rain',
  'waikiki',
  'beach',
  'ap',
  'time',
  'emergency',
  'plan',
  'place',
  'supply',
  'water',
  'ige',
  'statement',
  'oahu',
  'shelter',
  'beach',
  'waikiki',
  'monday',
  'people',
  'umbrella',
  'shower',
  'roadway',
  'area',
  'car',
  'downtown',
  'water',
  'manhole',
  'cover',
  'maui',
  'power',
  'outage',
  'flooding',
  'foot',
  'centimeter',
  'rain',
  'area',
  'beach',
  'goer',
  'rain',
  'waikiki',
  'beach',
  'ap',
  'rain',
  'couple',
  'u.s.',
  'mainland',
  'maui',
  'elopement',
  'nicole',
  'bonanno',
  'owner',
  'bella',
  'bloom',
  'floral',
  'wedding',
  'florist',
  'boutique',
  'wailea',
  'weather',
  'flower',
  'delivery',
  'company',
  'power',
  'employee',
  'road',
  'debris',
  'bonanno',
  'road',
  'mess',
  'lot',
  'tree',
  'maui',
  'resident',
  'jimmy',
  'gomes',
  'light',
  'home',
  'monday',
  'power',
  'p.m.',
  'sunday',
  'rain',
  'gauge',
  'inch',
  'centimeter',
  'kind',
  'rain',
  'time',
  'car',
  'cooke',
  'street',
  'monday',
  'dec.',
  'honolulu',
  'ap',
  'night',
  'wind',
  'morning',
  'big',
  'island',
  'mayor',
  'mitch',
  'roth',
  'state',
  'emergency',
  'sunday',
  'rainfall',
  'wind',
  'area',
  'hilo',
  'rain',
  'weekend',
  'weather',
  'official',
  'island',
  'threat',
  'flash',
  'flooding',
  'lightning',
  'strike',
  'landslide',
  'wind',
  'day',
  'national',
  'weather',
  'service',
  'oahu',
  'kauai',
  'brunt',
  'storm',
  'monday',
  'tuesday',
  'maui',
  'big',
  'island',
  'lot',
  'rain',
  'problem',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'meteorologist',
  'robert',
  'ballard',
  'pedestrian',
  'queen',
  'street',
  'monday',
  'dec.',
  'honolulu',
  'ap',
  'winter',
  'weather',
  'system',
  'kona',
  'low',
  'emergency',
  'alert',
  'weekend',
  'wind',
  'rain',
  'blizzard',
  'condition',
  'hawaii',
  'elevation',
  'weekend',
  'blizzard',
  'warning',
  'state',
  'peak',
  'big',
  'island',
  'snow',
  'summit',
  'mauna',
  'kea',
  'foot',
  'meter',
  'time',
  'blizzard',
  'warning',
  'summit',
  'resident',
  'summit',
  'telescope',
  'observatory',
  'office',
  'official',
  'weather',
  'service',
  'report',
  'inch',
  'centimeter',
  'snow',
  'road',
  'mauna',
  'kea',
  'official',
  'summit',
  'measurement',
  'forecast',
  'foot',
  'snow',
  'mountain',
  'peak',
  'storm',
  'cloud',
  'background',
  'beachgoer',
  'waikiki',
  'beach',
  'ap',
  'wind',
  'gust',
  'mph',
  '138',
  'kph',
  'mauna',
  'kea',
  'area',
  'elevation',
  'wind',
  'gust',
  'mph',
  'kph',
  'location',
  'state',
  'weather',
  'official',
  'kona',
  'type',
  'pressure',
  'system',
  'form',
  'hawaii',
  'winter',
  'season',
  'characteristic',
  'ballard',
  'national',
  'weather',
  'service',
  'science',
  'operation',
  'officer',
  'hawaii',
  'moisture',
  'region',
  'kona',
  'low',
  'rain',
  'thunder',
  'shower',
  'area',
  'time',
  'wind',
  'ballard',
  'storm',
  'wind',
  'rain',
  'road',
  'power',
  'line',
  'tree',
  'branch',
  'hawaii',
  'ap',
  'hawaii',
  'dam',
  'state',
  'storm',
  'wall',
  'kauai',
  'kaloko',
  'reservoir',
  'rain',
  'wave',
  'water',
  'mud',
  'hillside',
  'people',
  'woman',
  'rainfall',
  'march',
  'fear',
  'dam',
  'maui',
  'floodwater',
  'home',
  'roadway',
  'storm',
  'system',
  'flood',
  'oahu',
  'landslide',
  'kauai',
  'ballard',
  'state',
  'agency',
  'dam',
  'condition',
  'people',
  'situation',
  'folk',
  'type',
  'situation',
  'flash',
  'flooding',
  'ballard',
  'hospital',
  'worker',
  'covid-19',
  'chris',
  'story',
  'time',
  'girl',
  'montana',
  'police',
  'station',
  'miracle',
  'story',
  'time',
  'onlooker',
  'hunter',
  'biden',
  'sweetheart',
  'plea',
  'deal',
  'court',
  'story',
  'time',
  'teen',
  'country',
  'concert',
  'girlfriend',
  'horror',
  'expert',
  'weight',
  'overview',
  'found',
  'program',
  'safety',
  'pack',
  'fire',
  'extinguisher',
  '%',
  'sheet',
  'sleeper',
  'review',
  'expert',
  'sleep',
  'foundation',
  '%',
  'wayfair',
  'outdoor',
  'seating',
  'sale',
  'set',
  'sectional',
  'today',
  'beach',
  'wagon',
  'cart',
  'rollin',
  'beach',
  'kylie',
  'jenner',
  'boob',
  'job',
  'year',
  'denial',
  'jamie',
  'lynn',
  'spears',
  'responsibility',
  'fame',
  'selena',
  'gomez',
  'francia',
  'raísa',
  'birthday',
  'feud',
  'life',
  'noise',
  'activity',
  'mid',
  '-',
  'prison',
  'r.i.p.',
  'sinéad',
  'o’connor',
  'irish',
  'singer',
  'compare',
  'subject',
  'dead',
  'kevin',
  'spacey',
  'drinking',
  'acquittal',
  'london',
  'hotspot',
  'girl',
  'montana',
  'police',
  'station',
  'miracle',
  'news',
  'metro',
  'sports',
  'sports',
  'betting',
  'business',
  'opinion',
  'entertainment',
  'fashion',
  'beauty',
  'shopping',
  'lifestyle',
  'real',
  'estate',
  'media',
  'tech',
  'health',
  'travel',
  'astrology',
  'video',
  'photos',
  'stories',
  'alexa',
  'cover',
  'horoscopes',
  'sport',
  'odd',
  'podcast',
  'columnists',
  'classifieds',
  'email',
  'newsletters',
  'rss',
  'ny',
  'post',
  'official',
  'store',
  'home',
  'delivery',
  'new',
  'york',
  'post',
  'customer',
  'service',
  'apps',
  'community',
  'guidelines',
  'contact',
  'tips',
  'newsroom',
  'letters',
  'editor',
  'licensing',
  'reprints',
  'careers',
  'vulnerability',
  'disclosure',
  'program',
  'nyp',
  'holdings',
  'inc.',
  'rights',
  'reserved',
  'terms',
  'use',
  'membership',
  'terms',
  'privacy',
  'notice',
  'sitemap',
  'information'],
 ['ad',
  'issue',
  'video',
  'player',
  'content',
  'ad',
  'video',
  'content',
  'ad',
  'audio',
  'ad',
  'ad',
  'page',
  'content',
  'ad',
  'ad',
  'ad',
  'effort',
  'contribution',
  'feedback',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'tornado',
  'havoc',
  'louisiana',
  'southeast',
  'amir',
  'vera',
  'joe',
  'sutton',
  'jason',
  'hanna',
  'cnn',
  'est',
  'thu',
  'december',
  'devastation',
  'tornado',
  'hit',
  'devastation',
  'tornado',
  'hit',
  'concertgoers',
  'hail',
  'colorado',
  'body',
  'temperature',
  'flooding',
  'china',
  'couple',
  'car',
  'house',
  'cliff',
  'river',
  'foundation',
  'video',
  'tornado',
  'home',
  'debris',
  'video',
  'moment',
  'soldier',
  'heat',
  'video',
  'tornado',
  'texas',
  'barren',
  'land',
  'impact',
  'spain',
  'record',
  'heat',
  'windshield',
  'helicopter',
  'hail',
  'shelf',
  'cloud',
  'sky',
  'downtown',
  'chicago',
  'man',
  'street',
  'flooding',
  'man',
  'tornado',
  'van',
  'footage',
  'california',
  'weather',
  'crisis',
  'lake',
  'life',
  'unbelievable',
  'cnn',
  'reporter',
  'snowfall',
  'california',
  'graphic',
  'change',
  'temperature',
  'people',
  'dozen',
  'louisiana',
  'hour',
  'weather',
  'south',
  'path',
  'destruction',
  'tornado',
  'new',
  'orleans',
  'p.m.',
  'ct',
  'wednesday',
  'national',
  'weather',
  'service',
  'tornado',
  'debris',
  'signature',
  'radar',
  'power',
  'flash',
  'tower',
  'camera',
  'storm',
  'portion',
  'city',
  'damage',
  'extent',
  'time',
  'tornado',
  'report',
  'new',
  'orleans',
  'metro',
  'hour',
  'weather',
  'service',
  'report',
  'detail',
  'path',
  'tornado',
  'area',
  'gretna',
  'arabi',
  'louisiana',
  'wdsu',
  'tower',
  'camera',
  'tornado',
  'ground',
  'lower',
  'ninth',
  'ward',
  'arabi',
  'wednesday',
  'weather',
  'hurricane',
  'ida',
  'gretna',
  'mayor',
  'belinda',
  'constant',
  'cnn',
  'affiliate',
  'wdsu',
  'hurricane',
  'area',
  'year',
  'year',
  'woman',
  'tornado',
  'home',
  'killona',
  'mile',
  'new',
  'orleans',
  'tweet',
  'louisiana',
  'department',
  'health',
  'identity',
  'woman',
  'official',
  'st.',
  'charles',
  'parish',
  'wednesday',
  'people',
  'parish',
  'injury',
  'sheriff',
  'greg',
  'champagne',
  'news',
  'conference',
  'wednesday',
  'champagne',
  'tornado',
  'piece',
  'debris',
  'levee',
  'firing',
  'range',
  'mile',
  'time',
  'week',
  'tornado',
  'st.',
  'charles',
  'parish',
  'bit',
  'devastation',
  'mile',
  'boy',
  'mother',
  'tornado',
  'home',
  'tuesday',
  'louisiana',
  'community',
  'keithville',
  'caddo',
  'parish',
  'sheriff',
  'office',
  'boy',
  'body',
  'tuesday',
  'mile',
  'home',
  'sheriff',
  'steve',
  'prator',
  'cnn',
  'affiliate',
  'ksla',
  'official',
  'debris',
  'field',
  'tornado',
  'victim',
  'december',
  'dawson',
  'springs',
  'kentucky',
  'climate',
  'crisis',
  'tornado',
  'mother',
  'wednesday',
  'street',
  'house',
  'people',
  'community',
  'sheriff',
  'office',
  'people',
  'union',
  'parish',
  'town',
  'farmerville',
  'louisiana',
  'arkansas',
  'border',
  'farmerville',
  'police',
  'detective',
  'cade',
  'nolan',
  'rest',
  'state',
  'debris',
  'home',
  'car',
  'community',
  'resident',
  'cnn',
  'bathtub',
  'fear',
  'storm',
  'storm',
  'system',
  'power',
  'customer',
  'louisiana',
  'mississippi',
  'poweroutage.us',
  '.',
  'louisiana',
  'gov.',
  'john',
  'bel',
  'edwards',
  'state',
  'emergency',
  'wednesday',
  'response',
  'storm',
  'emergency',
  'proclamation',
  'storm',
  'weather',
  'warning',
  'official',
  'governor',
  'louisiana',
  'lt',
  'gov.',
  'billy',
  'nungesser',
  'cnn',
  'anderson',
  'cooper',
  'state',
  'hurricane',
  'season',
  'storm',
  'state',
  'weather',
  'havoc',
  'louisiana',
  'southeast',
  'system',
  'snow',
  'place',
  'blizzard',
  'condition',
  'wednesday',
  'threat',
  'storm',
  'tuesday',
  'tornado',
  'home',
  'business',
  'oklahoma',
  'dallas',
  'fort',
  'worth',
  'area',
  'mississippi',
  'louisiana',
  'total',
  'tornado',
  'wednesday',
  'louisiana',
  'mississippi',
  'storm',
  'prediction',
  'center',
  'addition',
  'tornado',
  'report',
  'tuesday',
  'oklahoma',
  'texas',
  'louisiana',
  'mississippi',
  'tuesday',
  'a.m.',
  'ct',
  'wednesday',
  'a.m.',
  'ct',
  'wednesday',
  'louisiana',
  'new',
  'iberia',
  'weather',
  'risk',
  'rainfall',
  'flash',
  'flooding',
  'wednesday',
  'louisiana',
  'mississippi',
  'west',
  'alabama',
  'storm',
  'prediction',
  'center',
  'wednesday',
  'level',
  'risk',
  'level',
  'storm',
  'people',
  'eastern',
  'louisiana',
  'new',
  'orleans',
  'mississippi',
  'gulfport',
  'alabama',
  'mobile',
  'prediction',
  'center',
  'level',
  'storm',
  'risk',
  'december',
  'level',
  'december',
  'decade',
  'cnn',
  'weather',
  'analysis',
  'louisiana',
  'center',
  'damage',
  'louisiana',
  'gov.',
  'john',
  'bel',
  'edwards',
  'wednesday',
  'state',
  'office',
  'weather',
  'state',
  'storm',
  'closure',
  'louisiana',
  'state',
  'university',
  'southern',
  'university',
  'baton',
  'rouge',
  'wednesday',
  'tornado',
  'region',
  'wednesday',
  'new',
  'orleans',
  'area',
  'weather',
  'closure',
  'causeway',
  'bridge',
  'bridge',
  'mile',
  'lake',
  'pontchartrain',
  'causeway',
  'website',
  'bridge',
  'longest',
  'bridge',
  'world',
  'water',
  'causeway',
  'website',
  'car',
  'i-15',
  'storm',
  'lehi',
  'utah',
  'december',
  'storm',
  'blizzard',
  'condition',
  'weather',
  'south',
  'northeast',
  'week',
  'photo',
  'george',
  'frey',
  'afp',
  'photo',
  'george',
  'frey',
  'afp',
  'getty',
  'images',
  'snow',
  'travel',
  'condition',
  'million',
  'storm',
  'tornado',
  'east',
  'mile',
  'new',
  'orleans',
  'official',
  'jefferson',
  'parish',
  'sheriff',
  'office',
  'damage',
  'search',
  'rescue',
  'operation',
  'damage',
  'parish',
  'sheriff',
  'office',
  'fire',
  'department',
  'government',
  'damage',
  'assessment',
  'home',
  'business',
  'damage',
  'facility',
  'damage',
  'facility',
  'sheriff',
  'office',
  'facebook',
  'page',
  'concern',
  'area',
  'afternoon',
  'tornado',
  'need',
  'jefferson',
  'parish',
  'sheriff',
  'office',
  'wednesday',
  'december',
  'mile',
  'west',
  'twister',
  'wednesday',
  'morning',
  'home',
  'city',
  'new',
  'iberia',
  'rescue',
  'effort',
  'number',
  'people',
  'city',
  'police',
  'new',
  'iberia',
  'police',
  'department',
  'video',
  'facebook',
  'tornado',
  'city',
  'department',
  'home',
  'people',
  'southport',
  'subdivision',
  'tornado',
  'new',
  'iberia',
  'resisent',
  'lizzie',
  'taylor',
  'cnn',
  'home',
  'minute',
  'tornado',
  'place',
  'unit',
  'taylor',
  'landlord',
  'taylor',
  'family',
  'apartment',
  'year',
  'people',
  'damage',
  'tornado',
  'iberia',
  'medical',
  'center',
  'wednesday',
  'december',
  'new',
  'iberia',
  'louisiana',
  'leslie',
  'westbrook',
  'times',
  'picayune',
  'new',
  'orleans',
  'advocate',
  'ap',
  'restriction',
  'place',
  'southport',
  'subdivision',
  'city',
  'police',
  'wednesday',
  'citizen',
  'southport',
  'subdivision',
  'neighborhood',
  'department',
  'proof',
  'residency',
  'access',
  'curfew',
  'place',
  'area',
  'p.m.',
  'a.m.',
  'time',
  'time',
  'traffic',
  'resident',
  'work',
  'emergency',
  'police',
  'iberia',
  'medical',
  'center',
  'damage',
  'police',
  'capt',
  'leland',
  'laseter',
  'facebook',
  'cnn',
  'comment',
  'center',
  'shelter',
  'new',
  'iberia',
  'senior',
  'high',
  'school',
  'gym',
  'st.',
  'charles',
  'parish',
  'sheriff',
  'office',
  'wednesday',
  'report',
  'tornado',
  'killona',
  'damage',
  'home',
  'state',
  'emergency',
  'parish',
  'st.',
  'charles',
  'parish',
  'mile',
  'new',
  'orleans',
  'emergency',
  'operations',
  'center',
  'report',
  'damage',
  'killona',
  'area',
  'power',
  'line',
  'road',
  'facebook',
  'post',
  'st.',
  'charles',
  'parish',
  'resident',
  'area',
  'power',
  'line',
  'farmerville',
  'resident',
  'storm',
  'train',
  'people',
  'union',
  'parish',
  'town',
  'farmerville',
  'louisiana',
  'tornado',
  'tuesday',
  'night',
  'farmerville',
  'police',
  'detective',
  'cade',
  'nolan',
  'apartment',
  'complex',
  'home',
  'park',
  'farmerville',
  'area',
  'tree',
  'debris',
  'road',
  'field',
  'cnn',
  'crew',
  'wednesday',
  'resident',
  'cnn',
  'correspondent',
  'storm',
  'train',
  'home',
  'truck',
  'wednesday',
  'tornado',
  'farmerville',
  'louisiana',
  'people',
  'tornado',
  'tuesday',
  'night',
  'beth',
  'tabor',
  'storm',
  'weather',
  'farmerville',
  'cnn',
  'wednesday',
  'afternoon',
  'freight',
  'train',
  'tabor',
  'cnn',
  'derek',
  'van',
  'dam',
  'noise',
  'ordeal',
  'bathroom',
  'roommate',
  'baby',
  'second',
  'tabor',
  'lot',
  'creak',
  'noise',
  'tabor',
  'tabor',
  'home',
  'storm',
  'hallway',
  'sky',
  'bedroom',
  'window',
  'night',
  'act',
  'god',
  'people',
  'debris',
  'home',
  'park',
  'farmerville',
  'area',
  'union',
  'parish',
  'louisiana',
  'wednesday',
  'patsy',
  'andrews',
  'child',
  'tornado',
  'farmerville',
  'tuesday',
  'night',
  'cnn',
  'affiliate',
  'knoe',
  'tv',
  'prayer',
  'faith',
  'line',
  'rain',
  'wind',
  'train',
  'door',
  'wind',
  'son',
  'door',
  'wind',
  'door',
  'andrews',
  'light',
  'glass',
  'daughter',
  'floor',
  'way',
  'stuff',
  'window',
  'glass',
  'andrews',
  'damage',
  'debris',
  'apartment',
  'complex',
  'farmerville',
  'louisiana',
  'december',
  'place',
  'hall',
  'way',
  'glass',
  'water',
  'roof',
  'daughter',
  'bathroom',
  'door',
  'family',
  'bathtub',
  'tub',
  'jesus',
  'andrews',
  'family',
  'storm',
  'aftermath',
  'awe',
  'room',
  'house',
  'water',
  'material',
  'item',
  'neighbor',
  'car',
  'car',
  'wood',
  'street',
  'tank',
  'ground',
  'directvs',
  'ground',
  'storm',
  'storm',
  'damage',
  'farmville',
  'louisiana',
  'december',
  'tiyia',
  'stringfellow',
  'boyfriend',
  'child',
  'farmerville',
  'apartment',
  'tuesday',
  'tornado',
  'cnn',
  'kitchen',
  'closet',
  'boyfriend',
  'window',
  'tornado',
  'house',
  'roof',
  'cave',
  'house',
  'stringfellow',
  'tornado',
  'home',
  'business',
  'south',
  'tuesday',
  'storm',
  'region',
  'oklahoma',
  'dallas',
  'fort',
  'worth',
  'area',
  'mississippi',
  'louisiana',
  'tuesday',
  'wayne',
  'oklahoma',
  'ef2',
  'tornado',
  'home',
  'outbuilding',
  'barn',
  'tuesday',
  'official',
  'home',
  'roof',
  'tree',
  'twig',
  'video',
  'cnn',
  'affiliate',
  'koco',
  'texas',
  'people',
  'tuesday',
  'morning',
  'storm',
  'dallas',
  'fort',
  'worth',
  'area',
  'city',
  'grapevine',
  'tornado',
  'report',
  'grapevine',
  'police',
  'mall',
  'business',
  'storm',
  'damage',
  'decatur',
  'texas',
  'tuesday',
  'people',
  'tuesday',
  'texas',
  'wise',
  'county',
  'northwest',
  'fort',
  'worth',
  'county',
  'official',
  'wind',
  'vehicle',
  'vehicle',
  'debris',
  'official',
  'ef2',
  'tornado',
  'county',
  'community',
  'paradise',
  'decatur',
  'home',
  'business',
  'official',
  'weather',
  'home',
  'ruin',
  'tuesday',
  'texas',
  'city',
  'blue',
  'ridge',
  'mile',
  'downtown',
  'dallas',
  'video',
  'cnn',
  'affiliate',
  'wfaa',
  'cnn',
  'steve',
  'almasy',
  'derek',
  'van',
  'dam',
  'kevin',
  'conlon',
  'rob',
  'shackelford',
  'nouran',
  'salahieh',
  'michelle',
  'watson',
  'amanda',
  'jackson',
  'paradise',
  'afshar',
  'matt',
  'phillips',
  'jeremy',
  'grisham',
  'dave',
  'alsup',
  'report',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cnn',
  'account',
  'log',
  'cnn',
  ...],
 ['donor',
  'plaza',
  'conference',
  'room',
  'big',
  'brothers',
  'big',
  'sisters',
  'mississippi',
  'valley',
  'rock',
  'falls',
  'police',
  'department',
  'speeder',
  'heat',
  'advisory',
  'friday',
  'temperature',
  '°',
  'heat',
  'week',
  'culprit',
  'weather',
  'weather',
  'service',
  'tornado',
  'friday',
  'night',
  'storm',
  'evidence',
  'ef-2',
  'tornado',
  'damage',
  'wind',
  'mph',
  'grand',
  'mound',
  'charlotte',
  'iowa',
  'example',
  'video',
  'title',
  'video',
  'cdt',
  'april',
  'pm',
  'cdt',
  'april',
  'grand',
  'mound',
  'iowa',
  'team',
  'u.s.',
  'national',
  'weather',
  'service',
  'office',
  'quad',
  'cities',
  'finding',
  'tornado',
  'jackson',
  'clinton',
  'county',
  'iowa',
  'friday',
  'evening',
  'sunday',
  'afternoon',
  'nws',
  'tornado',
  'damage',
  'tornado',
  'wind',
  'mph',
  'dozen',
  'people',
  'injury',
  'storm',
  'tornado',
  'tipton',
  'cedar',
  'county',
  'iowa',
  'p.m.',
  'mile',
  'northeast',
  'bennett',
  'iowa',
  'damage',
  'home',
  'town',
  'semi',
  'interstate',
  'block',
  'silo',
  'damage',
  'people',
  'width',
  'tornado',
  'yard',
  'peak',
  'wind',
  'speed',
  'mph',
  'ef-2',
  'tornado',
  'enhanced',
  'fujita',
  'scale',
  'example',
  'video',
  'title',
  'video',
  'tornado',
  'grand',
  'mound',
  'iowa',
  'p.m.',
  'wind',
  'mph',
  'mile',
  'northeast',
  'charlotte',
  'iowa',
  'weather',
  'service',
  'expert',
  'damage',
  'path',
  'house',
  'charlotte',
  'house',
  'foundation',
  'people',
  'house',
  'grand',
  'mound',
  'person',
  'hospital',
  'injury',
  'tornado',
  'jackson',
  'county',
  'iowa',
  'mile',
  'andrew',
  'p.m.',
  'mile',
  'path',
  'yard',
  'cottonville',
  'p.m.',
  'roof',
  'wall',
  'street',
  'tree',
  'damage',
  'tornado',
  'ef-1',
  'bellevue',
  'iowa',
  'jackson',
  'county',
  'p.m.',
  'wind',
  'mph',
  'tornado',
  'mile',
  'northeast',
  'mississippi',
  'river',
  'hanover',
  'illinois',
  'rv',
  'park',
  'cabin',
  'damage',
  'rv',
  'people',
  'number',
  'tornado',
  'storm',
  'survey',
  'day',
  'update',
  'information',
  'injury',
  'clinton',
  'county',
  'weather',
  'house',
  'people',
  'team',
  'tornado',
  'damage',
  'strength',
  '►',
  'wqad',
  'news',
  'app',
  '►',
  'subscribe',
  'newsletter',
  '►',
  'subscribe',
  'youtube',
  'channel',
  'eeo',
  'public',
  'file',
  'report',
  'fcc',
  'online',
  'public',
  'inspection',
  'file',
  'closed',
  'caption',
  'procedure',
  'personal',
  'information',
  'wqad',
  'tv',
  'rights',
  'notification',
  'news',
  'weather',
  'notification',
  'browser',
  'setting'],
 ['contentskip',
  'navigationskip',
  'navigationprint',
  'subscription',
  'sign',
  'insearch',
  'jobssearchus',
  'editionus',
  'editionuk',
  'editionaustralia',
  'guardian',
  'guardiannewsopinionsportculturelifestyleshowmoreshow',
  'morenewsview',
  'newsus',
  'newsworld',
  'politicsbusinesstechsciencenewslettersfight',
  'democracyopinionview',
  'opinionthe',
  'guardian',
  'viewcolumnistslettersopinion',
  'videoscartoonssportview',
  'sportsoccernfltennismlbmlsnbanhlf1golfcultureview',
  'culturefilmbooksmusicart',
  'designtv',
  'radiostageclassicalgameslifestyleview',
  'lifestylefashionfoodrecipeslove',
  'sexhome',
  'gardenhealth',
  'fitnessfamilytravelmoneysearch',
  'input',
  'google',
  'search',
  'searchsupport',
  'usprint',
  'subscriptionsus',
  'editionuk',
  'editionaustralia',
  'editionsearch',
  'jobsdigital',
  'archiveguardian',
  'puzzles',
  'licensingthe',
  'guardian',
  'guardianguardian',
  'weeklycrosswordswordiplycorrectionsfacebooktwittersearch',
  'jobsdigital',
  'archiveguardian',
  'puzzles',
  'licensingusworldenvironmentsoccerus',
  'politicsbusinesstechsciencenewslettersfight',
  'democracy',
  'ice',
  'roof',
  'house',
  'south',
  'east',
  'austin',
  'texas',
  'winter',
  'storm',
  'february',
  'photograph',
  'jay',
  'janner',
  'apice',
  'roof',
  'house',
  'south',
  'east',
  'austin',
  'texas',
  'winter',
  'storm',
  'february',
  'photograph',
  'jay',
  'janner',
  'aptexas',
  'article',
  'month',
  'brace',
  'weather',
  'hope',
  'storm',
  'repeat',
  'article',
  'month',
  'oldexpert',
  'temperature',
  'storm',
  'minimum',
  'salamwed',
  'dec',
  'estfirst',
  'd',
  'dec',
  'texans',
  'blast',
  'arctic',
  'air',
  'thursday',
  'repeat',
  'winter',
  'storm',
  'state',
  'state',
  'power',
  'infrastructure',
  'score',
  'people',
  'resident',
  'weather',
  'essential',
  'water',
  'food',
  'case',
  'power',
  'outage',
  'food',
  'supply',
  'chain',
  'issue',
  'winter',
  'storm',
  'uri',
  'february',
  'million',
  'texans',
  'power',
  'people',
  'expert',
  'storm',
  'texas',
  'sarah',
  'barnes',
  'meteorologist',
  'national',
  'weather',
  'service',
  'dallas',
  'fort',
  'worth',
  'guardian',
  'temperature',
  '”the',
  'storm',
  'temperature',
  '-2f',
  'year',
  'temperature',
  '-12c',
  'difference',
  'barnes',
  'texas',
  'rest',
  'power',
  'grid',
  'disaster',
  'grid',
  'scrutiny',
  'preparation',
  'event',
  'state',
  'power',
  'grid',
  'governing',
  'body',
  'electric',
  'reliability',
  'council',
  'texas',
  'ercot',
  'statement',
  'generation',
  'demand',
  'texas',
  'state',
  'climatologist',
  'dr',
  'john',
  'nielsen',
  'gammon',
  'power',
  'outage',
  'air',
  'outbreak',
  'february',
  'temperature',
  'december',
  'year',
  'step',
  'resilience',
  'gas',
  'power',
  'generation',
  'operation',
  'wind',
  'power',
  'generation',
  'thursday',
  'night',
  'friday',
  'winter',
  'storm',
  'uri',
  'forecast',
  'winter',
  'weather',
  'snow',
  'road',
  'condition',
  'time',
  'state',
  'weather',
  'state',
  'grid',
  'ercot',
  'demand',
  'level',
  'houston',
  'mayor',
  'sylvester',
  'turner',
  'shelter',
  'city',
  'preparation',
  'freeze',
  'city',
  'austin',
  'dallas',
  'san',
  'antonio',
  'shelter',
  'san',
  'antonio',
  'transit',
  'authority',
  'plan',
  'transportation',
  'shelter',
  'order',
  'freeze',
  'barnes',
  'texans',
  'ps',
  'pipe',
  'pet',
  'people',
  'plants”',
  'thing',
  'pipe',
  'outdoor',
  'pipe',
  'cold',
  'digit',
  'area',
  'weather',
  'pipe',
  'texas',
  'home',
  'north',
  'damage',
  'pipe',
  'homeowner',
  'thousand',
  'dollar',
  'case',
  'winter',
  'storm',
  'barnes',
  'pipe',
  'key',
  'damage',
  'nielsen',
  'gammon',
  'impact',
  'climate',
  'crisis',
  'weather',
  'pattern',
  'sea',
  'ice',
  'loss',
  'air',
  'weather',
  'pattern',
  'air',
  'climate',
  'change',
  'overall',
  '”topicstexasextreme',
  'weatherus',
  'viewedmost',
  'viewedusworldenvironmentsoccerus',
  'politicsbusinesstechsciencenewslettersfight',
  'reporting',
  'analysis',
  'guardian',
  'ushelpcomplaint',
  'correctionssecuredropwork',
  'usprivacy',
  'policycookie',
  'policyterms',
  'conditionscontact',
  'usall',
  'topicsall',
  'newspaper',
  'archivefacebookyoutubeinstagramlinkedintwitternewslettersadvertise',
  'labssearch',
  'guardian',
  'news',
  'media',
  'limited',
  'company',
  'right'],
 ['permission',
  'video',
  'fcc',
  'public',
  'inspection',
  'file',
  'ktvn',
  'log',
  'account',
  'log',
  'account',
  'sign',
  'today',
  'account',
  'dashboard',
  'profile',
  'item',
  'oh',
  'ohio',
  'west',
  'virginia',
  'storm',
  'damage',
  'oh',
  'power',
  'restoration',
  'effort',
  'damage',
  'assessment',
  'weather',
  'red',
  'flag',
  'warning',
  'effect',
  'noon',
  'today',
  'pm',
  'pdt',
  'evening',
  'gusty',
  'wind',
  'low',
  'humidity',
  'desert',
  'northeast',
  'california',
  'portions',
  'northwest',
  'nevada',
  'national',
  'weather',
  'service',
  'reno',
  'red',
  'flag',
  'warning',
  'wind',
  'humidity',
  'effect',
  'noon',
  'today',
  'pm',
  'pdt',
  'evening',
  'fire',
  'weather',
  'watch',
  'effect',
  'changes',
  'fire',
  'weather',
  'watch',
  'red',
  'flag',
  'warning',
  'area',
  'fire',
  'weather',
  'zone',
  'surprise',
  'valley',
  'california',
  'fire',
  'weather',
  'zone',
  'eastern',
  'lassen',
  'county',
  'fire',
  'weather',
  'zone',
  'northern',
  'sierra',
  'carson',
  'city',
  'douglas',
  'storey',
  'southern',
  'washoe',
  'western',
  'lyon',
  'far',
  'southern',
  'lassen',
  'counties',
  'fire',
  'weather',
  'zone',
  'west',
  'humboldt',
  'basin',
  'pershing',
  'county',
  'fire',
  'weather',
  'zone',
  'northern',
  'washoe',
  'county',
  'wind',
  'southwest',
  'mph',
  'gust',
  'mph',
  'ridgelines',
  'gust',
  'mph',
  'impact',
  'combination',
  'wind',
  'humidity',
  'fire',
  'size',
  'intensity',
  'responder',
  'activity',
  'spark',
  'vegetation',
  'yard',
  'work',
  'target',
  'shooting',
  'campfire',
  'fire',
  'restriction',
  'update',
  'livingwithfire.info',
  'preparedness',
  'tip',
  'wind',
  'advisory',
  'effect',
  'noon',
  'pm',
  'pdt',
  'wednesday',
  'southwest',
  'wind',
  'mph',
  'gust',
  'mph',
  'wave',
  'height',
  'pyramid',
  'lake',
  'foot',
  'washoe',
  'pyramid',
  'lahontan',
  'rye',
  'patch',
  'noon',
  'pm',
  'pdt',
  'wednesday',
  'impact',
  'boat',
  'kayak',
  'paddle',
  'board',
  'lake',
  'water',
  'condition',
  'lake',
  'condition',
  'increase',
  'wind',
  'wave',
  'height',
  'activity',
  'lake',
  'day',
  'wind',
  'news',
  'community',
  'nevada',
  'congressman',
  'heat',
  'protections',
  'worker',
  'city',
  'reno',
  'wolf',
  'pack',
  'fridays',
  'wcsd',
  'sex',
  'ed',
  'curriculum',
  'reno',
  'place',
  'study',
  'step',
  'copy',
  'news',
  'story',
  'info',
  'energy',
  'way',
  'reno',
  'nv',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'blox',
  'content',
  'management',
  'system',
  'blox',
  'digital',
  'minute',
  'news',
  'device'],
 ['fcc',
  'public',
  'inspection',
  'file',
  'ktvn',
  'log',
  'account',
  'log',
  'account',
  'sign',
  'today',
  'account',
  'dashboard',
  'profile',
  'item',
  'deceased',
  'july',
  'crash',
  'near',
  'spooner',
  'summit',
  'tuesday',
  'p.m.',
  'nevada',
  'state',
  'police',
  'report',
  'crash',
  'location',
  'us50',
  'sr28',
  'video',
  'spur',
  'outrage',
  'horse',
  'advocates',
  'video',
  'stallion',
  'leg',
  'trap',
  'fence',
  'helicopter',
  'i-80',
  'lane',
  'reduction',
  'friday',
  'repaving',
  'red',
  'flag',
  'warning',
  'northern',
  'nevada',
  'today',
  'vacancy',
  'rate',
  'apartments',
  'reno',
  'man',
  'dead',
  'car',
  'edge',
  'mt.',
  'rose',
  'highway',
  'cent',
  'new',
  'tv',
  'ai',
  'subway',
  'lifetime',
  'sandwiches',
  'free',
  'smart',
  'phone',
  'classes',
  'senior',
  'best',
  'exercises',
  'blood',
  'pressure',
  'nevada',
  'state',
  'police',
  'crash',
  'churchill',
  'county',
  'nevada',
  'state',
  'police',
  'crash',
  'mineral',
  'county',
  'investigator',
  'morning',
  'fire',
  'reno',
  'intentionally',
  'set',
  'sinclair',
  'gas',
  'station',
  'gas',
  'drive',
  'friday',
  'elko',
  'police',
  'suspect',
  'armed',
  'robbery',
  'susanville',
  'shootings',
  'man',
  'second',
  'person',
  'interest',
  'loose',
  'deceased',
  'july',
  'crash',
  'near',
  'spooner',
  'summit',
  'free',
  'smart',
  'phone',
  'classes',
  'senior',
  'lane',
  'reduction',
  'friday',
  'repaving',
  'city',
  'reno',
  'wolf',
  'pack',
  'fridays',
  'elon',
  'musk',
  'tweet',
  'x',
  'language',
  'angels',
  'pitcher',
  'lucas',
  'giolito',
  'reynaldo',
  'lópez',
  'white',
  'sox',
  'prospect',
  'stock',
  'market',
  'today',
  'share',
  'federal',
  'reserve',
  'interest',
  'rate',
  'lindsey',
  'horan',
  'ekes',
  'draw',
  'netherlands',
  'women',
  'world',
  'cup',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'mlb',
  'owner',
  'russia',
  'un',
  'meeting',
  'attack',
  'ukraine',
  'port',
  'city',
  'odesa',
  'video',
  'spur',
  'outrage',
  'horse',
  'advocates',
  'school',
  'student',
  'scholarship',
  'governor',
  'lombardo',
  'signs',
  'senate',
  'bill',
  'lawmakers',
  'split',
  'lombardo',
  'climate',
  'decision',
  'campaign',
  'candidate',
  'gop',
  'primary',
  'debate',
  'nv',
  'republicans',
  'candidate',
  'heritage',
  'ranch',
  'bbq',
  'campaign',
  'fundraising',
  'quarter',
  'chicago',
  'blackhawks',
  'owner',
  'bronny',
  'james',
  'icu',
  'bronny',
  'james',
  'cardiac',
  'arrest',
  'usc',
  'practice',
  'aces',
  'express',
  'series',
  'finale',
  'win',
  'aces',
  'fall',
  'game',
  'round',
  'rock',
  'barracuda',
  'championship',
  '3rd',
  'round',
  'news',
  'notes',
  'video',
  'spur',
  'outrage',
  'horse',
  'advocates',
  'nevada',
  'congressman',
  'urges',
  'heat',
  'protections',
  'worker',
  'senator',
  'cortez',
  'masto',
  'bill',
  'prevent',
  'veteran',
  'fraud',
  'clark',
  'county',
  'october',
  'memorial',
  'concept',
  'red',
  'flag',
  'warning',
  'northern',
  'nevada',
  'today',
  'vacancy',
  'rate',
  'apartments',
  'reno',
  'leader',
  'colorado',
  'way',
  'buffs',
  'pac-12',
  'ap',
  'source',
  'e',
  '-',
  'bike',
  'fire',
  'ion',
  'battery',
  'lapd',
  'arrests',
  'dozens',
  'suspected',
  'online',
  'predators',
  'attorney',
  'm',
  'settlement',
  'water',
  'system',
  'contamination',
  'chemical',
  'detail',
  'bronny',
  'james',
  'day',
  'arrest',
  'usc',
  'basketball',
  'practice',
  'michael',
  'jackson',
  'employee',
  'sex',
  'abuse',
  'lawyer',
  'court',
  'washoe',
  'county',
  'health',
  'district',
  'hosts',
  'free',
  'covid-19',
  'vaccine',
  'event',
  'health',
  'watch',
  'covid-19',
  'nasal',
  'vaccine',
  'covid-19',
  'vaccine',
  'event',
  'reno',
  'town',
  'mall',
  'end',
  'federal',
  'public',
  'health',
  'emergency',
  'covid',
  'vaccine',
  'president',
  'biden',
  'federal',
  'covid-19',
  'vaccine',
  'requirement',
  'report',
  'new',
  'york',
  'city',
  'se',
  'acerca',
  'el',
  'otoño',
  'desde',
  'ahora',
  'los',
  'síntomas',
  'alergia',
  'tech',
  'tool',
  'business',
  'landscape',
  'item',
  'high',
  'schooler',
  'school',
  'shopping',
  'list',
  'copy',
  'news',
  'story',
  'info',
  'energy',
  'way',
  'reno',
  'nv',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'blox',
  'content',
  'management',
  'system',
  'blox',
  'digital',
  'minute',
  'news',
  'device'],
 ['view',
  'calendarsubmit',
  'eventmeet',
  'teamadvertise',
  'us!subscribesubscribegovernmentculturebusinesseducationhealthpolice',
  'firesportsweekly',
  'review',
  'delaware',
  'hurricane',
  'season',
  'jarek',
  'rutz',
  'june',
  'headline',
  'health',
  'atlantic',
  'hurricane',
  'season',
  'june',
  'midst',
  'haze',
  'smoke',
  'northeast',
  'wildfire',
  'state',
  'challenge',
  'mother',
  'nature',
  'hurricane',
  'season',
  'delaware',
  'emergency',
  'management',
  'agency',
  'tip',
  'delaware',
  'resident',
  'visitor',
  'zone',
  'start',
  'hurricane',
  'season',
  'june',
  'agency',
  'delaware',
  'storm',
  'delmarva',
  'peninsula',
  'elevation',
  'state',
  'foot',
  'sea',
  'level',
  'history',
  'tropical',
  'storm',
  'isaias',
  'august',
  'state',
  'tornado',
  'delaware',
  'ef2',
  'tornado',
  'dover',
  'kent',
  'county',
  'southwest',
  'glasgow',
  'new',
  'castle',
  'county',
  'milford',
  'woman',
  'tree',
  'storm',
  'ef2',
  'tornado',
  'damage',
  'wind',
  'mile',
  'hour',
  'september',
  'remnant',
  'hurricane',
  'ida',
  'rainfall',
  'brandywine',
  'creek',
  'area',
  'downtown',
  'wilmington',
  'people',
  'flooding',
  'million',
  'dollar',
  'property',
  'damage',
  'disaster',
  'declaration',
  'new',
  'castle',
  'county',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'hurricane',
  'season',
  'storm',
  'hurricane',
  'hurricane',
  'wind',
  'mile',
  'hour',
  'hurricane',
  'gust',
  'mile',
  'hour',
  'administration',
  'preparede',
  'ready.gov',
  'national',
  'weather',
  'service',
  'national',
  'hurricane',
  'center',
  'hurricanestrong',
  'information',
  'resource',
  'action',
  'resource',
  'zone',
  'user',
  'location',
  'state',
  'evacuation',
  'zone',
  'user',
  'zone',
  'evacuation',
  'zone',
  'lookup',
  'tool',
  'evacuation',
  'zone',
  'map',
  'address',
  'evacuation',
  'zone',
  'event',
  'hurricane',
  'evacuation',
  'zones',
  'delaware',
  'b',
  'c',
  'd.',
  'zone',
  'area',
  'flooding',
  'storm',
  'surge',
  'emergency',
  'disaster',
  'state',
  'evacuation',
  'warning',
  'order',
  'community',
  'evacuation',
  'zone',
  'delaware',
  'hurricane',
  'zone',
  'preparede',
  'tip',
  'resident',
  'safety',
  'plan',
  'hurricane',
  'flood',
  'risk',
  'step',
  'evacuation',
  'zone',
  'flood',
  'zone',
  'coast',
  'risk',
  'remnant',
  'system',
  'tornado',
  'rainfall',
  'life',
  'flooding',
  'area',
  'mile',
  'coast',
  'hurricane',
  'area',
  'family',
  'community',
  'emergency',
  'plan',
  'declutter',
  'drain',
  'gutter',
  'water',
  'tree',
  'property',
  'tree',
  'limb',
  'flood',
  'insurance',
  'policy',
  'day',
  'policy',
  'effect',
  'homeowner',
  'policy',
  'flooding',
  'account',
  'senior',
  'need',
  'preparedness',
  'buddy',
  'program',
  'individual',
  'office',
  'animal',
  'welfare',
  'delaware',
  'animal',
  'response',
  'program',
  'resource',
  'pet',
  'emergency',
  'plan',
  'family',
  'child',
  'plan',
  'family',
  'emergency',
  'management',
  'agency',
  'safety',
  'rescue',
  'kit',
  'supply',
  'week',
  'member',
  'family',
  'food',
  'water',
  'medication',
  'infant',
  'formula',
  'diaper',
  'child',
  'aid',
  'kit',
  'flashlight',
  'radio',
  'match',
  'container',
  'battery',
  'cash',
  'place',
  'case',
  'atms',
  'supply',
  'crate',
  'food',
  'water',
  'item',
  'document',
  'place',
  'password',
  'copy',
  'container',
  'copy',
  'cell',
  'phone',
  'power',
  'bank',
  'car',
  'charger',
  'phone',
  'time',
  'car',
  'gasoline',
  'tank',
  'propane',
  'tank',
  'grill',
  'generator',
  'power',
  'backup',
  'source',
  'generator',
  'gasoline',
  'machinery',
  'window',
  'neighbor',
  'supply',
  'insurance',
  'policy',
  'property',
  'advance',
  'photograph',
  'case',
  'insurance',
  'claim',
  'list',
  'storm',
  'world',
  'meteorological',
  'organization',
  'year',
  'storm',
  'harvey',
  'irma',
  'maria',
  'nate',
  'season',
  'cyclone',
  'arlene',
  'bret',
  'cindy',
  'don',
  'emily',
  'franklin',
  'gert',
  'harold',
  'idalia',
  'jose',
  'katia',
  'lee',
  'margot',
  'nigel',
  'ophelia',
  'philippe',
  'rina',
  'sean',
  'tammy',
  'vince',
  'whitney',
  'information',
  'hurricane',
  'season',
  'resource',
  'deldot',
  'state',
  'evacuation',
  'route',
  'arcgis',
  'deldot',
  'mobile',
  'phone',
  'app',
  'free',
  'fema',
  'mobile',
  'phone',
  'app',
  'free',
  'fema',
  'general',
  'hurricane',
  'information',
  'fema',
  'general',
  'evacuation',
  'information',
  'noaa',
  'national',
  'hurricane',
  'center',
  'hurricane',
  'tracker',
  'noaa',
  'national',
  'weather',
  'service',
  'hurricane',
  'preparedness',
  'hurricanestrong.org',
  'city',
  'wilmington',
  'office',
  'emergency',
  'management',
  'new',
  'castle',
  'county',
  'office',
  'emergency',
  'management',
  'kent',
  'county',
  'emergency',
  'management',
  'sussex',
  'county',
  'emergency',
  'operations',
  'center',
  'story',
  'post',
  'legion',
  'championship07/26/2023frederica',
  'brian',
  'perry',
  'odd',
  'olympian',
  '07/26/2023new',
  'rep',
  'season',
  'heat',
  'night',
  'deathtrap',
  'exodus',
  "godot'07/26/2023plan",
  'delaware',
  'city',
  'pond',
  'sportsmen',
  'group07/26/2023jarek',
  'rutzraised',
  'doylestown',
  'pennsylvania',
  'jarek',
  'b.a.',
  'journalism',
  'b.a.',
  'science',
  'temple',
  'university',
  'cnn',
  'michael',
  'smerconish',
  'youtube',
  'channel',
  'jarek',
  'reporter',
  'bucks',
  'county',
  'herald',
  'delaware',
  'news',
  'jarek',
  'email',
  'email',
  'phone',
  'twitter',
  '@jarekrutz',
  'atlantic',
  'stormsdelaware',
  'emergency',
  'management',
  'agencydelaware',
  'hurricane',
  'seasonemergency',
  'planevacuation',
  'zoneshurricanepreparedestorm',
  'preparedness',
  'farm',
  'stand',
  'art',
  'institution',
  'flooding',
  'aftermath',
  'piece',
  'siw',
  'farm',
  'stand',
  'parking',
  'lot',
  'road',
  'update',
  'article',
  'siw',
  'opening',
  'saturday',
  'produce',
  'electricty',
  'farm',
  'stand',
  'area',
  'art',
  'attraction',
  'aftermath',
  'flooding',
  'ida',
  'remnant',
  'hurricane',
  'wednesday',
  'siw',
  'farm',
  'creek',
  'road',
  'chadds',
  'ford',
  'flood',
  'water',
  'good',
  'table',
  'market',
  'shed',
  'stand',
  'lot',
  'fan',
  'new',
  'castle',
  'county',
  'hagley',
  'museum',
  'library',
  'friday',
  'road',
  'building',
  'opening',
  'exhibit',
  'brandywine',
  'river',
  'museum',
  'art',
  'property',
  'lake',
  'drone',
  'video',
  'building',
  'art',
  'facebook',
  'post',
  'siw',
  'farmer',
  'h.g.',
  'kim',
  'haskell',
  'spring',
  'halloween',
  'flower',
  'produce',
  'variety',
  'cheese',
  'sweet',
  'product',
  'producer',
  'facebook',
  'picture',
  'facility',
  'post',
  'stand',
  'site',
  'fan',
  'aid',
  'siw',
  'produce',
  'satellite',
  'farm',
  'richardson',
  'hockessin',
  'friday',
  'saturday',
  'morning',
  'siw',
  'facebook',
  'creek',
  'road',
  'product',
  'patron',
  'cash',
  'electricity',
  'thee',
  'siw',
  'week',
  'hell',
  'chef',
  'robert',
  'lhulier',
  'co',
  '-',
  'owner',
  'snuff',
  'mill',
  'restaurant',
  'butchery',
  'wine',
  'bar',
  'independence',
  'mall',
  'facebook',
  'friday',
  'patron',
  'sam',
  'anderson',
  'fund',
  'page',
  'thank',
  'siw',
  'post',
  'haskells',
  'home',
  'foot',
  'water',
  'farmstead',
  'community',
  'fruit',
  'veggie',
  'pantry',
  'item',
  'field',
  'fork',
  'dinner',
  'series',
  'restaurant',
  'haskell',
  'family',
  'people',
  'anderson',
  'post',
  'fund',
  'haskells',
  'farmstead',
  'hagley',
  'museum',
  'site',
  'du',
  'pont',
  'family',
  'gun',
  'powder',
  'mill',
  'road',
  'water',
  'building',
  'site',
  'extent',
  'flooding',
  'damage',
  'hold',
  'opening',
  'exhibit',
  'nation',
  'inventors',
  'sept.',
  'spokeswoman',
  'laura',
  'jury',
  'water',
  'flood',
  'assessment',
  'damage',
  'bronze',
  'sculpture',
  'miss',
  'gratz',
  'brandywine',
  'river',
  'museum',
  'art',
  'flood',
  'water',
  'brandywine',
  'river',
  'museum',
  'art',
  'chadds',
  'ford',
  'wyeth',
  'family',
  'video',
  'flooding',
  'area',
  'building',
  'island',
  'middle',
  'lake',
  'facebook',
  'post',
  'artwork',
  'staff',
  'property',
  'building',
  'flooding',
  'photo',
  'bronze',
  'garden',
  'sculpture',
  'miss',
  'gratz',
  'j.',
  'clayton',
  'bright',
  'water',
  'eyeball',
  'organization',
  'emergency',
  'relief',
  'fund',
  'flood',
  'water',
  'siw',
  'farm',
  'creek',
  'road',
  'chadds',
  'ford',
  'piece',
  'siw',
  'farm',
  'stand',
  'parking',
  'lot',
  'road',
  'read',
  'morenew',
  'food',
  'fee',
  'money',
  'law',
  'money',
  'animal',
  'effect',
  'year',
  'law',
  'cost',
  'spay',
  'neutering',
  'rabie',
  'vaccination',
  'delaware',
  'animal',
  'registration',
  'fee',
  'food',
  'cash',
  'year',
  'estimate',
  'justin',
  'lontz',
  'delaware',
  'department',
  'agriculture',
  'computer',
  'program',
  'program',
  'company',
  'product',
  'fee',
  'house',
  'bill',
  '263',
  'law',
  'gov.',
  'john',
  'carney',
  'sept.',
  'food',
  'product',
  'registration',
  'fee',
  'year',
  'department',
  'agriculture',
  'animal',
  'food',
  'company',
  'registration',
  'fee',
  'year',
  'product',
  'food',
  'product',
  'system',
  'company',
  'type',
  'food',
  'size',
  'container',
  'food',
  'bag',
  'bag',
  'bag',
  'cat',
  'dog',
  'food',
  'kind',
  'animal',
  'feed',
  'lontz',
  'bill',
  'cat',
  'dog',
  'food',
  'food',
  'animal',
  'feed',
  'cat',
  'dog',
  'food',
  'increase',
  'registration',
  'fee',
  'law',
  'order',
  'program',
  'department',
  'agriculture',
  'software',
  'food',
  'animal',
  'feed',
  'notice',
  'bill',
  'food',
  'manufacturer',
  'fall',
  'fee',
  'jan.',
  'program',
  'lontz',
  'ag',
  'department',
  'estimate',
  'business',
  'food',
  'trend',
  'meat',
  'product',
  'number',
  'product',
  'year',
  'fee',
  'money',
  'spay',
  'program',
  'delaware',
  'dollar',
  'fee',
  'state',
  'fund',
  'year',
  'department',
  'agriculture',
  'upkeep',
  'software',
  'rest',
  'state',
  'spay',
  'program',
  'rabies',
  'vaccination',
  'program',
  'income',
  'owner',
  'shelter',
  'rescue',
  'worker',
  'cat',
  'animal',
  'shelter',
  'spay',
  'animal',
  'jane',
  'pierantozzi',
  'director',
  'faithful',
  'friends',
  'animal',
  'society',
  'animal',
  'money',
  'number',
  'cat',
  'delaware',
  'shelter',
  'spay',
  'animal',
  'money',
  'shelter',
  'animal',
  'shelter',
  'spay',
  'neuter',
  'animal',
  'usc',
  'davis',
  'shelter',
  'medicine',
  'program',
  'delaware',
  'roaming',
  'cat',
  'issue',
  'animal',
  'welfare',
  'community',
  'state',
  'state',
  'food',
  'fee',
  'rise',
  'bit',
  'half',
  'state',
  'fund',
  'department',
  'agriculture',
  'year',
  'law',
  'quarter',
  'spay',
  'program',
  'year',
  'fluctuation',
  'income',
  'law',
  'number',
  'food',
  'product',
  'state',
  'state',
  'office',
  'animal',
  'welfare',
  'report',
  'use',
  'fee',
  'year',
  'read',
  'morevirtual',
  'summit',
  'delaware',
  'system',
  'week',
  'day',
  'summit',
  'delaware',
  'system',
  'tuesday',
  'morning',
  'event',
  'sen.',
  'marie',
  'pinkney',
  'd',
  'new',
  'castle',
  'rep.',
  'melissa',
  'minor',
  'brown',
  'd',
  'new',
  'castle',
  'south',
  'a.m.',
  'p.m.',
  'tuesday',
  'feb.',
  'wednesday',
  'feb.',
  'public',
  'state',
  'state',
  'corrections',
  'summit',
  'speaker',
  'community',
  'listening',
  'session',
  'series',
  'discussion',
  'topic',
  'wellness',
  'people',
  'reach',
  'justice',
  'system',
  'experience',
  'staff',
  'state',
  '-',
  'entry',
  'program',
  'event',
  'announcement',
  'pinkney',
  'chair',
  'senate',
  'corrections',
  'public',
  'safety',
  'committee',
  'time',
  'prison',
  ...],
 ['main',
  'content',
  'sensor',
  'network',
  'maps',
  'radar',
  'severe',
  'weather',
  'news',
  'blogs',
  'mobile',
  'apps',
  'nearest',
  'station',
  'manage',
  'favorite',
  'citieslog',
  'joinsettingsaccount_box',
  'log',
  'person_add',
  'join',
  'setting',
  'settings',
  'sensor',
  'networkmaps',
  'radarsevere',
  'weathernews',
  'blogsmobile',
  'appshistorical',
  'weatherstarnews',
  'blogs',
  'category',
  'news',
  'stories',
  'infographics',
  'posters',
  'news',
  'stories',
  'category',
  'storiesinfographicsposterspublished',
  'weather',
  'company',
  'mission',
  'weather',
  'news',
  'environment',
  'importance',
  'science',
  'life',
  'story',
  'position',
  'parent',
  'company',
  'ibm.recent',
  'storiesweather',
  'articlesour',
  'appsabout',
  'uscontactcareerspws',
  'networkwundermapfeedback',
  'supportterms',
  'useprivacy',
  'policyaccessibility',
  'statementadchoicesdata',
  'vendorswe',
  'responsibility',
  'datum',
  'technology',
  'datum',
  'data',
  'vendor',
  'control',
  'datum',
  'datum',
  'rightspowered',
  'ibm',
  'cloud',
  'copyright',
  'twc',
  'product',
  'technology',
  'llc',
  'javascript',
  'application'],
 ['ad',
  'issue',
  'video',
  'player',
  'content',
  'ad',
  'video',
  'content',
  'ad',
  'audio',
  'ad',
  'ad',
  'page',
  'content',
  'ad',
  'ad',
  'ad',
  'effort',
  'contribution',
  'feedback',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'tornado',
  'wind',
  'round',
  'rain',
  'snow',
  'west',
  'north',
  'elizabeth',
  'wolfe',
  'rob',
  'shackelford',
  'joe',
  'sutton',
  'claire',
  'colbert',
  'cnn',
  'est',
  'tue',
  'february',
  'wake',
  'storm',
  'chaser',
  'storm',
  'wake',
  'storm',
  'chaser',
  'storm',
  'concertgoers',
  'hail',
  'colorado',
  'body',
  'temperature',
  'flooding',
  'china',
  'couple',
  'car',
  'house',
  'cliff',
  'river',
  'foundation',
  'video',
  'tornado',
  'home',
  'debris',
  'video',
  'moment',
  'soldier',
  'heat',
  'video',
  'tornado',
  'texas',
  'barren',
  'land',
  'impact',
  'spain',
  'record',
  'heat',
  'windshield',
  'helicopter',
  'hail',
  'shelf',
  'cloud',
  'sky',
  'downtown',
  'chicago',
  'man',
  'street',
  'flooding',
  'man',
  'tornado',
  'van',
  'footage',
  'california',
  'weather',
  'crisis',
  'lake',
  'life',
  'unbelievable',
  'cnn',
  'reporter',
  'snowfall',
  'california',
  'graphic',
  'change',
  'temperature',
  'storm',
  'tornado',
  'report',
  'barrage',
  'snow',
  'rain',
  'wind',
  'monday',
  'place',
  'west',
  'coast',
  'great',
  'lakes',
  'power',
  'string',
  'weather',
  'week',
  'home',
  'business',
  'power',
  'monday',
  'evening',
  'poweroutage.us',
  'outage',
  'michigan',
  'ice',
  'storm',
  'tree',
  'utility',
  'line',
  'outage',
  'california',
  'oklahoma',
  'tornado',
  'injury',
  'sunday',
  'weather',
  'tornado',
  'kansas',
  'missouri',
  'texas',
  'snowfall',
  'foot',
  'rainfall',
  'inch',
  'california',
  'storm',
  'wind',
  'hail',
  'bulk',
  'kansas',
  'oklahoma',
  'texas',
  'gust',
  'mph',
  'memphis',
  'texas',
  'wind',
  'category',
  'hurricane',
  'wind',
  'frances',
  'tabler',
  'norman',
  'oklahoma',
  'cnn',
  'affiliate',
  'koco',
  'blizzard',
  'house',
  'monday',
  'car',
  'tree',
  'neighborhood',
  'roof',
  'home',
  'cnn',
  'ed',
  'lavandera',
  'home',
  'norman',
  'oklahoma',
  'monday',
  'storm',
  'survey',
  'information',
  'national',
  'weather',
  'service',
  'office',
  'norman',
  'tornado',
  'sunday',
  'night',
  'survey',
  'team',
  'path',
  'damage',
  'weather',
  'service',
  'detail',
  'wind',
  'speed',
  'path',
  'length',
  'tornado',
  'width',
  'survey',
  'anticipation',
  'wind',
  'hail',
  'sunday',
  'night',
  'monday',
  'unit',
  'mcconnell',
  'air',
  'force',
  'base',
  'wichita',
  'kansas',
  'aircraft',
  'base',
  'storm',
  'monday',
  'afternoon',
  'tornado',
  'watch',
  'ohio',
  'kentucky',
  'west',
  'virginia',
  'indiana',
  'kentucky',
  'west',
  'week',
  'storm',
  'blizzard',
  'warning',
  'road',
  'flooding',
  'california',
  'system',
  'rain',
  'elevation',
  'snow',
  'pacific',
  'northwest',
  'california',
  'rockies',
  'monday',
  'state',
  'winter',
  'weather',
  'alert',
  'monday',
  'snowfall',
  'region',
  'inch',
  'washington',
  'state',
  'cascade',
  'tuesday',
  'foot',
  'elevation',
  'mountain',
  'peak',
  'oregon',
  'foot',
  'area',
  'rockies',
  'snow',
  'wind',
  'turbine',
  'sunday',
  'mohave',
  'california',
  'blizzard',
  'warning',
  'effect',
  'sierra',
  'nevada',
  'mountain',
  'california',
  'foot',
  'snow',
  'interstate',
  'applegate',
  'california',
  'nevada',
  'state',
  'line',
  'monday',
  'condition',
  'state',
  'transportation',
  'department',
  'tweet',
  'national',
  'weather',
  'service',
  'traveler',
  'area',
  'blizzard',
  'warning',
  'vehicle',
  'hour',
  'visibility',
  'time',
  'wednesday',
  'yosemite',
  'national',
  'park',
  'saturday',
  'weather',
  'wednesday',
  'multiday',
  'blizzard',
  'warning',
  'effect',
  'yosemite',
  'valley',
  'park',
  'valley',
  'inch',
  'snow',
  'wednesday',
  'park',
  'snow',
  'squall',
  'blizzard',
  'south',
  'week',
  'winter',
  'temperature',
  'record',
  'high',
  'week',
  'dozen',
  'temperature',
  'record',
  'day',
  'area',
  'texas',
  'florida',
  'peninsula',
  'temperature',
  '90',
  'southern',
  'plains',
  'tornado',
  'national',
  'weather',
  'service',
  'weather',
  'report',
  'sunday',
  'monday',
  'morning',
  'system',
  'derecho',
  'forecaster',
  'derecho',
  'windstorm',
  'damage',
  'direction',
  'path',
  'weather',
  'service',
  'derecho',
  'stretch',
  'wind',
  'damage',
  'mile',
  'wind',
  'gust',
  'mph',
  'length',
  'chicago',
  'illinois',
  'august',
  'people',
  'cover',
  'derecho',
  'storm',
  'area',
  'august',
  'chicago',
  'illinois',
  'storm',
  'wind',
  'mile',
  'hour',
  'tree',
  'power',
  'line',
  'city',
  'suburb',
  'photo',
  'scott',
  'olson',
  'getty',
  'images',
  'derecho',
  'weather',
  'injury',
  'monday',
  'norman',
  'police',
  'department',
  'oklahoma',
  'department',
  'area',
  'hospital',
  'student',
  'campus',
  'university',
  'oklahoma',
  'norman',
  'shelter',
  'sunday',
  'evening',
  'area',
  'tornado',
  'warning',
  'official',
  'oklahoma',
  'damage',
  'impact',
  'norman',
  'shawnee',
  'cheyenne',
  'keli',
  'cain',
  'affair',
  'director',
  'oklahoma',
  'department',
  'emergency',
  'management',
  'homeland',
  'security',
  'united',
  'states',
  'postal',
  'service',
  'training',
  'facility',
  'norman',
  'building',
  'usps',
  'spokesperson',
  'injury',
  'national',
  'center',
  'employee',
  'development',
  'window',
  'power',
  'line',
  'parking',
  'lot',
  'spokesperson',
  'mail',
  'site',
  'dozen',
  'family',
  'tornado',
  'liberal',
  'kansas',
  'trailer',
  'city',
  'manager',
  'rusty',
  'varnado',
  'person',
  'glass',
  'injury',
  'hard',
  'great',
  'lakes',
  'brace',
  'rain',
  'snow',
  'ice',
  'great',
  'lakes',
  'region',
  'midwest',
  'week',
  'travel',
  'condition',
  'road',
  'closure',
  'power',
  'outage',
  'life',
  'week',
  'great',
  'lakes',
  'michigan',
  'ice',
  'storm',
  'tree',
  'utility',
  'line',
  'ice',
  'tree',
  'branch',
  'ground',
  'thursday',
  'ice',
  'storm',
  'ypsilanti',
  'michigan',
  'utility',
  'company',
  'dte',
  'michigan',
  'electricity',
  'provider',
  'customer',
  'storm',
  'sunday',
  'night',
  'power',
  'customer',
  'utility',
  'tenth',
  'inch',
  'rain',
  'minnesota',
  'wisconsin',
  'michigan',
  'monday',
  'inch',
  'snow',
  'wisconsin',
  'michigan',
  'storm',
  'east',
  'winter',
  'storm',
  'watch',
  'effect',
  'new',
  'york',
  'new',
  'england',
  'wednesday',
  'afternoon',
  'total',
  'area',
  'inch',
  'snowfall',
  'new',
  'york',
  'city',
  'inch',
  'snowfall',
  'winter',
  'weather',
  'advisory',
  'boston',
  'inch',
  'monday',
  'evening',
  'tuesday',
  'evening',
  'rain',
  'wind',
  'mph',
  'monday',
  'finger',
  'lakes',
  'long',
  'island',
  'new',
  'york',
  'city',
  'western',
  'new',
  'york',
  'area',
  'gov.',
  'kathy',
  'hochul',
  'office',
  'travel',
  'state',
  'tuesday',
  'morning',
  'state',
  'agency',
  'emergency',
  'response',
  'asset',
  'government',
  'storm',
  'eye',
  'weather',
  'week',
  'governor',
  'release',
  'schools',
  'hartford',
  'connecticut',
  'providence',
  'rhode',
  'island',
  'tuesday',
  'winter',
  'weather',
  'cnn',
  'aya',
  'elamroussi',
  'haley',
  'brink',
  'rebekah',
  'reiss',
  'tina',
  'burnside',
  'keith',
  'allen',
  'report',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cable',
  'news',
  'network',
  'warner',
  'bros.',
  'discovery',
  'company',
  'rights',
  'cnn',
  'sans',
  'cable',
  'news',
  'network'],
 ['commonly',
  'searched',
  'item',
  'request',
  'report',
  'arrested-',
  'faqs',
  'police',
  'services',
  'outreach',
  'victims',
  'services',
  'crime',
  'preventionactive',
  'shootercampus',
  'guardian',
  'usafeusservices',
  'outreachcitizens',
  'police',
  'academycoffee',
  'copdriver',
  'license',
  'non',
  'citizensnew',
  'student',
  'resourcesrape',
  'aggression',
  'defense',
  'rad)unmanned',
  'aircraft',
  'systems',
  'drone',
  'guidelineselectronic',
  'device',
  'registrationitem',
  'registrationonline',
  'crime',
  'reportingvictims',
  'serviceshazingidentity',
  'theftrelationship',
  'violencesexual',
  'assaultstalkingtheftresourcesemergency',
  'managementsevere',
  'winter',
  'weather',
  'preparednessaboutaccreditationcareerscommunicationsdepartment',
  'arrested-',
  'faqsnews',
  'archivepolice',
  'operationssupport',
  'servicescontact',
  'usnicholas',
  'j.',
  'halias',
  'safety',
  'symposium',
  'emergency',
  'management',
  'severe',
  'winter',
  'weather',
  'preparedness',
  'winter',
  'weather',
  'preparedness',
  'winter',
  'storm',
  'new',
  'hampshire',
  'snowfall',
  'hour',
  'nor’easter',
  'blizzard',
  'condition',
  'wind',
  'snow',
  'day',
  'people',
  'automobile',
  'home',
  'utility',
  'service',
  'aftermath',
  'winter',
  'storm',
  'impact',
  'community',
  'region',
  'day',
  'week',
  'month',
  'storm',
  'effect',
  'new',
  'hampshire',
  'snow',
  'accumulation',
  'temperature',
  'snow',
  'tree',
  'power',
  'line',
  'highway',
  'road',
  'roof',
  'collapse',
  'flooding',
  'beach',
  'erosion',
  'house',
  'fire',
  'carbon',
  'monoxide',
  'poisoning',
  'winter',
  'lack',
  'safety',
  'precaution',
  'heating',
  'source',
  'fire',
  'space',
  'heater',
  'disaster',
  'preparedness',
  'medium',
  'sense',
  'danger',
  'family',
  'winter',
  'storm',
  'term',
  'weather',
  'forecaster',
  'winter',
  'storm',
  'winter',
  'storm',
  'area',
  'tune',
  'radio',
  'television',
  'information',
  'winter',
  'storm',
  'warning',
  'action',
  'storm',
  'area',
  'blizzard',
  'warning',
  'snow',
  'wind',
  'snow',
  'visibility',
  'drift',
  'life',
  'wind',
  'chill',
  'refuge',
  'winter',
  'weather',
  'advisory',
  'weather',
  'condition',
  'inconvenience',
  'motorist',
  'rain',
  'rain',
  'ground',
  'coating',
  'ice',
  'road',
  'walkway',
  'tree',
  'power',
  'line',
  '½',
  'inch',
  'rain',
  'ice',
  'storm',
  'warning',
  'wind',
  'chill',
  'advisory',
  'warning',
  'combination',
  'wind',
  'temperature',
  'emergency',
  'supply',
  'kit',
  'day',
  'food',
  'water',
  'flashlight',
  'battery',
  'radio',
  'case',
  'power',
  'outage',
  'item',
  'aid',
  'kit',
  'prescription',
  'medicine',
  'baby',
  'care',
  'item',
  'blanket',
  'bag',
  'fire',
  'extinguisher',
  'pet',
  'need',
  'blanket',
  'sleeping',
  'bag',
  'wear',
  'layer',
  'clothing',
  'fire',
  'extinguisher',
  'hand',
  'family',
  'emergency',
  'communication',
  'plan',
  'case',
  'family',
  'member',
  'winter',
  'storm',
  'possibility',
  'day',
  'adult',
  'work',
  'child',
  'school',
  'college',
  'plan',
  'state',
  'relative',
  'friend',
  'family',
  'contact',
  'disaster',
  'distance',
  'address',
  'telephone',
  'number',
  'contact',
  'person',
  'faculty',
  'staff',
  'student',
  'home',
  'owner',
  'heating',
  'fuel',
  'source',
  'emergency',
  'heating',
  'equipment',
  'fuel',
  'gas',
  'fireplace',
  'wood',
  'stove',
  'fireplace',
  'room',
  'room',
  'fuel',
  'delivery',
  'plan',
  'fuel',
  'supplier',
  'payment',
  'plan',
  'home',
  'apartment',
  'smoke',
  'detector',
  'carbon',
  'monoxide',
  'alarm',
  'battery',
  'home',
  'weather',
  'strip',
  'door',
  'window',
  'air',
  'pipe',
  'freezing',
  'faucet',
  'water',
  'valve',
  'pipe',
  'insulation',
  'faucet',
  'water',
  'pipe',
  'cold',
  'hand',
  'hair',
  'dryer',
  'caution',
  'gas',
  'tank',
  'windshield',
  'wiper',
  'fluid',
  'winter',
  'tire',
  'tread',
  'vehicle',
  'working',
  'order',
  'windshield',
  'scraper',
  'broom',
  'ice',
  'snow',
  'removal',
  'plan',
  'radio',
  'television',
  'weather',
  'forecast',
  'road',
  'condition',
  'weather',
  'item',
  'winter',
  'emergency',
  'car',
  'kit',
  'flashlight',
  'battery',
  'aid',
  'kit',
  'medication',
  'pocket',
  'knife',
  'booster',
  'cable',
  'kit',
  'blanket',
  'bag',
  'clothe',
  'rain',
  'gear',
  'mitten',
  'sock',
  'food',
  'sand',
  'vehicle',
  'traction',
  'tire',
  'chain',
  'traction',
  'mat',
  'tool',
  'kit',
  'plier',
  'wrench',
  'screwdriver',
  'tow',
  'rope',
  'container',
  'water',
  'cloth',
  'flag',
  'travel',
  'hour',
  'schedule',
  'route',
  'person',
  'road',
  'road',
  'shortcut',
  'blizzard',
  'car',
  'highway',
  'hazard',
  'light',
  'distress',
  'flag',
  'radio',
  'antenna',
  'window',
  'vehicle',
  'rescuer',
  'foot',
  'building',
  'shelter',
  'engine',
  'heater',
  'minute',
  'hour',
  'engine',
  'window',
  'ventilation',
  'snow',
  'exhaust',
  'pipe',
  'exercise',
  'body',
  'heat',
  'overexertion',
  'cold',
  'passenger',
  'turn',
  'person',
  'time',
  'rescue',
  'crew',
  'fluid',
  'dehydration',
  'battery',
  'power',
  'balance',
  'electricity',
  'energy',
  'need',
  'use',
  'light',
  'heat',
  'radio',
  'night',
  'light',
  'work',
  'crew',
  'rescuer',
  'winter',
  'storm',
  'travel',
  'trip',
  'dress',
  'season',
  'layer',
  'clothing',
  'layer',
  'clothing',
  'garment',
  'water',
  'repellent',
  'mitten',
  'glove',
  'hat',
  'body',
  'heat',
  'head',
  'mouth',
  'scarf',
  'lung',
  'snow',
  'exertion',
  'heart',
  'attack',
  'cause',
  'death',
  'winter',
  'sign',
  'frostbite',
  'loss',
  'feeling',
  'appearance',
  'extremity',
  'finger',
  'toe',
  'ear',
  'lobe',
  'tip',
  'nose',
  'symptom',
  'help',
  'sign',
  'hypothermia',
  'shivering',
  'memory',
  'loss',
  'disorientation',
  'incoherence',
  'speech',
  'drowsiness',
  'exhaustion',
  'symptom',
  'victim',
  'location',
  'clothing',
  'center',
  'body',
  'beverage',
  'victim',
  'help',
  'winter',
  'storm',
  'road',
  'operation',
  'fire',
  'hydrant',
  'storm',
  'neighborhood',
  'parking',
  'corner',
  'public',
  'safety',
  'vehicle',
  'child',
  'street',
  'snowdrift',
  'parent',
  'child',
  'operation',
  'traffic',
  'automobile',
  'exhaust',
  'pipe',
  'snow',
  'home',
  'owner',
  'generator',
  'heating',
  'source',
  'time',
  'overexertion',
  'care',
  'power',
  'line',
  'wire',
  'wire',
  'authority',
  'hazard',
  'tree',
  'limb',
  'ice',
  'roof',
  'wire',
  'home',
  'owner',
  'generator',
  'heating',
  'source',
  'snow',
  'roof',
  'gutter',
  'drain',
  'home',
  'owner',
  'generator',
  'heating',
  'source',
  'winter',
  'weather',
  'preparedness',
  'information',
  'nh',
  'homeland',
  'security',
  'emergency',
  'management',
  'american',
  'red',
  'cross',
  'federal',
  'emergency',
  'management',
  'agency',
  'national',
  'weather',
  'service',
  'winter',
  'weather',
  'special',
  'thank',
  'boston',
  'college',
  'office',
  'emergency',
  'management',
  'quick',
  'links',
  'campus',
  'emergency',
  'alerts',
  'electronic',
  'device',
  'registration',
  'item',
  'registration',
  'online',
  'crime',
  'reporting',
  'request',
  'report',
  'explore',
  'career',
  'faq',
  'parking',
  'permit',
  'copyright',
  'university',
  'new',
  'hampshire',
  'right',
  'tty',
  'user',
  'relay',
  'nh',
  'usnh',
  'privacy',
  'policies',
  'usnh',
  'terms',
  'use',
  'ada',
  'acknowledgment',
  'affirmative',
  'action',
  'jeanne',
  'clery',
  'act',
  'durham',
  'nh'],
 ['experience',
  'community',
  'spectrum',
  'news',
  'app',
  'open',
  'spectrum',
  'news',
  'app',
  'tim',
  'boyum',
  'tim',
  'boyum',
  '×',
  'set',
  'weather',
  'location',
  'forecast',
  'radar',
  'weather',
  'alert',
  'gas',
  'price',
  'charlotte',
  'area',
  'podcast',
  'episodesen',
  'bobby',
  'hanig',
  'tattoo',
  'fashion',
  'trend',
  'calendaradd',
  'event',
  'calendar',
  'appour',
  'spectrum',
  'news',
  'app',
  'way',
  'story',
  'list',
  'watches',
  'warning',
  'closing',
  'list',
  'active',
  'closings',
  'n.c.',
  'resident',
  'jeremy',
  'bryant',
  'tornado',
  'wednesday',
  'afternoon',
  'photo',
  'damage',
  'jeremy',
  'bryant',
  'photo',
  'tornado',
  'north',
  'carolina',
  'damage',
  'et',
  'jul.',
  'published',
  'pm',
  'et',
  'jul.',
  'published',
  'pm',
  'edt',
  'jul.',
  'tornado',
  'wednesday',
  'storm',
  'state',
  'twister',
  'nash',
  'county',
  'area',
  'damage',
  'wake',
  'nws',
  'storm',
  'survey',
  'people',
  'article',
  'ef3',
  'tornado',
  'n.c.',
  'building',
  'image',
  'storm',
  'farm',
  'equipment',
  'field',
  'tree',
  'debris',
  'roadway',
  'north',
  'carolina',
  'resident',
  'jeremy',
  'bryant',
  'work',
  'truck',
  'battleboro',
  'road',
  'employee',
  'passenger',
  'seat',
  'pair',
  'tornado',
  'â\x80\x9cit',
  'spectrum',
  'news',
  'interview',
  'co',
  '-',
  'worker',
  'debris',
  'man',
  'storm',
  'â\x80\x9cdebris',
  'â\x80\x9d',
  'bryant',
  'work',
  'vehicle',
  'truck',
  'wind',
  'debris',
  'air',
  'windshield',
  'co',
  '-',
  'worker',
  'truck',
  'shock',
  'photo',
  'medium',
  'post',
  'caption',
  'â\x80\x9cman',
  'lord',
  'today',
  'middle',
  'tornado',
  'battleboro',
  'yard',
  'wind',
  'truck',
  'truck',
  'hit',
  'barn',
  'piece',
  'tree',
  'cross',
  'road',
  'debris',
  'everywhere!â\x80\x9d',
  'image',
  'california',
  'consumer',
  'limit',
  'use',
  'sensitive',
  'personal',
  'information',
  'personal',
  'information',
  'opt',
  'targeted',
  'advertising',
  'â',
  'charter',
  'communications',
  'right'],
 ['contentskip',
  'content',
  'register',
  'article',
  'newsletter',
  'weather',
  'forecast',
  'weather',
  'alert',
  'inbox',
  'subscriber',
  'sign',
  'time',
  'owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'lee',
  'enterprises',
  'terms',
  'service',
  '',
  '',
  'privacy',
  'policy',
  'help',
  'center',
  'account',
  'dashboard',
  'profile',
  'item',
  'shower',
  'storm',
  'nebraska',
  'friday',
  'storm',
  'shower',
  'storm',
  'nebraska',
  'friday',
  'storm',
  'jun',
  'jun',
  'day',
  'shower',
  'storm',
  'nebraska',
  'wind',
  'hail',
  'flooding',
  'half',
  'state',
  'info',
  'threat',
  'storm',
  'state',
  'forecast',
  'video',
  'apple',
  'podcast',
  'google',
  'podcast',
  'rss',
  'feed',
  'omny',
  'studio',
  'news',
  'community',
  'local',
  'weather',
  'forecast',
  'weather',
  'alert',
  'inbox',
  'registration',
  'use',
  'site',
  'agreement',
  'user',
  'agreement',
  'privacy',
  'policy',
  'friday',
  'june',
  'weather',
  'update',
  'nebraska',
  'watch',
  'mitch',
  'mcconnell',
  'freezes',
  'press',
  'conference',
  'republican',
  'colleagues',
  'ivy',
  'league',
  'colleges',
  'rich',
  'class',
  'student',
  'ivy',
  'league',
  'colleges',
  'rich',
  'class',
  'student',
  'swimming',
  'seine',
  'returns',
  'paris',
  'year',
  'swimming',
  'seine',
  'returns',
  'paris',
  'year',
  'fifa',
  'lotr',
  'fan',
  'new',
  'zealand',
  'hobbiton',
  'fifa',
  'lotr',
  'fan',
  'new',
  'zealand',
  'hobbiton',
  'copyright',
  'scottsbluff',
  'star',
  'herald',
  'online',
  'po',
  'box',
  'scottsbluff',
  'ne',
  'term',
  'use',
  '',
  '',
  'privacy',
  'policy',
  '',
  '',
  'info',
  '',
  '',
  'cookie',
  'preferences',
  'blox',
  'content',
  'management',
  'system',
  'minute',
  'news',
  'device'],
 ['menu',
  'icon',
  'stack',
  'line',
  'search',
  'icon',
  'glass',
  'search',
  'account',
  'icon',
  'icon',
  'shape',
  'person',
  'head',
  'shoulder',
  'user',
  'profile',
  'account',
  'icon',
  'icon',
  'shape',
  'person',
  'head',
  'shoulder',
  'user',
  'profile',
  'icon',
  'line',
  'x',
  'way',
  'interaction',
  'notification',
  'chevron',
  'icon',
  'section',
  'menu',
  'navigation',
  'option',
  'account',
  'icon',
  'icon',
  'shape',
  'person',
  'head',
  'shoulder',
  'user',
  'profile',
  'chevron',
  'icon',
  'section',
  'menu',
  'navigation',
  'option',
  'hurricane',
  'sandy',
  'jersey',
  'shore',
  'playground',
  'email',
  'icon',
  'envelope',
  'ability',
  'email',
  'share',
  'icon',
  'arrow',
  'twitter',
  'icon',
  'bird',
  'mouth',
  'email',
  'icon',
  'envelope',
  'ability',
  'email',
  'link',
  'icon',
  'image',
  'chain',
  'link',
  'website',
  'link',
  'url',
  'barbara',
  'd.',
  'home',
  'highlands',
  'new',
  'jersey',
  'hurricane',
  'sandy',
  'foot',
  'water',
  'jersey',
  'shore',
  'resident',
  'patchwork',
  'program',
  'hurricane',
  'sandy',
  'newcomer',
  'luxury',
  'construction',
  'home',
  'price',
  'pattern',
  'community',
  'intervention',
  'scoop',
  'today',
  'story',
  'business',
  'wall',
  'street',
  'silicon',
  'valley',
  'access',
  'topic',
  'feed',
  'sign',
  'marketing',
  'email',
  'insider',
  'partner',
  'term',
  'service',
  'privacy',
  'policy',
  'october',
  'hurricane',
  'sandy',
  'foot',
  'water',
  'home',
  'highlands',
  'new',
  'jersey',
  'shore',
  'town',
  'edge',
  'garden',
  'state',
  'mile',
  'coastline',
  'barbara',
  'd.',
  'lifetime',
  'thing',
  'mahogany',
  'bedroom',
  'aunt',
  'collection',
  'book',
  'family',
  'photo',
  'album',
  'pile',
  'trash',
  'street',
  'shore',
  'town',
  'fish',
  'barbara',
  'nurse',
  'safety',
  'reason',
  'ocean',
  'thing',
  'year',
  'hurricane',
  'sandy',
  'barbara',
  'toll',
  'hand',
  'record',
  'copy',
  'receipt',
  'form',
  'application',
  'government',
  'agency',
  'resident',
  'road',
  'recovery',
  'sandy',
  'barbara',
  'property',
  'residence',
  'neighboring',
  'lot',
  'way',
  'retirement',
  'account',
  'credit',
  'card',
  'debt',
  'barbara',
  'sandy',
  'home',
  'highlands',
  'town',
  'resident',
  'minute',
  'drive',
  'new',
  'york',
  'city',
  'new',
  'jersey',
  'hurricane',
  'home',
  'life',
  'worth',
  'damage',
  'highlands',
  'sea',
  'bright',
  'bridge',
  'shore',
  'town',
  'shrewsbury',
  'river',
  'damage',
  'sandy',
  'storm',
  'swelling',
  'property',
  'value',
  'highlands',
  'new',
  'jersey',
  'town',
  'resident',
  'jersey',
  'shore',
  'shift',
  'house',
  'barbara',
  'couple',
  'house',
  'shore',
  'dweller',
  'home',
  'hurricane',
  'sandy',
  'return',
  'folk',
  'coffer',
  'rebuild',
  'fortitude',
  'rebuild',
  'government',
  'grant',
  'impact',
  'year',
  'contrast',
  'homeowner',
  'builder',
  'hardship',
  'storm',
  'snapshot',
  'damage',
  'barbara',
  'home',
  'storm',
  'tape',
  'flood',
  'insurance',
  'program',
  'hurricane',
  'sandy',
  'divide',
  'jersey',
  'shore',
  'fund',
  'saving',
  'home',
  'mean',
  'property',
  'coast',
  'cost',
  'beach',
  'home',
  'rise',
  'cost',
  'estate',
  'homeownership',
  'shore',
  'luxury',
  'affordability',
  'jersey',
  'shorehighlands',
  'town',
  'shore',
  'sense',
  'affordability',
  'estate',
  'development',
  'area',
  'interest',
  'seashore',
  'town',
  'new',
  'yorkers',
  'elbow',
  'room',
  'highlands',
  'income',
  '%',
  'census',
  'datum',
  'inflation',
  'home',
  'sale',
  'price',
  '%',
  'new',
  'jersey',
  'division',
  'taxation',
  'pandemic',
  'housing',
  'price',
  'home',
  'sale',
  'price',
  'highlands',
  'neighbor',
  'rumson',
  'mile',
  'south',
  'barrier',
  'island',
  'town',
  'sea',
  'bright',
  'east',
  'rumson',
  'highlands',
  'class',
  'highland',
  'people',
  'rumson',
  'sea',
  'bright',
  'barbara',
  'estate',
  'cost',
  'homeownership',
  'flood',
  'homeowner',
  'insurance',
  'maintenance',
  'repair',
  'class',
  'people',
  'barbara',
  'husband',
  'foot',
  'house',
  'clamdigger',
  'shack',
  'decade',
  'sandy',
  'money',
  'place',
  'time',
  'sandy',
  'door',
  'home',
  'shack',
  'foot',
  'water',
  'shack',
  'content',
  'insurance',
  'company',
  'insurance',
  'insurance',
  'rip',
  'barbara',
  'house',
  'option',
  'barbara',
  'pocket',
  'retirement',
  'fund',
  'credit',
  'card',
  'debt',
  'mortgage',
  'property',
  'grant',
  'insurance',
  'payout',
  'time',
  'barbara',
  'home',
  'clamdigger',
  'shack',
  'way',
  'estate',
  'value',
  'sandy',
  'lifeline',
  'barbara',
  'ability',
  'debt',
  'lifetime',
  'saving',
  'storm',
  'toll',
  'barbara',
  'debt',
  'bank',
  'retirement',
  'social',
  'security',
  'lot',
  'barbara',
  'husband',
  'sandy',
  'neighbor',
  'barbara',
  'neighbor',
  'house',
  'plotline',
  'shore',
  'dweller',
  'contractor',
  'lot',
  'house',
  'life',
  'lot',
  'barbara',
  'neighbor',
  'support',
  'system',
  'people',
  'state',
  'fund',
  'recovery',
  'storm',
  'philadelphia',
  'inquirer',
  'october',
  'amanda',
  'devecka',
  'rinear',
  'new',
  'jersey',
  'organizing',
  'project',
  'disconnect',
  'people',
  'hurricane',
  'sandy',
  'organization',
  'program',
  'federal',
  'emergency',
  'management',
  'agency',
  'reconstruction',
  'rehabilitation',
  'elevation',
  'mitigation',
  'program',
  'devecka',
  'rinear',
  'working',
  'class',
  'community',
  'long',
  'beach',
  'island',
  'new',
  'jersey',
  'year',
  'storm',
  'house',
  'house',
  'house',
  'home',
  'highlands',
  'new',
  'jersey',
  'hurricane',
  'sandy',
  'system',
  'new',
  'jersey',
  'family',
  'storm',
  'people',
  'new',
  'jersey',
  'state',
  'portion',
  'jersey',
  'shore',
  'area',
  'waterway',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'milliman',
  'company',
  'fema',
  'national',
  'flood',
  'insurance',
  'program',
  '%',
  'dweller',
  'flood',
  'insurance',
  'inquirer',
  'new',
  'jersey',
  'homeowner',
  'mortgage',
  'flood',
  'insurance',
  'people',
  'home',
  'family',
  'time',
  'people',
  'mortgage',
  'grant',
  'program',
  'mortgage',
  'devecka',
  'rinear',
  'home',
  'requirement',
  'program',
  'man',
  'joe',
  'damage',
  'hurricane',
  'sandy',
  'paradise',
  'park',
  'trailer',
  'park',
  'highlands',
  'november',
  'people',
  'place',
  'funding',
  'flood',
  'insurance',
  'devecka',
  'rinear',
  'flood',
  'insurance',
  'average',
  'year',
  'analysis',
  'national',
  'flood',
  'insurance',
  'program',
  'rate',
  'forbes',
  'home',
  'flood',
  'zone',
  'time',
  'hurricane',
  'sandy',
  'house',
  'barbara',
  'year',
  'flood',
  'insurance',
  'property',
  'residence',
  'wave',
  'wealth',
  'shorewhile',
  'barbara',
  'resident',
  'newcomer',
  'jersey',
  'shore',
  'decade',
  'community',
  'enclave',
  'week',
  'outlet',
  'nj',
  'spotlight',
  'news',
  'report',
  'mark',
  'sandy',
  'state',
  'coastline',
  'explosion',
  'luxury',
  'development',
  'monmouth',
  'county',
  'highlands',
  'idea',
  'playground',
  'motion',
  'peter',
  'kasabach',
  'director',
  'new',
  'jersey',
  'future',
  'nj',
  'spotlight',
  '"after',
  'sandy',
  'home',
  'cape',
  'cods',
  'duplex',
  "'",
  '50',
  "'",
  '60',
  "'",
  '70',
  'mayor',
  'joe',
  'mancini',
  'long',
  'branch',
  'nj',
  'spotlight',
  'news',
  'duplex',
  'family',
  'home',
  'shawn',
  'mery',
  'year',
  'owner',
  'heritage',
  'builders',
  'oceanport',
  'new',
  'jersey',
  'minute',
  'drive',
  'highlands',
  'buyer',
  'new',
  'york',
  'city',
  'region',
  'sandy',
  'lot',
  'money',
  'mery',
  'jersey',
  'shore',
  'home',
  'year',
  'insider',
  'property',
  'investment',
  'opportunity',
  '"people',
  'home',
  'builder',
  'lot',
  'home',
  'construction',
  'rendering',
  'townhome',
  'construction',
  'long',
  'branch',
  'right',
  'beach',
  'shack',
  'courtesy',
  'andrew',
  'kligman',
  'remax',
  'synergy',
  'mery',
  'home',
  'year',
  'footage',
  'luxury',
  'finish',
  'home',
  'sale',
  'long',
  'branch',
  'town',
  'mile',
  'highlands',
  'tavern',
  'restaurant',
  'lamb',
  'chop',
  'gold',
  'rush',
  'instance',
  'bedroom',
  'family',
  'home',
  'floor',
  'gourmet',
  'kitchen',
  'property',
  'bedroom',
  'home',
  'quartz',
  'countertop',
  'lot',
  'year',
  'home',
  'floor',
  'garage',
  'flooding',
  'card',
  'construction',
  'activity',
  'town',
  'highlands',
  'mery',
  'asbury',
  'park',
  'bruce',
  'springsteen',
  'thread',
  'collar',
  'beach',
  'town',
  'family',
  'fixer',
  'upper',
  'year',
  'coastline',
  'lot',
  'people',
  'mery',
  'insider',
  'climate',
  'crisis',
  'pattern',
  'sandy',
  'beginning',
  'end',
  'class',
  'shore',
  'town',
  'homeownership',
  'luxury',
  'weather',
  'event',
  'sea',
  'level',
  'rise',
  'climate',
  'change',
  'encroache',
  'people',
  'flooding',
  'cost',
  'home',
  'shore',
  'rutgers',
  'university',
  'study',
  'sea',
  'level',
  'rise',
  'frequency',
  'flooding',
  'shore',
  'community',
  'twentyfold',
  'year',
  'new',
  'jersey',
  'resident',
  'hurricane',
  'sandy',
  'floodwater',
  'drag',
  'highlands',
  'new',
  'jersey',
  'homeowner',
  'burden',
  'national',
  'flood',
  'insurance',
  'program',
  'rating',
  'system',
  'coverage',
  'risk',
  'rating',
  'premium',
  'increase',
  '%',
  'program',
  'policyholder',
  'david',
  'maurstad',
  'fema',
  'associate',
  'administrator',
  'federal',
  'insurance',
  'mitigation',
  'administration',
  'barbara',
  'devecka',
  'rinear',
  'people',
  'shortcoming',
  'policy',
  'program',
  'disaster',
  'mitigation',
  'recovery',
  'devecka',
  'rinear',
  'new',
  'jersey',
  'organizing',
  'project',
  'set',
  'recommendation',
  'disaster',
  'recovery',
  'system',
  'assistance',
  'action',
  'item',
  'national',
  'flood',
  'insurance',
  'program',
  'money',
  'mitigation',
  'measure',
  'relief',
  'ratification',
  'recommendation',
  'overhaul',
  'measure',
  'cost',
  'weather',
  'event',
  'shore',
  'inland',
  'flood',
  'insurance',
  'social',
  'security',
  'medicare',
  'devecka',
  'rinear',
  'program',
  'aging',
  'flood',
  'insurance',
  'kind',
  'climate',
  'disaster',
  'point',
  'drought',
  'wildfire',
  'superstorm',
  'view',
  'atlantic',
  'highlands',
  'new',
  'jersey',
  'town',
  'highlands',
  'course',
  'new',
  'jersey',
  'sequence',
  'event',
  'disaster',
  'galveston',
  'texas',
  'hurricane',
  'ike',
  'thousand',
  'home',
  'term',
  'rental',
  'local',
  'town',
  'community',
  'character',
  'new',
  'orleans',
  'damage',
  'hurricane',
  'katrina',
  'way',
  'pocket',
  'gentrification',
  'area',
  'fort',
  'myers',
  'florida',
  'people',
  'piece',
  'hurricane',
  'ian',
  'state',
  'september',
  'government',
  'program',
  'recovery',
  'effort',
  'disaster',
  'cycle',
  'storm',
  'sign',
  'notification',
  'insider',
  'date',
  'icon',
  'line',
  'x',
  'way',
  'interaction',
  'notification',
  'copyright',
  'insider',
  'inc.',
  'right',
  'registration',
  'use',
  'site',
  'acceptance'],
 ['livenewsweathergood',
  'expand',
  'collapse',
  'search',
  '☰',
  'search',
  'site',
  'news',
  'philadelphiapennsylvanianew',
  'jerseydelawaremore',
  'newsnational',
  'newsworld',
  'newsfox',
  'news',
  'sundayweather',
  'day',
  'forecastclosingsfox',
  'weatherradartemperatureswatche',
  'warningsweather',
  'appgood',
  'day',
  'digest',
  'newsletterkelly',
  'classroomtrafficwatch',
  'liveya',
  'thisseen',
  'tvsports',
  'fifa',
  'women',
  'world',
  'cupeaglesflyersphillies76ersunionfox',
  'sports',
  'appentertainment',
  'showsthe',
  'classh',
  'roomthings',
  'fox',
  'showswatch',
  'streamnewscasts',
  'replayslivenow',
  'foxnew',
  'specialswebcamsfox',
  'mattersfox',
  'originals',
  'black',
  'history',
  'monthhank',
  'takein',
  'focuskelly',
  'drivesour',
  'race',
  'realitysave',
  'streetsthe',
  'pulsehealth',
  'coronaviruscoronavirus',
  'mapcoronavirus',
  'vaccinedr',
  'mikehealth',
  'careopioid',
  'epidemicpolitics',
  'electioninauguration',
  'dayjoe',
  'bidenkamala',
  'harrisdonald',
  'j.',
  'trumpphilly',
  'city',
  'councilmoney',
  'businesscashing',
  'news',
  'fox',
  'appnew',
  'jersey',
  'news',
  'my9njnew',
  'york',
  'news',
  'fox',
  'nywashington',
  'dc',
  'news',
  'fox',
  'dcabout',
  'appscontact',
  'usfcc',
  'applicationshow',
  'listingswork',
  'heat',
  'watch',
  'fri',
  'edt',
  'fri',
  'pm',
  'edt',
  'delaware',
  'county',
  'eastern',
  'chester',
  'county',
  'eastern',
  'montgomery',
  'county',
  'lower',
  'bucks',
  'county',
  'philadelphia',
  'county',
  'camden',
  'county',
  'gloucester',
  'county',
  'mercer',
  'county',
  'northwestern',
  'burlington',
  'county',
  'somerset',
  'county',
  'new',
  'castle',
  'county',
  'heat',
  'advisory',
  'thu',
  'pm',
  'edt',
  'fri',
  'pm',
  'edt',
  'lancaster',
  'county',
  'lebanon',
  'county',
  'heat',
  'advisory',
  'thu',
  'edt',
  'fri',
  'edt',
  'delaware',
  'county',
  'eastern',
  'chester',
  'county',
  'eastern',
  'montgomery',
  'county',
  'lower',
  'bucks',
  'county',
  'philadelphia',
  'county',
  'camden',
  'county',
  'gloucester',
  'county',
  'mercer',
  'county',
  'northwestern',
  'burlington',
  'county',
  'somerset',
  'county',
  'new',
  'castle',
  'county',
  'heat',
  'advisory',
  'thu',
  'edt',
  'fri',
  'pm',
  'edt',
  'berks',
  'county',
  'lehigh',
  'county',
  'northampton',
  'county',
  'upper',
  'bucks',
  'county',
  'western',
  'chester',
  'county',
  'western',
  'montgomery',
  'county',
  'atlantic',
  'county',
  'cape',
  'county',
  'cumberland',
  'county',
  'salem',
  'county',
  'southeastern',
  'burlington',
  'county',
  'warren',
  'county',
  'hunterdon',
  'county',
  'ocean',
  'county',
  'warren',
  'county',
  'kent',
  'county',
  'inland',
  'sussex',
  'county',
  'pennsylvania',
  'town',
  'floodwater',
  'storm',
  'july',
  'weather',
  'fox',
  'philadelphia',
  'share',
  'copy',
  'link',
  'email',
  'facebook',
  'twitter',
  'linkedin',
  'reddit',
  'pennsylvania',
  'town',
  'floodwater',
  'berks',
  'county',
  'town',
  'water',
  'antietam',
  'creek',
  'rainstorm',
  'floodwater',
  'street',
  'damage',
  'stony',
  'creek',
  'mills',
  'school',
  'water',
  'floor',
  'classroom',
  'school',
  'year',
  'stony',
  'creek',
  'mill',
  'pa.',
  'cleanup',
  'effort',
  'stony',
  'creek',
  'mills',
  'rain',
  'weekend',
  'storm',
  'antietam',
  'creek',
  'town',
  'street',
  'river',
  'storm',
  'havoc',
  'state',
  'northeast',
  'picture',
  'floodwater',
  'neighborhood',
  'street',
  'home',
  'damage',
  'water',
  'stony',
  'creek',
  'mills',
  'resident',
  'matt',
  'gardecki',
  'foot',
  'wave',
  'pennsylvania',
  'governor',
  'josh',
  'shapiro',
  'county',
  'official',
  'state',
  'emergency',
  'management',
  'team',
  'town',
  'monday',
  'damage',
  'community',
  'foot',
  'care',
  'homeowner',
  'flood',
  'damage',
  'article',
  'rain',
  'flood',
  'road',
  'northeast',
  'evacuation',
  'rain',
  'road',
  'evacuation',
  'northeast',
  'downpour',
  'day',
  'responder',
  'cleanup',
  'crew',
  'debris',
  'flood',
  'creek',
  'water',
  'creek',
  'crew',
  'work',
  'debris',
  'pavement',
  'school',
  'structure',
  'flood',
  'antietam',
  'school',
  'district',
  'superintendent',
  'dr.',
  'heidi',
  'rochlin',
  'school',
  'gym',
  'floor',
  'classroom',
  'floodwater',
  'school',
  'basement',
  'foot',
  'water',
  'boiler',
  'equipment',
  'local',
  'headlines',
  'bird',
  'feeder',
  'bucks',
  'county',
  'park',
  'warning',
  'policerelentless',
  'rain',
  'flood',
  'road',
  'northeast',
  'evacuation',
  'rescueskevin',
  'mcgonigle',
  'bonner',
  'prendie',
  'standout',
  'detroit',
  'tigers',
  'mlb',
  'draft',
  'treasurer',
  'grade',
  'lot',
  'scene',
  'stuff',
  'thing',
  'year',
  'tatum',
  'reese',
  'county',
  'official',
  'resident',
  'photo',
  'damage',
  'home',
  'property',
  'order',
  'claim',
  'resident',
  'flood',
  'berks',
  'county',
  'website',
  'news',
  'alicia',
  'navarro',
  'arizona',
  'girl',
  'montana',
  'pd',
  'video',
  'gunshot',
  'south',
  'philly',
  'ambush',
  'shooting',
  'home',
  'security',
  'camera',
  'police',
  'man',
  'argument',
  'septa',
  'market',
  'frankford',
  'line',
  'train',
  'change',
  'wildwood',
  'city',
  'commission',
  'rule',
  'teen',
  'family',
  'vigil',
  'logan',
  'boy',
  'fishing',
  'trip',
  'father',
  'brother',
  'trending',
  'philadelphia',
  'eviction',
  'landlord',
  'tenant',
  'officer',
  'incident',
  'philly',
  'rapper',
  'yng',
  'cheese',
  'rest',
  'shooting',
  'mom',
  'ambush',
  'street',
  'philly',
  'park',
  'philly',
  'park',
  'litter',
  'visitor',
  'video',
  'crowd',
  'police',
  'philadelphia',
  'gas',
  'station',
  'parking',
  'lot',
  'car',
  'meetup',
  'daily',
  'newsletter',
  'news',
  'day',
  'sign',
  'privacy',
  'policy',
  'terms',
  'service',
  'fox',
  'youtube',
  'app',
  'fox',
  'philadelphia',
  'fox',
  'local',
  'click',
  'news',
  'philadelphiapennsylvanianew',
  'jerseydelawaremore',
  'newsnational',
  'newsworld',
  'newsfox',
  'news',
  'sundayweather',
  'day',
  'forecastclosingsfox',
  'weatherradartemperatureswatche',
  'warningsweather',
  'appgood',
  'day',
  'digest',
  'newsletterkelly',
  'classroomtrafficwatch',
  'liveya',
  'thisseen',
  'tvsports',
  'fifa',
  'women',
  'world',
  'cupeaglesflyersphillies76ersunionfox',
  'sports',
  'appentertainment',
  'showsthe',
  'classh',
  'roomthings',
  'fox',
  'showswatch',
  'streamnewscasts',
  'replayslivenow',
  'foxnew',
  'specialswebcamsfox',
  'mattersfox',
  'originals',
  'black',
  'history',
  'monthhank',
  'takein',
  'focuskelly',
  'drivesour',
  'race',
  'realitysave',
  'streetsthe',
  'pulsehealth',
  'coronaviruscoronavirus',
  'mapcoronavirus',
  'vaccinedr',
  'mikehealth',
  'careopioid',
  'epidemicpolitics',
  'electioninauguration',
  'dayjoe',
  'bidenkamala',
  'harrisdonald',
  'j.',
  'trumpphilly',
  'city',
  'councilmoney',
  'businesscashing',
  'news',
  'fox',
  'appnew',
  'jersey',
  'news',
  'my9njnew',
  'york',
  'news',
  'fox',
  'nywashington',
  'dc',
  'news',
  'fox',
  'dcabout',
  'appscontact',
  'usfcc',
  'applicationshow',
  'listingswork',
  'facebooktwitterinstagramyoutubeemail',
  'usnew',
  'privacy',
  'policyterms',
  'serviceyour',
  'privacy',
  'choicesfcc',
  'public',
  'public',
  'fileclosed',
  'captioningwork',
  'uscontact',
  'material',
  'fox',
  'television',
  'stations'],
 ['cbs',
  'news',
  'boston',
  'free',
  '24/7',
  'news',
  'man',
  'tree',
  'storm',
  'nh',
  'massachusetts',
  'august',
  'pm',
  'cbs',
  'boston',
  'tree',
  'pickup',
  'truck',
  'hollis',
  'nh',
  'tree',
  'pickup',
  'truck',
  'hollis',
  'nh',
  'boston',
  'thunderstorm',
  'massachusetts',
  'new',
  'hampshire',
  'friday',
  'afternoon',
  'hollis',
  'new',
  'hampshire',
  'storm',
  'tree',
  'wire',
  'man',
  'tree',
  'truck',
  'zachary',
  'leishman',
  'driveway',
  'matter',
  'second',
  'wind',
  'rain',
  'tree',
  'truck',
  'leishman',
  'truck',
  'tree',
  'hollis',
  'nh',
  'zachary',
  'leishman',
  'terrified',
  'moment',
  'roof',
  'truck',
  'way',
  'mess',
  'branch',
  'wire',
  'inch',
  'leishman',
  'minute',
  'fire',
  'crew',
  'roof',
  'minute',
  'leishman',
  'hollis',
  'fire',
  'department',
  'driver',
  'silver',
  'lake',
  'road',
  'rocky',
  'pond',
  'road',
  'wood',
  'lane',
  'federal',
  'hill',
  'road',
  'lightning',
  'waltham',
  'friday',
  'time',
  'thunderstorm',
  'warning',
  'suffolk',
  'middlesex',
  'norfolk',
  'county',
  'massachusetts',
  'viewer',
  'waltham',
  'massachusetts',
  'photo',
  'lightning',
  'bolt',
  'wbz',
  'news',
  'team',
  'group',
  'journalist',
  'content',
  'wbz.com',
  'august',
  'pm',
  'cbs',
  'broadcasting',
  'inc.',
  'rights',
  'thank',
  'cbs',
  'news',
  'account',
  'feature',
  'email',
  'address',
  'email',
  'address',
  'ground',
  'philadelphia',
  'international',
  'airport',
  'weather',
  'alert',
  'day',
  'thunderstorm',
  'watch',
  'michigan',
  'p.m.',
  'thunderstorm',
  'power',
  'outage',
  'grosse',
  'pointe',
  'pump',
  'station',
  'man',
  'lightning',
  'st.',
  'clair',
  'county',
  'safety',
  'awareness',
  'term',
  'use',
  'privacy',
  'policy',
  'california',
  'notice',
  'personal',
  'information',
  'wbz',
  'tv',
  'news',
  'sports',
  'weather',
  'contests',
  'program',
  'guide',
  'sitemap',
  'advertise',
  'paramount+',
  'cbs',
  'television',
  'jobs',
  'public',
  'file',
  'wbz',
  'tv',
  'public',
  'file',
  'wsbk',
  'tv',
  'mytv38',
  'public',
  'inspection',
  'file',
  'fcc',
  'applications',
  'eeo',
  'browser',
  'notification',
  'news',
  'event',
  'reporting'],
 ['health',
  'sex',
  'relationships',
  'viral',
  'trends',
  'human',
  'interest',
  'parenting',
  'fashion',
  'beauty',
  'food',
  'drink',
  'travel',
  'louisiana',
  'mississippi',
  'alabama',
  'storm',
  'thank',
  'submission',
  'debris',
  'ground',
  'home',
  'tornado',
  'round',
  'rock',
  'texas',
  'storm',
  'weather',
  'louisiana',
  'mississippi',
  'alabama',
  'ap',
  'severe',
  'storm',
  'wind',
  'northeast',
  'week',
  'storm',
  'flood',
  'nyc',
  'subway',
  'car',
  'tree',
  'mph',
  'wind',
  'ocean',
  'water',
  'florida',
  'jaw',
  'dropping',
  'degree',
  'tub',
  'funnel',
  'dc',
  'microburst',
  'nyc',
  'storm',
  'northeast',
  'dallas',
  'storm',
  'system',
  'damage',
  'injury',
  'wake',
  'texas',
  'louisiana',
  'mississippi',
  'alabama',
  'tuesday',
  'weather',
  'outbreak',
  'storm',
  'prediction',
  'center',
  'area',
  'city',
  'baton',
  'rouge',
  'jackson',
  'mississippi',
  'tornado',
  'forecaster',
  'louisiana',
  'state',
  'authority',
  'thousand',
  'hurricane',
  'survivor',
  'government',
  'home',
  'vehicle',
  'trailer',
  'evacuation',
  'plan',
  'structure',
  'weather',
  'household',
  'quarter',
  'bob',
  'howard',
  'spokesman',
  'information',
  'center',
  'federal',
  'emergency',
  'management',
  'agency',
  'louisiana',
  'governor',
  'office',
  'homeland',
  'security',
  'emergency',
  'preparedness',
  'monday',
  'statement',
  'agency',
  'flood',
  'damage',
  'bout',
  'rainfall',
  'area',
  'risk',
  'flooding',
  'statement',
  'ground',
  'flood',
  'warning',
  'neighbor',
  'tornado',
  'home',
  'round',
  'rock',
  'texas',
  'ap',
  'household',
  'trailer',
  'fema',
  'home',
  'hurricane',
  'laura',
  'delta',
  'news',
  'release',
  'week',
  'trailer',
  'hurricane',
  'ida',
  'household',
  'howard',
  'louisiana',
  'rv',
  'trailer',
  'ida',
  'victim',
  'test',
  'program',
  'fema',
  'state',
  'fema',
  'housing',
  'need',
  'cellphone',
  'volume',
  'weather',
  'alert',
  'agency',
  'danger',
  'night',
  'debris',
  'ground',
  'house',
  'round',
  'rock',
  'texas',
  'tornado',
  'ap',
  'release',
  'home',
  'rv',
  'trailer',
  'government',
  'property',
  'storm',
  'misery',
  'wake',
  'texas',
  'people',
  'official',
  'official',
  'damage',
  'jacksboro',
  'mile',
  'kilometer',
  'northwest',
  'fort',
  'worth',
  'photograph',
  'medium',
  'storm',
  'wall',
  'roof',
  'jacksboro',
  'high',
  'school',
  'gym',
  'tear',
  'eye',
  'school',
  'principal',
  'starla',
  'sanders',
  'wfaa',
  'tv',
  'dallas',
  'storm',
  'city',
  'animal',
  'shelter',
  'damage',
  'truck',
  'tornado',
  'shopping',
  'center',
  'i-35',
  'sh',
  'round',
  'rock',
  'texas',
  'ap',
  'mile',
  'kilometer',
  'jacksboro',
  'bowie',
  'damage',
  'report',
  'people',
  'structure',
  'city',
  'manager',
  'bert',
  'cunningham',
  'damage',
  'east',
  'town',
  'entrapment',
  'people',
  'injury',
  'emergency',
  'manager',
  'kelly',
  'mcnabb',
  'east',
  'texas',
  'austin',
  'college',
  'station',
  'area',
  'storm',
  'tornado',
  'national',
  'weather',
  'service',
  'photograph',
  'medium',
  'damage',
  'building',
  'austin',
  'suburb',
  'round',
  'rock',
  'elgin',
  'injury',
  'michael',
  'talamantez',
  'house',
  'stratford',
  'drive',
  'round',
  'rock',
  'texas',
  'tornado',
  'ap',
  'texas',
  'gov.',
  'greg',
  'abbott',
  'news',
  'conference',
  'monday',
  'night',
  'austin',
  'williamson',
  'county',
  'storm',
  'damage',
  'state',
  'shoulder',
  'shoulder',
  'report',
  'fatality',
  'people',
  'life',
  'people',
  'home',
  'abbott',
  'time',
  'miracle',
  'damage',
  'knowledge',
  'report',
  'loss',
  'life',
  'tornado',
  'texas',
  'home',
  's',
  'story',
  'time',
  'girl',
  'montana',
  'police',
  'station',
  'miracle',
  'story',
  'time',
  'onlooker',
  'hunter',
  'biden',
  'sweetheart',
  'plea',
  'deal',
  'court',
  'story',
  'time',
  'teen',
  'country',
  'concert',
  'girlfriend',
  'horror',
  'expert',
  'weight',
  'overview',
  'found',
  'program',
  'safety',
  'pack',
  'fire',
  'extinguisher',
  '%',
  'sheet',
  'sleeper',
  'review',
  'expert',
  'sleep',
  'foundation',
  '%',
  'wayfair',
  'outdoor',
  'seating',
  'sale',
  'set',
  'sectional',
  'today',
  'beach',
  'wagon',
  'cart',
  'rollin',
  'beach',
  'kylie',
  'jenner',
  'stormi',
  'surgery',
  'teen',
  'kylie',
  'jenner',
  'boob',
  'job',
  'year',
  'denial',
  'jamie',
  'lynn',
  'spears',
  'responsibility',
  'fame',
  'noise',
  'activity',
  'mid',
  '-',
  'prison',
  'r.i.p.',
  'sinéad',
  'o’connor',
  'irish',
  'singer',
  'compare',
  'subject',
  'dead',
  'kevin',
  'spacey',
  'drinking',
  'acquittal',
  'london',
  'hotspot',
  'girl',
  'montana',
  'police',
  'station',
  'miracle',
  'news',
  'metro',
  'sports',
  'sports',
  'betting',
  'business',
  'opinion',
  'entertainment',
  'fashion',
  'beauty',
  'shopping',
  'lifestyle',
  'real',
  'estate',
  'media',
  'tech',
  'health',
  'travel',
  'astrology',
  'video',
  'photos',
  'stories',
  'alexa',
  'cover',
  'horoscopes',
  'sport',
  'odd',
  'podcast',
  'columnists',
  'classifieds',
  'email',
  'newsletters',
  'rss',
  'ny',
  'post',
  'official',
  'store',
  'home',
  'delivery',
  'new',
  'york',
  'post',
  'customer',
  'service',
  'apps',
  'community',
  'guidelines',
  'contact',
  'tips',
  'newsroom',
  'letters',
  'editor',
  'licensing',
  'reprints',
  'careers',
  'vulnerability',
  'disclosure',
  'program',
  'nyp',
  'holdings',
  'inc.',
  'rights',
  'reserved',
  'terms',
  'use',
  'membership',
  'terms',
  'privacy',
  'notice',
  'sitemap',
  'information'],
 ['truman',
  'podcast',
  'red',
  'cross',
  'urges',
  'tennessee',
  'residents',
  'severe',
  'weather',
  'mar',
  'pm',
  'wgns',
  'news',
  'tennessee',
  'national',
  'weather',
  'service',
  'update',
  'potential',
  'thunderstorm',
  'friday',
  'night',
  'line',
  'shower',
  'thunderstorm',
  'tennessee',
  'northwest',
  'area',
  'impact',
  'west',
  'middle',
  'tennessee',
  'location',
  'west',
  'corridor',
  'potential',
  'tennessee',
  'region',
  'murfreesboro',
  'area',
  'meteorologist',
  '%',
  'chance',
  'rain',
  'day',
  'friday',
  'wind',
  'gust',
  'mile',
  'hour',
  'friday',
  'midnight',
  'sunday',
  'chance',
  'rain',
  '%',
  'rutherford',
  'county',
  'wind',
  'mile',
  'hour',
  'sunday',
  'rutherford',
  'county',
  'chance',
  'precipitation',
  '%',
  'wind',
  'gust',
  'mph',
  'prepare',
  'thunderstorms',
  'possibility',
  'weather',
  'risk',
  'tornado',
  'american',
  'red',
  'cross',
  'tennesseans',
  'path',
  'line',
  'storm',
  'weather',
  'wgns',
  'news',
  'noaa',
  'weather',
  'radio',
  'emergency',
  'update',
  'line',
  'wind',
  'west',
  'middle',
  'tennessee',
  'hail',
  'tornado',
  'downpour',
  'flash',
  'flood',
  'threat',
  'event',
  'weather',
  'pattern',
  'south',
  'red',
  'cross',
  'disaster',
  'worker',
  'standby',
  'neighbor',
  'need',
  'storm',
  'thunderstorm',
  'safety',
  'thunder',
  'danger',
  'lightning',
  'thunder',
  'national',
  'weather',
  'service',
  'minute',
  'thunderclap',
  'thunderstorm',
  'warning',
  'shelter',
  'building',
  'vehicle',
  'window',
  'home',
  'wind',
  'activity',
  'thunderstorm',
  'people',
  'lightning',
  'area',
  'rain',
  'equipment',
  'telephone',
  'battery',
  'tv',
  'radio',
  'shutter',
  'window',
  'door',
  'window',
  'bath',
  'shower',
  'plumbing',
  'roadway',
  'park',
  'vehicle',
  'emergency',
  'flasher',
  'rain',
  'metal',
  'surface',
  'electricity',
  'vehicle',
  'building',
  'ground',
  'water',
  'tree',
  'metal',
  'object',
  'fence',
  'bleacher',
  'picnic',
  'shelter',
  'dugout',
  'shed',
  'roadway',
  'water',
  'storm',
  'area',
  'risk',
  'effect',
  'thunderstorm',
  'noaa',
  'weather',
  'radio',
  'radio',
  'television',
  'station',
  'information',
  'instruction',
  'access',
  'road',
  'community',
  'people',
  'assistance',
  'infant',
  'child',
  'power',
  'line',
  'tornado',
  'safety',
  'place',
  'home',
  'household',
  'member',
  'pet',
  'tornado',
  'basement',
  'storm',
  'cellar',
  'room',
  'floor',
  'window',
  'rise',
  'building',
  'hallway',
  'center',
  'building',
  'time',
  'floor',
  'home',
  'place',
  'building',
  'home',
  'park',
  'shelter',
  'place',
  'home',
  'tornado',
  'tornado',
  'warning',
  'shelter',
  'window',
  'door',
  'wall',
  'overpass',
  'bridge',
  'location',
  'debris',
  'injury',
  'death',
  'arm',
  'head',
  'neck',
  'red',
  'cross',
  'emergency',
  'app',
  'red',
  'cross',
  'emergency',
  'app',
  'english',
  'spanish',
  'advice',
  'weather',
  'time',
  'alert',
  'weather',
  'hazard',
  'map',
  'red',
  'cross',
  'shelter',
  'text',
  'getemergency',
  'red',
  'cross',
  'emergency',
  'apple',
  'app',
  'store',
  'google',
  'play',
  'store',
  'information',
  'weather',
  'redcross.org/storms',
  'community',
  'volunteer',
  'opportunity',
  'american',
  'red',
  'cross',
  'disaster',
  'training',
  'volunteer',
  'training',
  'person',
  'course',
  'training',
  'opportunity',
  'red',
  'cross',
  'office',
  'american',
  'red',
  'cross',
  'american',
  'red',
  'cross',
  'shelter',
  'comfort',
  'victim',
  'disaster',
  '%',
  'nation',
  'blood',
  'skill',
  'life',
  'aid',
  'veteran',
  'member',
  'family',
  'red',
  'cross',
  'organization',
  'volunteer',
  'generosity',
  'public',
  'mission',
  'information',
  'redcross.org/tennessee',
  'cruzrojaamericana.org',
  'twitter',
  '@redcrosstn',
  'american',
  'red',
  'cross',
  'tennessee',
  'region',
  'county',
  'tennessee',
  'crittenden',
  'county',
  'arkansas',
  'desoto',
  'tunica',
  'county',
  'mississippi',
  'tennessee',
  'region',
  'network',
  'chapter',
  'red',
  'cross',
  'chapter',
  'east',
  'tennessee',
  'heart',
  'tennessee',
  'mid',
  '-',
  'mid',
  '-',
  'west',
  'tennessee',
  'nashville',
  'area',
  'southeast',
  'tennessee',
  'northeast',
  'tennessee',
  'tennessee',
  'river',
  'tractor',
  'trailer',
  'truck',
  'overturn',
  'murfreesboro',
  'food',
  'ntsb',
  'releases',
  'report',
  'plane',
  'crash',
  'killedseveral',
  'remnant',
  'fellowship',
  'church',
  'member',
  'underage',
  'sale',
  'vapes',
  'beer',
  'murfreesboro',
  'police',
  'burglary',
  'suspect',
  'report',
  'food',
  'insecurity',
  'middle',
  'tn',
  'child',
  'bill',
  'possession',
  'device',
  'programs',
  'key',
  'fob',
  'mtsu',
  'saddle',
  'fundraiser',
  'april',
  'tags',
  'eagleville',
  'weather',
  'friday',
  'lavergne',
  'weather',
  'murfreesboro',
  'weather',
  'red',
  'cross',
  'rutherford',
  'county',
  'weather',
  'weather',
  'smyrna',
  'weather',
  'storm',
  'tennessee',
  'porch',
  'pilot',
  'shelbyville',
  'tn',
  'update',
  'rockvale',
  'woman',
  'world',
  'women',
  'ranch',
  'bronc',
  'championship',
  'tennis',
  'skatepark',
  'movies',
  'star',
  'guest',
  'murfreesboro',
  'parks',
  'rec',
  'middle',
  'point',
  'landfill',
  'second',
  'open',
  'house',
  'crash',
  'sunday',
  'night',
  'motorcycle',
  'truck',
  'near',
  'fountains',
  'value',
  'homes',
  'rutherford',
  'county',
  'expense',
  'resident'],
 ['contentboston',
  'masubscribenews',
  'feedneighbor',
  'postslocal',
  'end',
  'newsbeacon',
  'hill',
  'newsback',
  'bay',
  'newscharlestown',
  'newssouth',
  'end',
  'newsfenway',
  'newscambridge',
  'newssomerville',
  'newsjamaica',
  'plain',
  'newsbrookline',
  'newslocal',
  'newscommunity',
  'cornercrime',
  'safetypolitics',
  'governmentschoolstraffic',
  'transitobituariespersonal',
  'financebest',
  'ofseasonal',
  'holidaysweatherarts',
  'entertainmentbusinesshealth',
  'wellnesshome',
  'gardensportstravelkids',
  'familypetsrestaurants',
  'barslocalstreamneighbor',
  'postslocal',
  'businesseseventsreal',
  'estatereal',
  'estate',
  'listingsreal',
  'estate',
  'newssee',
  'communitiesnorth',
  'end',
  'mabeacon',
  'hill',
  'maback',
  'bay',
  'macharlestown',
  'masouth',
  'end',
  'mafenway',
  'macambridge',
  'masomerville',
  'majamaica',
  'plain',
  'mabrookline',
  'mastate',
  'editionmassachusettsnational',
  'editiontop',
  'national',
  'newssee',
  'weather',
  'bomb',
  'cyclone',
  "nor'easter",
  'slow',
  'upthe',
  'storm',
  'start',
  'massachusetts',
  'mike',
  'carraggi',
  'patch',
  'staffposted',
  'd',
  'oct',
  'd',
  'oct',
  'pm',
  'etreply',
  'bomb',
  'cyclone',
  'storm',
  'ton',
  'rain',
  'wind',
  'massachusetts',
  'nws',
  'boston)the',
  'bomb',
  'cyclone',
  'storm',
  'massachusetts',
  'forecaster',
  'arrival',
  'forecast',
  'flooding',
  'wind',
  'gust',
  'tap',
  'night',
  'morning',
  'hour',
  'handful',
  'power',
  'outage',
  'p.m.',
  'weather',
  'rain',
  'wind',
  'greater',
  'boston',
  'massachusetts',
  'weather',
  'outlook',
  'wind',
  'advisory',
  'coast',
  'cape',
  'islands',
  'wind',
  'warning',
  'gust',
  'mile',
  'hour',
  'storm',
  'inch',
  'rain',
  'western',
  'massachusetts',
  'state',
  'bostonwith',
  'time',
  'update',
  'patch',
  'subscribeit',
  'wednesday',
  'thursday',
  'nws',
  'confidence',
  'storm',
  'dud',
  'week',
  "nor'easter",
  'coast',
  'patch',
  'day',
  'patch',
  'information',
  'storm',
  'damage',
  'power',
  'outage',
  'bostonwith',
  'time',
  'update',
  'patch',
  'subscribeboston',
  'area',
  'forecast',
  'nws',
  'today',
  'cloud',
  'wind',
  'mph',
  'tonight',
  'rain',
  'thunderstorm',
  'storm',
  'rainfall',
  'fog',
  'midnight',
  'breezy',
  'wind',
  'mph',
  'gust',
  'mph',
  'chance',
  'precipitation',
  '%',
  'rainfall',
  'inch',
  'thursday',
  'rain',
  'chance',
  'shower',
  'noon',
  'fog',
  'breezy',
  'wind',
  'mph',
  'gust',
  'mph',
  'chance',
  'precipitation',
  '%',
  'precipitation',
  'quarter',
  'inch',
  'thursday',
  'night',
  'chance',
  'shower',
  'pm',
  'wind',
  'mph',
  'gust',
  'mph',
  'chance',
  'precipitation',
  'northwest',
  'mph',
  'gust',
  'mph',
  'friday',
  'night',
  'northwest',
  'mph',
  'saturday',
  'northwest',
  'mph',
  'saturday',
  'night',
  'west',
  'wind',
  'sunday',
  '-sunny',
  'wind',
  'mph',
  'afternoon',
  'sunday',
  'night',
  'light',
  'wind',
  'monday',
  'light',
  'wind',
  'mph',
  'morning',
  'monday',
  'night',
  'showers',
  'mph',
  'chance',
  'precipitation',
  '%',
  'tuesday',
  'shower',
  'wind',
  'mph',
  'chance',
  'precipitation',
  '60%.get',
  'news',
  'inbox',
  'sign',
  'patch',
  'newsletter',
  'alert',
  'thankreply',
  'weather',
  'bomb',
  'cyclone',
  "nor'easter",
  'slow',
  'upthe',
  'rule',
  'space',
  'discussion',
  'language',
  'claim',
  'reply',
  'topic',
  'patch',
  'community',
  'guidelines',
  'reply',
  'tom',
  'brady',
  'worn',
  'relic',
  'rookie',
  'day',
  'auction',
  'sports',
  '1dboston',
  'bruins',
  'time',
  'great',
  'patrice',
  'bergeron',
  'retires',
  'seasonscrime',
  'safety',
  '2dboston',
  'man',
  'woman',
  "morning'featured",
  'eventsjul',
  'free',
  'online',
  'mindfulness',
  'session',
  'building',
  'self',
  'trustjul',
  'afternoon',
  'spiritual',
  'adventure+',
  'eventfeatured',
  'classifiedsannouncement',
  'summer',
  'special',
  'comforters',
  'bedspreads',
  'news',
  'nearbyboston',
  'ma',
  "news'they're",
  'vicious',
  'aggressive',
  'seagulls',
  'force',
  'sullivan',
  'castle',
  'island',
  'outdoor',
  'diningacross',
  'massachusetts',
  'ma',
  'newsmassachusetts',
  'salmonella',
  'outbreak',
  'ground',
  'beef',
  'boston',
  'ma',
  'newsboston',
  'area',
  'real',
  'estate',
  'roundupboston',
  'ma',
  "news'earliest",
  'known',
  'tom',
  'brady',
  'worn',
  'relic',
  'rookie',
  'day',
  'auction',
  'boston',
  'ma',
  'newsboston',
  'bruins',
  'time',
  'great',
  'patrice',
  'bergeron',
  'retires',
  'seasonsbest',
  'bostonboston',
  'restaurants',
  'barsmother',
  'day',
  'brunch',
  'spot',
  'massachusetts',
  'eateries',
  'america',
  'yourcommunity',
  'patch',
  'appcorporate',
  'infoabout',
  'patchcareerspartnershipsadvertise',
  'patchsupportfaqscontact',
  'patchcommunity',
  'guidelinesposting',
  'instructionsterms',
  'useprivacy',
  'policy',
  'patch',
  'media',
  'rights'],
 ['st.',
  'louis',
  'news',
  'missouri',
  'news',
  'illinois',
  'news',
  'national',
  'news',
  'politics',
  'hill',
  'contact',
  'fox',
  'file',
  'crime',
  'real',
  'estate',
  'hancock',
  'kelley',
  'margie',
  'money',
  'saver',
  'legal',
  'lens',
  'medical',
  'minute',
  'proud',
  'stl',
  'pulse',
  'st.',
  'louis',
  'reporters',
  'spirit',
  'st.',
  'louis',
  'bestreviews',
  'bestreviews',
  'daily',
  'deals',
  'automotive',
  'news',
  'press',
  'nonprofit',
  'wildwood',
  'ice',
  'donation',
  'family',
  'effort',
  'officer',
  'casey',
  'williamson',
  'mother',
  'isp',
  'license',
  'plate',
  'reader',
  'st.',
  'louis',
  'weather',
  'radar',
  'closings',
  'delays',
  'daily',
  'st.',
  'louis',
  'area',
  'forecast',
  'fox',
  'meteorologist',
  'chris',
  'higgins',
  'extreme',
  'weather',
  'blog',
  'long',
  'range',
  'forecast',
  'watch',
  'warnings',
  'allergy',
  'index',
  'river',
  'level',
  'flood',
  'forecast',
  'segment',
  'newscast',
  'playback',
  'fox',
  'program',
  'schedule',
  'kplr',
  'program',
  'schedule',
  'breaking',
  'news',
  'press',
  'conference',
  'event',
  'video',
  'skyfox',
  'helicopter',
  'st.',
  'louis',
  'area',
  'video',
  'cameras',
  'fanduel',
  'horse',
  'rogue',
  'runner',
  'storm',
  'runner',
  'st.',
  'louis',
  'cardinals',
  'st.',
  'louis',
  'blues',
  'battlehawks',
  'st.',
  'louis',
  'city',
  'sc',
  'kansas',
  'city',
  'chiefs',
  'liv',
  'golf',
  'high',
  'school',
  'sports',
  'scores',
  'sports',
  'illustrated',
  'college',
  'prep',
  'zone',
  'cardinals',
  'diamondback',
  'home',
  'run',
  'mount',
  'rushmore',
  'st.',
  'louis',
  'sport',
  'fox',
  'fan',
  'diamondback',
  'score',
  'cardinal',
  'tko',
  'kid',
  'cardinals',
  'edwardsville',
  'futures',
  'tennis',
  'tournament',
  'nomination',
  'tools',
  'teachers',
  'nomination',
  'ticket',
  'mannheim',
  'steamroller',
  'ticket',
  'muny',
  'theatre',
  'bret',
  'michaels',
  'parti',
  'gras',
  'tour',
  'friday',
  'expert',
  'arts',
  'entertainment',
  'guest',
  'certificates',
  'fashion',
  'beauty',
  'feature',
  'business',
  'event',
  'food',
  'newsletter',
  'lou',
  'lou',
  'confluence',
  'academies',
  'girls',
  'inc.',
  'st.',
  'louis',
  'woods',
  'basement',
  'systems',
  'thing',
  'basementy',
  'project',
  'guy',
  'fence',
  'snoot',
  'snifter',
  'maplewood',
  'pig',
  'career',
  'post',
  'job',
  'contact',
  'anchors',
  'reporters',
  'newsletters',
  'st.',
  'louis',
  'area',
  'event',
  'advertise',
  'newscast',
  'guest',
  'captioning',
  'rss',
  'information',
  'question',
  'order',
  'copy',
  'newscast',
  'school',
  'closing',
  'registration',
  'internship',
  'kplr',
  'student',
  'shadow',
  'program',
  'work',
  'regional',
  'news',
  'partners',
  'bestreviews',
  'storm',
  'damage',
  'power',
  'outage',
  'jefferson',
  'county',
  'apr',
  'pm',
  'cdt',
  'apr',
  'pm',
  'cdt',
  'apr',
  'pm',
  'cdt',
  'apr',
  'pm',
  'cdt',
  'hillsboro',
  'mo.',
  'storm',
  'damage',
  'hillsboro',
  'missouri',
  'dozen',
  'home',
  'fire',
  'station',
  'community',
  'civic',
  'club',
  'roof',
  'hillsboro',
  'intermediate',
  'school',
  'national',
  'weather',
  'service',
  'damage',
  'tornado',
  'area',
  'line',
  'wind',
  'billie',
  'gibbons',
  'family',
  'hillsboro',
  'chesterfield',
  'storm',
  'saturday',
  'night',
  'gibbons',
  'drive',
  'home',
  'cat',
  'tree',
  'roof',
  'garage',
  'thank',
  'inbox',
  'ameren',
  'missouri',
  'crew',
  'power',
  'people',
  'sunday',
  'morning',
  'power',
  'night',
  'gibbons',
  'power',
  'morning',
  'chesterfield',
  'bit',
  'power',
  'tree',
  'gibbons',
  'street',
  'house',
  'hillsboro',
  'fire',
  'chief',
  'brian',
  'gaudette',
  'tree',
  'dozen',
  'home',
  'fire',
  'station',
  'hit',
  'roof',
  'damage',
  'siding',
  'damage',
  'gutter',
  'damage',
  'gaudette',
  'road',
  'fire',
  'station',
  'hillsboro',
  'intermediate',
  'school',
  'power',
  'school',
  'roof',
  'damage',
  'repair',
  'kid',
  'school',
  'tomorrow',
  'gaudette',
  'schnuck',
  'shopper',
  'compensation',
  'lawsuit',
  'alcohol',
  'price',
  'gibbons',
  'son',
  'class',
  'son',
  'grade',
  'church',
  'street',
  'fire',
  'station',
  'window',
  'result',
  'storm',
  'damage',
  'ticket',
  'booth',
  'hillsboro',
  'community',
  'civic',
  'center',
  'storm',
  'kind',
  'east',
  'gaudette',
  'herculaneum',
  'festus',
  'picture',
  'night',
  'vehicle',
  'interstate',
  'hillsboro',
  'area',
  'jefferson',
  'county',
  'typo',
  'error(required',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'amazon',
  'school',
  'deal',
  'schooler',
  'school',
  'corner',
  'amazon',
  'supply',
  'school',
  'deal',
  'supply',
  'schooler',
  'august',
  'vegetable',
  'flower',
  'flower',
  'plant',
  'hour',
  'soil',
  'air',
  'temperature',
  'sunshine',
  'august',
  'month',
  'planting',
  'chemical',
  'guys',
  'kit',
  'car',
  'car',
  'care',
  'hour',
  'chemical',
  'guys',
  'car',
  'wash',
  'kit',
  'time',
  'deal',
  'soldier',
  'niger',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'senate',
  'gop',
  'leader',
  'mcconnell',
  'news',
  'conference',
  'samsung',
  'smartphone',
  'bet',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'soldier',
  'niger',
  'senate',
  'gop',
  'leader',
  'mcconnell',
  'news',
  'conference',
  'samsung',
  'smartphone',
  'bet',
  'journalist',
  'year',
  'prison',
  'ocean',
  'heat',
  'people',
  'high',
  'arizona',
  'nonprofit',
  'wildwood',
  'ice',
  'donation',
  'mother',
  'daughter',
  'recount',
  'flash',
  'flooding',
  'casey',
  'williamson',
  'mother',
  'isp',
  'license',
  'plate',
  'reader',
  'shooting',
  'madison',
  'illinois',
  'ssm',
  'health',
  'medical',
  'minute',
  'cardio',
  'thrive',
  'program',
  'major',
  'case',
  'squad',
  'shooting',
  'apa',
  'national',
  'boop',
  'pet',
  'day',
  'north',
  'county',
  'police',
  'cooperative',
  'heat',
  'metro',
  'east',
  'crime',
  'tool',
  'major',
  'case',
  'squad',
  'arrest',
  'berkeley',
  'homicide',
  'journalist',
  'year',
  'prison',
  'ocean',
  'heat',
  'people',
  'high',
  'arizona',
  'trump',
  'biden',
  'republicans',
  'year',
  'boy',
  'family',
  'mountain',
  'arizona',
  'girl',
  'montana',
  'federal',
  'reserve',
  'rate',
  'time',
  'attorney',
  'm',
  'settlement',
  'water',
  'gift',
  'summer',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'home',
  'depot',
  'foot',
  'skeleton',
  'halloween',
  'deal',
  'day',
  'prime',
  'day',
  'favorite',
  'amazon',
  'essentials',
  'clothe',
  'bee',
  'belleville',
  'illinois',
  'speed',
  'trap',
  'illinois',
  'stl',
  'enforcement',
  'event',
  'ellisville',
  'man',
  'car',
  'stay',
  'execution',
  'johnny',
  'johnson',
  'furniture',
  'store',
  'warning',
  'customer',
  'tick',
  'specie',
  'mo',
  'livestock',
  'risk',
  'nonprofit',
  'ice',
  'donation',
  'horse',
  'family',
  'effort',
  'officer',
  'casey',
  'williamson',
  'mother',
  'isp',
  'license',
  'plate',
  'reader',
  'mo',
  'marijuana',
  'microbusiness',
  'application',
  'thursday',
  'teen',
  'victim',
  'madison',
  'il',
  'st.',
  'louis',
  'news',
  'weather',
  'sport',
  'news',
  'st.',
  'louis',
  'weather',
  'st.',
  'louis',
  'radar',
  'live',
  'video',
  'traffic',
  'sports',
  'contests',
  'reporter',
  'event',
  'alexa',
  'news',
  'tips',
  'newsletters',
  'ktvi',
  'kplr',
  'eeo',
  'ktvi',
  'public',
  'file',
  'kplr',
  'public',
  'file',
  'public',
  'file',
  'fcc',
  'applications',
  'android',
  'app',
  'google',
  'play',
  'android',
  'weather',
  'app',
  'google',
  'play',
  'personal',
  'information',
  'personal',
  'information',
  'nexstar',
  'media',
  'inc.',
  'rights'],
 ['owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'account',
  'dashboard',
  'profile',
  'item',
  'bond',
  'ia',
  'drang',
  'valley',
  'log',
  'account',
  'log',
  'account',
  'sign',
  'today',
  'account',
  'dashboard',
  'profile',
  'item',
  'saturday',
  'storm',
  'damage',
  'north',
  'alabama',
  'jan',
  'jan',
  'new',
  'year',
  'day',
  'storm',
  'building',
  'damage',
  'flooding',
  'danger',
  'power',
  'outage',
  'report',
  'photo',
  'video',
  'huntsville',
  'utilities',
  'total',
  'pole',
  'line',
  'line',
  'hazel',
  'green.7:40',
  'p.m.',
  'madison',
  'county',
  'sheriff',
  'office',
  'area',
  'charity',
  'lane',
  'nix',
  'road',
  'traffic',
  'time',
  'storm',
  'damage',
  'route',
  'area',
  'detail',
  'madison',
  'county',
  'sheriff',
  'office',
  'roof',
  'damage',
  'home',
  'charity',
  'lane',
  'walmart',
  'hibbett',
  'sporting',
  'goods',
  'verizon',
  'store',
  'damage',
  'power',
  'line',
  'pole',
  'area',
  'area',
  'sheffield',
  'utility',
  'crew',
  'damage',
  'today',
  'storm',
  'number',
  'customer',
  'power',
  'leighton',
  'area',
  'outage',
  'area',
  'pole',
  'shaw',
  'road',
  'patience',
  'crew',
  'power',
  'news',
  'tip',
  'question',
  'correction',
  'newsroom@waaytv.com',
  'nypd',
  'officer',
  'peer',
  'officer',
  'condition',
  'dream',
  'italy',
  'family',
  'nikola',
  'jokic',
  'nba',
  'history',
  'denver',
  'nuggets',
  'win',
  'memphis',
  'grizzlies',
  'alea',
  'crash',
  'dekalb',
  'county',
  'adph',
  'covid-19',
  'testing',
  'alabama',
  'k-12',
  'school',
  'student',
  'gun',
  'vehicle',
  'lauderdale',
  'county',
  'high',
  'school',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'copyright',
  'allen',
  'media',
  'broadcasting',
  'monte',
  'sano',
  'blvd',
  'huntsville',
  'al',
  'term',
  'use',
  'blox',
  'content',
  'management',
  'system',
  'blox',
  'digital'],
 ['accessibility',
  'contentdemocracy',
  'darknesssign',
  'article',
  'year',
  'agothe',
  'washington',
  'postdemocracy',
  'darknesscapital',
  'weather',
  'gangthere',
  'percent',
  'chance',
  'rain',
  'storm',
  'tornado',
  'meteorologist',
  'kansas',
  'storm',
  'matthew',
  'cappuccijuly',
  'p.m.',
  'edta',
  'tornado',
  'seward',
  'county',
  'kansas',
  'wednesday',
  'david',
  'hardy',
  'comment',
  'storycommentgift',
  'articleshareon',
  'wednesday',
  'thunderstorm',
  'mile',
  'sky',
  'kansas',
  'downpour',
  'hail',
  'size',
  'golf',
  'ball',
  'tennis',
  'ball',
  'tornado',
  'storm',
  'wpget',
  'experience',
  'event',
  'day',
  'national',
  'weather',
  'service',
  'storm',
  'prediction',
  'center',
  'thunderstorm',
  'outlook',
  'risk',
  'storm',
  'national',
  'weather',
  'service',
  'office',
  'wall',
  'wall',
  'sunshine',
  'percent',
  'chance',
  'rain',
  'supercell',
  'thunderstorm',
  'storm',
  'chaser',
  'kansas',
  'maybut',
  'atmosphere',
  'forecast',
  'p.m.',
  'thunderstorm',
  'foot',
  'pair',
  'thunderstorm',
  'storm',
  'cell',
  'southernmost',
  'tornado',
  'p.m.',
  'advertisementthe',
  'national',
  'weather',
  'service',
  'phone',
  'ef1',
  'tornado',
  'scale',
  'twister',
  'intensity',
  'ef1s',
  'wind',
  'speed',
  'mph',
  'bill',
  'turner',
  'forecaster',
  'national',
  'weather',
  'service',
  'office',
  'dodge',
  'city',
  'kan.',
  'forecastkansa',
  'wednesday',
  'morning',
  'weather',
  'outlook',
  'storm',
  'prediction',
  'center',
  'weather',
  'texas',
  'tornado',
  'threat',
  'percent',
  'area',
  'center',
  'threat',
  'category',
  'cumulus',
  'field',
  'supercell',
  'tonight',
  'kansas',
  'pic.twitter.com/8r97l79rmi',
  'dakota',
  'smith',
  '@weatherdak',
  'july',
  'weather',
  'science',
  'surprise',
  'turner',
  'ingredient',
  'place',
  'storm',
  'case',
  'day',
  'summertime',
  'triggering',
  'mechanism',
  'reason',
  'advertisement“we',
  'confidence',
  'turner',
  'afternoontime',
  'core',
  'pic.twitter.com/7sue7jlgad',
  'honkey',
  '@pinchehonkey',
  'july',
  'turner',
  'wednesday',
  'morning',
  'forecast',
  'shift',
  'colleague',
  'atmosphere',
  'availability',
  'fuel',
  'storm',
  'summertime',
  'day',
  'sky',
  'pit',
  'firewood',
  'kindling',
  'match',
  'office',
  'area',
  'forecast',
  'discussion',
  'meteorologist',
  'rogue',
  'storm',
  'medicine',
  'lodge',
  'pratt',
  'mile',
  'focus',
  'temperature',
  'storm',
  'p.m.',
  'southernmost',
  'rotation',
  'seward',
  'county',
  'kansas',
  'tornado',
  'warning',
  'tornado',
  'p.m.',
  'advertisementdevin',
  'hardy',
  'storm',
  'chaser',
  'kansas',
  'home',
  'photo',
  'funnel',
  'sky',
  'dinner',
  'lightning',
  'area',
  'alert',
  'phone',
  'hardy',
  'twitter',
  'message',
  'radar',
  'catch',
  'example',
  'place',
  'time',
  'pic.twitter.com/cgcdr5gob1',
  'honkey',
  '@pinchehonkey',
  'july',
  'meteorologist',
  'head',
  'forecast',
  'environment',
  'trigger',
  'cloud',
  'tornado',
  'turner',
  'boundary',
  'temperature',
  'change',
  'distance',
  'convergence',
  'surface',
  'storm',
  '“we',
  'stratus',
  'cloud',
  'yesterday',
  'morning',
  'stratocumulus',
  'turner',
  'guess',
  'heating',
  'boundary',
  'tornado',
  'ground',
  'minute',
  'damage',
  'journey',
  'tornado',
  'ef1',
  'rating',
  'challenge',
  'lack',
  'structure',
  'damage',
  'indicator',
  'turner',
  '”the',
  'rating',
  'storm',
  'clash',
  'irrigation',
  'sprinkler',
  '“the',
  'thing',
  'seward',
  'county',
  'wheat',
  'dirt',
  'turner',
  'damage',
  'irrigation',
  'sprinkler',
  'damage',
  'report',
  'mph',
  'one].”a',
  'year',
  'kansasin',
  'addition',
  'wednesday',
  'tornado',
  'kansas',
  'tornado',
  'season',
  'week',
  'june',
  'july',
  'heat',
  'air',
  'masse',
  'jet',
  'stream',
  'wind',
  'energy',
  'tornado',
  'advertisementthis',
  'year',
  'kansas',
  'tornado',
  'season',
  'record',
  'tornado',
  'dodge',
  'city',
  'office',
  'forecast',
  'area',
  'year',
  'place',
  'twister',
  'county',
  'warning',
  'area',
  'tornado',
  'picture',
  'turner',
  'supercell',
  'ground',
  'minute',
  '”supercells',
  'thunderstorm',
  'updraft',
  '“we',
  'ton',
  'supercell',
  'year',
  'tornado',
  'production',
  'turner',
  'storm',
  'instability',
  'thing',
  'month',
  'thunderstorm',
  'kansas',
  'wind',
  'dynamic',
  'thunderstorm',
  'buildup',
  'instability',
  'time',
  'year',
  'season',
  'storm',
  'chaser',
  'ton',
  '[',
  'instability',
  'evapotranspiration',
  'turner',
  'process',
  'plant',
  'moisture',
  'air',
  'boundary',
  'storm',
  'day',
  'storm',
  'thursday',
  'tennessee',
  'tornado',
  'death',
  'toll',
  'lack',
  'warning',
  'awareness',
  'readiness',
  'commentsgift',
  'articlegift',
  'articleloading',
  'view',
  'more2023',
  'heat',
  'tracker1690',
  'degree',
  'day',
  'faraverage',
  'year',
  'date23yearly',
  'average40record',
  'most67',
  'fewest7',
  'year38top',
  'analysis',
  'hill',
  'white',
  'housejudge',
  'brake',
  'hunter',
  'biden',
  'pleagiuliani',
  'statement',
  'georgia',
  'election',
  'workersas',
  'inflation',
  'gop',
  'attack',
  'biden',
  'economyrefreshtry',
  'account',
  'preferencestweet',
  'post',
  'newsroom',
  'policies',
  'standards',
  'diversity',
  'inclusion',
  'careers',
  'media',
  'community',
  'relations',
  'wp',
  'creative',
  'group',
  'accessibility',
  'statement',
  'postgift',
  'subscriptions',
  'mobile',
  'apps',
  'newsletters',
  'alerts',
  'washington',
  'post',
  'live',
  'reprints',
  'permissions',
  'post',
  'store',
  'books',
  'e',
  '-',
  'book',
  'newspaper',
  'education',
  'print',
  'archives',
  'subscribers',
  'today',
  'paper',
  'public',
  'notices',
  'contact',
  'uscontact',
  'newsroom',
  'contact',
  'customer',
  'care',
  'contact',
  'opinions',
  'team',
  'advertise',
  'licensing',
  'syndication',
  'request',
  'correction',
  'news',
  'tip',
  'report',
  'vulnerability',
  'terms',
  'usedigital',
  'products',
  'terms',
  'sale',
  'print',
  'products',
  'term',
  'sale',
  'terms',
  'service',
  'privacy',
  'policy',
  'cookie',
  'settings',
  'submissions',
  'discussion',
  'policy',
  'rss',
  'terms',
  'service',
  'ad',
  'choices',
  'washington',
  'postwashingtonpost.com',
  'washington',
  'postabout',
  'post',
  'contact',
  'newsroom',
  'contact',
  'customer',
  'care',
  'request',
  'correction',
  'news',
  'tip',
  'report',
  'vulnerability',
  'download',
  'washington',
  'post',
  'app',
  'policies',
  'standards',
  'terms',
  'service',
  'privacy',
  'policy',
  'cookie',
  'settings',
  'print',
  'products',
  'terms',
  'sale',
  'digital',
  'products',
  'terms',
  'sale',
  'submissions',
  'discussion',
  'policy',
  'rss',
  'terms',
  'service',
  'ad',
  'choice'],
 ['arkansasentergy',
  'louisianaentergy',
  'mississippientergy',
  'new',
  'orleansentergy',
  'texasentergy',
  'nuclearlatest',
  'news',
  'releasesimage',
  'galleryvideo',
  'b',
  'rollinfographicslogosrss',
  'feedsmedia',
  'contactsinsight',
  'blog',
  'futurepeople',
  'powerstormstips',
  'historyour',
  'leadershipboard',
  'directorsinvestor',
  'value',
  'ethicsdiversity',
  'inclusion',
  'belongingaward',
  'recognitionsocial',
  'centerlatest',
  'updatespreparationsafetyrestorationresourcesmyentergy',
  'entergy',
  'newsroom',
  'storm',
  'contact',
  'usabout',
  'uscareer',
  '',
  '',
  'entergy.com',
  'arkansasentergy',
  'louisianaentergy',
  'mississippientergy',
  'new',
  'orleansentergy',
  'texasentergy',
  'nuclearlatest',
  'news',
  'releasesimage',
  'galleryvideo',
  'b',
  'rollinfographicslogosrss',
  'feedsmedia',
  'contactsinsight',
  'blog',
  'futurepeople',
  'powerstormstips',
  'historyour',
  'leadershipboard',
  'directorsinvestor',
  'value',
  'ethicsdiversity',
  'inclusion',
  'belongingaward',
  'medium',
  'entergy',
  'arkansas',
  'entergy',
  'louisiana',
  'entergy',
  'mississippi',
  'entergy',
  'new',
  'orleans',
  'entergy',
  'texas',
  'insights',
  'entergy',
  'mississippi',
  'storm',
  'update',
  'p.m.',
  'entergy',
  'mississippi',
  'storm',
  'update',
  'p.m.',
  'mississippi',
  'editorial',
  'team',
  'crew',
  'power',
  'storm',
  'damage',
  'entergy',
  'mississippi',
  'service',
  'area',
  'crew',
  'power',
  'storm',
  'damage',
  'entergy',
  'mississippi',
  'service',
  'area',
  'week',
  'entergy',
  'mississippi',
  'customer',
  'storm',
  'service',
  'area',
  'saturday',
  'june',
  'restoration',
  'thunderstorm',
  'completion',
  'weather',
  'wave',
  'thunderstorm',
  'mph',
  'wind',
  'mississippi',
  'friday',
  'morning',
  'damage',
  'power',
  'outage',
  'county',
  'entergy',
  'mississippi',
  'p.m.',
  'customer',
  'power',
  'workforce',
  'lineworker',
  'scout',
  'vegetation',
  'crew',
  'support',
  'personnel',
  'damage',
  'power',
  'customer',
  'power',
  'heat',
  'condition',
  'haley',
  'fisackerly',
  'entergy',
  'mississippi',
  'president',
  'ceo',
  'employee',
  'storm',
  'response',
  'mode',
  'day',
  'customer',
  'time',
  'reach',
  'extent',
  'damage',
  'friday',
  'weather',
  'year',
  'facility',
  'number',
  'customer',
  'outage',
  'service',
  'area',
  'hurricane',
  'katrina',
  'crew',
  'customer',
  'friday',
  'morning',
  'customer',
  'resource',
  'disposal',
  'power',
  'man',
  'woman',
  'restoration',
  'plan',
  'customer',
  'power',
  'manner',
  'customer',
  'patience',
  'power',
  'workforce',
  'area',
  'hinds',
  'madison',
  'rankin',
  'warren',
  'adams',
  'attalla',
  'bolivar',
  'desoto',
  'claiborne',
  'copiah',
  'covington',
  'holmes',
  'humphreys',
  'scott',
  'simpson',
  'county',
  'extent',
  'damage',
  'heat',
  'damage',
  'storm',
  'week',
  'restoration',
  'effort',
  'wave',
  'weather',
  'service',
  'area',
  'day',
  'outage',
  'saturday',
  'crew',
  'pace',
  'system',
  'outage',
  'border',
  'state',
  'crew',
  'challenge',
  'mother',
  'nature',
  'number',
  'customer',
  'outage',
  'storm',
  'damage',
  'magnitude',
  'restoration',
  'effort',
  'day',
  'time',
  'damage',
  'equipment',
  'facility',
  'action',
  'repair',
  'restoration',
  'time',
  'area',
  'extent',
  'damage',
  'entergy',
  'facility',
  'day',
  'restoration',
  'effort',
  'storm',
  'damage',
  'system',
  'p.m.',
  'crew',
  'pole',
  'foot',
  'power',
  'line',
  'cross',
  'arm',
  'transformer',
  'number',
  'damage',
  'assessment',
  'noon',
  'monday',
  'scout',
  'damage',
  'cause',
  'outage',
  'problem',
  'time',
  'power',
  'assessment',
  'day',
  'damage',
  'service',
  'repair',
  'source',
  'power',
  'plant',
  'transmission',
  'line',
  'substation',
  'order',
  'customer',
  'service',
  'neighborhood',
  'home',
  'restoration',
  'area',
  'crew',
  'area',
  'mind',
  'system',
  'power',
  'truck',
  'area',
  'power',
  'mind',
  'work',
  'lace',
  'order',
  'electricity',
  'truck',
  'worker',
  'area',
  'restoration',
  'work',
  'crew',
  'hour',
  'shift',
  'hour',
  'rest',
  'time',
  'safety',
  'practice',
  'operation',
  'customer',
  'restoration',
  'work',
  'customer',
  'patience',
  'crew',
  'power',
  'safety',
  'weather',
  'forecast',
  'temperature',
  'day',
  'family',
  'recommendation',
  'centers',
  'disease',
  'control',
  'prevention',
  'drink',
  'fluid',
  'clothing',
  'hat',
  'replace',
  'salt',
  'fruit',
  'juice',
  'sport',
  'drink',
  'time',
  'day',
  'a.m.',
  'p.m.',
  'wear',
  'sunscreen',
  'sunburn',
  'body',
  'ability',
  'air',
  'conditioning',
  'way',
  'generator',
  'weather',
  'event',
  'customer',
  'safety',
  'tip',
  'wire',
  'power',
  'line',
  '9outage',
  'power',
  'line',
  'pole',
  'equipment',
  'tree',
  'debris',
  'power',
  'line',
  'power',
  'company',
  'crew',
  'contractor',
  'tree',
  'limb',
  'power',
  'line',
  'power',
  'line',
  'area',
  'crew',
  'danger',
  'equipment',
  'possibility',
  'construction',
  'material',
  'limb',
  'wire',
  'ground',
  'generator',
  'power',
  'electrician',
  'disconnect',
  'utility',
  'system',
  'panel',
  'generator',
  'space',
  'ventilation',
  'manufacturer',
  'safety',
  'guideline',
  'appliance',
  'position',
  'power',
  'road',
  'area',
  'traffic',
  'weather',
  'accident',
  'injury',
  'fatality',
  'accident',
  'pole',
  'equipment',
  'outage',
  'ability',
  'crew',
  'repair',
  'damage',
  'restoration',
  'weather',
  'scam',
  'attempt',
  'entergy',
  'payment',
  'customer',
  'phone',
  'customer',
  'information',
  'stranger',
  'hang',
  'entergy',
  'entergy',
  'customer',
  'service',
  'representative',
  'victim',
  'scam',
  'authority',
  'police',
  'state',
  'attorney',
  'general',
  'office',
  'scam',
  'entergy.com/scam',
  'control',
  'way',
  'information',
  'outage',
  'entergy',
  'view',
  'outage',
  'page',
  'website',
  'resource',
  'convenience',
  'app',
  'smartphone',
  'entergy.com/app',
  'entergy',
  'storm',
  'center',
  'restoration',
  'progress',
  'text',
  'alert',
  'cellphone',
  'text',
  'r',
  'e',
  'g',
  'twitter.com/entergyms',
  'facebook.com/entergym',
  'follow',
  'update',
  'news',
  'medium',
  'radio',
  'television',
  'newspaper',
  'entergy',
  'arkansas',
  'storm',
  'damage',
  'power',
  'grid',
  'entergy',
  'arkansas',
  'storm',
  'update',
  'a.m.',
  'teamwork',
  'mississippi',
  'promise',
  'development',
  'louisiana',
  'llcentergy',
  'arkansas',
  'llcentergy',
  'mississippi',
  'llcentergy',
  'new',
  'orleans',
  'llcentergy',
  'texas',
  'inc.',
  'entergy',
  'nuclearadditional',
  'releasesinsight',
  'centercontact',
  'entergy',
  'corporation',
  'right'],
 ['tv',
  'contact',
  'uscontact',
  'search',
  'iowa',
  'pbs',
  'swirling',
  'new',
  'stormy',
  'season',
  'bryon',
  'houlgrave',
  'springtime',
  'midwest',
  'sky',
  'temperature',
  'humidity',
  'masse',
  'air',
  'collide',
  'iowa',
  'cornfield',
  'billowy',
  'white',
  'cloud',
  'supercell',
  'condition',
  'sign',
  'danger',
  'team',
  'weather',
  'spotter',
  'storm',
  'chaser',
  'element',
  'sky',
  'weather',
  'enthusiast',
  'todd',
  'rector',
  'april',
  'time',
  'year',
  'rector',
  'storm',
  'chaser',
  'altoona',
  'storm',
  'year',
  'admiration',
  'weather',
  'child',
  'physics',
  'rector',
  'excitement',
  'supercell',
  'plains',
  'power',
  'midwesterners',
  'appeal',
  'weather',
  'porch',
  'video',
  'husband',
  'husband',
  'wife',
  'plea',
  'tornado',
  'background',
  'field',
  'dirt',
  'team',
  'weather',
  'spotter',
  'adrenaline',
  'rush',
  'service',
  'field',
  'datum',
  'medium',
  'agency',
  'minute',
  'information',
  'public',
  'iowans',
  'year',
  'tornado',
  'storm',
  'rector',
  'storm',
  'respect',
  '[',
  'storm',
  'storm',
  'chase',
  'distance',
  'physics',
  'excitement',
  'supercell',
  'plains',
  'power',
  'todd',
  'rector',
  'iowa',
  'storm',
  'chaser',
  'weather',
  'storm',
  'storm',
  'iowa',
  'school',
  'district',
  'safety',
  'student',
  'weather',
  'lake',
  'mills',
  'community',
  'school',
  'district',
  'tornado',
  'room',
  'school',
  'storm',
  'shelter',
  'campus',
  'staff',
  'student',
  'community',
  'chris',
  'rogne',
  'superintendent',
  'lake',
  'mills',
  'school',
  'district',
  'rogne',
  'lake',
  'mills',
  'school',
  'state',
  'fema',
  'money',
  'room',
  'letter',
  'school',
  'color',
  'plenty',
  'community',
  'case',
  'district',
  'tornado',
  'shelter',
  'facility',
  'event',
  'rogne',
  'kid',
  'weather',
  'school',
  'staff',
  'need',
  'demeanor',
  'student',
  'rogne',
  'time',
  'crisis',
  'relationship',
  'environment',
  'time',
  'sense',
  'tornado',
  'rector',
  'thing',
  'tornado',
  'warning',
  'shelter',
  'basement',
  'bathroom',
  'wall',
  'tornado',
  'basement',
  'life',
  'people',
  'siren',
  'weather',
  'rector',
  'source',
  'information',
  'news',
  'outlet',
  'phone',
  'app',
  'weather',
  'radio',
  'iowa',
  'storm',
  'iowa',
  'wild',
  'weather',
  'storm',
  'april',
  'support',
  'donate',
  'membership',
  'iowa',
  'pbs',
  'passport',
  'corporate',
  'support',
  'iowa',
  'pbs',
  'foundation',
  'terms',
  'use',
  '',
  '',
  'privacy',
  'policy',
  'copyright',
  'iowa',
  'pbs'],
 ['maryland',
  'hurricane',
  'season',
  'storm',
  'state',
  'history',
  'cbs',
  'baltimore',
  'maryland',
  'hurricane',
  'season',
  'storm',
  'state',
  'history',
  'maryland',
  'hurricane',
  'season',
  'storm',
  'state',
  'history',
  'hurricane',
  'storm',
  'maryland',
  'naming',
  'storm',
  'thank',
  'recordkeeping',
  'national',
  'weather',
  'service',
  'noaa',
  'storm',
  'mark',
  'state',
  'category',
  'storm',
  'baltimore',
  'region',
  'damage',
  'storm',
  'region',
  'record',
  'keeping',
  'chesapeake',
  'bay',
  'hurricane',
  'wind',
  'total',
  'death',
  'damage',
  'storm',
  'tide',
  'storm',
  'surge',
  'washington',
  'd.c.',
  'surge',
  'foot',
  'storm',
  'tornado',
  'force',
  'potomac',
  'rainfall',
  'inch',
  'property',
  'damage',
  'area',
  'flooding',
  'force',
  'tornado',
  'hazel',
  'storm',
  'hurricane',
  'wind',
  'record',
  'today',
  'death',
  'district',
  'virginia',
  'maryland',
  'people',
  'half',
  'dollar',
  'damage',
  'district',
  'damage',
  'maryland',
  'virginia',
  'database',
  'storm',
  'area',
  'hurricane',
  'storm.1955',
  'maryland',
  'hurricane',
  'day',
  'connie',
  'eye',
  'connie',
  'chesapeake',
  'bay',
  'baltimore',
  'pennsylvania',
  'connie',
  'inch',
  'prince',
  'georges',
  'county',
  'storm',
  'rainfall',
  'flooding',
  'frederick',
  'county',
  'rain',
  'connie',
  'soil',
  'stage',
  'flood',
  'hurricane',
  'diane',
  'people',
  'life',
  'storm',
  'damage',
  'maryland',
  'diane',
  'baltimore',
  'rain',
  'connie',
  'diane',
  'record',
  'month',
  'august',
  'inch',
  'half',
  'century',
  'agnes',
  'disaster',
  'u.s.',
  'history',
  'damage',
  'david',
  'mark',
  'hurricane',
  'david',
  'tornado',
  'washington',
  'metro',
  'area',
  'tornado',
  'f3',
  'fairfax',
  'county',
  'mile',
  'fairfax',
  'county',
  'damages.1985',
  'category-4',
  'gloria',
  'land',
  'category-2',
  'storm',
  'virginia',
  'maryland',
  'coastline',
  'rainfall',
  'inch',
  'wind',
  'people',
  'virginia',
  'maryland',
  'power.2003',
  'isabel',
  'cyclone',
  'chesapeake',
  'bay',
  'region',
  'hurricane',
  'hazel',
  'chesapeake',
  'potomac',
  'hurricane',
  'isabel',
  'landfall',
  'category',
  'hurricane',
  'storm',
  'field',
  'storm',
  'force',
  'wind',
  'deal',
  'tree',
  'damage',
  'flash',
  'flooding',
  'peak',
  'storm',
  'people',
  'power',
  'isabel',
  'remnant',
  'ivan',
  'outbreak',
  'tornado',
  'day',
  'period',
  'united',
  'states',
  'maryland',
  'total',
  'tornado',
  'lwx',
  'forecast',
  'area',
  'fatality',
  'people',
  'injury',
  'term',
  'rainfall',
  'swath',
  'inch',
  'rainfall',
  'west',
  'irene',
  'track',
  'community',
  'baltimore',
  'area',
  'blue',
  'ridge',
  'interstate',
  'rainfall',
  'total',
  'inch',
  'irene',
  'tree',
  'damage',
  'wind',
  'rainfall',
  'wind',
  'tree',
  'power',
  'outage',
  'maryland',
  'district',
  'columbia',
  'damage',
  'estimate',
  'day',
  'storm',
  'northern',
  'virginia',
  'southern',
  'maryland',
  'course',
  'effect',
  'superstorm',
  'sandy',
  'hurricane',
  'impact',
  'northeast',
  'mid',
  'state',
  'rainfall',
  'record',
  'area',
  'foot',
  'snow',
  'maryland',
  'cbs',
  'broadcasting',
  'inc.',
  'rights',
  'thank',
  'cbs',
  'news',
  'account',
  'feature',
  'email',
  'address',
  'email',
  'address',
  'ground',
  'philadelphia',
  'international',
  'airport',
  'chicago',
  'weather',
  'alert',
  'storm',
  'threat',
  'humid',
  'thursday',
  'weather',
  'alert',
  'day',
  'thunderstorm',
  'watch',
  'michigan',
  'p.m.',
  'alert',
  'forecast',
  'storm',
  'evening',
  'term',
  'use',
  'privacy',
  'policy',
  'california',
  'notice',
  'personal',
  'information',
  'wjz',
  'events',
  'contests',
  'program',
  'guide',
  'sitemap',
  'advertise',
  'paramount+',
  'cbs',
  'television',
  'jobs',
  'public',
  'file',
  'wjz',
  'tv',
  'public',
  'inspection',
  'file',
  'fcc',
  'applications',
  'eeo',
  'browser',
  'notification',
  'news',
  'event',
  'reporting'],
 ['today',
  'paper',
  'newsletters',
  'learns',
  'guide',
  'asa',
  'hutchinson',
  'today',
  'photos',
  'public',
  'notices',
  'obits',
  'distribution',
  'locations',
  'crime',
  'digital',
  'faq',
  'razorback',
  'sports',
  'puzzles',
  'arkansas',
  'tornado',
  'cleanup',
  'round',
  'storm',
  'governor',
  'josh',
  'snyder',
  'april',
  'gov.',
  'sarah',
  'huckabee',
  'sanders',
  'news',
  'conference',
  'little',
  'rock',
  'immanuel',
  'baptist',
  'church',
  'city',
  'center',
  'n.',
  'shackleford',
  'road',
  'wednesday',
  'april',
  'arkansas',
  'democrat',
  'gazette',
  'josh',
  'snyder',
  'weather',
  'arkansas',
  'tuesday',
  'wednesday',
  'cleanup',
  'recovery',
  'effort',
  'state',
  'gov.',
  'sarah',
  'huckabee',
  'sanders',
  'governor',
  'u.s.',
  'sen.',
  'john',
  'boozman',
  'little',
  'rock',
  'mayor',
  'frank',
  'scott',
  'jr.',
  'official',
  'federal',
  'emergency',
  'management',
  'agency',
  'administrator',
  'news',
  'conference',
  'immanuel',
  'baptist',
  'church',
  'city',
  'center',
  'n.',
  'shackleford',
  'road',
  'fact',
  'weather',
  'challenge',
  'energy',
  'effort',
  'people',
  'debris',
  'assistance',
  'way',
  'sanders',
  'arkansasonline.com/45govupdate]the',
  'state',
  'response',
  'wednesday',
  'afternoon',
  'sanders',
  'request',
  'government',
  'state',
  'recovery',
  'expense',
  'day',
  'friday',
  'storm',
  'sanders',
  '”boozman',
  'delegation',
  'wednesday',
  'conference',
  'response',
  'fema',
  'administrator',
  'tony',
  'robinson',
  'effort',
  'support',
  'arkansas',
  'boozman',
  '”fema',
  'conference',
  'robinson',
  'resident',
  'friday',
  'storm',
  'insurance',
  'provider',
  'assistance',
  'disasterassistance.gov',
  'city',
  'center',
  'disaster',
  'recovery',
  'center',
  'state',
  'north',
  'little',
  'rock',
  'pike',
  'ave',
  '.',
  'wynne',
  'u.s.',
  'center',
  'people',
  'fema',
  'representative',
  'help',
  'area',
  'insurance',
  'identification',
  'small',
  'business',
  'administration',
  'loan',
  'administrator',
  'people',
  'driver',
  'license',
  'insurance',
  'policy',
  'information',
  'state',
  'disaster',
  'recovery',
  'center',
  'representative',
  'state',
  'agency',
  'people',
  'document',
  'storm',
  'sanders',
  'robinson',
  'fema',
  'partnership',
  'small',
  'business',
  'administration',
  'people',
  'aid',
  'fema',
  'small',
  'business',
  'administration',
  'wednesday',
  'stormsthe',
  'governor',
  'tuesday',
  'hope',
  'effort',
  'debris',
  'friday',
  'storm',
  'impact',
  'wednesday',
  'weather',
  'official',
  'state',
  'arkansans',
  'weather',
  'weather',
  'state',
  'a.m.',
  'a.m.',
  'sanders',
  'optimism',
  'wednesday',
  'crew',
  'ability',
  'cleanup',
  'rain',
  'wind',
  'state',
  'crew',
  'friday',
  'fact',
  'weather',
  'condition',
  'tornado',
  'warning',
  'watch',
  'wednesday',
  'afternoon',
  'district',
  'central',
  'arkansas',
  'class',
  'instruction',
  'day',
  'minor',
  'damage',
  'wind',
  'national',
  'weather',
  'service',
  'wednesday',
  'afternoon',
  'poinsett',
  'county',
  'tree',
  'fire',
  'station',
  'mississippi',
  'county',
  'tractor',
  'trailer',
  'interstate',
  'tree',
  'weather',
  'service',
  'entergy',
  'customer',
  'power',
  'p.m.',
  'wednesday',
  'utility',
  'outage',
  'map',
  'figure',
  'drop',
  'customer',
  'utility',
  'evening',
  'number',
  'customer',
  'pulaski',
  'county',
  'ouachita',
  'county',
  'cross',
  'county',
  'week',
  'tornado',
  'outage',
  'cooperative',
  'customer',
  'power',
  'p.m.',
  'wednesday',
  'utility',
  'lafayette',
  'county',
  'number',
  'customer',
  'power',
  'emergency',
  'service',
  'official',
  'benton',
  'washington',
  'county',
  'wednesday',
  'morning',
  'report',
  'storm',
  'damage',
  'robert',
  'mcgowen',
  'benton',
  'county',
  'safety',
  'administrator',
  'county',
  'damage',
  'report',
  'kind',
  '”“we',
  'bullet',
  'mcgowen',
  'p.m.',
  'watch',
  'sanders',
  'round',
  'storm',
  'effect',
  'cleanup',
  'effort',
  'arkansassevere',
  'weather',
  'arkansas',
  'tuesday',
  'wednesday',
  'cleanup',
  'recovery',
  'effort',
  'state',
  'gov.',
  'sarah',
  'huckabee',
  'sanders',
  'governor',
  'u.s.',
  'sen.',
  'john',
  'boozman',
  'little',
  'rock',
  'mayor',
  'frank',
  'scott',
  'jr.',
  'federal',
  'emergency',
  'management',
  'agency',
  'administrator',
  'official',
  'news',
  'conference',
  'little',
  'rock',
  'immanuel',
  'baptist',
  'church',
  'city',
  'center',
  'n.',
  'shackleford',
  'fact',
  'weather',
  'challenge',
  'energy',
  'effort',
  'people',
  'debris',
  'assistance',
  'way',
  'sanders',
  'conference',
  'fema',
  'region',
  'administrator',
  'tony',
  'robinson',
  'resident',
  'friday',
  'storm',
  'insurance',
  'provider',
  'assistance',
  'disasterassistance.gov',
  'information',
  'article',
  'cynthia',
  'howell',
  'arkansas',
  'democrat',
  'gazette',
  'tracy',
  'neal',
  'tom',
  'sissom',
  'northwest',
  'arkansas',
  'democrat',
  'gazette',
  'local',
  'news',
  'state',
  'news',
  'national',
  'news',
  'world',
  'news',
  'local',
  'opinion',
  'opinion',
  'editorial',
  'newsletters',
  'weekly',
  'vista',
  'westside',
  'eagle',
  'observer',
  'free',
  'weekly',
  'mcdonald',
  'county',
  'press',
  'la',
  'prensa',
  'libre',
  'ar',
  'herald',
  'leader',
  'pea',
  'ridge',
  'times',
  'washington',
  'county',
  'enterprise',
  'leader',
  'river',
  'valley',
  'democrat',
  'gazette',
  'contact',
  'term',
  'use',
  'advertise',
  'copyright',
  'northwest',
  'arkansas',
  'newspapers',
  'llc',
  'nwa',
  'media',
  'right',
  'document',
  'permission',
  'northwest',
  'arkansas',
  'newspapers',
  'llc',
  'term',
  'use',
  'material',
  'associated',
  'press',
  'copyright',
  'associated',
  'press',
  'associated',
  'press',
  'text',
  'photo',
  'audio',
  'video',
  'material',
  'broadcast',
  'broadcast',
  'publication',
  'medium',
  'ap',
  'material',
  'portion',
  'computer',
  'use',
  'ap',
  'delay',
  'inaccuracy',
  'error',
  'omission',
  'transmission',
  'delivery',
  'damage',
  'foregoing',
  'right'],
 ['news',
  'headlines',
  'crime',
  'public',
  'safety',
  'california',
  'news',
  'national',
  'news',
  'world',
  'news',
  'politics',
  'education',
  'environment',
  'science',
  'health',
  'mr.',
  'roadshow',
  'transportation',
  'local',
  'news',
  'map',
  'bay',
  'area',
  'san',
  'jose',
  'santa',
  'clara',
  'county',
  'peninsula',
  'san',
  'mateo',
  'county',
  'alameda',
  'county',
  'santa',
  'cruz',
  'county',
  'sal',
  'pizarro',
  'obituaries',
  'news',
  'local',
  'obituaries',
  'place',
  'obituary',
  'opinion',
  'editorials',
  'opinion',
  'columnists',
  'letters',
  'editor',
  'commentary',
  'cartoons',
  'election',
  'endorsements',
  'sports',
  'san',
  'francisco',
  'san',
  'francisco',
  'giants',
  'golden',
  'state',
  'warriors',
  'raiders',
  'oakland',
  'athletics',
  'san',
  'jose',
  'sharks',
  'san',
  'jose',
  'earthquakes',
  'bay',
  'fc',
  'college',
  'sports',
  'pac-12',
  'hotline',
  'high',
  'school',
  'sports',
  'sports',
  'sports',
  'columnists',
  'sports',
  'blogs',
  'entertainment',
  'thing',
  'restaurants',
  'food',
  'drink',
  'celebrities',
  'tv',
  'streaming',
  'movies',
  'music',
  'theater',
  'lifestyle',
  'advice',
  'travel',
  'pets',
  'animals',
  'comics',
  'puzzles',
  'games',
  'horoscopes',
  'event',
  'calendar',
  'morning',
  'report',
  'email',
  'newsletter',
  'storm',
  'inch',
  'snow',
  'sierra',
  'nevada',
  'facebook',
  'opens',
  'window)click',
  'twitter',
  'opens',
  'window)click',
  'opens',
  'window)click',
  'link',
  'friend',
  'opens',
  'window)click',
  'reddit',
  'opens',
  'window',
  'morning',
  'report',
  'email',
  'newsletter',
  'fact',
  'reporter',
  'source',
  'storm',
  'inch',
  'snow',
  'sierra',
  'nevada',
  'highway',
  'condition',
  'spinout',
  'crash',
  'tuesdayshare',
  'facebook',
  'opens',
  'window)click',
  'twitter',
  'opens',
  'window)click',
  'opens',
  'window)click',
  'link',
  'friend',
  'opens',
  'window)click',
  'reddit',
  'opens',
  'window',
  'caltrans',
  'associated',
  'press',
  'image',
  'video',
  'caltrans',
  'video',
  'traffic',
  'camera',
  'traffic',
  'way',
  'condition',
  'interstate',
  'weed',
  'calif.',
  'tuesday',
  'nov.',
  'gulf',
  'alaska',
  'california',
  'forecaster',
  'rain',
  'mountain',
  'snow',
  'wind',
  'temperature',
  'state',
  'associated',
  'press',
  '',
  '',
  'published',
  'november',
  'p.m.',
  'updated',
  'november',
  'john',
  'antczak',
  'associated',
  'press',
  'los',
  'angeles',
  'california',
  'storm',
  'season',
  'rain',
  'half',
  'state',
  'wednesday',
  'winter',
  'condition',
  'sierra',
  'nevada',
  'night',
  'traffic',
  'snowfall',
  'national',
  'weather',
  'service',
  'winter',
  'storm',
  'warning',
  'effect',
  'day',
  'california',
  'mountain',
  'highway',
  'condition',
  'spinout',
  'crash',
  'tuesday',
  'authority',
  'motorist',
  'chain',
  'control',
  'foot',
  'centimeter',
  'snow',
  'uc',
  'berkeley',
  'central',
  'sierra',
  'snow',
  'lab',
  'morning',
  'inch',
  'day',
  'reno',
  'nevada',
  'weather',
  'office',
  'inch',
  'centimeter',
  'lake',
  'tahoe',
  'west',
  'shore',
  'rainfall',
  'southern',
  'california',
  'winter',
  'weather',
  'advisory',
  'region',
  'mountain',
  'thursday',
  'morning',
  'forecaster',
  'snow',
  'level',
  'elevation',
  'foot',
  'meter',
  'air',
  'canada',
  'region',
  'articles',
  'weather',
  'imagination',
  'tree',
  'california',
  'cost',
  'california',
  'workplace',
  'job',
  'injury',
  'year',
  'california',
  'beaver',
  'nuisance',
  'water',
  'issue',
  'wildfire',
  'california',
  'energy',
  'cost',
  'state',
  'forecaster',
  'interstate',
  'corridor',
  'tejon',
  'pass',
  'north',
  'los',
  'angeles',
  'snow',
  'wind',
  'thursday',
  'chance',
  'rain',
  'snow',
  'week',
  'error',
  'policies',
  'standards',
  'contact',
  'tag',
  'bay',
  'area',
  'weathercalifornia',
  'weatherlake',
  'tahoelake',
  'tahoe',
  'travelmidday',
  'wiresierra',
  'nevada',
  'morning',
  'report',
  'email',
  'newsletter',
  'popularmost',
  'popularask',
  'amy',
  'neighbor',
  'mistake’?ask',
  'amy',
  'neighbor',
  'cole',
  'home',
  'hoursharriette',
  'cole',
  'home',
  'abby',
  'fiance',
  'start',
  'dear',
  'abby',
  'fiance',
  'start',
  'dear',
  'abby',
  'pickleball',
  'abby',
  'pickleball',
  'partner?ask',
  'amy',
  'bride',
  'wedding',
  'plan',
  'standardsask',
  'amy',
  'bride',
  'wedding',
  'plan',
  'standardspac-12',
  'survival',
  'colorado',
  'conundrum',
  'challenge',
  'boulder',
  'existencepac-12',
  'survival',
  'colorado',
  'conundrum',
  'challenge',
  'boulder',
  'existencedear',
  'abby',
  'abby',
  'manner',
  'moment',
  'forgetfulness',
  'offer',
  'manner',
  'moment',
  'forgetfulness',
  'offer',
  'friendask',
  'amy',
  'boyfriend',
  'business',
  'people',
  'amy',
  'boyfriend',
  'business',
  'people',
  'housebuilt',
  'software',
  'death',
  'date',
  'thousand',
  'school',
  'chromebook',
  'recycling',
  'binbuilt',
  'software',
  'death',
  'date',
  'thousand',
  'school',
  'chromebook',
  'recycling',
  'bin',
  'trending',
  'thing',
  'step',
  'plane',
  'collision',
  'feetthe',
  'business',
  'strip',
  'club',
  'colorado',
  'dancer',
  'way',
  'uncertainties‘funnel',
  'cloud',
  'tree',
  'brooklyn',
  'power',
  'outage',
  'staten',
  'island',
  'nursing',
  'hometaylor',
  'swift',
  'album',
  'swiftie',
  '.',
  'guide',
  'tip',
  'subscribe',
  'today',
  'access',
  'digital',
  'offer',
  'cent',
  'imagination',
  'tree',
  'california',
  'cost',
  'california',
  'workplace',
  'job',
  'injury',
  'year',
  'california',
  'beaver',
  'nuisance',
  'water',
  'issue',
  'wildfire',
  'place',
  'obituary',
  'place',
  'real',
  'estate',
  'ad',
  'lottery',
  'digital',
  'access',
  'faq',
  'team',
  'special',
  'sections',
  'sponsor',
  'group',
  'sponsored',
  'access',
  'privacy',
  'policy',
  'accessibility',
  'network',
  'advertising',
  'daily',
  'ads',
  'place',
  'legal',
  'notice',
  'public',
  'notices',
  'best',
  'bay',
  'area',
  'employers',
  'monster.com',
  'terms',
  'use',
  'cookie',
  'policy',
  'california',
  'notice',
  'collection',
  'notice',
  'financial',
  'incentive',
  'share',
  'personal',
  'information',
  'arbitration',
  'powered',
  'wordpress.com',
  'vip'],
 ['accessibility',
  'contentdemocracy',
  'darknesssign',
  'inthe',
  'washington',
  'postdemocracy',
  'darknessweatherclimate',
  'extreme',
  'weather',
  'capital',
  'weather',
  'gang',
  'environment',
  'climate',
  'lab',
  'weatherclimate',
  'extreme',
  'weather',
  'capital',
  'weather',
  'gang',
  'environment',
  'climate',
  'lab',
  'weather',
  'texas',
  'heat',
  'index',
  'stormsby',
  'matthew',
  'cappuccijune',
  'p.m.',
  'edtmarti',
  'syring',
  'moment',
  'montgomery',
  'county',
  'senior',
  'garden',
  'friday',
  'june',
  'conroe',
  'texas',
  'heat',
  'montgomery',
  'county',
  'weekend',
  'jason',
  'fochtman',
  'ap)listen5',
  'mincomment',
  'storycommentgift',
  'articlesharethe',
  'state',
  'lower',
  'slew',
  'weather',
  'hazard',
  'week',
  'hail',
  'tornado',
  'heat',
  'humidity',
  'heat',
  'index',
  'degree',
  'day',
  'south',
  'texas',
  'thunderstorm',
  'half',
  'texas',
  'number',
  'city',
  'dallas',
  'fort',
  'worth',
  'wpget',
  'experience',
  'planarrowrighthail',
  'size',
  'softball',
  'sunday',
  'flower',
  'mound',
  'denton',
  'county',
  'tex',
  '.',
  'stretch',
  'dallas',
  'fort',
  'worth',
  'metroplex',
  'grapevine',
  'lake',
  'sheriff',
  'deputy',
  'rain',
  'tornado',
  'jones',
  'county',
  'stamford',
  'weather',
  'offing',
  'monday.@txstormchasers',
  'baseball',
  'softball',
  'hail',
  'flower',
  'mound',
  'tx',
  'pic.twitter.com/k2lycn4nt5',
  'aimee',
  'halleman',
  'june',
  'level',
  'risk',
  'storm',
  'national',
  'weather',
  'service',
  'storm',
  'prediction',
  'center',
  'monday',
  'location',
  'abilene',
  'waco',
  'addition',
  'wind',
  'hail',
  'tornado',
  'white',
  'house',
  'lightning',
  'strike',
  'air',
  'mass',
  'weather',
  'interstate',
  'heat',
  'index',
  'south',
  'heat',
  'advisory',
  'swath',
  'south',
  'texas',
  'laredo',
  'eagle',
  'pass',
  'corpus',
  'christi',
  'heat',
  'index',
  'degree',
  'spot',
  'advertisementthe',
  'combination',
  'temperature',
  'humidity',
  'risk',
  'heat',
  'illness',
  'heat',
  'exhaustion',
  'heat',
  'stroke',
  'national',
  'weather',
  'service',
  'brownsville',
  'resident',
  'child',
  'pet',
  'vehicle',
  '“car',
  'interior',
  'temperature',
  'minute',
  'agency',
  'houston',
  'city',
  'united',
  'states',
  'heat',
  'index',
  'degree',
  'week',
  'thunderstorm',
  'risk',
  'mondaythe',
  'state',
  'texas',
  'west',
  'east',
  'state',
  'air',
  'mass',
  'south',
  'air',
  'north',
  'disturbance',
  'jet',
  'stream',
  'round',
  'storm',
  'wind',
  'atmosphere',
  'advertisementin',
  'addition',
  'storm',
  'sunday',
  'central',
  'texas',
  'interstate',
  'pair',
  'supercell',
  'texas',
  'panhandle',
  'storm',
  'town',
  'tulia',
  'hue',
  'sunset',
  'updraft',
  'column',
  'spin',
  'marking',
  'air',
  'spiral',
  'centerpiece',
  'sunset',
  'supercell',
  'tulia',
  'txwx',
  'stormhour',
  'pic.twitter.com/85txobix4u',
  'john',
  'sirlin',
  '@sirlinjohn',
  'june',
  'storm',
  'central',
  'texas',
  'monday',
  'heat',
  'humidity',
  'south',
  'wind',
  'shear',
  'change',
  'wind',
  'speed',
  'direction',
  'height',
  'supercell',
  'risk',
  'hail',
  'size',
  'baseball',
  'line',
  'wind',
  'mph',
  'tornado',
  'pic',
  'softball',
  'hail',
  '\U0001fae8',
  'pic.twitter.com/huxkm2upyr',
  'lime',
  '@paypaylapeww',
  'june',
  'wind',
  'profile',
  'splitting',
  'supercell',
  'thunderstorm',
  'split',
  'tornado',
  'risk',
  'split',
  'deviate',
  'hail',
  'storm',
  'dark',
  'advertisementthunderstorm',
  'red',
  'river',
  'border',
  'oklahoma',
  'texas',
  'monday',
  'morning',
  'appetizer',
  'storm',
  'hail',
  'portent',
  'atmosphere',
  'storm',
  'periphery',
  'air',
  'mass',
  'potential',
  'thunderstorm',
  'tornado',
  'threat',
  'colorado',
  'texas',
  'oklahoma',
  'panhandles',
  'moisture',
  'factor',
  'wind',
  'mid',
  '-',
  'level',
  'spinning',
  'storm',
  'thunderstorm',
  'boundary',
  'tuesday',
  'east',
  'texas',
  'heat',
  'riskin',
  'south',
  'texas',
  'weather',
  'centers',
  'disease',
  'control',
  'average',
  'americans',
  'result',
  'heat',
  'illness',
  'morbidity',
  'heat',
  'condition',
  'time',
  'people',
  'number',
  'tornado',
  'year',
  'advertisementa',
  'lobe',
  'pressure',
  'air',
  'gulf',
  'mexico',
  'humidity',
  'heat',
  'index',
  'territory',
  'uvalde',
  'high',
  'degree',
  'day',
  'week',
  'heat',
  'index',
  'degree',
  'laredo',
  'rio',
  'grande',
  'story',
  'temperature',
  'degree',
  'heat',
  'index',
  'degree',
  'territory',
  'issue',
  'temperature',
  'degree',
  'temperature',
  'recovery',
  'heat',
  'temperature',
  'record',
  'minimum',
  'half',
  'week',
  'weekend',
  'national',
  'weather',
  'service',
  'brownsville',
  'farther',
  'north',
  'big',
  'bend',
  'texas',
  'humidity',
  'air',
  'temperature',
  'monday',
  'degree',
  'advertisementalong',
  'gulf',
  'coast',
  'houston',
  'heat',
  'advisory',
  'heat',
  'warning',
  'meteorologist',
  'headline',
  'week',
  'humidity',
  'place',
  'temperature',
  '“once',
  'humidity',
  'equation',
  'half',
  'week',
  'afternoon',
  'heat',
  'index',
  'value',
  '110f',
  'national',
  'weather',
  'service',
  'houston',
  'week',
  'heat',
  'advisory',
  'heat',
  'warning',
  '”houston',
  'forecast',
  'high',
  'degree',
  'wednesday',
  'end',
  'sight',
  'heat',
  'commentsgift',
  'articlegift',
  'articleloading',
  'view',
  'moretop',
  'news',
  'weather',
  'sport',
  'event',
  'restaurant',
  'obamas',
  'chef',
  'tafari',
  'campbell',
  'food',
  'delay',
  'heroic',
  'nats',
  'player',
  'start',
  'josh',
  'harris',
  'commanders',
  'tenurerefreshtry',
  'account',
  'post',
  'newsroom',
  'policies',
  'standards',
  'diversity',
  'inclusion',
  'careers',
  'media',
  'community',
  'relations',
  'wp',
  'creative',
  'group',
  'accessibility',
  'statement',
  'postgift',
  'subscriptions',
  'mobile',
  'apps',
  'newsletters',
  'alerts',
  'washington',
  'post',
  'live',
  'reprints',
  'permissions',
  'post',
  'store',
  'books',
  'e',
  '-',
  'book',
  'newspaper',
  'education',
  'print',
  'archives',
  'subscribers',
  'today',
  'paper',
  'public',
  'notices',
  'contact',
  'uscontact',
  'newsroom',
  'contact',
  'customer',
  'care',
  'contact',
  'opinions',
  'team',
  'advertise',
  'licensing',
  'syndication',
  'request',
  'correction',
  'news',
  'tip',
  'report',
  'vulnerability',
  'terms',
  'usedigital',
  'products',
  'terms',
  'sale',
  'print',
  'products',
  'term',
  'sale',
  'terms',
  'service',
  'privacy',
  'policy',
  'cookie',
  'settings',
  'submissions',
  'discussion',
  'policy',
  'rss',
  'terms',
  'service',
  'ad',
  'choices',
  'washington',
  'postwashingtonpost.com',
  'washington',
  'postabout',
  'post',
  'contact',
  'newsroom',
  'contact',
  'customer',
  'care',
  'request',
  'correction',
  'news',
  'tip',
  'report',
  'vulnerability',
  'download',
  'washington',
  'post',
  'app',
  'policies',
  'standards',
  'terms',
  'service',
  'privacy',
  'policy',
  'cookie',
  'settings',
  'print',
  'products',
  'terms',
  'sale',
  'digital',
  'products',
  'terms',
  'sale',
  'submissions',
  'discussion',
  'policy',
  'rss',
  'terms',
  'service',
  'ad',
  'choice'],
 ['abc',
  'newsvideoliveshowselectionsinterest',
  'successfully',
  "addedwe'll",
  'news',
  'desktop',
  'notification',
  'story',
  'interest',
  'offonlog',
  'instream',
  'storm',
  'calvin',
  'hawaii',
  'flooding',
  'storm',
  'calvin',
  'surf',
  'rain',
  'gust',
  'hawaii',
  'big',
  'island',
  'flooding',
  'mcavoy',
  'associated',
  'pressjuly',
  'pmhonolulu',
  'honolulu',
  'ap',
  'tropical',
  'storm',
  'calvin',
  'surf',
  'rain',
  'gust',
  'hawaii',
  'big',
  'island',
  'wednesday',
  'damage',
  'morning',
  'storm',
  'west',
  'national',
  'weather',
  'service',
  'storm',
  'warning',
  'hawaii',
  'volcanoes',
  'national',
  'park',
  'home',
  'kilaluea',
  'volcano',
  'a.m.',
  'staff',
  'road',
  'trail',
  'hawaii',
  'gov.',
  'josh',
  'green',
  'relief',
  'injury',
  'damage',
  'state',
  'hurricane',
  'season',
  'june',
  'nov.',
  'month',
  'hurricane',
  'season',
  'green',
  'news',
  'conference',
  'opportunity',
  '”a',
  'rain',
  'gauge',
  'honolii',
  'stream',
  'north',
  'hilo',
  'inch',
  'centimeter',
  'wind',
  'summit',
  'haleakala',
  'volcano',
  'maui',
  'mile',
  'mph',
  'mauna',
  'kea',
  'big',
  'island',
  'mph',
  'kph).hawaii',
  'county',
  'mayor',
  'mitch',
  'roth',
  'report',
  'tree',
  'branch',
  'road',
  'pahala',
  'area',
  'talmadge',
  'magno',
  'administrator',
  'hawaii',
  'county',
  'civil',
  'defense',
  'flooding',
  'community',
  'wood',
  'valley',
  'kind',
  'rain',
  'people',
  'national',
  'weather',
  'service',
  'wave',
  'foot',
  'press',
  'writer',
  'mark',
  'thiessen',
  'report',
  'anchorage',
  'alaska',
  'storieshouse',
  'ufo',
  'hearing',
  'ex',
  'knowledge',
  'craftjul',
  'amruin',
  'vatican',
  'emperor',
  'nero',
  'theaterjul',
  'pmsinead',
  "o'connor",
  'u',
  'singer',
  '56jul',
  'pmwhistleblower',
  'congress',
  'decade',
  'program',
  'ufosjul',
  'pmmcconnell',
  'press',
  'conference',
  'return',
  'pmabc',
  'news',
  'live24/7',
  'coverage',
  'news',
  'eventsabc',
  'news',
  'networkprivacy',
  'policyyour',
  'state',
  'privacy',
  'rightschildren',
  'online',
  'privacy',
  'policyinterest',
  'adsabout',
  'nielsen',
  'measurementterms',
  'usedo',
  'sell',
  'informationcontact',
  'uscopyright',
  'abc',
  'news',
  'internet',
  'ventures',
  'right'],
 ['hunter',
  'biden',
  'plea',
  'deal',
  'ufo',
  'takeaway',
  'whistleblower',
  'congress',
  'uap',
  'sinéad',
  "o'connor",
  'grammy',
  'singer',
  'netherlands',
  'u.s.',
  'draw',
  'rematch',
  'world',
  'cup',
  'federal',
  'reserve',
  'interest',
  'rate',
  'level',
  'year',
  'niger',
  'president',
  'guard',
  'coup',
  'ohio',
  'officer',
  'k-9',
  'man',
  'hand',
  'story',
  'tic',
  'tac',
  'ufo',
  'vermont',
  'flooding',
  'railroad',
  'track',
  'mid',
  '-',
  'air',
  'gorge',
  'july',
  'cbs',
  'news',
  'vermont',
  'town',
  'floodwater',
  'vermont',
  'town',
  'water',
  'record',
  'flood',
  'flooding',
  'vermont',
  'day',
  'storm',
  'sunday',
  'town',
  'knee',
  'water',
  'case',
  'railroad',
  'track',
  'mid',
  '-',
  'air',
  'footage',
  'railroad',
  'track',
  'sky',
  'connection',
  'ground',
  'gorge',
  'tree',
  'middle',
  'railroad',
  'track',
  'ludlow',
  'vt',
  '@weatherchannel',
  '@accuweather',
  '@wcvb',
  '@nwsburlington',
  '@abc',
  '@foxweather',
  'pic.twitter.com/ss0ceduw5u',
  'henry',
  'swenson',
  '@henryswenson',
  'july',
  'railroad',
  'ludlow',
  'vermont',
  'half',
  'inch',
  'rain',
  'july',
  'total',
  'national',
  'weather',
  'service',
  'town',
  'damage',
  'storm',
  'week',
  'municipal',
  'manager',
  'brendan',
  'mcnamara',
  'people',
  'burden',
  'piece',
  'brunt',
  'storm',
  'spokesperson',
  'vermont',
  'rail',
  'system',
  'cbs',
  'news',
  'video',
  'washout',
  'green',
  'mountain',
  'railroad',
  'railroad',
  'freight',
  'line',
  'rutland',
  'bellows',
  'falls',
  'operation',
  'line',
  'vermont',
  'track',
  'inspection',
  'repair',
  'rail',
  'freight',
  'service',
  'customer',
  'community',
  'vermont',
  'spokesperson',
  'rail',
  'system',
  'damage',
  'ludlow',
  'boil',
  'water',
  'notice',
  'official',
  'resident',
  'water',
  'people',
  'today',
  'house',
  'loss',
  'life',
  'mcnamara',
  'ludlow',
  'people',
  'care',
  'storm',
  'floodwater',
  'area',
  'vehicle',
  'home',
  'rain',
  'national',
  'weather',
  'service',
  'burlington',
  'floodwater',
  'round',
  'shower',
  'thunderstorm',
  'thursday',
  'friday',
  'storm',
  'inch',
  'rain',
  'service',
  'threat',
  'flooding',
  'floodwater',
  'today',
  'condition',
  'round',
  'shower',
  'thunderstorm',
  'thursday',
  'friday',
  'rainfall',
  'excess',
  'threat',
  'flooding',
  'pic.twitter.com/qnbmzn706',
  'nws',
  'burlington',
  '@nwsburlington',
  'july',
  'ufo',
  'takeaway',
  'whistleblower',
  'congress',
  'uap',
  'hunter',
  'biden',
  'plea',
  'deal',
  'story',
  'tic',
  'tac',
  'ufo',
  'sighting',
  'hammerhead',
  'worm',
  'li',
  'cohen',
  'media',
  'producer',
  'content',
  'writer',
  'cbs',
  'news',
  'july',
  'cbs',
  'interactive',
  'inc.',
  'rights',
  'thank',
  'cbs',
  'news',
  'account',
  'feature',
  'email',
  'address',
  'email',
  'address',
  'flooding',
  'water',
  'rescue',
  'chester',
  'county',
  'storm',
  'fema',
  'crew',
  'flooding',
  'damage',
  'austin',
  'week',
  'storm',
  'vermont',
  'phish',
  'flood',
  'recovery',
  'effort',
  'official',
  'damage',
  'flooding',
  'month',
  'west',
  'resident',
  'help',
  'copyright',
  'cbs',
  'interactive',
  'inc.',
  'right',
  'privacy',
  'policy',
  'california',
  'notice',
  'personal',
  'information',
  'terms',
  'use',
  'advertise',
  'captioning',
  'cbs',
  'news',
  'paramount+',
  'cbs',
  'news',
  'store',
  'site',
  'map',
  'contact',
  'browser',
  'notification',
  'news',
  'event',
  'reporting'],
 ['news',
  'headlines',
  'crime',
  'public',
  'safety',
  'california',
  'news',
  'national',
  'news',
  'world',
  'news',
  'politics',
  'education',
  'environment',
  'science',
  'health',
  'mr.',
  'roadshow',
  'transportation',
  'local',
  'news',
  'map',
  'bay',
  'area',
  'san',
  'jose',
  'santa',
  'clara',
  'county',
  'peninsula',
  'san',
  'mateo',
  'county',
  'alameda',
  'county',
  'santa',
  'cruz',
  'county',
  'sal',
  'pizarro',
  'obituaries',
  'news',
  'local',
  'obituaries',
  'place',
  'obituary',
  'opinion',
  'editorials',
  'opinion',
  'columnists',
  'letters',
  'editor',
  'commentary',
  'cartoons',
  'election',
  'endorsements',
  'sports',
  'san',
  'francisco',
  'san',
  'francisco',
  'giants',
  'golden',
  'state',
  'warriors',
  'raiders',
  'oakland',
  'athletics',
  'san',
  'jose',
  'sharks',
  'san',
  'jose',
  'earthquakes',
  'bay',
  'fc',
  'college',
  'sports',
  'pac-12',
  'hotline',
  'high',
  'school',
  'sports',
  'sports',
  'sports',
  'columnists',
  'sports',
  'blogs',
  'entertainment',
  'thing',
  'restaurants',
  'food',
  'drink',
  'celebrities',
  'tv',
  'streaming',
  'movies',
  'music',
  'theater',
  'lifestyle',
  'advice',
  'travel',
  'pets',
  'animals',
  'comics',
  'puzzles',
  'games',
  'horoscopes',
  'event',
  'calendar',
  'morning',
  'report',
  'email',
  'newsletter',
  'share',
  'facebook',
  'opens',
  'window)click',
  'twitter',
  'opens',
  'window)click',
  'opens',
  'window)click',
  'link',
  'friend',
  'opens',
  'window)click',
  'reddit',
  'opens',
  'window',
  'morning',
  'report',
  'email',
  'newsletter',
  'tornadoes',
  'mississippi',
  'tornado',
  'state',
  'mid',
  '-',
  'spring',
  'forecaster',
  'timing',
  'storm',
  'situation”share',
  'facebook',
  'opens',
  'window)click',
  'twitter',
  'opens',
  'window)click',
  'opens',
  'window)click',
  'link',
  'friend',
  'opens',
  'window)click',
  'reddit',
  'opens',
  'window',
  'rogelio',
  'v.',
  'solis',
  'associated',
  'press',
  'severe',
  'weather',
  'central',
  'mississippi',
  'billboard',
  'ridgeland',
  'miss.',
  'friday',
  'june',
  'year',
  'canton',
  'man',
  'tree',
  'home',
  'result',
  'inclement',
  'weather',
  'associated',
  'press',
  '',
  '',
  'published',
  'june',
  'a.m.',
  '',
  '',
  'updated',
  'june',
  'p.m.',
  'michael',
  'goldberg',
  'rogelio',
  'solis',
  '',
  '',
  'associated',
  'press',
  'report',
  'america',
  'louin',
  'miss.',
  'tornado',
  'mississippi',
  'dozen',
  'official',
  'monday',
  'state',
  'emergency',
  'worker',
  'county',
  'damage',
  'storm',
  'temperature',
  'hail',
  'area',
  'tornado',
  'death',
  'injury',
  'official',
  'mississippi',
  'jasper',
  'county',
  'town',
  'louin',
  'brunt',
  'damage',
  'drone',
  'footage',
  'photo',
  'expanse',
  'debris',
  'terrain',
  'home',
  'tree',
  'person',
  'wreckage',
  'stretcher',
  'home',
  'monday',
  'lester',
  'campbell',
  'associated',
  'press',
  'cousin',
  'year',
  'george',
  'jean',
  'hayes',
  'person',
  'campbell',
  'recliner',
  'sunday',
  'evening',
  'midnight',
  'light',
  'kitchen',
  'refrigerator',
  'tornado',
  'campbell',
  'train',
  'sound',
  'roar',
  'roar',
  'roar',
  'floor',
  'bedroom',
  'closet',
  'wife',
  'shelter',
  'time',
  'closet',
  'tornado',
  'campbell',
  'help',
  'street',
  'hayes',
  'trailer',
  'home',
  'home',
  'emergency',
  'worker',
  'cousin',
  'forehead',
  'leg',
  'ambulance',
  'hospital',
  'people',
  'jasper',
  'county',
  'hayes',
  'south',
  'central',
  'regional',
  'medical',
  'center',
  'laurel',
  'a.m.',
  'becky',
  'collins',
  'spokeswoman',
  'facility',
  'people',
  'bruise',
  'cut',
  'condition',
  'monday',
  'morning',
  'eric',
  'carpenter',
  'meteorologist',
  'national',
  'weather',
  'service',
  'jackson',
  'jet',
  'stream',
  'area',
  'tornado',
  'louin',
  'mile',
  'bay',
  'springs',
  'tornado',
  'mississippi',
  'mid',
  '-',
  'spring',
  'carpenter',
  'timing',
  'tornado',
  'thunder',
  'hail',
  'temperature',
  'situation',
  'game',
  'carpenter',
  'march',
  'april',
  'june',
  'march',
  'tornado',
  'path',
  'destruction',
  'mississippi',
  'thousand',
  'home',
  'town',
  'poverty',
  'mississippi',
  'delta',
  'task',
  'mississippi',
  'gov.',
  'tate',
  'reeves',
  'monday',
  'tornado',
  'rankin',
  'county',
  'capital',
  'city',
  'jackson',
  'emergency',
  'crew',
  'search',
  'rescue',
  'mission',
  'damage',
  'assessment',
  'drone',
  'area',
  'vehicle',
  'power',
  'line',
  'weather',
  'central',
  'mississippi',
  'tree',
  'state',
  'capitol',
  'ground',
  'jackson',
  'miss.',
  'friday',
  'june',
  'person',
  'tornado',
  'state',
  'sunday',
  'monday',
  'rogelio',
  'v.',
  'solis',
  'associated',
  'press',
  'monday',
  'morning',
  'news',
  'release',
  'mississippi',
  'emergency',
  'management',
  'agency',
  'home',
  'mississippi',
  'power',
  'thousand',
  'people',
  'hinds',
  'county',
  'area',
  'state',
  'power',
  'monday',
  'morning',
  'wind',
  'state',
  'friday',
  'reeves',
  'state',
  'command',
  'center',
  'shelter',
  'weather',
  'home',
  'monday',
  'morning',
  'campbell',
  'damage',
  'half',
  'roof',
  'garage',
  'window',
  'neighbor',
  'house',
  'campbell',
  'error',
  'policies',
  'standards',
  'contact',
  'morning',
  'report',
  'email',
  'newsletter',
  'popularmost',
  'popularask',
  'amy',
  'neighbor',
  'mistake’?ask',
  'amy',
  'neighbor',
  'cole',
  'home',
  'hoursharriette',
  'cole',
  'home',
  'abby',
  'fiance',
  'start',
  'dear',
  'abby',
  'fiance',
  'start',
  'dear',
  'abby',
  'pickleball',
  'abby',
  'pickleball',
  'partner?ask',
  'amy',
  'bride',
  'wedding',
  'plan',
  'standardsask',
  'amy',
  'bride',
  'wedding',
  'plan',
  'standardspac-12',
  'survival',
  'colorado',
  'conundrum',
  'challenge',
  'boulder',
  'existencepac-12',
  'survival',
  'colorado',
  'conundrum',
  'challenge',
  'boulder',
  'existencedear',
  'abby',
  'abby',
  'manner',
  'moment',
  'forgetfulness',
  'offer',
  'manner',
  'moment',
  'forgetfulness',
  'offer',
  'friendask',
  'amy',
  'boyfriend',
  'business',
  'people',
  'amy',
  'boyfriend',
  'business',
  'people',
  'housebuilt',
  'software',
  'death',
  'date',
  'thousand',
  'school',
  'chromebook',
  'recycling',
  'binbuilt',
  'software',
  'death',
  'date',
  'thousand',
  'school',
  'chromebook',
  'recycling',
  'bin',
  'trending',
  'thing',
  'step',
  'plane',
  'collision',
  'feetthe',
  'business',
  'strip',
  'club',
  'colorado',
  'dancer',
  'way',
  'uncertainties‘funnel',
  'cloud',
  'tree',
  'brooklyn',
  'power',
  'outage',
  'staten',
  'island',
  'nursing',
  'hometaylor',
  'swift',
  'album',
  'swiftie',
  '.',
  'guide',
  'tip',
  'subscribe',
  'today',
  'access',
  'digital',
  'offer',
  'cent',
  'imagination',
  'tree',
  'california',
  'cost',
  'california',
  'workplace',
  'job',
  'injury',
  'year',
  'california',
  'beaver',
  'nuisance',
  'water',
  'issue',
  'wildfire',
  'place',
  'obituary',
  'place',
  'real',
  'estate',
  'ad',
  'lottery',
  'digital',
  'access',
  'faq',
  'team',
  'special',
  'sections',
  'sponsor',
  'group',
  'sponsored',
  'access',
  'privacy',
  'policy',
  'accessibility',
  'network',
  'advertising',
  'daily',
  'ads',
  'place',
  'legal',
  'notice',
  'public',
  'notices',
  'best',
  'bay',
  'area',
  'employers',
  'monster.com',
  'terms',
  'use',
  'cookie',
  'policy',
  'california',
  'notice',
  'collection',
  'notice',
  'financial',
  'incentive',
  'share',
  'personal',
  'information',
  'arbitration',
  'powered',
  'wordpress.com',
  'vip'],
 ['wednesday',
  'july',
  '26th',
  'digital',
  'replica',
  'edition',
  'headlines',
  'colorado',
  'news',
  'politics',
  'crime',
  'public',
  'safety',
  'courts',
  'national',
  'news',
  'world',
  'news',
  'education',
  'health',
  'environment',
  'transportation',
  'housing',
  'obituaries',
  'photo',
  'hub',
  'weather',
  'sports',
  'sports',
  'columnists',
  'denver',
  'broncos',
  'colorado',
  'rockies',
  'denver',
  'colorado',
  'avalanche',
  'colorado',
  'rapids',
  'college',
  'sports',
  'preps',
  'golf',
  'boxing',
  'mma',
  'sports',
  'tv',
  'radio',
  'sports',
  'podcast',
  'olympics',
  'know',
  'food',
  'art',
  'culture',
  'movies',
  'tv',
  'streaming',
  'music',
  'theater',
  'travel',
  'family',
  'friendly',
  'bars',
  'beer',
  'thing',
  'event',
  'calendar',
  'television',
  'listings',
  'comics',
  'games',
  'horoscopes',
  'amy',
  'home',
  'garden',
  'free',
  'cannabis',
  'recipes',
  'denver',
  'post',
  'store',
  'sign',
  'newsletters',
  'alerts',
  'share',
  'facebook',
  'opens',
  'window)click',
  'reddit',
  'opens',
  'window)click',
  'twitter',
  'opens',
  'window',
  'newsletters',
  'alerts',
  'wednesday',
  'july',
  '26th',
  'digital',
  'replica',
  'edition',
  'damage',
  'tornado',
  'oklahoma',
  'share',
  'facebook',
  'opens',
  'window)click',
  'reddit',
  'opens',
  'window)click',
  'twitter',
  'opens',
  'window',
  'image',
  'video',
  'funnel',
  'storm',
  'cloud',
  'way',
  'road',
  'car',
  'cole',
  'okla.',
  'wednesday',
  'night',
  'april',
  'storm',
  'tornado',
  'wind',
  'hail',
  'central',
  'u.s.',
  'wednesday',
  'fatality',
  'injury',
  'home',
  'thousand',
  'power',
  'koco',
  'tv',
  'ap',
  'associated',
  'press',
  '',
  '',
  'published',
  'april',
  'p.m.',
  'updated',
  'april',
  'p.m.',
  'ken',
  'miller',
  'jamie',
  'stengle',
  'associated',
  'press',
  'dallas',
  'ap',
  'crew',
  'thursday',
  'power',
  'thousand',
  'resident',
  'tornado',
  'oklahoma',
  'spring',
  'storm',
  'u.s.',
  'people',
  'dozen',
  'home',
  'day',
  'tornado',
  'oklahoma',
  'gov.',
  'kevin',
  'stitt',
  'authority',
  'scale',
  'destruction',
  'aftermath',
  'shawnee',
  'building',
  'oklahoma',
  'baptist',
  'university',
  'damage',
  'home',
  'improvement',
  'store',
  'people',
  'term',
  'care',
  'facility',
  'hospital',
  'shawnee',
  'damage',
  'stitt',
  'city',
  'stitt',
  'town',
  'cole',
  'people',
  'home',
  'authority',
  'person',
  'person',
  'dozen',
  'injury',
  'way',
  'fatality',
  'deputy',
  'sheriff',
  'scott',
  'gibbons',
  'mcclain',
  'county',
  'county',
  'oklahoma',
  'city',
  'cole',
  'gibbons',
  'television',
  'station',
  'koco',
  'victim',
  'mcclain',
  'county',
  'cole',
  'year',
  'man',
  'storm',
  'spring',
  'dozen',
  'people',
  'swath',
  'country',
  'march',
  'tornado',
  'people',
  'arkansas',
  'delaware',
  'day',
  'tornado',
  'missouri',
  'employee',
  'pizza',
  'restaurant',
  'shawnee',
  'shelter',
  'freezer',
  'roof',
  'window',
  'parking',
  'lot',
  'lot',
  'commotion',
  'people',
  'bekah',
  'inman',
  'manager',
  'papa',
  'john',
  'pizza',
  'shawnee',
  'oklahoma',
  'television',
  'station',
  'koco',
  'oklahoma',
  'baptist',
  'university',
  'sophomore',
  'kennedy',
  'houchin',
  'storm',
  'shelter',
  'people',
  'hour',
  'devastation',
  'tornado',
  'campus',
  'shawnee',
  'tree',
  'car',
  'building',
  'hole',
  'volleyball',
  'teammate',
  'campus',
  'moment',
  'houchin',
  'storm',
  'stitt',
  'state',
  'emergency',
  'county',
  'cleveland',
  'lincoln',
  'mcclain',
  'oklahoma',
  'pottawatomie',
  'peak',
  'storm',
  'power',
  'outage',
  'number',
  'thursday',
  'evening',
  'oklahoma',
  'department',
  'emergency',
  'management',
  'office',
  'homeland',
  'security',
  'kfor',
  'tv',
  'resident',
  'oklahoma',
  'city',
  'shelter',
  'cole',
  'people',
  'storm',
  'manhole',
  'television',
  'station',
  'miller',
  'jonesboro',
  'arkansas',
  'associated',
  'press',
  'journalist',
  'beatrice',
  'dupuy',
  'new',
  'york',
  'report',
  'policy',
  'error',
  'contact',
  'news',
  'tip',
  'sign',
  'newsletters',
  'alerts',
  'popularmost',
  'populartwo',
  'woman',
  'year',
  'boy',
  'colorado',
  'springs',
  'wilderness',
  'woman',
  'year',
  'boy',
  'colorado',
  'springs',
  'wilderness',
  'grid"“ted',
  'lasso',
  'star',
  'comedy',
  'tour',
  'denver',
  'fall"ted',
  'lasso',
  'star',
  'comedy',
  'tour',
  'denver',
  'fall6',
  'place',
  'boulder',
  'reality',
  'tv',
  'series6',
  'place',
  'boulder',
  'reality',
  'tv',
  'woman',
  'westminster',
  'police',
  'woman',
  'westminster',
  'police',
  'shootingkeeler',
  'cu',
  'buffs',
  'qb',
  'shedeur',
  'sanders',
  'cam',
  'ward',
  'pac-12',
  'bro',
  'thing',
  'cu',
  'buffs',
  'qb',
  'shedeur',
  'sanders',
  'cam',
  'ward',
  'pac-12',
  'bro',
  'thing',
  'buffs',
  'discussion',
  'return',
  'conference',
  'exit',
  'pac-12',
  'source',
  'confirmscu',
  'buffs',
  'discussion',
  'return',
  'conference',
  'exit',
  'pac-12',
  'source',
  'confirmsthe',
  'business',
  'strip',
  'club',
  'colorado',
  'dancer',
  'way',
  'uncertaintiesthe',
  'business',
  'strip',
  'club',
  'colorado',
  'dancer',
  'way',
  'look',
  'broncos',
  'helmetsfirst',
  'look',
  'broncos',
  'alternate',
  'helmetsi-70',
  'crash',
  'eisenhower',
  'tunneli-70',
  'crash',
  'eisenhower',
  'tunnelask',
  'amy',
  'wife',
  'nowask',
  'amy',
  'wife',
  'thing',
  'step',
  'plane',
  'collision',
  'feetthe',
  'business',
  'strip',
  'club',
  'colorado',
  'dancer',
  'way',
  'uncertainties‘funnel',
  'cloud',
  'tree',
  'brooklyn',
  'power',
  'outage',
  'staten',
  'island',
  'nursing',
  'hometaylor',
  'swift',
  'album',
  'swiftie',
  '.',
  'guide',
  'tip',
  'lindsey',
  'horan',
  'goal',
  'draw',
  'netherlands',
  'women',
  'world',
  'cup',
  'wildfire',
  'acre',
  'gunnison',
  'county',
  'evacuation',
  'order',
  'watch',
  'native',
  'uswnt',
  'captain',
  'lindsey',
  'horan',
  'score',
  'netherlands',
  'wnba',
  'riquna',
  'williams',
  'aces',
  'activity',
  'felony',
  'violence',
  'arrest',
  'las',
  'vegas',
  'member',
  'place',
  'hold',
  'digital',
  'replica',
  'edition',
  'sitemap',
  'careers',
  'denver',
  'post',
  'store',
  'place',
  'obituary',
  'advertise',
  'network',
  'advertising',
  'privacy',
  'policy',
  'accessibility',
  'terms',
  'use',
  'cookie',
  'policy',
  'california',
  'notice',
  'collection',
  'notice',
  'financial',
  'incentive',
  'share',
  'personal',
  'information',
  'arbitration',
  'site',
  'map',
  'ethics',
  'policy',
  'powered',
  'wordpress.com',
  'vip'],
 ['contentskip',
  'navigationskip',
  'navigationprint',
  'subscription',
  'sign',
  'insearch',
  'jobssearchus',
  'editionus',
  'editionuk',
  'editionaustralia',
  'guardian',
  'guardiannewsopinionsportculturelifestyleshowmoreshow',
  'morenewsview',
  'newsus',
  'newsworld',
  'politicsbusinesstechsciencenewslettersfight',
  'democracyopinionview',
  'opinionthe',
  'guardian',
  'viewcolumnistslettersopinion',
  'videoscartoonssportview',
  'sportsoccernfltennismlbmlsnbanhlf1golfcultureview',
  'culturefilmbooksmusicart',
  'designtv',
  'radiostageclassicalgameslifestyleview',
  'lifestylefashionfoodrecipeslove',
  'sexhome',
  'gardenhealth',
  'fitnessfamilytravelmoneysearch',
  'input',
  'google',
  'search',
  'searchsupport',
  'usprint',
  'subscriptionsus',
  'editionuk',
  'editionaustralia',
  'editionsearch',
  'jobsdigital',
  'archiveguardian',
  'puzzles',
  'licensingthe',
  'guardian',
  'guardianguardian',
  'weeklycrosswordswordiplycorrectionsfacebooktwittersearch',
  'jobsdigital',
  'archiveguardian',
  'puzzles',
  'licensingusworldenvironmentsoccerus',
  'democracy',
  'dozen',
  'home',
  'seattle',
  'tuesday',
  'photograph',
  'karen',
  'ducey',
  'apmore',
  'dozen',
  'home',
  'seattle',
  'tuesday',
  'photograph',
  'karen',
  'ducey',
  'apus',
  'news',
  'article',
  'month',
  'rain',
  'flooding',
  'atmospheric',
  'river',
  'storm',
  'article',
  'month',
  'oldportion',
  'california',
  'oregon',
  'washington',
  'inch',
  'rain',
  'hour',
  'mudslide',
  'debris',
  'dec',
  'estlast',
  'thu',
  'jan',
  'state',
  'rain',
  'wind',
  'flooding',
  'storm',
  'system',
  'region',
  'system',
  'river',
  'portion',
  'california',
  'oregon',
  'washington',
  'tuesday',
  'deluge',
  'mudslide',
  'debris',
  'new',
  'york',
  'times',
  'river',
  'california',
  'rain',
  'morerainfall',
  'rate',
  'inch',
  'hour',
  'meteorologist',
  'river',
  'west',
  'week',
  'storm',
  'length',
  'strength',
  'times',
  'tuesday',
  'report',
  'road',
  'tree',
  'system',
  'san',
  'francisco',
  'area',
  'power',
  'outage',
  'usa',
  'today',
  'point',
  'wednesday',
  'axios',
  'customer',
  'power',
  'oregon',
  'olympia',
  'washington',
  'official',
  'tide',
  'ft',
  'city',
  'cbs',
  'news',
  'jellyfish',
  'shoreline',
  'street',
  'eric',
  'christensen',
  'olympia',
  'water',
  'resource',
  'director',
  'cbs',
  'news',
  'woman',
  'budd',
  'inlet',
  '”more',
  'dozen',
  'home',
  'seattle',
  'tuesday',
  'seattle',
  'times',
  'flooding',
  'pm',
  'time',
  'wednesday',
  'snowfall',
  'mountain',
  'washington',
  'state',
  'california',
  'sierra',
  'nevada',
  'mountain',
  'range',
  'ridge',
  'wind',
  'mph',
  'usa',
  'today',
  'reprieve',
  'wednesday',
  'system',
  'momentum',
  'new',
  'york',
  'times',
  'rain',
  'snow',
  'california',
  'pacific',
  'north',
  'west',
  'storm',
  'pacific',
  'ocean',
  'west',
  'coast',
  'january',
  'accuweather',
  'california',
  'central',
  'valley',
  'fog',
  'wednesday',
  'storm',
  'state',
  'storm',
  'california',
  'wednesday',
  'evening',
  'round',
  'precipitation',
  'week',
  'national',
  'weather',
  'service',
  'california',
  'storm',
  'saturday',
  'sunday',
  'new',
  'year',
  'eve',
  'celebration',
  'outdoor',
  'contingency',
  'plan',
  'los',
  'angeles',
  'area',
  'weather',
  'office',
  'wrote.00:59canada',
  'drone',
  'footage',
  'row',
  'lakefront',
  'house',
  'videostate',
  'department',
  'water',
  'resource',
  'datum',
  'drought',
  'california',
  'mountain',
  'snowpack',
  'state',
  'water',
  'supply',
  'start',
  'expert',
  'winter',
  'start',
  'january',
  'march',
  'river',
  'onslaught',
  'week',
  'winter',
  'storm',
  'havoc',
  'dozen',
  'death',
  'fatality',
  'buffalo',
  'new',
  'york',
  'region',
  'authority',
  'task',
  'victim',
  'body',
  'hospital',
  'individual',
  'blizzard',
  'death',
  'mark',
  'poloncarz',
  'executive',
  'erie',
  'county',
  'cnn.buffalo',
  'police',
  'chief',
  'joseph',
  'gramaglia',
  'body',
  'snow',
  'work',
  'reporter',
  'associated',
  'press',
  'newsus',
  'weatherextreme',
  'weathercaliforniaoregonwashington',
  'statenewsreuse',
  'viewedmost',
  'viewedusworldenvironmentsoccerus',
  'politicsbusinesstechsciencenewslettersfight',
  'reporting',
  'analysis',
  'guardian',
  'ushelpcomplaint',
  'correctionssecuredropwork',
  'usprivacy',
  'policycookie',
  'policyterms',
  'conditionscontact',
  'usall',
  'topicsall',
  'newspaper',
  'archivefacebookyoutubeinstagramlinkedintwitternewslettersadvertise',
  'labssearch',
  'guardian',
  'news',
  'media',
  'limited',
  'company',
  'right'],
 ['thu',
  'jul',
  'gmt',
  '1690424755026)b811ce9f72504dd71cfbde548ab55bc49d22f916ff7f66dd0d6b73eb176b80eedf30afe5bb51279anewsweathersportscommunitygame',
  'centerwatch',
  'thu',
  'fri',
  'storm',
  'tornado',
  'man',
  'crashby',
  'associated',
  'pressthu',
  'july',
  '29th',
  'utc9view',
  'photoscrews',
  'cleanup',
  'storm',
  'town',
  'ripon',
  'july',
  'wluk',
  'emily',
  'deem)0loading'],
 ['mpr',
  'newsmpr',
  'newsupdraftwinter',
  'storm',
  'minnesota',
  'commute',
  'tuesday',
  'wednesdaysnow',
  'rain',
  'wintry',
  'mix',
  'trendadecember',
  'pmsharetwittertwitterfacebookfacebookmailemailpart',
  'minnesota',
  'area',
  'fog',
  'sunday',
  'night',
  'monday',
  'fog',
  'minnesota',
  'monday',
  'morning',
  'daylight',
  'hour',
  'monday',
  'area',
  'minnesota',
  'drizzle',
  'drizzle',
  'time',
  'weather',
  'event',
  'minnesota',
  'monday',
  'night',
  'tuesday',
  'winter',
  'storm',
  'updatecomputer',
  'model',
  'pressure',
  'system',
  'colorado',
  'monday',
  'evening',
  'monday',
  'night',
  'tuesday',
  'wednesday',
  'plenty',
  'air',
  'upper',
  'midwest',
  'future',
  'public',
  'mediampr',
  'news',
  'member',
  'gift',
  'individual',
  'gift',
  'today',
  'member',
  'today',
  'heartthe',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'global',
  'forecast',
  'system',
  'gfs',
  'model',
  'precipitation',
  'pattern',
  'p.m.',
  'monday',
  'p.m.',
  'wednesday',
  'radar',
  'p.m.',
  'monday',
  'p.m.',
  'wednesdaynoaa',
  'tropicaltidbits.comheavy',
  'snow',
  'inch',
  'tuesday',
  'wednesday',
  'air',
  'minnesota',
  'minnesota',
  'forecast',
  'model',
  'digit',
  'total',
  'snow',
  'band',
  'rain',
  'problem',
  'time',
  'west',
  'minnesota',
  'minnesota',
  'minnesota',
  'period',
  'snow',
  'area',
  'thursday',
  'pressure',
  'system',
  'east',
  'twin',
  'cities',
  'metro',
  'area',
  'minnesota',
  'wisconsin',
  'air',
  'area',
  'mix',
  'tuesday',
  'afternoon',
  'tuesday',
  'night',
  'rain',
  'mix',
  'time',
  'wednesday',
  'wintry',
  'mix',
  'period',
  'snow',
  'wednesday',
  'night',
  'thursday',
  'storm',
  'track',
  'temperature',
  'profile',
  'tuesday',
  'wednesday',
  'shift',
  'track',
  'temp',
  'metro',
  'area',
  'hour',
  'snow',
  'hour',
  'rain',
  'wintry',
  'mix',
  'tuesday',
  'wednesday',
  'snow',
  'rain',
  'rain',
  'portion',
  'minnesota',
  'monday',
  'night',
  'tuesday',
  'phase',
  'winter',
  'storm',
  'rain',
  'wintry',
  'weather',
  'servicesnow',
  'total',
  'inch',
  'area',
  'tuesday',
  'tuesday',
  'night',
  'snow',
  'minnesota',
  'tuesday',
  'tuesday',
  'nightnational',
  'weather',
  'servicenorthern',
  'minnesota',
  'snow',
  'icing',
  'snow',
  'total',
  'northwest',
  'grand',
  'forks',
  'nws',
  'office',
  'snow',
  'weather',
  'servicethe',
  'duluth',
  'nws',
  'office',
  'snow',
  'potential',
  'minnesota',
  'wisconsin',
  'potential',
  'inch',
  'snow',
  'weather',
  'serviceperiods',
  'snow',
  'thursday',
  'thursday',
  'night',
  'pressure',
  'system',
  'phase',
  'winter',
  'storm',
  'weather',
  'servicewinter',
  'storm',
  'winter',
  'storm',
  'watch',
  'monday',
  'evening',
  'portion',
  'west',
  'minnesota',
  'winter',
  'storm',
  'monday',
  'evening',
  'wednesday',
  'nightnational',
  'weather',
  'servicehere',
  'detail',
  'watch',
  'urgent',
  'winter',
  'weather',
  'message',
  'national',
  'weather',
  'service',
  'grand',
  'forks',
  'nd',
  'pm',
  'cst',
  'sun',
  'dec',
  'mnz001>004',
  'ndz006>008',
  '142015-',
  '/o.ext.kfgf.ws.a.0011.221213t0000z-221215t0900z/',
  'west',
  'polk',
  'norman',
  'clay',
  'kittson',
  'west',
  'marshall',
  'wilkin',
  'towner-',
  'cavalier',
  'pembina',
  'benson',
  'ramsey',
  'eastern',
  'walsh',
  'eddy',
  'nelson-',
  'grand',
  'forks',
  'griggs',
  'steele',
  'traill',
  'barnes',
  'cass',
  'ransom',
  'sargent-',
  'richland',
  'western',
  'walsh-',
  'city',
  'crookston',
  'east',
  'grand',
  'forks',
  'ada',
  'twin',
  'valley',
  'halstad',
  'moorhead',
  'hallock',
  'karlstad',
  'lancaster',
  'warren',
  'stephen',
  'argyle',
  'breckenridge',
  'cando',
  'langdon',
  'cavalier',
  'walhalla',
  'drayton',
  'pembina',
  'neche',
  'st.',
  'thomas',
  'fort',
  'totten',
  'maddock',
  'leeds',
  'minnewaukan',
  'devils',
  'lake',
  'grafton',
  'park',
  'river',
  'new',
  'rockford',
  'lakota',
  'mcville',
  'aneta',
  'tolna',
  'grand',
  'forks',
  'cooperstown',
  'finley',
  'hope',
  'mayville',
  'hillsboro',
  'hatton',
  'portland',
  'valley',
  'city',
  'fargo',
  'lisbon',
  'enderlin',
  'gwinner',
  'milnor',
  'forman',
  'rutland',
  'wahpeton',
  'edinburg',
  'adams',
  'lankin',
  'pm',
  'cst',
  'sun',
  'dec',
  'winter',
  'storm',
  'effect',
  'monday',
  'wednesday',
  'night',
  'precipitation',
  'time',
  'monday',
  'night',
  'tuesday',
  'morning',
  'snow',
  'time',
  'tuesday',
  'tuesday',
  'night',
  'snow',
  'accumulation',
  'inch',
  'ice',
  'accumulation',
  'glaze',
  'inch',
  'snow',
  'wind',
  'north',
  'northeast',
  'wednesday',
  'wednesday',
  'night',
  'wind',
  'mph',
  'eastern',
  'north',
  'dakota',
  'red',
  'river',
  'valley',
  'county',
  'minnesota',
  'monday',
  'evening',
  'wednesday',
  'night',
  'impact',
  'duration',
  'event',
  'travel',
  'winter',
  'storm',
  'watch',
  'monday',
  'night',
  'minnesota',
  'tuesday',
  'morning',
  'minnesota',
  'winter',
  'storm',
  'monday',
  'night',
  'sw',
  'minnesota',
  'national',
  'weather',
  'servicehere',
  'detail',
  'winter',
  'storm',
  'minnesota',
  'urgent',
  'winter',
  'weather',
  'message',
  'national',
  'weather',
  'service',
  'twin',
  'cities',
  'chanhassen',
  'mn',
  'pm',
  'cst',
  'sun',
  'dec',
  'mnz041>045',
  'douglas',
  'todd',
  'morrison',
  'mille',
  'lacs',
  'kanabec',
  'stearns',
  'benton-',
  'city',
  'alexandria',
  'long',
  'prairie',
  'little',
  'falls',
  'princeton',
  'mora',
  'st',
  'cloud',
  'sauk',
  'rapids',
  'pm',
  'cst',
  'sun',
  'dec',
  'winter',
  'storm',
  'watch',
  'effect',
  'tuesday',
  'morning',
  'tuesday',
  'night',
  'snow',
  'rain',
  'snow',
  'accumulation',
  'inch',
  'ice',
  'accumulation',
  'glaze',
  'wind',
  'mph',
  'portion',
  'east',
  'west',
  'minnesota',
  'tuesday',
  'morning',
  'tuesday',
  'night',
  'impact',
  'road',
  'condition',
  'condition',
  'morning',
  'evening',
  'commute',
  'precautionary',
  'preparedness',
  'actions',
  'winter',
  'storm',
  'watch',
  'potential',
  'snow',
  'sleet',
  'ice',
  'accumulation',
  'travel',
  'forecast',
  'winter',
  'storm',
  'watch',
  'tuesday',
  'evening',
  'minnesota',
  'winter',
  'storm',
  'tuesdaynational',
  'weather',
  'servicehere',
  'detail',
  'winter',
  'storm',
  'minnesota',
  'urgent',
  'winter',
  'weather',
  'message',
  'national',
  'weather',
  'service',
  'duluth',
  'mn',
  'pm',
  'cst',
  'sun',
  'dec',
  'mnz012',
  'northern',
  'cook',
  'lake',
  'central',
  'st.',
  'louis',
  'southern',
  'lake-',
  'southern',
  'cook',
  'south',
  'itasca-',
  'city',
  'isabella',
  'hibbing',
  'harbors',
  'silver',
  'bay',
  'grand',
  'marais',
  'grand',
  'rapids',
  'pm',
  'cst',
  'sun',
  'dec',
  'winter',
  'storm',
  'watch',
  'effect',
  'tuesday',
  'wednesday',
  'night',
  'precipitation',
  'snow',
  'accumulation',
  'inch',
  'ice',
  'accumulation',
  'glaze',
  'wind',
  'mph',
  'northern',
  'cook',
  'lake',
  'central',
  'st.',
  'louis',
  'southern',
  'lake',
  'southern',
  'cook',
  'south',
  'itasca',
  'counties',
  'tribal',
  'lands',
  'bois',
  'forte',
  'band',
  'lake',
  'vermilion',
  'area',
  'grand',
  'portage',
  'reservation',
  'tuesday',
  'evening',
  'wednesday',
  'night',
  'impact',
  'travel',
  'condition',
  'morning',
  'evening',
  'commute',
  'precautionary',
  'preparedness',
  'actions',
  'forecast',
  'update',
  'situation',
  'winter',
  'storm',
  'watch',
  'area',
  'warning',
  'advisory',
  'winter',
  'storm',
  'time',
  'county',
  'winter',
  'storm',
  'weather',
  'information',
  'minnesota',
  'wisconsin',
  'minnesota',
  'public',
  'radio',
  'news',
  'network',
  'mpr',
  'news',
  'weather',
  'blog',
  'temperature',
  'trendsmonday',
  'high',
  '30',
  'monday',
  'forecast',
  'weather',
  'servicemonday',
  'afternoon',
  'wind',
  'chill',
  'temp',
  'teen',
  'west',
  '20',
  'east',
  'monday',
  'noon',
  'forecast',
  'wind',
  'weather',
  'serviceback',
  'temperature',
  'twin',
  'cities',
  'metro',
  'area',
  'high',
  'mid',
  '30',
  'tuesday',
  '30',
  'wednesday',
  '30',
  'thursday',
  '20',
  'friday',
  'programming',
  'weather',
  'update',
  'mpr',
  'news',
  'a.m.',
  'p.m.',
  'saturday',
  'sunday',
  'support',
  'mpr.learn',
  'moreprogram',
  'schedulestation',
  'directory'],
 ['north',
  'carolinasubscribepostadvertisestate',
  'newscommunity',
  'cornercrime',
  'safetypolitics',
  'governmentschoolstraffic',
  'transitobituariespersonal',
  'financebest',
  'ofarts',
  'entertainmentbusinesshealth',
  'wellnesshome',
  'gardensportstravelkids',
  'familypetsrestaurants',
  'barslocalstreamsee',
  'communitiescharlotte',
  'ncnoda',
  'midwood',
  'belmont',
  'ncmyers',
  'park',
  'south',
  'end',
  'dilworth',
  'nchuntersville',
  'nccornelius',
  'ncdavidson',
  'ncmooresville',
  'ncwinston',
  'salem',
  'ncirmo',
  'seven',
  'oaks',
  'scgreensboro',
  'ncstate',
  'editionnorth',
  'carolinanational',
  'editiontop',
  'national',
  'newssee',
  'communities0weathertropical',
  'storm',
  'laura',
  'storm',
  'track',
  'nctropical',
  'storm',
  'laura',
  'hurricane',
  'gulf',
  'mexico',
  'tuesday',
  'night',
  'nc',
  'forecaster',
  'kimberly',
  'johnson',
  'patch',
  'staffposted',
  'mon',
  'aug',
  'pm',
  'etreply',
  'tropical',
  'storm',
  'laura',
  'hurricane',
  'gulf',
  'mexico',
  'tuesday',
  'night',
  'nc',
  'forecaster',
  'shutterstock)north',
  'carolina',
  'north',
  'carolina',
  'impact',
  'storm',
  'gulf',
  'mexico',
  'coastline',
  'weekend',
  'forecaster',
  'monday',
  'afternoon',
  'tropical',
  'storm',
  'laura',
  'end',
  'florida',
  'wind',
  'band',
  'rain',
  'tropical',
  'storm',
  'marco',
  'havoc',
  'end',
  'state',
  'laura',
  'hurricane',
  'gulf',
  'marco',
  'laura',
  'landfall',
  'louisiana',
  'coast',
  'hour',
  'end',
  'week',
  'north',
  'carolina',
  'effect',
  'laura',
  'state',
  'emergency',
  'official',
  'north',
  'carolinawith',
  'time',
  'update',
  'patch',
  'hurricane',
  'chance',
  'united',
  'states',
  'thursday',
  'weekend',
  'north',
  'carolina',
  'emergency',
  'management',
  'monday',
  'rain',
  'laura',
  'north',
  'carolina',
  'friday',
  'morning',
  'southeast',
  'monday',
  'aug.',
  'ncem',
  'north',
  'carolina',
  'rainfall',
  'coast',
  'mountain',
  'soil',
  'flooding',
  'north',
  'carolinawith',
  'time',
  'update',
  'patch',
  'subscribehere',
  'national',
  'weather',
  'service',
  'forecast',
  'north',
  'carolina',
  'weekend',
  'afternoon',
  'aug.',
  'percent',
  'chance',
  'shower',
  'thunderstorm',
  'pm',
  'wind',
  'mph',
  'rainfall',
  'tenth',
  'inch',
  'thunderstorm',
  'tonighta',
  'percent',
  'chance',
  'shower',
  'thunderstorm',
  'pm',
  'wind',
  'mph',
  'rainfall',
  'tenth',
  'inch',
  'thunderstorm',
  'tuesday',
  'aug.',
  'percent',
  'chance',
  'shower',
  'thunderstorm',
  'west',
  'wind',
  'mph',
  'rainfall',
  'tenth',
  'inch',
  'thunderstorm',
  'tuesday',
  'nighta',
  'chance',
  'shower',
  'thunderstorm',
  'pm',
  'chance',
  'shower',
  'pm',
  'pm',
  'wind',
  'mph',
  'chance',
  'precipitation',
  'aug.',
  'west',
  'wind',
  'wednesday',
  'aug.',
  'percent',
  'chance',
  'shower',
  'thunderstorm',
  'pm',
  'low',
  'aug.',
  'percent',
  'chance',
  'shower',
  'thunderstorm',
  'pm',
  'nighta',
  'chance',
  'shower',
  'thunderstorm',
  'chance',
  'shower',
  'chance',
  'precipitation',
  'aug.',
  '29)a',
  'percent',
  'chance',
  'shower',
  'thunderstorm',
  '92.saturday',
  'aug.',
  '30)a',
  'percent',
  'chance',
  'shower',
  'thunderstorm',
  'nighta',
  'percent',
  'chance',
  'shower',
  'aug.',
  'chance',
  'shower',
  '85.paul',
  'scicchitano',
  'patch',
  'staff',
  'contributedget',
  'news',
  'inbox',
  'sign',
  'patch',
  'newsletter',
  'alert',
  'thankreply',
  'sharetropical',
  'storm',
  'laura',
  'storm',
  'track',
  'ncthe',
  'rule',
  'space',
  'discussion',
  'language',
  'claim',
  'reply',
  'topic',
  'patch',
  'community',
  'guidelines',
  'reply',
  'articlereplymore',
  'north',
  'carolinacommunity',
  'tips',
  'grilling',
  'bonfire',
  'safetyobituaries',
  'jun',
  'leo',
  'william',
  'kraft',
  'trending',
  'patchacross',
  'america',
  'newssinéad',
  'o’connor',
  'nj',
  "news'finding",
  'nemo',
  'tiktok',
  'promo',
  'brick',
  'theatre',
  'group',
  'memeacross',
  'america',
  'newsdelta',
  'aquariid',
  'perseid',
  'meteor',
  'showers',
  'ramp',
  'fireballsbaltimore',
  'md',
  'newsmustard',
  'skittle',
  'debut',
  'national',
  'mustard',
  'dayacross',
  'america',
  'newsmodern',
  'homes',
  'pool',
  'art',
  'house',
  'yourcommunity',
  'patch',
  'appcorporate',
  'infoabout',
  'patchcareerspartnershipsadvertise',
  'patchsupportfaqscontact',
  'patchcommunity',
  'guidelinesposting',
  'instructionsterms',
  'useprivacy',
  'policy',
  'patch',
  'media',
  'rights'],
 ['car',
  'accident',
  'accident',
  'motorcycle',
  'accident',
  'nursing',
  'home',
  'abuse',
  'social',
  'security',
  'disability',
  'long',
  'term',
  'disability',
  'wrongful',
  'death',
  'construction',
  'site',
  'accidents',
  'defective',
  'prescription',
  'drugs',
  'dog',
  'bites',
  'medical',
  'malpractice',
  'defective',
  'medical',
  'devices',
  'slip',
  'fall',
  'negligent',
  'security',
  'polaris',
  'lawsuits',
  'car',
  'accident',
  'accident',
  'motorcycle',
  'accident',
  'wrongful',
  'death',
  'social',
  'security',
  'disability',
  'medical',
  'malpractice',
  'dog',
  'bites',
  'michigan',
  'fault',
  'law',
  'prescription',
  'drug',
  'polaris',
  'lawsuit',
  'car',
  'accident',
  'accident',
  'motorcycle',
  'accident',
  'nursing',
  'home',
  'abuse',
  'social',
  'security',
  'disability',
  'long',
  'term',
  'disability',
  'wrongful',
  'death',
  'construction',
  'site',
  'accidents',
  'defective',
  'prescription',
  'drugs',
  'dog',
  'bites',
  'medical',
  'malpractice',
  'slip',
  'fall',
  'negligent',
  'security',
  'permian',
  'basin',
  'truck',
  'accident',
  'polaris',
  'lawsuit',
  'accident',
  'keller',
  'keller',
  'client',
  'customer',
  'service',
  'communication',
  'client',
  'class',
  'service',
  'importance',
  'guidance',
  'time',
  'pledge',
  'privilege',
  'client',
  'justice',
  'team',
  'firm',
  'client',
  'read',
  'client',
  'testimonial',
  'keller',
  'keller',
  'recovery',
  'behalf',
  'zero',
  'fee',
  'guarantee',
  'size',
  'case',
  'circumstance',
  'chance',
  'award',
  'firm',
  'cost',
  'consultation',
  'today',
  'network',
  'reputation',
  'success',
  'presence',
  'keller',
  'keller',
  'conjunction',
  'firm',
  'case',
  'effort',
  'assistance',
  'variety',
  'injury',
  'case',
  'information',
  'case',
  'client',
  'year',
  'experience',
  'team',
  'track',
  'record',
  'success',
  'social',
  'security',
  'case',
  'federal',
  'court',
  'social',
  'security',
  'firm',
  'midwest',
  'client',
  'outcome',
  'information',
  'client',
  'keller',
  'keller',
  'track',
  'record',
  'success',
  'client',
  'confidence',
  'insurance',
  'company',
  'victory',
  'ability',
  'result',
  'way',
  'injury',
  'case',
  'communication',
  'option',
  'result',
  'jim',
  'keller',
  'partner',
  'keller',
  'keller',
  'james',
  'r.',
  'keller',
  'randall',
  'l.',
  'juergensen',
  'megan',
  'fennerty',
  'michael',
  'duran',
  'lori',
  'm.',
  'craig',
  'ryan',
  'k.',
  'johnson',
  'tim',
  'burns',
  'dan',
  'armstrong',
  'zach',
  'farmer',
  'jameson',
  'young',
  'samantha',
  'drum',
  'matt',
  'parker',
  'nick',
  'lavella',
  'aaron',
  'williams',
  'matt',
  'richter',
  'michael',
  'hult',
  'dan',
  'cornish',
  'eric',
  'farr',
  'george',
  'skelly',
  'rachel',
  'reising',
  'dustin',
  'schock',
  'karen',
  'sánchez',
  'gonzález',
  'stephanie',
  'teeple',
  's.',
  'jack',
  'keller',
  'team',
  'keller',
  'keller',
  'help',
  'guy',
  'semi',
  'accident',
  'client',
  'fighting',
  'maximum',
  'results',
  'result',
  'client',
  '%',
  'case',
  'need',
  'trial',
  'litigator',
  'corner',
  'case',
  'court',
  'year',
  'experience',
  'team',
  'award',
  'attorney',
  'record',
  'talk',
  'read',
  'article',
  'injury',
  'law',
  'view',
  'article',
  'blog',
  'view',
  'blog',
  'question',
  'view',
  'q',
  'view',
  'faqs',
  'attorney',
  'client',
  'view',
  'video',
  'info',
  'injury',
  'disability',
  'view',
  'resource',
  'injury',
  'law',
  'view',
  'resource',
  'keller',
  'cares',
  'keller',
  'cares',
  'community',
  'mission',
  'sleeve',
  'commitment',
  'help',
  'neighbor',
  'way',
  'keller',
  'cares',
  'car',
  'accident',
  'lawyers',
  'contact',
  'obligation',
  'free',
  'case',
  'evaluation',
  'increase',
  'albuquerque',
  'dust',
  'storms',
  'pose',
  'threat',
  'highway',
  'traffic',
  'safety',
  'dust',
  'storm',
  'new',
  'mexico',
  'summer',
  'people',
  'life',
  'traffic',
  'crash',
  'hidalgo',
  'county',
  'condition',
  'new',
  'mexico',
  'department',
  'transportation',
  'nmdot',
  'dust',
  'detector',
  'dust',
  'storm',
  'warning',
  'sign',
  'highway',
  'weather',
  'alert',
  'nmdot',
  'shoulder',
  'driver',
  'dust',
  'storm',
  'billboard',
  'driver',
  'dust',
  'storm',
  'effort',
  'dust',
  'storm',
  'new',
  'mexico',
  'new',
  'mexico',
  'dry',
  'conditions',
  'perfect',
  'dust',
  'storm',
  'dust',
  'storm',
  'wind',
  'soil',
  'debris',
  'air',
  'wind',
  'debris',
  'dust',
  'storm',
  'sky',
  'visibility',
  'foot',
  'time',
  'dust',
  'storm',
  'threat',
  'u.s.',
  '1930',
  'dust',
  'bowl',
  'history',
  'class',
  'oklahoma',
  'state',
  'northwest',
  'new',
  'mexico',
  'dust',
  'bowl',
  'fact',
  'dorothea',
  'lange',
  'photo',
  'dust',
  'bowl',
  'victim',
  'new',
  'mexico',
  'climate',
  'space',
  'new',
  'mexico',
  'dust',
  'storm',
  'impact',
  'climate',
  'change',
  'temperature',
  'rainfall',
  'verge',
  'day',
  'dust',
  'bowl',
  'year',
  'march',
  'otero',
  'county',
  'las',
  'cruces',
  'dust',
  'storm',
  'wind',
  'mph',
  'condition',
  'color',
  'sky',
  'chance',
  'storm',
  'state',
  'driver',
  'dust',
  'storm',
  'multi',
  '-',
  'car',
  'pile',
  'dust',
  'storm',
  'dust',
  'storm',
  'flash',
  'flood',
  'blizzard',
  'ice',
  'storm',
  'downpour',
  'warning',
  'dust',
  'storm',
  'radar',
  'weather',
  'map',
  'house',
  'dust',
  'storm',
  'wall',
  'dust',
  'second',
  'type',
  'weather',
  'condition',
  'visibility',
  'dust',
  'storm',
  'traffic',
  'vehicle',
  'window',
  'vent',
  'dust',
  'pullover',
  'highway',
  'travel',
  'lane',
  'light',
  'car',
  'park',
  'foot',
  'brake',
  'car',
  'light',
  'car',
  'seatbelt',
  'dust',
  'storm',
  'minute',
  'visibility',
  'return',
  'dust',
  'storm',
  'driver',
  'help',
  'car',
  'accident',
  'team',
  'negligence',
  'car',
  'accident',
  'driver',
  'weather',
  'condition',
  'dust',
  'storm',
  'accident',
  'driver',
  'caution',
  'driver',
  'condition',
  'speeding',
  'traffic',
  'tailgating',
  'cell',
  'phone',
  'claim',
  'damage',
  'free',
  'consultation',
  'chat',
  'request',
  'free',
  'consultation',
  'chat',
  'schedule',
  'free',
  'consultation',
  'new',
  'mexico',
  'auto',
  'accident',
  'lawyer',
  'injury',
  'attorney',
  'keller',
  'keller',
  'year',
  'success',
  'new',
  'mexico',
  'auto',
  'accident',
  'case',
  'family',
  'recovery',
  'process',
  'healing',
  'consultation',
  'question',
  'new',
  'mexico',
  'office',
  'albuquerque',
  'client',
  'area',
  'contact',
  'today',
  'date',
  'local',
  'new',
  'mexico',
  'traffic',
  'accident',
  'albuquerque',
  'news',
  'section',
  'comment',
  'email',
  'tips',
  'property',
  'damage',
  'claimrequest',
  'information',
  'auto',
  'accident',
  'guide',
  'truth',
  'mythsdownload',
  'copy',
  'indianapolis',
  'phone',
  'toll',
  'free',
  'granger',
  'phone',
  'toll',
  'free',
  'st.',
  'joseph',
  'mi',
  'phone',
  'toll',
  'free'],
 ['advertisementskip',
  'main',
  'contentaccessibility',
  'helpthe',
  'weather',
  'channeltype',
  'character',
  'auto',
  'complete',
  'location',
  'search',
  'query',
  'option',
  'arrow',
  'selection',
  'search',
  'city',
  'zip',
  'codesearchrecentsyou',
  'locationsglobeus',
  '°',
  'farrow',
  '°',
  'f',
  '°',
  'chybridimperial',
  'f',
  'mph',
  'mile',
  'inchesamericasarrow',
  'downantigua',
  'barbuda',
  'englishargentina',
  'españolbahamas',
  'englishbarbados',
  'englishbelize',
  'englishbolivia',
  'españolbrazil',
  'portuguêscanada',
  'englishcanada',
  'françaischile',
  'españolcolombia',
  'españolcosta',
  'rica',
  'españoldominica',
  'englishdominican',
  'republic',
  '',
  '',
  'españolecuador',
  'españolel',
  'salvador',
  '',
  '',
  'españolgrenada',
  'englishguatemala',
  'españolguyana',
  'englishhaiti',
  'françaishonduras',
  'españoljamaica',
  'englishmexico',
  'españolnicaragua',
  'españolpanama',
  'españolpanama',
  'englishparaguay',
  'españolperu',
  '',
  '',
  'españolst',
  'kitts',
  'nevis',
  'englishst',
  'lucia',
  '',
  '',
  'englishst',
  'vincent',
  'grenadines',
  'englishsuriname',
  'nederlandstrinidad',
  'tobago',
  'englishuruguay',
  'españolunited',
  'states',
  'englishunited',
  'states',
  'españolvenezuela',
  'españolafricaarrow',
  'downalgeria',
  'françaisangola',
  'portuguêsbenin',
  'françaisburkina',
  'faso',
  'françaisburundi',
  'françaiscameroon',
  '',
  '',
  'françaiscameroon',
  '',
  '',
  'englishcape',
  'verde',
  'portuguêscentral',
  'african',
  'republic',
  'françaischad',
  'françaischad',
  'العربيةcomoro',
  'françaiscomoros',
  '',
  '',
  'العربيةdemocratic',
  'republic',
  'congo',
  '',
  '',
  'françaisrepublic',
  'congo',
  'françaiscôte',
  "d'ivoire",
  'françaisdjibouti',
  'françaisdjibouti',
  'العربيةegypt',
  'العربيةequatorial',
  'guinea',
  'españoleritrea',
  'françaisgambia',
  'englishghana',
  'englishguinea',
  'françaisguinea',
  'bissau',
  'portuguêskenya',
  'englishlesotho',
  'englishliberia',
  'englishlibya',
  'العربيةmadagascar',
  'françaismali',
  'françaismauritania',
  'العربيةmauritius',
  '',
  '',
  'englishmauritius',
  'françaismorocco',
  '',
  '',
  'françaismozambique',
  'portuguêsnamibia',
  'englishniger',
  'françaisnigeria',
  'englishrwanda',
  'françaisrwanda',
  'englishsao',
  'tome',
  'principe',
  'portuguêssenegal',
  'françaissierra',
  'leone',
  'englishsomalia',
  'africa',
  'englishsouth',
  'sudan',
  'englishsudan',
  '',
  '',
  'englishtanzania',
  'françaistunisia',
  'العربيةuganda',
  'englishasia',
  'pacificarrow',
  'downaustralia',
  'englishbangladesh',
  'বাংলাbrunei',
  'bahasa',
  'melayuchina',
  'kong',
  'sar',
  '',
  '',
  'timor',
  'portuguêsfiji',
  'englishindia',
  'english',
  'englishindia',
  'hindi',
  'हिन्दीindonesia',
  'bahasa',
  'indonesiajapan',
  'englishsouth',
  'korea',
  '한국어kyrgyzstan',
  'русскийmalaysia',
  'bahasa',
  'melayumarshall',
  'islands',
  'englishmicronesia',
  'englishnew',
  'zealand',
  'englishpalau',
  'englishphilippines',
  'englishphilippines',
  'tagalogsamoa',
  'englishsingapore',
  'englishsingapore',
  '',
  '',
  '中文solomon',
  'islands',
  'englishtaiwan',
  '中文thailand',
  'ไทยtonga',
  'englishtuvalu',
  'englishvanuatu',
  'englishvanuatu',
  'françaisvietnam',
  'tiếng',
  'việteuropearrow',
  'downandorra',
  'catalàandorra',
  'françaisaustria',
  'deutschbelarus',
  'русскийbelgium',
  'dutchbelgium',
  'françaisbosnia',
  'herzegovina',
  'hrvatskicroatia',
  'hrvatskicyprus',
  'ελληνικάczech',
  'republic',
  'češtinadenmark',
  'danskestonia',
  'русскийestonia',
  'eestifinland',
  'suomifrance',
  'françaisgermany',
  'deutschgreece',
  'ελληνικάhungary',
  'magyarireland',
  'englishitaly',
  'italianoliechtenstein',
  'deutschluxembourg',
  'françaismalta',
  'englishmonaco',
  'françaisnetherlands',
  'nederlandsnorway',
  'norskpoland',
  'polskiportugal',
  'portuguêsromania',
  'românărussia',
  'русскийsan',
  'marino',
  'italianoslovakia',
  'slovenčinaspain',
  'españolspain',
  'catalàsweden',
  'svenskaswitzerland',
  'deutschturkey',
  'turkçeukraine',
  'українськаunited',
  'kingdom',
  'englishstate',
  'vatican',
  'city',
  'holy',
  'italianomiddle',
  'eastarrow',
  'downbahrain',
  'فارسىiraq',
  'العربيةisrael',
  'עִבְרִיתjordan',
  '',
  '',
  'العربيةlebanon',
  'العربيةpakistan',
  'اردوpakistan',
  'englishqatar',
  'arabia',
  'العربيةsyria',
  'arab',
  'emirates',
  'العربيةweathertoday',
  'forecasthourly',
  'forecastweekend',
  'forecastmonthly',
  'forecastnational',
  'forecastnational',
  'newsalmanacradarweather',
  'motionradar',
  'mapsclassic',
  'weather',
  'mapsregional',
  'satelliteseveresevere',
  'alertssafety',
  'preparednesshurricane',
  'centralaccountsign',
  'upgo',
  'premiumlog',
  'inget',
  'newsletterweb',
  'notificationsnewvideo',
  'photostop',
  'storiesvideophotosclimate',
  'newsexternal',
  'linkaward',
  'investigationsexternal',
  'linkhealth',
  'activitiesallergy',
  'trackercold',
  'fluair',
  'quality',
  'forecasttv',
  'weatheralexa',
  'skillexternal',
  'linkwatch',
  'liveexternal',
  'linkpersonalitiesexternal',
  'linkweather',
  'productsalexa',
  'skillexternal',
  'linkseasonal',
  'dealsprivacyreview',
  'privacy',
  'ad',
  'settingsdata',
  'rightsprivacy',
  'policyarrow',
  'leftarrow',
  'righttodayhourly10',
  'dayweekendmonthlyradarvideovideomore',
  'forecastsmorearrow',
  'forecastsyesterday',
  'weatherexternal',
  'linkallergy',
  'trackercold',
  'fluair',
  'quality',
  'forecastadvertisementnewswinter',
  'storm',
  'sage',
  'evening',
  'commute',
  "nor'easter",
  'power',
  'tens',
  'thousandsby',
  'ron',
  'brackett',
  'editormarch',
  'glancesnow',
  'evening',
  'commute',
  'thousand',
  'electricity',
  'flight',
  'tuesday',
  'sign',
  'morning',
  'brief',
  'email',
  'newsletter',
  'update',
  'weather',
  'channel',
  'meteorologists.\u200bn\u200bote',
  'article',
  'news',
  'winter',
  'storm',
  'w\u200binter',
  'storm',
  'sage',
  'snow',
  'northeast',
  'travel',
  'impact',
  'power',
  'thousand',
  'update',
  'region',
  'forecast',
  "nor'easter",
  'here.(\u200b4:44',
  'et',
  'semis',
  'jackknife',
  'i-95s\u200btorm',
  'chaser',
  'brandon',
  'copic',
  'semitractor',
  'trailer',
  'interstate',
  'maine',
  'new',
  'hampshire',
  'state',
  'line',
  'p.m.',
  'et',
  'flight',
  'cancellations',
  'flight',
  'tuesday',
  'flight',
  'tracker',
  'boston',
  'logan',
  'international',
  'new',
  'york',
  'laguardia',
  'international',
  'cancellation',
  'newark',
  'liberty',
  'international',
  'airport',
  'flight',
  'et',
  'evening',
  'commutes',
  'difficultfor',
  'afternoon',
  'evening',
  'commute',
  'road',
  'west',
  'north',
  'boston',
  'metro',
  'rest',
  'metro',
  'area',
  'rain',
  'snow',
  'northwest',
  'southeast',
  'afternoon',
  'drive',
  'accumulation',
  'road',
  'street',
  'area',
  'new',
  'england',
  'new',
  'york',
  'snow',
  'wind',
  'travel',
  'tree',
  'damage',
  'power',
  'outage',
  'new',
  'york',
  'city',
  'tri',
  '-',
  'state',
  'snow',
  'wind',
  'afternoon',
  'rush',
  'accumulation',
  'island.(\u200b3:32',
  'et',
  'whiteout',
  'conditions',
  'new',
  'hampshiret\u200bhe',
  'new',
  'hampshire',
  'state',
  'police',
  'snow',
  'agency',
  'condition',
  'state',
  'highway',
  'stratham',
  'a.m.',
  'noon',
  'tuesday',
  'agency',
  'crash',
  'vehicle',
  'road',
  'et',
  'downed',
  'power',
  'lines',
  'interstateinterstate',
  'direction',
  'londonderry',
  'new',
  'hampshire',
  'wire',
  'roadway',
  'new',
  'hampshire',
  'state',
  'police',
  'interstate',
  'p.m.',
  'utility',
  'crew',
  'wire',
  'plow',
  'traffic',
  'weather',
  'condition',
  'interstate',
  'south',
  'tuesday',
  'march',
  'londonderry',
  'new',
  'hampshire.(ap',
  'photo',
  'charles',
  'p.m.',
  'et',
  'power',
  'outage',
  'number',
  'home',
  'business',
  'power',
  'new',
  'york',
  'new',
  'hampshire',
  'majority',
  'outage',
  'customer',
  'massachusetts',
  'power.(1:10',
  'et',
  'snow',
  'total',
  'hourh\u200bere',
  'look',
  'snow',
  'total',
  "nor'easter",
  'hour',
  'national',
  'weather',
  'service:-\u200bwilmington',
  'vermont',
  'inches-\u200bwindsor',
  'massachusetts',
  'inches-\u200browe',
  'massachusetts',
  'inches-\u200bnear',
  'plainfield',
  'massachusetts',
  'inch',
  'near',
  'readsboro',
  'vermont',
  'inch',
  'newfane',
  'vermont',
  'inches-\u200bsavoy',
  'massachusetts',
  'inches(\u200b12:36',
  'p.m.',
  'et',
  'mall',
  'roof',
  'collapses',
  'snowa',
  'section',
  'roof',
  'miller',
  'hill',
  'mall',
  'duluth',
  'minnesota',
  'tuesday',
  'march',
  'facebook',
  'scott',
  'skar)a\u200b',
  'roof',
  'miller',
  'hill',
  'mall',
  'duluth',
  'minnesota',
  'a.m.',
  'cdt',
  'tuesday',
  'morning',
  'wcco',
  'injury',
  'roof',
  'collapse',
  'duluth',
  'fire',
  'department',
  'mall',
  'year',
  'roof',
  'collapse',
  '\u200b12:23',
  'et',
  'tree',
  'damages',
  'home',
  'roofadvertisementa\u200b',
  'tree',
  'snow',
  'roof',
  'house',
  'southwick',
  'massachusetts',
  'thursday',
  'morning',
  'owner',
  'house',
  'wwlp',
  'tree',
  'damage',
  '\u200b12:15',
  'et',
  'numberous',
  'road',
  'massachusettsd\u200bozen',
  'road',
  'tree',
  'power',
  'line',
  'massachusetts',
  'hadley',
  'whately',
  'shelbourne',
  'dalton',
  'greenfield',
  'northampton',
  'wwlp',
  'tree',
  'whately',
  'massachusetts',
  'tuesday',
  'march',
  'facebook',
  'whately',
  'police',
  'et',
  'flight',
  'cancellations',
  'flight',
  'morning',
  'flight',
  'tracker',
  'boston',
  'logan',
  'international',
  'new',
  'york',
  'laguardia',
  'international',
  'newark',
  'liberty',
  'international',
  'airport.(\u200b10:40',
  'a.m.',
  'et',
  'state',
  'emergency',
  'new',
  'jersey',
  'jersey',
  'gov.',
  'phil',
  'murphy',
  'state',
  'emergency',
  'county',
  'warren',
  'sussex',
  'morris',
  'passaic',
  'a.m.',
  'et',
  'accident',
  'new',
  'hampshire',
  'road',
  'new',
  'hampshire',
  'state',
  'police',
  'trooper',
  'weather',
  'service',
  'today',
  'vehicle',
  'crash',
  'vehicle',
  'road.(new',
  'hampshire',
  'state',
  'police)(9:28',
  'a.m.',
  'et',
  'quarter',
  'million',
  'powert\u200bhe',
  'number',
  'home',
  'business',
  'power',
  'new',
  'york',
  'massachusetts',
  'majority',
  'outage',
  'respectively.(\u200b9:16',
  'a.m.',
  'et',
  'town',
  'postpone',
  'elections',
  "nor'easter",
  'town',
  'new',
  'hampshire',
  'election',
  'today',
  'secretary',
  'state',
  'office',
  'list',
  'town',
  'a.m.',
  'et',
  'flight',
  'cancellation',
  'upm\u200bore',
  'flight',
  'morning',
  'flight',
  'tracker',
  'boston',
  'logan',
  'international',
  'new',
  'york',
  'laguardia',
  'international',
  'newark',
  'liberty',
  'international',
  'airport.(\u200b8:37',
  'a.m.',
  'et',
  "nor'easter",
  'area',
  'pressure',
  'east',
  'coast',
  'united',
  'states',
  'wind',
  'northeast',
  'atlantic',
  'ocean',
  'term',
  'here.(\u200b8:23',
  'a.m.',
  'et',
  'delta',
  'flight',
  'rolls',
  'taxiwayd\u200belta',
  'flight',
  'syracuse',
  'laguardia',
  'taxiway',
  'a.m.',
  'airport',
  'official',
  'news',
  'release',
  'passenger',
  'airbus',
  'a220',
  'terminal',
  'incident',
  'airport',
  'operation',
  'news',
  'release',
  'plane',
  'nose',
  'grass',
  'tarmac',
  'plane',
  'passenger',
  'site.(\u200b8:16',
  'a.m.',
  'et',
  'travel',
  'bans',
  'new',
  'york',
  'stateroad',
  'condition',
  'hudson',
  'valley',
  'capital',
  'region',
  'new',
  'york',
  'state',
  'division',
  'homeland',
  'security',
  'emergency',
  'services',
  'schenectady',
  'dutchess',
  'ulster',
  'hamilton',
  'county',
  'travel',
  'a.m.',
  'et',
  'state',
  'emergency',
  'new',
  'yorkn\u200bew',
  'york',
  'gov.',
  'kathy',
  'hochul',
  'state',
  'emergency',
  'monday',
  'night',
  'advance',
  "nor'easter",
  'official',
  'people',
  'road',
  'hochul',
  'storm',
  'briefing',
  'storm',
  'road',
  'safety',
  'a.m.',
  'et',
  'number',
  'home',
  'business',
  'power',
  'new',
  'york',
  'massachusetts',
  'majority',
  'outage',
  'respectively.(\u200b8',
  'a.m.',
  'et',
  'snow',
  'total',
  'hourh\u200bere',
  'look',
  'snow',
  'total',
  "nor'easter",
  'national',
  'weather',
  'service:-\u200bwindsor',
  'massachusetts',
  'inches-\u200bnear',
  'plainfield',
  'massachusetts',
  'palenville',
  'new',
  'york',
  'inches-\u200bwilmington',
  'vermont',
  'inches-\u200bnear',
  'tannersville',
  'new',
  'york',
  'inchesthe',
  'weather',
  'company',
  'mission',
  'weather',
  'news',
  'environment',
  'importance',
  'science',
  'life',
  'story',
  'position',
  'parent',
  'company',
  'ibm',
  'toovideorecord',
  'heat',
  'countryvideonortheast',
  'heat',
  'wave',
  'wind',
  'tree',
  'new',
  'york',
  'hot',
  'morethat',
  'way',
  'cool',
  'offvideocat',
  'beachvideowhoop',
  'cat',
  'poolvideoalright',
  'pet',
  'pig',
  'poolsee',
  'moreadvertisementsign',
  'morning',
  'briefwake',
  'weather',
  'inbox',
  'weekday',
  'newsletter',
  'forecast',
  'weather',
  'insight',
  'photo',
  'trivium',
  'dash',
  'delight',
  'subscribetrending',
  'toddler',
  'brain',
  'landslide',
  'england',
  'southern',
  'coastvideokey',
  'ocean',
  'current',
  'study',
  'suggestsvideosea',
  'lions',
  'crowded',
  'san',
  'diego',
  'beachsee',
  'moreadvertisementadvertisementstay',
  'safeadvertisementin',
  'airvideohow',
  'app',
  'air',
  'qualityvideohow',
  'wildfire',
  'smoke',
  'oceans',
  'lake',
  'energy',
  'harmful',
  'air',
  'pollutionsee',
  'moreadvertisementadvertisementthe',
  'weather',
  'companythe',
  'weather',
  'channelweather',
  'undergroundfeedbackcareerspress',
  'roomadvertise',
  'sign',
  'upterm',
  'useprivacy',
  'policyadchoicesad',
  'choicesaccessibility',
  'statementdata',
  'vendorsgeorgiaessential',
  'accessibilitywe',
  'responsibility',
  'datum',
  'technology',
  'datum',
  'data',
  'vendor',
  'control',
  'datum',
  'privacy',
  'ad',
  'settingschoose',
  'information',
  'right',
  'copyright',
  'twc',
  ...],
 ['boston',
  'news',
  'weather',
  'sports',
  'whdh',
  '7new',
  'local',
  'regional',
  'air',
  'live',
  'stream',
  'breaking',
  'news',
  'stream',
  'world',
  'politics',
  'entertainment',
  'area',
  'traffic',
  'team',
  '7new',
  'social',
  'media',
  'video',
  'forecast',
  'interactive',
  'radar',
  'weather',
  'blog',
  'watches',
  'warning',
  'storm',
  'closings',
  'school',
  'organization',
  'closing',
  'delay',
  'cw56',
  'community',
  'calendar',
  'internships',
  'advertise',
  'employment',
  'opportunities',
  'contact',
  'news',
  'tips',
  'mobile',
  'app',
  'whdh',
  'tv',
  'listings',
  'tv',
  'winter',
  'storm',
  'inch',
  'snow',
  'mass.',
  'news',
  'whdh',
  'chris',
  'lambert',
  'mari',
  'salazar',
  'february',
  'snowstorm',
  'area',
  'monday',
  'night',
  'tuesday',
  'morning',
  'inch',
  'snow',
  'massachusetts',
  'town',
  'coast',
  'inch',
  'snow',
  'i-95',
  'corridor',
  'inch',
  'massachusetts',
  'inch',
  'snow',
  'winter',
  'storm',
  'warning',
  'effect',
  'p.m.',
  'monday',
  'p.m.',
  'tuesday',
  'snow',
  'time',
  'p.m.',
  'a.m.',
  'west',
  'east',
  'tuesday',
  'morning',
  'commute',
  'storm',
  'snow',
  'road',
  'likelihood',
  'snow',
  'map',
  'time',
  'time',
  'ski',
  'slope',
  'sledding',
  'hill',
  'inch',
  'snow',
  'tonight',
  'tomorrow',
  'coast',
  'terrain',
  'pic.twitter.com/xee2mp1vja',
  'chris',
  'lambert',
  '@clamberton7',
  'february',
  'tuesday',
  'wind',
  'coast',
  'mph',
  'breeze',
  'mph',
  'temperature',
  '20',
  '30',
  'morning',
  'afternoon',
  'shower',
  'wednesday',
  'storm',
  'system',
  'thursday',
  'friday',
  'rain',
  'snow',
  'view',
  'weather',
  'blog',
  'update',
  'list',
  'school',
  'closure',
  'delay',
  'copyright',
  'c',
  'sunbeam',
  'television',
  'rights',
  'material',
  'newsletter',
  'news',
  'inbox',
  '7weather',
  'storm',
  'way',
  'tomorrow',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'judge',
  'concern',
  'term',
  'agreement',
  'naacp',
  'national',
  'convention',
  'boston',
  'sinéad',
  'o’connor',
  'singer',
  'u',
  'media',
  'retired',
  'bruins',
  'star',
  'bergeron',
  'uber',
  'driver',
  'family',
  'jaylen',
  'brown',
  'celtics',
  'year',
  'deal',
  'nba',
  'history',
  'whdh',
  'tv',
  '7news',
  'wlvi',
  'tv',
  'cw56',
  'sunbeam',
  'television',
  'corp',
  '7',
  'bulfinch',
  'place',
  'boston',
  'ma',
  'news',
  'tips',
  'tips',
  'hank',
  'hank',
  'mobile',
  'apps',
  'news',
  'tips',
  'whdh',
  'tv',
  'listings',
  'cw56',
  'tv',
  'listing',
  'community',
  'calendar',
  'advertise',
  'contact',
  'internships',
  'employment',
  'opportunities',
  'privacy',
  'policy',
  'terms',
  'service',
  'children',
  'programming',
  'captioning',
  'concern',
  'eeo',
  'public',
  'file',
  'whdh',
  'fcc',
  'public',
  'file',
  'wlvi',
  'fcc',
  'public',
  'file',
  'content',
  'copyright',
  'whdh',
  'tv',
  'whdh',
  'programming',
  'child',
  'report',
  'fcc',
  'station',
  'outreach',
  'child',
  'public',
  'report',
  'fcc',
  'public',
  'file',
  'fcc',
  'website',
  'information',
  'site',
  'privacy',
  'policy',
  'terms',
  'service'],
 ['nbc10',
  '24/7',
  'streaming',
  'platforms',
  'delco',
  'cold',
  'case',
  'alert',
  'weather',
  'eagles',
  'training',
  'camp',
  'phillies',
  'baseball',
  'storm',
  'brings',
  'snow',
  'wintry',
  'mix',
  'heavy',
  'rain',
  'philly',
  'region',
  'neighborhood',
  'snow',
  'sleet',
  'rain',
  'rain',
  'storm',
  'friday',
  'commute',
  'nbc10',
  'alert',
  'weather',
  'team',
  'december',
  'december',
  'knowsnow',
  'sleet',
  'rain',
  'neighborhood',
  'storm',
  'system',
  'philadelphia',
  'region',
  'thursday',
  'temp',
  'rain',
  'wind',
  'region',
  'driver',
  'road',
  'flooding',
  'school',
  'nbc10',
  'alert',
  'weather',
  'team',
  'alert',
  'friday',
  'delaware',
  'lehigh',
  'valley',
  'mix',
  'snow',
  'sleet',
  'rain',
  'storm',
  'system',
  'region',
  'thursday',
  'neighborhood',
  'rain',
  'wind',
  'condition',
  'storm',
  'friday',
  'morning',
  'léelo',
  'en',
  'español',
  'aquí',
  'alert',
  'condition',
  'flooding',
  'effect',
  'friday',
  'news',
  'weather',
  'forecast',
  'sport',
  'entertainment',
  'story',
  'inbox',
  'sign',
  'nbc',
  'philadelphia',
  'newsletter',
  'school',
  'opening',
  'schedule',
  'weather',
  'school',
  'thursday',
  'list',
  'school',
  'closing',
  'snow',
  'sleet',
  'rain',
  'turn',
  'rain',
  'storm',
  'snow',
  'california',
  'dakotas',
  'blizzard',
  'condition',
  'minnesota',
  'weather',
  'tornado',
  'south',
  'region',
  'thursday',
  'morning',
  'place',
  'timing',
  'storm',
  'system',
  'pennsylvania',
  'new',
  'jersey',
  'delaware',
  'storm',
  'snow',
  'sleet',
  'ice',
  'sleet',
  'chester',
  'county',
  'a.m.',
  'a.m.',
  'rain',
  'center',
  'city',
  'philadelphia',
  'temp',
  'snow',
  'greenwich',
  'township',
  'berks',
  'county',
  'nbc10',
  'randy',
  'gyllenhaal',
  'sleet',
  'ice',
  'fall',
  'sky',
  'daybreak',
  'west',
  'chester',
  'chester',
  'county',
  'thursday',
  'morning',
  'radar',
  'snow',
  'ice',
  'air',
  'rain',
  'time',
  'ground',
  'suburb',
  'berks',
  'county',
  'lehigh',
  'valley',
  'poconos',
  'snow',
  'sleet',
  'ice',
  'end',
  'storm',
  'morning',
  'snow',
  'road',
  'lehigh',
  'valley',
  'wintry',
  'mix',
  'philadelphia',
  'neighborhood',
  'morning',
  'commute',
  'poconos',
  'neighborhood',
  'inch',
  'snow',
  'thursday',
  'inch',
  'snow',
  'lehigh',
  'valley',
  'suburb',
  'thursday',
  'neighborhood',
  'rain',
  'flooding',
  'beach',
  'erosion',
  'concern',
  'jersey',
  'shore',
  'rain',
  'friday',
  'temp',
  'philadelphia',
  'wind',
  'mph',
  'gust',
  'mph',
  'day',
  'slippery',
  'driving',
  'condition',
  'accumulation',
  'snow',
  'philadelphia',
  'flooding',
  'concern',
  'leave',
  'debris',
  'gutter',
  'travel',
  'thursday',
  'morning',
  'north',
  'west',
  'philadelphia',
  'period',
  'snow',
  'ice',
  'suburb',
  'afternoon',
  'commute',
  'driver',
  'condition',
  'couple',
  'winter',
  'time',
  'rain',
  'issue',
  'region',
  'afternoon',
  'thursday',
  'night',
  'cold',
  'weekend',
  'rain',
  'condition',
  'weekend',
  'high',
  '40',
  'sky',
  'saturday',
  'sunday',
  'high',
  '30',
  'temp',
  'freezing',
  'sky',
  'start',
  'hanukkah',
  'sunday',
  'night',
  'wintry',
  'weather',
  'mother',
  'nature',
  'store',
  'nbc10',
  'app',
  'newsletter',
  'news',
  'story',
  'inbox',
  'article',
  'alert',
  'weatherwinter',
  'weather',
  'video',
  'bystander',
  'teen',
  'south',
  'philly',
  'graduate',
  'hospital',
  'area',
  'official',
  'search',
  'baby',
  'bucks',
  'county',
  'flood',
  'sinéad',
  "o'connor",
  'singer',
  'heat',
  'health',
  'emergency',
  'effect',
  'philadelphia',
  'beyoncé',
  'mom',
  'tina',
  'knowles',
  'divorce',
  'richard',
  'lawson',
  'year',
  'marriage',
  'nbc10',
  'philadelphia',
  'news',
  'standards',
  'share',
  'news',
  'tip',
  'share',
  'tip',
  'nbc10',
  'investigators',
  'newsletters',
  'comcast',
  'center',
  'campus',
  'wcau',
  'public',
  'inspection',
  'file',
  'wcau',
  'accessibility',
  'wcau',
  'employment',
  'information',
  'privacy',
  'policy',
  'privacy',
  'choices',
  'fcc',
  'applications',
  'terms',
  'service',
  'advertise',
  'feedback',
  'notice',
  'ad',
  'choice',
  'copyright',
  'nbcuniversal',
  'media',
  'llc',
  'right',
  'share',
  'news',
  'tip'],
 ['health',
  'sex',
  'relationships',
  'viral',
  'trends',
  'human',
  'interest',
  'parenting',
  'fashion',
  'beauty',
  'food',
  'drink',
  'travel',
  'tornados',
  'flash',
  'flood',
  'trail',
  'destruction',
  'new',
  'jersey',
  'thank',
  'submission',
  'tail',
  'end',
  'hurricane',
  'ida',
  'havoc',
  'new',
  'jersey',
  'people',
  'dozen',
  'home',
  'tornado',
  'road',
  'car',
  'river',
  'flash',
  'flood',
  'recovery',
  'effort',
  'thursday',
  'garden',
  'state',
  'official',
  'death',
  'scope',
  'destruction',
  'national',
  'weather',
  'service',
  'storm',
  'tornado',
  'mullica',
  'hill',
  'princeton',
  'edgewater',
  'park',
  'debris',
  'foot',
  'sky',
  'home',
  'tornado',
  'mullica',
  'hill',
  'new',
  'jersey',
  'september',
  'lamberti',
  'courier',
  'post',
  'ap',
  'flood',
  'car',
  'storm',
  'elizabeth',
  'new',
  'jersey',
  'september',
  'brendan',
  'mcdermid',
  'harrowing',
  'image',
  'aftermath',
  'home',
  'mullica',
  'hill',
  'tornado',
  'pile',
  'rubble',
  'roof',
  'wall',
  'responder',
  'neighborhood',
  'casualty',
  'level',
  'destruction',
  'footage',
  'tornado',
  'home',
  'car',
  'dumpster',
  'floodwater',
  'elizabeth',
  'storm',
  'year',
  'man',
  'car',
  'passaic',
  'man',
  'body',
  'car',
  'hood',
  'dirt',
  'milford',
  'borough',
  'people',
  'couple',
  'year',
  'son',
  'year',
  'neighbor',
  'oakwood',
  'plaza',
  'apartment',
  'complex',
  'elizabeth',
  'flood',
  'apartment',
  'oakwood',
  'plaza',
  'building',
  'elizabeth',
  'reuters',
  'brendan',
  'mcdermid',
  'people',
  'hillsborough',
  'bridgewater',
  'south',
  'plainfield',
  'associated',
  'press',
  'nj.com',
  'rain',
  'apartment',
  'complex',
  'elizabeth',
  'people',
  'official',
  'neighbor',
  'complex',
  'pm',
  'water',
  'street',
  'greg',
  'turner',
  'associated',
  'press',
  'year',
  'mother',
  'pm',
  'water',
  'apartment',
  'resident',
  'oakwood',
  'plaza',
  'building',
  'ap',
  'photo',
  'eduardo',
  'munoz',
  'alvarez',
  'oakwood',
  'plaza',
  'resident',
  'belonging',
  'home',
  'flooding',
  'ap',
  'photo',
  'eduardo',
  'munoz',
  'alvarez',
  'water',
  'time',
  'rescuer',
  'floor',
  'apartment',
  'water',
  'neck',
  'turner',
  'storm',
  'transportation',
  'road',
  'flash',
  'flood',
  'newark',
  'international',
  'airport',
  'shutdown',
  'flight',
  'thursday',
  'morning',
  'nj',
  'transit',
  'rail',
  'service',
  'atlantic',
  'city',
  'rail',
  'line',
  'newark',
  'light',
  'rail',
  'new',
  'jersey',
  'gov.',
  'phil',
  'murphy',
  'people',
  'home',
  'tornado',
  'mullica',
  'hill',
  'joe',
  'lamberti',
  'courier',
  'post',
  'ap',
  'gov.',
  'phil',
  'murphy',
  'state',
  'emergency',
  'storm',
  'aftermath',
  'resident',
  'damage',
  'lot',
  'hurt',
  'new',
  'jersey',
  'post',
  'wire',
  'afghan',
  'news',
  'anchor',
  'history',
  'behi',
  'story',
  'time',
  'girl',
  'montana',
  'police',
  'station',
  'miracle',
  'story',
  'time',
  'onlooker',
  'hunter',
  'biden',
  'sweetheart',
  'plea',
  'deal',
  'court',
  'story',
  'time',
  'teen',
  'country',
  'concert',
  'girlfriend',
  'horror',
  'expert',
  'weight',
  'overview',
  'found',
  'program',
  'safety',
  'pack',
  'fire',
  'extinguisher',
  '%',
  'sheet',
  'sleeper',
  'review',
  'expert',
  'sleep',
  'foundation',
  '%',
  'wayfair',
  'outdoor',
  'seating',
  'sale',
  'set',
  'sectional',
  'today',
  'beach',
  'wagon',
  'cart',
  'rollin',
  'beach',
  'kylie',
  'jenner',
  'boob',
  'job',
  'year',
  'denial',
  'jamie',
  'lynn',
  'spears',
  'responsibility',
  'fame',
  'selena',
  'gomez',
  'francia',
  'raísa',
  'birthday',
  'feud',
  'life',
  'noise',
  'activity',
  'mid',
  '-',
  'prison',
  'r.i.p.',
  'sinéad',
  'o’connor',
  'irish',
  'singer',
  'compare',
  'subject',
  'dead',
  'kevin',
  'spacey',
  'drinking',
  'acquittal',
  'london',
  'hotspot',
  'girl',
  'montana',
  'police',
  'station',
  'miracle',
  'news',
  'metro',
  'sports',
  'sports',
  'betting',
  'business',
  'opinion',
  'entertainment',
  'fashion',
  'beauty',
  'shopping',
  'lifestyle',
  'real',
  'estate',
  'media',
  'tech',
  'health',
  'travel',
  'astrology',
  'video',
  'photos',
  'stories',
  'alexa',
  'cover',
  'horoscopes',
  'sport',
  'odd',
  'podcast',
  'columnists',
  'classifieds',
  'email',
  'newsletters',
  'rss',
  'ny',
  'post',
  'official',
  'store',
  'home',
  'delivery',
  'new',
  'york',
  'post',
  'customer',
  'service',
  'apps',
  'community',
  'guidelines',
  'contact',
  'tips',
  'newsroom',
  'letters',
  'editor',
  'licensing',
  'reprints',
  'careers',
  'vulnerability',
  'disclosure',
  'program',
  'nyp',
  'holdings',
  'inc.',
  'rights',
  'reserved',
  'terms',
  'use',
  'membership',
  'terms',
  'privacy',
  'notice',
  'sitemap',
  'information'],
 ['news',
  'datum',
  'analytic',
  'market',
  'aboutrefinitivreuter',
  'statesat',
  'tornado',
  'thunderstorm',
  'alabamareutersjanuary',
  'utcupdated',
  'agojan',
  'reuters',
  'people',
  'alabama',
  'thursday',
  'thunderstorm',
  'tornado',
  'region',
  'official',
  'autauga',
  'county',
  'sheriff',
  'spokeswoman',
  'reuters',
  'people',
  'storm',
  'detail',
  'alabamians',
  'storm',
  'state',
  'prayer',
  'community',
  'weather',
  'people',
  'alabama',
  'governor',
  'kay',
  'ivey',
  'friend',
  'justin',
  'amber',
  'wallace',
  'damage',
  'home',
  'tornado',
  'deatsville',
  'alabama',
  'u.s.',
  'january',
  'reuters',
  'evan',
  'garciaautauga',
  'county',
  'coroner',
  'buster',
  'barber',
  'people',
  'debris',
  'tornado',
  'barber',
  'formation',
  'ivey',
  'thursday',
  'state',
  'emergency',
  'alabama',
  'county',
  'storm',
  'autauga',
  'chambers',
  'coosa',
  'dallas',
  'elmore',
  'tallapoosa',
  'wind',
  'rain',
  'home',
  'thousand',
  'customer',
  'power',
  'georgia',
  'mississippi',
  'alabama',
  'flight',
  'hartsfield',
  'jackson',
  'atlanta',
  'international',
  'airport',
  'charlotte',
  'douglas',
  'international',
  'airport',
  'kanishka',
  'singh',
  'alexandra',
  'ulmer',
  'dan',
  'whitcomb',
  'sandra',
  'malerour',
  'standards',
  'thomson',
  'reuters',
  'trust',
  'principles',
  'read',
  'nextarticle',
  'statescategorytop',
  'senate',
  'republican',
  'mitch',
  'mcconnell',
  'press',
  'airline',
  'detail',
  'newark',
  'new',
  'jersey',
  'airport',
  'flight',
  'galleryworldcategorychina',
  'agenda',
  'biden',
  'italy',
  'meloni',
  'washington4:14',
  'utcunited',
  'statescategorypolice',
  'officer',
  'dog',
  'man',
  'ohio',
  'traffic',
  'stopjuly',
  'reutersworldbiden',
  'war',
  'crime',
  'evidence',
  'iccworldcategory',
  'july',
  'president',
  'joe',
  'biden',
  'administration',
  'evidence',
  'war',
  'crime',
  'ukraine',
  'hague',
  'international',
  'criminal',
  'court',
  'icc',
  'u.s',
  'official',
  'wednesday.article',
  'galleryunited',
  'statescategoryus',
  'house',
  'republicans',
  'hurdle',
  'spending',
  'share',
  'fed',
  'stick',
  'utc',
  'agoarticle',
  'salvador',
  'trial',
  'thousand',
  'crime',
  'aircraft',
  'drone',
  'syria',
  '-white',
  'housejuly',
  '2023site',
  'indexbrowseworldbusinessmarketssustainabilitylegalbreakingviewstechnologyinvestigations',
  'tabsportssciencelifestyleabout',
  'reutersabout',
  'reuters',
  'tabcareer',
  'tabreuters',
  'news',
  'agency',
  'attribution',
  'guidelines',
  'leadership',
  'fact',
  'check',
  'tabreuters',
  'diversity',
  'report',
  'informeddownload',
  'app',
  'tabnewsletter',
  'tabinformation',
  'trustreuter',
  'news',
  'medium',
  'division',
  'thomson',
  'reuters',
  'world',
  'multimedia',
  'news',
  'provider',
  'billion',
  'people',
  'day',
  'reuters',
  'business',
  'news',
  'professional',
  'desktop',
  'terminal',
  'world',
  'medium',
  'organization',
  'industry',
  'event',
  'consumer',
  'usthomson',
  'reuters',
  'productswestlaw',
  'tabbuild',
  'argument',
  'content',
  'attorney',
  'editor',
  'expertise',
  'industry',
  'technology',
  'onesource',
  'tabthe',
  'solution',
  'tax',
  'compliance',
  'need',
  'checkpoint',
  'tabthe',
  'industry',
  'leader',
  'information',
  'tax',
  'accounting',
  'finance',
  'professional',
  'refinitiv',
  'productsrefinitiv',
  'workspace',
  'tab',
  'access',
  'datum',
  'news',
  'content',
  'workflow',
  'experience',
  'desktop',
  'web',
  'refinitiv',
  'data',
  'catalogue',
  'tab',
  'browse',
  'portfolio',
  'time',
  'market',
  'datum',
  'insight',
  'source',
  'expert',
  'refinitiv',
  'world',
  'check',
  'tabscreen',
  'risk',
  'individual',
  'entity',
  'risk',
  'business',
  'relationship',
  'network',
  'advertise',
  'tabadvertising',
  'guidelines',
  'tabcoupon',
  'tabcookie',
  'tabterms',
  'use',
  'tabprivacy',
  'tabdigital',
  'accessibility',
  'tabcorrection',
  'feedback',
  'taball',
  'quote',
  'minimum',
  'minute',
  'list',
  'exchange',
  'delay',
  'reuters',
  'right'],
 ['fox',
  'kansas',
  'city',
  'wdaf',
  'tv',
  'news',
  'weather',
  'sports',
  'ralph',
  'yarl',
  'shooting',
  'missouri',
  'news',
  'kansas',
  'news',
  'business',
  'national',
  'news',
  'saving',
  'smart',
  'kansas',
  'city',
  'traffic',
  'live',
  'coverage',
  'kansas',
  'city',
  'area',
  'gas',
  'prices',
  'marijuana',
  'missouri',
  'health',
  'education',
  'entertainment',
  'hometown',
  'heroes',
  'community',
  'automotive',
  'news',
  'press',
  'weather',
  'forecast',
  'joe',
  'weather',
  'blog',
  'weather',
  'radar',
  'weather',
  'alerts',
  'weather',
  'maps',
  'allergy',
  'report',
  'kansas',
  'city',
  'metro',
  'farm',
  'lawn',
  'garden',
  'forecast',
  'weather',
  'aware',
  'guide',
  'tornado',
  'thunderstorm',
  'flood',
  'closing',
  'delay',
  'closing',
  'instruction',
  'sign',
  'closing',
  'kansas',
  'city',
  'chiefs',
  'kansas',
  'city',
  'royals',
  'sporting',
  'kc',
  'kansas',
  'city',
  'current',
  'college',
  'high',
  'school',
  'sports',
  'nascar',
  'fox4',
  'newscasts',
  'news',
  'livestream',
  'video',
  'fox4',
  'program',
  'schedule',
  'antenna',
  'tv',
  'program',
  'schedule',
  'day',
  'kc',
  'stories',
  'day',
  'kc',
  'team',
  'day',
  'kc',
  'gift',
  'guide',
  'contact',
  'day',
  'kc',
  'price',
  'chopper',
  'recipes',
  'nominate',
  'veteran',
  'salute',
  'service',
  'guest',
  'bestreviews',
  'daily',
  'deals',
  'bestreviews',
  'fox4',
  'newsletters',
  'fox4kc',
  'mobile',
  'apps',
  'fox4',
  'news',
  'team',
  'info',
  'speaking',
  'engagement',
  'request',
  'community',
  'calendar',
  'fox4',
  'love',
  'fund',
  'fox4',
  'band',
  'angels',
  'difference',
  'regional',
  'news',
  'partners',
  'bestreviews',
  'job',
  'post',
  'job',
  'fox4',
  'jobs',
  'alert',
  'fox4',
  'news',
  'careers',
  'maryville',
  'mo.',
  'storm',
  'tree',
  'damage',
  'northwest',
  'missouri',
  'state',
  'university',
  'campus',
  'june',
  'photo',
  'jeremy',
  'werner',
  'maryville',
  'mo.',
  'storm',
  'tree',
  'damage',
  'northwest',
  'missouri',
  'state',
  'university',
  'campus',
  'june',
  'photo',
  'jeremy',
  'missouri',
  'storm',
  'thousand',
  'power',
  'july',
  'weekend',
  'jun',
  'pm',
  'cdt',
  'jun',
  'pm',
  'cdt',
  'maryville',
  'mo.',
  'storm',
  'tree',
  'damage',
  'northwest',
  'missouri',
  'state',
  'university',
  'campus',
  'june',
  'photo',
  'jeremy',
  'werner',
  'maryville',
  'mo.',
  'storm',
  'tree',
  'damage',
  'northwest',
  'missouri',
  'state',
  'university',
  'campus',
  'june',
  'photo',
  'jeremy',
  'werner',
  'read',
  'jun',
  'pm',
  'cdt',
  'jun',
  'pm',
  'cdt',
  'maryville',
  'mo.',
  'people',
  'missouri',
  'thursday',
  'morning',
  'storm',
  'community',
  'time',
  'resident',
  'storm',
  'power',
  'thousand',
  'customer',
  'property',
  'fox4',
  'weather',
  'view',
  'kansas',
  'city',
  'forecast',
  'map',
  'radar',
  'picture',
  'jeremy',
  'werner',
  'tree',
  'northwest',
  'missouri',
  'state',
  'university',
  'campus',
  'thursday',
  'morning',
  'maryville',
  'mo.',
  'storm',
  'tree',
  'damage',
  'northwest',
  'missouri',
  'state',
  'university',
  'campus',
  'june',
  'photo',
  'jeremy',
  'werner)maryville',
  'mo.',
  'storm',
  'tree',
  'damage',
  'northwest',
  'missouri',
  'state',
  'university',
  'campus',
  'june',
  'photo',
  'jeremy',
  'werner)maryville',
  'mo.',
  'storm',
  'tree',
  'damage',
  'northwest',
  'missouri',
  'state',
  'university',
  'campus',
  'june',
  'photo',
  'jeremy',
  'werner',
  'hour',
  'east',
  'campus',
  'bethany',
  'storm',
  'wall',
  'home',
  'roof',
  'metal',
  'building',
  'information',
  'national',
  'weather',
  'service',
  'heat',
  'kansas',
  'city',
  'area',
  'center',
  'location',
  'thousand',
  'people',
  'area',
  'dark',
  'storm',
  'power',
  'spokesperson',
  'grundy',
  'electric',
  'cooperative',
  'customer',
  'county',
  'area',
  'power',
  'noon',
  'thursday',
  'crew',
  'contractor',
  'power',
  'pole',
  'mile',
  'power',
  'line',
  'power',
  'company',
  'wind',
  'gust',
  'mph',
  'storm',
  'view',
  'weather',
  'alert',
  'kansas',
  'city',
  'region',
  'fox4',
  'report',
  'tree',
  'damage',
  'power',
  'outage',
  'injury',
  'time',
  'typo',
  'error(required',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'amazon',
  'school',
  'deal',
  'schooler',
  'school',
  'corner',
  'amazon',
  'supply',
  'school',
  'deal',
  'supply',
  'schooler',
  'august',
  'vegetable',
  'flower',
  'flower',
  'plant',
  'hour',
  'soil',
  'air',
  'temperature',
  'sunshine',
  'august',
  'month',
  'planting',
  'chemical',
  'guys',
  'kit',
  'car',
  'car',
  'care',
  'hour',
  'chemical',
  'guys',
  'car',
  'wash',
  'kit',
  'time',
  'deal',
  'thank',
  'inbox',
  'pop',
  'star',
  'shijiro',
  'atae',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'soldier',
  'niger',
  'samsung',
  'smartphone',
  'bet',
  'pop',
  'star',
  'shijiro',
  'atae',
  'soldier',
  'niger',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'samsung',
  'smartphone',
  'bet',
  'journalist',
  'year',
  'prison',
  'ocean',
  'heat',
  'people',
  'high',
  'arizona',
  'thank',
  'inbox',
  'kc',
  'temperature',
  'osha',
  'tip',
  'kc',
  'heat',
  'extreme',
  'heat',
  'kc',
  'area',
  'event',
  'fox',
  'kansas',
  'city',
  'wdaf',
  'tv',
  'news',
  'weather',
  'sports',
  'video',
  'shawnee',
  'kansas',
  'resident',
  'mail',
  'kansas',
  'city',
  'area',
  'district',
  'school',
  'missouri',
  'veteran',
  'roof',
  'thank',
  'volunteer',
  'teen',
  'vehicle',
  'crash',
  'overland',
  'park',
  'warrant',
  'year',
  'missouri',
  'bank',
  'robbery',
  'innocent',
  'bystander',
  'officer',
  'merriam',
  'k',
  'state',
  'student',
  'atv',
  'crash',
  'year',
  'plan',
  'children',
  'memorial',
  'site',
  'crossroad',
  'community',
  'improvement',
  'district',
  'kid',
  'citizenship',
  'independence',
  'kc',
  'man',
  'brain',
  'injury',
  'mahomes',
  'developer',
  'kc',
  'hospital',
  'apartment',
  'fox',
  'kansas',
  'city',
  'wdaf',
  'tv',
  'news',
  'weather',
  'sports',
  'journalist',
  'year',
  'prison',
  'ocean',
  'heat',
  'people',
  'high',
  'arizona',
  'california',
  'gov.',
  'gavin',
  'newsom',
  'shawnee',
  'resident',
  'mail',
  'day',
  'arizona',
  'girl',
  'montana',
  'dance',
  'company',
  'ny',
  'fan',
  'treat',
  'attorney',
  'm',
  'settlement',
  'water',
  'fox',
  'kansas',
  'city',
  'wdaf',
  'tv',
  'news',
  'weather',
  'sports',
  'thank',
  'inbox',
  'teen',
  'vehicle',
  'crash',
  'overland',
  'park',
  'travis',
  'kelce',
  'taylor',
  'swift',
  'number',
  'tick',
  'specie',
  'mo',
  'livestock',
  'risk',
  'cass',
  'co.',
  'deputy',
  'search',
  'warrant',
  'gas',
  'station',
  'shawnee',
  'resident',
  'mail',
  'day',
  'warrant',
  'year',
  'bank',
  'robbery',
  'gift',
  'summer',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'home',
  'depot',
  'foot',
  'skeleton',
  'halloween',
  'deal',
  'day',
  'prime',
  'day',
  'favorite',
  'amazon',
  'essentials',
  'clothe',
  'news',
  'morning',
  'fox4',
  'newscasts',
  'contests',
  'day',
  'kc',
  'sponsored',
  'content',
  'experts',
  'sports',
  'community',
  'online',
  'public',
  'file',
  'public',
  'file',
  'eeo',
  'fcc',
  'applications',
  'android',
  'app',
  'google',
  'play',
  'android',
  'weather',
  'app',
  'google',
  'play',
  'personal',
  'information',
  'personal',
  'information',
  'nexstar',
  'media',
  'inc.',
  'rights'],
 ['contentskip',
  'main',
  'contentaccessibility',
  'helpmenuwhen',
  'search',
  'suggestion',
  'use',
  'arrow',
  'searchsearchsign',
  'inquick',
  'livetvwatchnewstop',
  'storieslocalclimateworldcanadapoliticsindigenousopinionthe',
  'nationalbusinesshealthentertainmentsciencecbc',
  'news',
  'investigatesgo',
  'publicabout',
  'cbc',
  'newsbeing',
  'black',
  'canadamore',
  'alaska',
  'brace',
  'impact',
  'level',
  'storm',
  '',
  '',
  'cbc',
  'news',
  'loadedworldalaska',
  'brace',
  'impact',
  'level',
  "storm'resident",
  'alaska',
  'coast',
  'friday',
  'storm',
  'forecaster',
  'history',
  'hurricane',
  'force',
  'wind',
  'surf',
  'power',
  'flooding',
  'remnant',
  'typhoon',
  'merbok',
  'hurricane',
  'force',
  'wind',
  'surfthe',
  'associated',
  'press',
  'sep',
  'pm',
  'edt',
  'september',
  '2022a',
  'satellite',
  'view',
  'storm',
  'alaska',
  'friday',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'associated',
  'press)resident',
  'alaska',
  'coast',
  'friday',
  'storm',
  'forecaster',
  'history',
  'hurricane',
  'force',
  'wind',
  'surf',
  'power',
  'flooding',
  'storm',
  'remnant',
  'typhoon',
  'merbok',
  'university',
  'alaska',
  'fairbanks',
  'climate',
  'specialist',
  'rick',
  'thoman',
  'weather',
  'pattern',
  'alaska',
  'summer',
  'storm',
  'rain',
  'weekend',
  'drought',
  'california',
  'air',
  'ex',
  '-',
  'typhoon',
  'chain',
  'reaction',
  'jet',
  'stream',
  'alaska',
  '"it',
  'level',
  'storm',
  'thoman',
  'system',
  'alaska',
  'year',
  'people',
  'september',
  'storm',
  'storm',
  '"hurricane',
  'force',
  'wind',
  'bering',
  'sea',
  'community',
  'elim',
  'koyuk',
  'kilometre',
  'hub',
  'community',
  'nome',
  'water',
  'level',
  'metre',
  'tide',
  'line',
  'national',
  'weather',
  'service',
  'flood',
  'warning',
  'effect',
  'monday',
  'alaska',
  'view',
  'webcam',
  'nome',
  'alaska',
  'friday',
  'nome',
  'convention',
  'visitors',
  'bureau',
  'associated',
  'press)in',
  'nome',
  'resident',
  'leon',
  'boardway',
  'friday',
  'nome',
  'visitors',
  'center',
  'block',
  'bering',
  'sea',
  'door',
  'coffee',
  'pot',
  'wind',
  'people',
  'resident',
  'visitor',
  'business',
  'town',
  'end',
  'iditarod',
  'trail',
  'sled',
  'dog',
  'race',
  'setting',
  'dredging',
  'gold',
  'reality',
  'bering',
  'sea',
  'gold',
  'window',
  'storm',
  'climate',
  'disaster',
  'today',
  'child',
  'scientist',
  'estimate"the',
  'ocean',
  'boardway',
  'centre',
  'webcam',
  'perch',
  'view',
  'swell',
  'position',
  'typhoon',
  'merbok',
  'east',
  'pacific',
  'ocean',
  'storm',
  'water',
  'temperature',
  'year',
  'storm',
  'thoman',
  'cbc',
  'journalistic',
  'standards',
  'cbc',
  'newscorrections',
  'news',
  'errorfooter',
  'linksmy',
  'accountprofilecbc',
  'cbc',
  'accountsconnect',
  'cbcsubmit',
  'feedbackhelp',
  'centreaudience',
  'relations',
  'cbc',
  'p.o.',
  'box',
  'station',
  'toronto',
  'canada',
  'm5w',
  'toll',
  'canada',
  'cbccorporate',
  'infositemapreuse',
  'permissionterms',
  'useprivacyjobsour',
  'unionsindependent',
  'producerspolitical',
  'ads',
  'registryadchoicesservicesombudsmancorrections',
  'clarificationspublic',
  'appearancescommercial',
  'servicescbc',
  'shopdoing',
  'business',
  'usrenting',
  'facilitiesradio',
  'canada',
  'liteaccessibilityit',
  'priority',
  'cbc',
  'product',
  'canada',
  'people',
  'hearing',
  'motor',
  'challenge',
  'captioning',
  'described',
  'video',
  'cbc',
  'cbc',
  'gem',
  'cbc',
  'accessibilityaccessibility',
  'feedback2023',
  'cbc',
  'radio',
  'canada',
  'right',
  'visitez'],
 ['owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'account',
  'dashboard',
  'profile',
  'item',
  'kxra',
  'kx92',
  'z99',
  'today',
  'sky',
  'shower',
  'thunderstorm',
  '90f.',
  'wind',
  'ese',
  'mph',
  'tonight',
  'shower',
  'thunderstorm',
  'low',
  'winds',
  'ne',
  'mph',
  'july',
  'pm',
  'kxra',
  'kx92',
  'z99',
  'season',
  'winter',
  'storm',
  'minnesota',
  'tuesday',
  'wednesday',
  'undated)--the',
  'national',
  'weather',
  'service',
  'winter',
  'storm',
  'region',
  'tuesday',
  'morning',
  'wednesday',
  'night',
  'area',
  'inch',
  'snow',
  'wind',
  'mph',
  'blizzard',
  'condition',
  'time',
  'road',
  '511.urgent',
  'winter',
  'weather',
  'messagenational',
  'weather',
  'service',
  'twin',
  'cities',
  'chanhassen',
  'mn331',
  'cdt',
  'mon',
  'apr',
  'complex',
  'prolonged',
  'winter',
  'storm',
  'multiple',
  'precipitation',
  'type',
  'blizzard',
  'condition',
  'portions',
  'western',
  'minnesota',
  'tuesday',
  'wednesday',
  'storm',
  'system',
  'rockies',
  'central',
  'plains',
  'tuesday',
  'minnesota',
  'tuesday',
  'night',
  'canada',
  'wednesday',
  'night',
  'precipitation',
  'snow',
  'area',
  'tuesday',
  'morning',
  'mix',
  'rain',
  'sleet',
  'snow',
  'tuesday',
  'afternoon',
  'tuesday',
  'night',
  'transition',
  'snow',
  'shower',
  'wednesday',
  'snow',
  'accumulation',
  'inch',
  'minnesota',
  'addition',
  'wind',
  'tuesday',
  'wednesday',
  'blizzard',
  'condition',
  'winter',
  'storm',
  'watch',
  'effect',
  'portion',
  'minnesota',
  'west',
  'line',
  'granite',
  'falls',
  'willmar',
  'st.',
  'cloud',
  'lake',
  'mille',
  'lacs',
  'national',
  'weather',
  'service',
  'forecast',
  'update',
  'winter',
  'storm',
  'mnz041',
  'douglas',
  'todd',
  'stevens',
  'city',
  'alexandria',
  'long',
  'prairie',
  'cdt',
  'mon',
  'apr',
  'winter',
  'storm',
  'watch',
  'effect',
  'tuesday',
  'morning',
  'wednesday',
  'night',
  'blizzard',
  'condition',
  'snow',
  'accumulation',
  'inch',
  'ice',
  'accumulation',
  'glaze',
  'wind',
  'mph',
  'douglas',
  'todd',
  'stevens',
  'counties',
  'tuesday',
  'morning',
  'wednesday',
  'night',
  'impact',
  'travel',
  'area',
  'snow',
  'visibility',
  'condition',
  'tuesday',
  'wednesday',
  'evening',
  'commute',
  'wind',
  'snow',
  'damage',
  'tree',
  'power',
  'line',
  'precautionary',
  'preparedness',
  'actions',
  'blizzard',
  'condition',
  'forecast',
  'update',
  'situation',
  'news',
  'community',
  'success',
  'email',
  'link',
  'list',
  'signup',
  'error',
  'error',
  'request',
  'funeral',
  'announcements',
  'list',
  'funeral',
  'annoucement',
  'kxra',
  'fm',
  'news',
  'news',
  'sport',
  'event',
  'voice',
  'alexandria',
  'sport',
  'update',
  'sport',
  'headline',
  'voice',
  'alexandria',
  'event',
  'email',
  'event',
  'area',
  'voice',
  'alexandria',
  'news',
  'news',
  'cancellation',
  'delay',
  'email',
  'cancellation',
  'delay',
  'area',
  'articlespresident',
  'biden',
  'disaster',
  'declaration',
  'minnesotathis',
  'best',
  'place',
  'minnesotathis',
  'best',
  'place',
  'south',
  'dakotathis',
  'best',
  'place',
  'north',
  'dakotamissing',
  'teen',
  'west',
  'minnesota',
  'authority',
  'helpman',
  'crash',
  'minnesotathunderstorms',
  'area',
  'welcome',
  'rainone',
  'person',
  'crash',
  'otter',
  'tail',
  'countyhealth',
  'alert',
  'minneapolis',
  'disorder',
  'death',
  'rates',
  'doctor',
  'explainsofficer',
  'jake',
  'wallin',
  'funeral',
  'saturday',
  'pequot',
  'lakes',
  'kxra',
  'online',
  'public',
  'file',
  'kxra',
  'fm',
  'online',
  'public',
  'file',
  'kxrz',
  'fm',
  'online',
  'public',
  'file',
  'persons',
  'disability',
  'assistance',
  'public',
  'file',
  'brett',
  'paradis',
  'broadway',
  'alexandria',
  'mn',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'term',
  'use',
  '',
  '',
  'privacy',
  'policy',
  'powered',
  'blox',
  'content',
  'management',
  'system',
  'blox',
  'digital'],
 ['bbc',
  'homepageskip',
  'helpyour',
  'accounthomenewssportreelworklifetravelfuturemore',
  'menumore',
  'bbchomenewssportreelworklifetravelfutureculturemusictvweathersoundsclose',
  'newsmenuhomewar',
  'ukraineclimatevideoworldus',
  'canadaukbusinesstechsciencemoreentertainment',
  'artshealthin',
  'picturesbbc',
  'verifyworld',
  'news',
  'tvnewsbeatus',
  'canadamississippi',
  'tornado',
  'destructive?published27',
  'marchshareclose',
  'panelshare',
  'video',
  'video',
  'javascript',
  'browser',
  'medium',
  'caption',
  'truck',
  'building',
  'tornado',
  'mississippiby',
  'nadine',
  'yousifbbc',
  'tornado',
  'mississippi',
  'storm',
  'chaser',
  'meteorologist',
  'shock',
  'devastation',
  'official',
  'people',
  'result',
  'storm',
  'tornado',
  'town',
  'rolling',
  'fork',
  'wedge',
  'tornado"',
  'national',
  'weather',
  'service',
  'storm',
  'hour',
  'stephanie',
  'cox',
  'storm',
  'chaser',
  'oklahoma',
  'tornado',
  'mississippi',
  'ms',
  'cox',
  'bbc',
  'storm',
  'roar',
  'lightning',
  'strike',
  'monster',
  'tornado',
  'roar',
  'train',
  'horn',
  'nws',
  'tornado',
  'mississippi',
  'friday',
  'night',
  'mississippi',
  'river',
  'mile',
  'kilometre',
  'width',
  'quarter',
  'mile',
  'hour',
  'minute',
  'storm',
  'storm',
  'updraft',
  'downdraft',
  'air',
  'ground',
  'speed',
  'direction',
  'wind',
  'height',
  'storm',
  'nws',
  'image',
  'source',
  'stephanie',
  'cox',
  '@stormwatcher771image',
  'caption',
  'storm',
  'wedge',
  'tornado',
  'width',
  'town',
  'rolling',
  'forksupercell',
  'storm',
  'condition',
  'storm',
  'time',
  'lance',
  'perrilloux',
  'meteorologist',
  'nws',
  'jackson',
  'mississippi',
  'tornado',
  'havoc',
  'distance',
  'ms',
  'cox',
  'wedge',
  'tornado',
  'term',
  'tornado',
  'length',
  'type',
  'tornado',
  'width',
  'damage',
  'area',
  'home',
  'building',
  'rolling',
  'fork',
  'aftermath',
  'storm',
  'vehicle',
  'samuel',
  'emmerson',
  'member',
  'radar',
  'research',
  'group',
  'university',
  'oklahoma',
  'tornado',
  'debris',
  'foot',
  'km',
  'air',
  'image',
  'source',
  'maxar',
  'satellite',
  'imagespreliminary',
  'finding',
  'tornado',
  'enhanced',
  'fujita',
  'ef',
  'scale',
  'second',
  'gust',
  'mph',
  'mr',
  'perrilloux',
  'tornado',
  'rolling',
  'fork',
  'mile',
  'kilometre',
  'north',
  'east',
  'town',
  'black',
  'hawk',
  'mississippi',
  'ef',
  'scale',
  'storm',
  'mile',
  'kilometre',
  'nws',
  'alabama',
  'tornado',
  'factor',
  'devastation',
  'mississippi',
  'timing',
  'storm',
  'town',
  'rolling',
  'fork',
  'time',
  'gmt',
  'nws',
  'tornado',
  'minute',
  'study',
  'night',
  'time',
  'tornado',
  'day',
  'statessevere',
  'weathermore',
  'storyrescue',
  'effort',
  'way',
  'tornado',
  'marchin',
  'picture',
  'mississippi',
  'tornado',
  'marchwhat',
  'marchtop',
  'storiesniger',
  'soldier',
  'coup',
  'tvpublished1',
  'hour',
  'singer',
  'sinãad',
  "o'connor",
  'hour',
  'agohow',
  'ukraine',
  'offensive',
  'south',
  'hour',
  'agofeaturessinãad',
  "o'connor",
  'obituary',
  'talent',
  'comparehow',
  'sinãad',
  "o'connor",
  'uhow',
  'ukraine',
  'offensive',
  'south',
  'stutteredn',
  'koreaâ\x80\x99s',
  'prisoner',
  'war',
  'plot',
  'flame',
  'buddha',
  'china',
  'videowatch',
  'flame',
  'buddha',
  'chinathe',
  'claim',
  'india',
  'violenceputin',
  'leader',
  'star',
  'role?can',
  'india',
  'chip',
  'powerhouse?world',
  'city',
  'bbcthe',
  'way',
  'homeswhy',
  'brand',
  'mediathe',
  'film',
  'usmost',
  'read1irish',
  'singer',
  'sinãad',
  "o'connor",
  'family',
  "grid'3how",
  'ukraine',
  'offensive',
  'south',
  'stuttered4niger',
  'soldier',
  'coup',
  'national',
  'tv5alien',
  'congress',
  'biden',
  'plea',
  'deal',
  'apart7mastercard',
  'bank',
  'debit',
  'weed8sinãad',
  "o'connor",
  'obituary',
  'talent',
  'koreaâ\x80\x99s',
  'prisoner',
  'war',
  'plot',
  'toy',
  'maker',
  'movie',
  'sale',
  'news',
  'mobileon',
  'news',
  'alertscontact',
  'bbc',
  'newshomenewssportreelworklifetravelfutureculturemusictvweathersoundsterms',
  'useabout',
  'bbcprivacy',
  'policycookiesaccessibility',
  'helpparental',
  'guidancecontact',
  'bbcget',
  'newsletterswhy',
  'bbcadvertise',
  'usâ',
  'bbc',
  'bbc',
  'content',
  'site',
  'approach',
  'linking'],
 ['leading',
  'edge',
  'sciencescope',
  'basic',
  'research',
  'innovation',
  'invention',
  'inbox',
  'subscribe',
  'deal',
  'politic',
  'newsletter',
  'analysis',
  'inbox',
  'news',
  'alert',
  'pbs',
  'newshour',
  'turn',
  'desktop',
  'notification',
  'climate',
  'chance',
  'storm',
  'california',
  'scientist',
  'sep',
  'pm',
  'edt',
  'california',
  'stranger',
  'weather',
  'form',
  'drought',
  'wildfire',
  'study',
  'golden',
  'state',
  'storm',
  'like',
  'ucla',
  'climate',
  'scientist',
  'daniel',
  'swain',
  'stephanie',
  'sy',
  'storm',
  'state',
  'day',
  'rain',
  'judy',
  'woodruff',
  'california',
  'record',
  'heat',
  'state',
  'grid',
  'operator',
  'demand',
  'outage',
  'tonight',
  'heat',
  'drought',
  'temperature',
  'california',
  'risk',
  'flooding',
  'complication',
  'superstorm',
  'line',
  'study',
  'golden',
  'state',
  'flood',
  'event',
  'stephanie',
  'sy',
  'stephanie',
  'sy',
  'scientist',
  'megaflood',
  'megastorm',
  'day',
  'rain',
  'snow',
  'swathe',
  'land',
  'california',
  'study',
  'climate',
  'change',
  'likelihood',
  'state',
  'study',
  'author',
  'californians',
  'monthlong',
  'series',
  'storm',
  'state',
  'inch',
  'precipitation',
  'daniel',
  'swain',
  'co',
  '-',
  'author',
  'study',
  'climate',
  'scientist',
  'ucla',
  'daniel',
  'swain',
  'newshour',
  'picture',
  'california',
  'kind',
  'megastorm',
  'today',
  'kind',
  'havoc',
  'about?daniel',
  'swain',
  'climate',
  'scientist',
  'university',
  'california',
  'los',
  'angeles',
  'thank',
  'time',
  'california',
  'month',
  'week',
  'storm',
  'sequence',
  'magnitude',
  'california',
  'home',
  'people',
  'people',
  'today',
  'landscape',
  'sort',
  'event',
  'lot',
  'people',
  'infrastructure',
  'harm',
  'way',
  'event',
  'area',
  'california',
  'sector',
  'stephanie',
  'sy',
  'daniel',
  'california',
  'big',
  'earthquake',
  'kid',
  'context',
  'californians',
  'daniel',
  'swain',
  'term',
  'megaflood',
  'california',
  'california',
  'big',
  'kind',
  'disaster',
  'destruction',
  'harm',
  'million',
  'californians',
  'lot',
  'folk',
  'california',
  'today',
  'drought',
  'water',
  'scarcity',
  'thing',
  'wildfire',
  'reason',
  'lot',
  'water',
  'overabundance',
  'flooding',
  'year',
  'reality',
  'world',
  'flood',
  'event',
  'climate',
  'change',
  'odd',
  'background',
  'water',
  'scarcity',
  'flood',
  'risk',
  'peril',
  'stephanie',
  'sy',
  'study',
  'daniel',
  'climate',
  'change',
  'estimate',
  'likelihood',
  'megaflood',
  'likelihood',
  'daniel',
  'swain',
  'climate',
  'change',
  'likelihood',
  'week',
  'storm',
  'sequence',
  'flooding',
  'california',
  'warming',
  'warming',
  'risk',
  'risk',
  'century',
  'increase',
  'odd',
  'year',
  'storm',
  'sequence',
  'study',
  'california',
  'tail',
  'probability',
  'decade',
  'stephanie',
  'sy',
  'california',
  'state',
  'possibility',
  'daniel',
  'swain',
  'risk',
  'flood',
  'precipitation',
  'flood',
  'event',
  'place',
  'lot',
  'drought',
  'water',
  'scarcity',
  'fact',
  'hint',
  'summer',
  'desert',
  'southwest',
  'megadrought',
  'flash',
  'flooding',
  'basis',
  'summer',
  'monsoon',
  'term',
  'drought',
  'term',
  'place',
  'flash',
  'flooding',
  'middle',
  'course',
  'scale',
  'megaflood',
  'event',
  'work',
  'risk',
  'u.s.',
  'study',
  'california',
  'risk',
  'west',
  'pacific',
  'coast',
  'interior',
  'place',
  'place',
  'stephanie',
  'sy',
  'california',
  'state',
  'daniel',
  'swain',
  'dollar',
  'question',
  'time',
  'analysis',
  'flood',
  'magnitude',
  'dollar',
  'disaster',
  'california',
  'question',
  'context',
  'term',
  'disaster',
  'response',
  'people',
  'event',
  'perspective',
  'event',
  'state',
  'california',
  'agency',
  'point',
  'purpose',
  'project',
  'research',
  'component',
  'point',
  'event',
  'world',
  'california',
  'region',
  'risk',
  'surprise',
  'sort',
  'flood',
  'event',
  'doorstep',
  'stephanie',
  'sy',
  'daniel',
  'swain',
  'climate',
  'scientist',
  'ucla.daniel',
  'newshour',
  'episode',
  'pbs',
  'newshour',
  'sep',
  'africa',
  'climate',
  'country',
  'fund',
  'wanjohi',
  'kabukuru',
  'associated',
  'press',
  'hawaii',
  'coal',
  'power',
  'plant',
  'bid',
  'climate',
  'change',
  'caleb',
  'jones',
  'associated',
  'press',
  'g20',
  'environment',
  'official',
  'bali',
  'climate',
  'change',
  'action',
  'fadlan',
  'syam',
  'niniek',
  'karmini',
  'associated',
  'press',
  'climate',
  'change',
  'survival',
  'cactus',
  'southwest',
  'stephanie',
  'sy',
  'madison',
  'staten',
  'lena',
  'i.',
  'jackson',
  'federal',
  'water',
  'restriction',
  'west',
  'underscore',
  'severity',
  'climate',
  'crisis',
  'stephanie',
  'sy',
  'stephanie',
  'sy',
  'pbs',
  'newshour',
  'correspondent',
  'anchor',
  'pbs',
  'newshour',
  'west',
  'career',
  'anchor',
  'correspondent',
  'capacity',
  'abc',
  'news',
  'al',
  'jazeera',
  'america',
  'cbsn',
  'cnn',
  'international',
  'pbs',
  'newshour',
  'weekend',
  'newshour',
  'yahoo',
  'news',
  'coverage',
  'midterm',
  'elections',
  'donald',
  'trump',
  'victory',
  'party',
  'election',
  'day',
  'inbox',
  'subscribe',
  'deal',
  'politic',
  'newsletter',
  'analysis',
  'inbox',
  'newshour',
  'productions',
  'llc',
  'rights',
  'deal',
  'politic',
  'newsletter',
  'inbox',
  'journalism',
  'friends',
  'newshour'],
 ['permission',
  'video',
  'fcc',
  'public',
  'inspection',
  'file',
  'ktvn',
  'log',
  'account',
  'log',
  'account',
  'sign',
  'today',
  'account',
  'dashboard',
  'profile',
  'item',
  'oh',
  'ohio',
  'west',
  'virginia',
  'storm',
  'damage',
  'oh',
  'power',
  'restoration',
  'effort',
  'damage',
  'assessment',
  'weather',
  'red',
  'flag',
  'warning',
  'effect',
  'noon',
  'today',
  'pm',
  'pdt',
  'evening',
  'gusty',
  'wind',
  'low',
  'humidity',
  'desert',
  'northeast',
  'california',
  'portions',
  'northwest',
  'nevada',
  'national',
  'weather',
  'service',
  'reno',
  'red',
  'flag',
  'warning',
  'wind',
  'humidity',
  'effect',
  'noon',
  'today',
  'pm',
  'pdt',
  'evening',
  'fire',
  'weather',
  'watch',
  'effect',
  'changes',
  'fire',
  'weather',
  'watch',
  'red',
  'flag',
  'warning',
  'area',
  'fire',
  'weather',
  'zone',
  'surprise',
  'valley',
  'california',
  'fire',
  'weather',
  'zone',
  'eastern',
  'lassen',
  'county',
  'fire',
  'weather',
  'zone',
  'northern',
  'sierra',
  'carson',
  'city',
  'douglas',
  'storey',
  'southern',
  'washoe',
  'western',
  'lyon',
  'far',
  'southern',
  'lassen',
  'counties',
  'fire',
  'weather',
  'zone',
  'west',
  'humboldt',
  'basin',
  'pershing',
  'county',
  'fire',
  'weather',
  'zone',
  'northern',
  'washoe',
  'county',
  'wind',
  'southwest',
  'mph',
  'gust',
  'mph',
  'ridgelines',
  'gust',
  'mph',
  'impact',
  'combination',
  'wind',
  'humidity',
  'fire',
  'size',
  'intensity',
  'responder',
  'activity',
  'spark',
  'vegetation',
  'yard',
  'work',
  'target',
  'shooting',
  'campfire',
  'fire',
  'restriction',
  'update',
  'livingwithfire.info',
  'preparedness',
  'tip',
  'wind',
  'advisory',
  'effect',
  'noon',
  'pm',
  'pdt',
  'wednesday',
  'southwest',
  'wind',
  'mph',
  'gust',
  'mph',
  'wave',
  'height',
  'pyramid',
  'lake',
  'foot',
  'washoe',
  'pyramid',
  'lahontan',
  'rye',
  'patch',
  'noon',
  'pm',
  'pdt',
  'wednesday',
  'impact',
  'boat',
  'kayak',
  'paddle',
  'board',
  'lake',
  'water',
  'condition',
  'lake',
  'condition',
  'increase',
  'wind',
  'wave',
  'height',
  'activity',
  'lake',
  'day',
  'wind',
  'news',
  'community',
  'nevada',
  'congressman',
  'heat',
  'protections',
  'worker',
  'city',
  'reno',
  'wolf',
  'pack',
  'fridays',
  'wcsd',
  'sex',
  'ed',
  'curriculum',
  'reno',
  'place',
  'study',
  'step',
  'copy',
  'news',
  'story',
  'info',
  'energy',
  'way',
  'reno',
  'nv',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'blox',
  'content',
  'management',
  'system',
  'blox',
  'digital',
  'minute',
  'news',
  'device'],
 ['discover',
  'thomson',
  'reutersdirectory',
  '-',
  'phone',
  'onlyfor',
  'tablet',
  'portrait',
  'upfor',
  'tablet',
  'landscape',
  'upfor',
  'desktop',
  'desktop',
  'arizona',
  'brace',
  'repeat',
  'stormsby',
  'david',
  'schwartz2',
  'min',
  'readslideshow',
  'image',
  'phoenix',
  'reuters',
  'arizona',
  'resident',
  'wave',
  'rain',
  'flooding',
  'tuesday',
  'remnant',
  'hurricane',
  'odile',
  'desert',
  'state',
  'sky',
  'local',
  'sandbag',
  'fire',
  'station',
  'home',
  'day',
  'storm',
  'state',
  'record',
  'rainfall',
  'phoenix',
  'tucson',
  'area',
  'week',
  'downpour',
  'section',
  'freeway',
  'lake',
  'creek',
  'canal',
  'woman',
  'floodwater',
  'state',
  'emergency',
  'governor',
  'jan',
  'brewer',
  'day',
  'possibility',
  'ken',
  'waters',
  'meteorologist',
  'national',
  'weather',
  'service',
  'phoenix',
  '”odile',
  'storm',
  'way',
  'mexico',
  'baja',
  'california',
  'peninsula',
  'monday',
  'strength',
  'evacuation',
  'thousand',
  'people',
  'water',
  'trace',
  'storm',
  'arizona',
  'monday',
  'shower',
  'activity',
  'wednesday',
  'state',
  'blow',
  'storm',
  'tucson',
  'area',
  'gun',
  'rain',
  'event',
  'question',
  'water',
  'storm',
  'new',
  'mexico',
  'texas',
  'strength',
  'reporting',
  'david',
  'schwartz',
  'daniel',
  'wallis',
  'bill',
  'trottour',
  'standards',
  'thomson',
  'reuters',
  'trust',
  'principles',
  'appsnewslettersadvertise',
  'usadvertising',
  'guidelinescookiesterms',
  'useprivacydo',
  'informationall',
  'quote',
  'minimum',
  'minute',
  'list',
  'exchange',
  'delay',
  'reuters',
  'rights',
  'reserved.for',
  'phone',
  'onlyfor',
  'tablet',
  'portrait',
  'upfor',
  'tablet',
  'landscape',
  'upfor',
  'desktop',
  'desktop'],
 ['district',
  'attorney',
  'rowan',
  'county',
  'deputy',
  'clover',
  'developer',
  'downtown',
  'restaurant',
  'apartment',
  'forecast',
  'day',
  'year',
  'weather',
  'iq',
  "don't",
  'rip',
  'current',
  'thunderstorm',
  'wind',
  'chesterfield',
  'county',
  'storm',
  'damage',
  'tornado',
  'weather',
  'service',
  'storm',
  'damage',
  'aluminum',
  'roof',
  'garage',
  'tree',
  'pea',
  'size',
  'hail',
  'example',
  'video',
  'title',
  'video',
  'pm',
  'edt',
  'july',
  'pm',
  'edt',
  'july',
  'chesterfield',
  'county',
  's.c.',
  'thunderstorm',
  'chesterfield',
  'county',
  'south',
  'carolina',
  'sunday',
  'damage',
  'building',
  'tree',
  'storm',
  'investigator',
  'national',
  'weather',
  'service',
  'damage',
  'monday',
  'tornado',
  'official',
  'evidence',
  'line',
  'wind',
  'thunderstorm',
  'line',
  'wind',
  'tornado',
  'damage',
  'magnitude',
  'difference',
  'wind',
  'tornado',
  'line',
  'thunderstorm',
  'raise',
  'iq',
  'line',
  'wind',
  'storm',
  'mount',
  'croghan',
  'photo',
  'medium',
  'storm',
  'damage',
  'aluminum',
  'roof',
  'garage',
  'storm',
  'tree',
  'pea',
  'size',
  'hail',
  'tree',
  'oak',
  'datum',
  'national',
  'weather',
  'service',
  'weather',
  'alert',
  'wcnc',
  'charlotte',
  'app',
  'push',
  'notification',
  'damage',
  'storm',
  'today',
  'mount',
  'croghan',
  'chesterfield',
  'county',
  'carla',
  'rollings',
  'pm',
  'lynn',
  'automatic',
  'centerpoint',
  'church',
  'hwy',
  '@nwscolumbia',
  'scwx',
  'pic.twitter.com/vmfjirrcgj',
  'ed',
  'piotrowski',
  '@edpiotrowski',
  'july',
  'national',
  'weather',
  'service',
  'columbia',
  'south',
  'carolina',
  'jurisdiction',
  'chesterfield',
  'county',
  'behalf',
  'nws',
  'wind',
  'speed',
  'monday',
  'sunday',
  'national',
  'weather',
  'service',
  'thunderstorm',
  'warning',
  'area',
  'type',
  'warning',
  'storm',
  'wind',
  'mph',
  'raise',
  'iq',
  'thunderstorm',
  'warning',
  'thunderstorm',
  'warning',
  'p.m.',
  'chesterfield',
  'county',
  'storm',
  'ruby',
  'chesterfield',
  'cheraw',
  'pic.twitter.com/bctdb4s1nv',
  'kj',
  'jacobs',
  '@kjjacobswcnc',
  'july',
  'near',
  'ruby',
  'damage',
  'roof',
  'tree',
  'storm',
  'damage',
  'aluminum',
  'roof',
  'garage',
  'storm',
  'tree',
  'pea',
  'size',
  'hail',
  'tree',
  'damage',
  'ruby',
  'chesterfield',
  'county',
  'storm',
  'today',
  '@nwscolumbia',
  'scwx',
  'pic.twitter.com/zvq6igcye0',
  'ed',
  'piotrowski',
  '@edpiotrowski',
  'july',
  'injury',
  'fatality',
  'result',
  'storm',
  'wcnc',
  'charlotte',
  'weather',
  'iq',
  'youtube',
  'channel',
  'explainer',
  'wcnc',
  'charlotte',
  'meteorologist',
  'weather',
  'climate',
  'science',
  'story',
  'weather',
  'iq',
  'youtube',
  'playlist',
  'video',
  'wind',
  'damage',
  'microburst',
  'weather',
  'iq',
  'weather',
  'iq',
  'power',
  'thunderstorms',
  'eeo',
  'public',
  'file',
  'report',
  'fcc',
  'online',
  'public',
  'inspection',
  'file',
  'closed',
  'caption',
  'procedure',
  'personal',
  'information',
  'wcnc',
  'tv',
  'rights',
  'wcnc',
  'notification',
  'news',
  'weather',
  'notification',
  'browser',
  'setting'],
 ['subscriber',
  'services',
  'manage',
  'account',
  'today',
  'digital',
  'edition',
  'digital',
  'edition',
  'subscription',
  'rewards',
  'dashboard',
  'puzzle',
  'answers',
  'online',
  'puzzles',
  'page',
  'reprints',
  'newspaper',
  'archives',
  'newsletters',
  'contact',
  'subscriber',
  'benefit',
  'classifieds',
  'carrier',
  'jobs',
  'news',
  'business',
  'news',
  'coronavirus',
  'community',
  'crime',
  'courts',
  'iowa',
  'education',
  'environmental',
  'news',
  'government',
  'politics',
  'health',
  'legal',
  'notices',
  'nation',
  'world',
  'photos',
  'time',
  'machine',
  'search',
  'archive',
  'videos',
  'journalists',
  'emily',
  'andersen',
  'tom',
  'barton',
  'erin',
  'jordan',
  'grace',
  'king',
  'trish',
  'mehaffey',
  'brittney',
  'j.',
  'miller',
  'vanessa',
  'miller',
  'erin',
  'murphy',
  'marissa',
  'payne',
  'izabela',
  'zaluska',
  'fact',
  'checker',
  'team',
  'sports',
  'iowa',
  'hawkeyes',
  'iowa',
  'football',
  'iowa',
  'basketball',
  'prep',
  'sports',
  'prep',
  'football',
  'iowa',
  'state',
  'cyclones',
  'uni',
  'panthers',
  'minor',
  'league',
  'sports',
  'outdoors',
  'sports',
  'desk',
  'mike',
  'hlas',
  'nathan',
  'ford',
  'jeff',
  'johnson',
  'jeff',
  'linder',
  'j.r.',
  'ogden',
  'k.j.',
  'pilcher',
  'john',
  'steppe',
  'opinion',
  'fact',
  'checker',
  'guide',
  'editorial',
  'commentary',
  'guest',
  'columnists',
  'letters',
  'editor',
  'political',
  'cartoons',
  'staff',
  'columnists',
  'staff',
  'editorials',
  'letter',
  'column',
  'columnists',
  'todd',
  'dorman',
  'althea',
  'cole',
  'editorial',
  'fellows',
  'david',
  'chung',
  'sofia',
  'demartino',
  'chris',
  'espersen',
  'food',
  'drink',
  'chew',
  'recipe',
  'restaurants',
  'business',
  'agriculture',
  'business',
  'notes',
  'columns',
  'companies',
  'personal',
  'finance',
  'economy',
  'employment',
  'energy',
  'manufacturing',
  'openings',
  'closures',
  'real',
  'estate',
  'restaurants',
  'retail',
  'small',
  'business',
  'transportation',
  'obituaries',
  'memory',
  'obituary',
  'podcasts',
  'daily',
  'news',
  'podcast',
  'fact',
  'checker',
  'podcast',
  'iowa',
  'politics',
  'hawk',
  'press',
  'iowa',
  'prep',
  'sports',
  'pinning',
  'combination',
  'careers',
  'coffee',
  'entertainment',
  'art',
  'books',
  'comedy',
  'museums',
  'galleries',
  'music',
  'puzzles',
  'games',
  'theater',
  'thing',
  'hoopla',
  'event',
  'living',
  'health',
  'wellness',
  'home',
  'garden',
  'milestones',
  'people',
  'places',
  'pets',
  'animals',
  'recreation',
  'religion',
  'belief',
  'travel',
  'photos',
  'videos',
  'iowa',
  'photo',
  'news',
  'photo',
  'galleries',
  'sports',
  'photo',
  'galleries',
  'video',
  'galleries',
  'photojournalists',
  'jim',
  'slosiarek',
  'savannah',
  'blake',
  'nick',
  'rohlman',
  'geoff',
  'stellfox',
  'bailey',
  'cichon',
  'multimedia',
  'journalist',
  'gazette',
  'visual',
  'milestones',
  'anniversaries',
  'day',
  'engagement',
  'holiday',
  'remembrance',
  'new',
  'arrivals',
  'yous',
  'wedding',
  'milestone',
  'data',
  'data',
  'center',
  'salaries',
  'interactive',
  'maps',
  'charts',
  'coronavirus',
  'data',
  'legal',
  'notices',
  'gazette',
  'classifieds',
  'corridor',
  'careers',
  'garage',
  'sales',
  'gazette',
  'gazette',
  'print',
  'services',
  'gazette',
  'rewards',
  'gazette',
  'store',
  'green',
  'gazette',
  'holiday',
  'light',
  'finder',
  'hoopla',
  'iowa',
  'wedding',
  'experience',
  'iowa',
  'ideas',
  'photo',
  'store',
  'link',
  'gazette',
  'search',
  'gazette',
  'archives',
  'article',
  'removal',
  'business',
  'directory',
  'cr',
  'database',
  'legal',
  'notices',
  'mobile',
  'app',
  'carrier',
  'customer',
  'care',
  'order',
  'issues',
  'privacy',
  'policies',
  'puzzle',
  'answers',
  'sponsorship',
  'request',
  'letter',
  'weather',
  'manage',
  'account',
  'today',
  'digital',
  'edition',
  'digital',
  'edition',
  'subscription',
  'rewards',
  'dashboard',
  'puzzle',
  'answers',
  'online',
  'puzzles',
  'page',
  'reprints',
  'newspaper',
  'archives',
  'newsletters',
  'contact',
  'subscriber',
  'benefit',
  'classifieds',
  'carrier',
  'jobs',
  'news',
  'business',
  'news',
  'coronavirus',
  'community',
  'crime',
  'courts',
  'iowa',
  'education',
  'environmental',
  'news',
  'government',
  'politics',
  'health',
  'legal',
  'notices',
  'nation',
  'world',
  'photos',
  'time',
  'machine',
  'search',
  'archive',
  'videos',
  'emily',
  'andersen',
  'tom',
  'barton',
  'erin',
  'jordan',
  'grace',
  'king',
  'trish',
  'mehaffey',
  'brittney',
  'j.',
  'miller',
  'vanessa',
  'miller',
  'erin',
  'murphy',
  'marissa',
  'payne',
  'izabela',
  'zaluska',
  'fact',
  'checker',
  'team',
  'sports',
  'iowa',
  'hawkeyes',
  'iowa',
  'football',
  'iowa',
  'basketball',
  'prep',
  'sports',
  'prep',
  'football',
  'iowa',
  'state',
  'cyclones',
  'uni',
  'panthers',
  'minor',
  'league',
  'sports',
  'outdoors',
  'mike',
  'hlas',
  'nathan',
  'ford',
  'jeff',
  'johnson',
  'jeff',
  'linder',
  'j.r.',
  'ogden',
  'k.j.',
  'pilcher',
  'john',
  'steppe',
  'opinion',
  'fact',
  'checker',
  'guide',
  'editorial',
  'commentary',
  'guest',
  'columnists',
  'letters',
  'editor',
  'political',
  'cartoons',
  'staff',
  'columnists',
  'staff',
  'editorials',
  'letter',
  'column',
  'todd',
  'dorman',
  'althea',
  'cole',
  'editorial',
  'fellows',
  'david',
  'chung',
  'sofia',
  'demartino',
  'chris',
  'espersen',
  'food',
  'drink',
  'chew',
  'recipe',
  'restaurants',
  'business',
  'agriculture',
  'business',
  'notes',
  'columns',
  'companies',
  'personal',
  'finance',
  'economy',
  'employment',
  'energy',
  'manufacturing',
  'openings',
  'closures',
  'real',
  'estate',
  'restaurants',
  'retail',
  'small',
  'business',
  'transportation',
  'obituaries',
  'memory',
  'obituary',
  'podcasts',
  'daily',
  'news',
  'podcast',
  'fact',
  'checker',
  'podcast',
  'iowa',
  'politics',
  'hawk',
  'press',
  'iowa',
  'prep',
  'sports',
  'pinning',
  'combination',
  'careers',
  'coffee',
  'entertainment',
  'art',
  'books',
  'comedy',
  'museums',
  'galleries',
  'music',
  'puzzles',
  'games',
  'theater',
  'thing',
  'hoopla',
  'event',
  'living',
  'health',
  'wellness',
  'home',
  'garden',
  'milestones',
  'people',
  'places',
  'pets',
  'animals',
  'recreation',
  'religion',
  'belief',
  'travel',
  'photos',
  'videos',
  'iowa',
  'photo',
  'news',
  'photo',
  'galleries',
  'sports',
  'photo',
  'galleries',
  'video',
  'galleries',
  'jim',
  'slosiarek',
  'savannah',
  'blake',
  'nick',
  'rohlman',
  'geoff',
  'stellfox',
  'bailey',
  'cichon',
  'multimedia',
  'journalist',
  'gazette',
  'visual',
  'milestones',
  'anniversaries',
  'day',
  'engagement',
  'holiday',
  'remembrance',
  'new',
  'arrivals',
  'yous',
  'wedding',
  'milestone',
  'data',
  'center',
  'salaries',
  'interactive',
  'maps',
  'charts',
  'coronavirus',
  'data',
  'legal',
  'notices',
  'classifieds',
  'corridor',
  'careers',
  'garage',
  'sales',
  'gazette',
  'gazette',
  'print',
  'services',
  'gazette',
  'rewards',
  'gazette',
  'store',
  'green',
  'gazette',
  'holiday',
  'light',
  'finder',
  'hoopla',
  'iowa',
  'wedding',
  'experience',
  'iowa',
  'ideas',
  'photo',
  'store',
  'gazette',
  'search',
  'gazette',
  'archives',
  'article',
  'removal',
  'business',
  'directory',
  'cr',
  'database',
  'legal',
  'notices',
  'mobile',
  'app',
  'carrier',
  'customer',
  'care',
  'order',
  'issues',
  'privacy',
  'policies',
  'puzzle',
  'answers',
  'sponsorship',
  'request',
  'letter',
  'weather',
  'mayor',
  'cedar',
  'rapids',
  'school',
  'facility',
  'plan',
  'city',
  'corea',
  'iowa',
  'state',
  'fair',
  'food',
  'unknown',
  'gambling',
  'probe',
  'number',
  'football',
  'player',
  'involvedgrassley',
  'biden',
  'impeachment',
  'inquiry',
  'storm',
  'wind',
  'hail',
  'tree',
  'eastern',
  'iowa',
  'kat',
  'russell',
  'aug.',
  'pm',
  'aug.',
  'thunderstorm',
  'tuesday',
  'central',
  'eastern',
  'iowa',
  'hail',
  'wind',
  'building',
  'tree',
  'national',
  'weather',
  'service',
  'storm',
  'weather',
  'state',
  'west',
  'story',
  'city',
  'north',
  'des',
  'moines',
  'east',
  'bellevue',
  'iowa',
  'illinois',
  'border',
  'storm',
  'report',
  'wind',
  'mph',
  'hail',
  'size',
  'quarter',
  'inch',
  'inch',
  'diameter',
  'report',
  'fayette',
  'county',
  'wind',
  'damage',
  'portion',
  'county',
  'national',
  'weather',
  'service',
  'fayette',
  'count',
  'sheriff',
  'office',
  'roof',
  'damage',
  'oelwein',
  'grain',
  'bin',
  'highway',
  'v62',
  'hog',
  'confinement',
  'building',
  'highway',
  'manchester',
  'storm',
  'report',
  'downtown',
  'area',
  'tree',
  'building',
  'roof',
  'damage',
  'damage',
  'report',
  'pole',
  'barn',
  'town',
  'jesup',
  'mile',
  'waterloo',
  'rain',
  'flooding',
  'storm',
  'town',
  'people',
  'inch',
  'rain',
  'minute',
  'damage',
  'report',
  'power',
  'line',
  'rockford',
  'tree',
  'tree',
  'highway',
  'williamstown',
  'mph',
  'wind',
  'crop',
  'tree',
  'mile',
  'west',
  'readlyn',
  'tree',
  'semi',
  'tripoli',
  'downed',
  'tree',
  'power',
  'line',
  'road',
  'hazelton',
  'tree',
  'hopkinton',
  'worthington',
  'comment',
  'photo',
  'fayette',
  'county',
  'sheriff',
  'office',
  'roof',
  'damage',
  'tuesday',
  'building',
  'oelwein',
  'string',
  'thunderstorm',
  'iowa',
  'photo',
  'photo',
  'fayette',
  'county',
  'sheriff',
  'office',
  'roof',
  'damage',
  'tuesday',
  'hog',
  'containment',
  'building',
  'highway',
  'fayette',
  'county',
  'photo',
  'photo',
  'fayette',
  'county',
  'sheriff',
  'office',
  'roof',
  'damage',
  'tuesday',
  'grain',
  'bin',
  'highway',
  'v62',
  'fayette',
  'county',
  'photo',
  'safety',
  'reporter',
  'gazette',
  'volunteer',
  'hot',
  'cider',
  'hustle',
  'half',
  'marathon',
  '5khiawatha',
  'library',
  'expansion',
  'door',
  'programming',
  'possibilitieshuman',
  'iowa',
  'boy',
  'mayammo',
  'shortage',
  'hunter',
  'seller',
  'police',
  'jail',
  'inmate',
  'covid-19',
  'case',
  'article',
  'kat',
  'mayor',
  'tiffany',
  'o’donnell',
  'cedar',
  'rapids',
  'school',
  'facility',
  'plan',
  'iowa',
  'girls',
  'coaches',
  'association',
  'state',
  'softball',
  'team',
  'iowa',
  'football',
  'preseason',
  'depth',
  'chart',
  'opinion',
  'iowa',
  'session',
  'opinion',
  'iowa',
  'session',
  'happenedalthea',
  'cole',
  'staff',
  'columnists',
  'jul.',
  'am9d',
  'nature',
  'alarm',
  'iowa',
  'wildlifebrittney',
  'j.',
  'miller',
  'environmental',
  'news',
  'jul.',
  'am5d',
  'opinion',
  'iowans',
  'school',
  'choice',
  'student',
  'loan',
  'forgiveness?althea',
  'cole',
  'staff',
  'columnists',
  'jul.',
  'am17d',
  'heat',
  'dome',
  'eastern',
  'iowa',
  'weekbrittney',
  'j.',
  'miller',
  'weather',
  'jul.',
  'am11h',
  'midwest',
  'ag',
  'shippingbrittney',
  'j.',
  'miller',
  'weather',
  'jul.',
  'question',
  'summer',
  'wildfire',
  'smoke',
  'brittney',
  'j.',
  'miller',
  'environmental',
  'news',
  'jun.',
  'am27d',
  'mayor',
  'cedar',
  'rapids',
  'school',
  'facility',
  'plan',
  'city',
  'coregrace',
  'king',
  'k-12',
  'education',
  '3h',
  'ago3h',
  'iowa',
  'state',
  'senator',
  'misdemeanor',
  'ragbraiap',
  'government',
  'politics',
  'ago4h',
  'grassley',
  'biden',
  'impeachment',
  'mccullough',
  'gazette',
  'lee',
  'des',
  'moines',
  'bureau',
  'federal',
  'government',
  'ago4h',
  'kirk',
  'ferentz',
  'hope',
  'ol',
  'coach',
  'george',
  'barnettjohn',
  'steppe',
  'iowa',
  'football',
  'ago4h',
  'unknown',
  'gambling',
  'probe',
  'number',
  'football',
  'player',
  'steppe',
  'iowa',
  'football',
  'jul.',
  'pm5h',
  'iowa',
  'girls',
  'coaches',
  'association',
  'state',
  'softball',
  'teamsjeff',
  'linder',
  'prep',
  'baseball',
  'prep',
  ...],
 ['owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'account',
  'dashboard',
  'profile',
  'item',
  'central',
  'illinois',
  'storm',
  'result',
  'set',
  'jul',
  'jul',
  'rain',
  'thursday',
  'state',
  'weather',
  'area',
  'illinois',
  'set',
  'dtn',
  'agriculture',
  'meteorologist',
  'john',
  'baranick',
  'ridge',
  'pressure',
  'temperature',
  'south',
  'area',
  'texas',
  'way',
  'missouri',
  'temperature',
  'digit',
  'thunderstorm',
  'complex',
  'edge',
  'ridge',
  'thunderstorm',
  'nebraska',
  'kansas',
  'wednesday',
  'thursday',
  'morning',
  'iowa',
  'missouri',
  'heat',
  'illinois',
  'baranick',
  'mph',
  'wind',
  'gust',
  'corn',
  'soybean',
  'plenty',
  'damage',
  '”the',
  'national',
  'weather',
  'service',
  'tornado',
  'illinois',
  'thursday',
  'chatham',
  'kincaid',
  'lincoln',
  'taylorville',
  'waynesville',
  'storm',
  'power',
  'outage',
  'area',
  'champaign',
  'decatur',
  'springfield',
  'urbana',
  'ameren',
  'illinois',
  'listen',
  'john',
  'baranick',
  'u.s.',
  'drought',
  'monitor',
  'browser',
  'element',
  'mission',
  'illinois',
  'agriculture',
  'quality',
  'farm',
  'family',
  'life',
  'news',
  'minute',
  'information',
  'issue',
  'farmer',
  'community',
  'illinois',
  'affilliate',
  'audio',
  'legal',
  'accessibility',
  'meet',
  'team',
  'ilfb.org',
  'contact',
  'browser',
  'date',
  'security',
  'risk',
  'browser'],
 ['contentskip',
  'navigationskip',
  'navigationprint',
  'subscription',
  'sign',
  'insearch',
  'jobssearchus',
  'editionus',
  'editionuk',
  'editionaustralia',
  'guardian',
  'guardiannewsopinionsportculturelifestyleshowmoreshow',
  'morenewsview',
  'newsus',
  'newsworld',
  'politicsbusinesstechsciencenewslettersfight',
  'democracyopinionview',
  'opinionthe',
  'guardian',
  'viewcolumnistslettersopinion',
  'videoscartoonssportview',
  'sportsoccernfltennismlbmlsnbanhlf1golfcultureview',
  'culturefilmbooksmusicart',
  'designtv',
  'radiostageclassicalgameslifestyleview',
  'lifestylefashionfoodrecipeslove',
  'sexhome',
  'gardenhealth',
  'fitnessfamilytravelmoneysearch',
  'input',
  'google',
  'search',
  'searchsupport',
  'usprint',
  'subscriptionsus',
  'editionuk',
  'editionaustralia',
  'editionsearch',
  'jobsdigital',
  'archiveguardian',
  'puzzles',
  'licensingthe',
  'guardian',
  'guardianguardian',
  'weeklycrosswordswordiplycorrectionsfacebooktwittersearch',
  'jobsdigital',
  'archiveguardian',
  'puzzles',
  'licensingusworldenvironmentsoccerus',
  'democracy',
  'home',
  'tree',
  'tornado',
  'little',
  'rock',
  'arkansas',
  'photograph',
  'andrew',
  'demillo',
  'apa',
  'home',
  'tree',
  'tornado',
  'little',
  'rock',
  'arkansas',
  'photograph',
  'andrew',
  'demillo',
  'observeru',
  'weather',
  'article',
  'month',
  'storm',
  'system',
  'article',
  'month',
  'oldtornadoe',
  'devastation',
  'arkansas',
  'illinois',
  'iowa',
  'oklahoma',
  'theatre',
  'roof',
  'concertedward',
  'helmore',
  'associated',
  'presssun',
  'apr',
  'edtfirst',
  'fri',
  'mar',
  'edtat',
  'people',
  'place',
  'power',
  'monster',
  'storm',
  'system',
  'midwest',
  'tornado',
  'home',
  'shopping',
  'center',
  'theatre',
  'roof',
  'metal',
  'concert',
  'illinois',
  'report',
  'tornado',
  'state',
  'storm',
  'friday',
  'night',
  'twister',
  'condition',
  'saturday',
  'storm',
  'system',
  'swath',
  'home',
  'people',
  'spring',
  'storm',
  'blizzard',
  'tornado',
  'shower',
  'weather',
  'death',
  'tennessee',
  'county',
  'death',
  'alabama',
  'illinois',
  'mississippi',
  'little',
  'rock',
  'arkansas',
  'mayor',
  'building',
  'tornado',
  'path',
  'national',
  'weather',
  'service',
  'tornado',
  'end',
  'ef3',
  'twister',
  'wind',
  'speed',
  'mph',
  'km',
  'h',
  'path',
  'mile',
  'kms).three',
  'indiana',
  'area',
  'sullivan',
  'city',
  'mile',
  'drive',
  'south',
  'west',
  'indianapolis',
  'madison',
  'county',
  'alabama',
  'person',
  'official',
  'death',
  'number',
  'fatality',
  'mcnairy',
  'county',
  'tennessee',
  'power',
  'outage',
  'figure',
  'resource',
  'site',
  'saturday',
  'area',
  'arkansas',
  'city',
  'wynne',
  'storm',
  'home',
  'people',
  'debris',
  'state',
  'governor',
  'sarah',
  'huckabee',
  'sanders',
  'town',
  'mile',
  'memphis',
  'tennessee',
  'damage',
  'tornado',
  'city',
  'council',
  'member',
  'lisa',
  'powell',
  'carter',
  'wynne',
  'power',
  'road',
  'debris',
  'debris',
  'clothing',
  'insulation',
  'roofing',
  'paper',
  'toy',
  'furniture',
  'pickup',
  'truck',
  'window',
  'scene',
  'devastation',
  'weather',
  'event',
  'climate',
  'change',
  'town',
  'heidi',
  'jenkins',
  'salon',
  'owner',
  'school',
  'church',
  'people',
  'home',
  'mississippi',
  'pontotoc',
  'county',
  'person',
  'mississippi',
  'emergency',
  'management',
  'agency',
  'illinois',
  'chicago',
  'area',
  'type',
  'weather',
  'warning',
  'friday',
  'night',
  'hour',
  'national',
  'weather',
  'service',
  'situation',
  'face',
  'outbreak',
  'thunderstorm',
  'potential',
  'hail',
  'wind',
  'gust',
  'tornado',
  'distance',
  'ground',
  'meteorologist',
  'condition',
  'friday',
  'week',
  'twister',
  'people',
  'home',
  'mississippi',
  'people',
  'debris',
  'roof',
  'apollo',
  'theater',
  'belvidere',
  'illinois',
  'photograph',
  'jessica',
  'bahena',
  'hernandez',
  'reuterslate',
  'friday',
  'town',
  'belvidere',
  'mile',
  'km',
  'north',
  'west',
  'chicago',
  'person',
  'life',
  'injury',
  'roof',
  'apollo',
  'theatre',
  'tornado',
  'belvidere',
  'fire',
  'department',
  'chief',
  'shawn',
  'schadle',
  'people',
  'venue',
  'time',
  'responder',
  'elevator',
  'power',
  'line',
  'theatre',
  'town',
  'police',
  'chief',
  'shane',
  'woody',
  'scene',
  'collapse',
  'chaos',
  'chaos”',
  'twister',
  'iowa',
  'grass',
  'fire',
  'oklahoma',
  'wind',
  'mph',
  'oklahoma',
  'city',
  'people',
  'home',
  'trooper',
  'portion',
  'interstate',
  'weather',
  'joe',
  'biden',
  'aftermath',
  'tornado',
  'mississippi',
  'week',
  'president',
  'government',
  'area',
  'little',
  'rock',
  'tornado',
  'neighbourhood',
  'city',
  'shopping',
  'centre',
  'arkansas',
  'river',
  'little',
  'rock',
  'city',
  'damage',
  'home',
  'business',
  'vehicle',
  'baptist',
  'health',
  'medical',
  'center',
  'little',
  'rock',
  'official',
  'katv',
  'afternoon',
  'people',
  'tornado',
  'injury',
  'condition',
  'mayor',
  'frank',
  'scott',
  'jr',
  'assistance',
  'guard',
  'evening',
  'property',
  'damage',
  'panic',
  'wynne',
  'house',
  'tree',
  'street',
  'area',
  'night',
  'tornado',
  'damage',
  'sherwood',
  'arkansas',
  'friday',
  'photograph',
  'colin',
  'murphey',
  'apthe',
  'police',
  'department',
  'tennessee',
  'city',
  'covington',
  'facebook',
  'city',
  'power',
  'line',
  'tree',
  'road',
  'storm',
  'friday',
  'evening',
  'authority',
  'tipton',
  'county',
  'north',
  'memphis',
  'tornado',
  'school',
  'covington',
  'location',
  'county',
  'tornado',
  'iowa',
  'damage',
  'building',
  'image',
  'barn',
  'house',
  'roofing',
  'siding',
  'tornado',
  'iowa',
  'city',
  'home',
  'university',
  'iowa',
  'watch',
  'party',
  'campus',
  'arena',
  'woman',
  'basketball',
  'final',
  'game',
  'video',
  'kcrg',
  'tv',
  'power',
  'pole',
  'roof',
  'apartment',
  'building',
  'suburb',
  'coralville',
  'home',
  'city',
  'hills',
  'observerextreme',
  'weatherarkansastennesseetornadoesnewsreuse',
  'viewedmost',
  'viewedusworldenvironmentsoccerus',
  'politicsbusinesstechsciencenewslettersfight',
  'reporting',
  'analysis',
  'guardian',
  'ushelpcomplaint',
  'correctionssecuredropwork',
  'usprivacy',
  'policycookie',
  'policyterms',
  'conditionscontact',
  'usall',
  'topicsall',
  'newspaper',
  'archivefacebookyoutubeinstagramlinkedintwitternewslettersadvertise',
  'labssearch',
  'guardian',
  'news',
  'media',
  'limited',
  'company',
  'right'],
 ['main',
  'content',
  'sensor',
  'network',
  'maps',
  'radar',
  'severe',
  'weather',
  'news',
  'blogs',
  'mobile',
  'apps',
  'nearest',
  'station',
  'manage',
  'favorite',
  'citieslog',
  'joinsettingsaccount_box',
  'log',
  'person_add',
  'join',
  'setting',
  'settings',
  'sensor',
  'networkmaps',
  'radarsevere',
  'weathernews',
  'blogsmobile',
  'appshistorical',
  'weatherstarnews',
  'blogs',
  'category',
  'news',
  'stories',
  'infographics',
  'posters',
  'news',
  'stories',
  'category',
  'storiesinfographicsposterspublished',
  'weather',
  'company',
  'mission',
  'weather',
  'news',
  'environment',
  'importance',
  'science',
  'life',
  'story',
  'position',
  'parent',
  'company',
  'ibm.recent',
  'storiesweather',
  'articlesour',
  'appsabout',
  'uscontactcareerspws',
  'networkwundermapfeedback',
  'supportterms',
  'useprivacy',
  'policyaccessibility',
  'statementadchoicesdata',
  'vendorswe',
  'responsibility',
  'datum',
  'technology',
  'datum',
  'data',
  'vendor',
  'control',
  'datum',
  'datum',
  'rightspowered',
  'ibm',
  'cloud',
  'copyright',
  'twc',
  'product',
  'technology',
  'llc',
  'javascript',
  'application'],
 ['sports',
  'high',
  'school',
  'sports',
  'college',
  'sports',
  'connecticut',
  'sun',
  'uconn',
  'men',
  'uconn',
  'women',
  'uconn',
  'football',
  'uconn',
  'huskies',
  'thing',
  'horoscopes',
  'ctnow',
  'food',
  'drink',
  'event',
  'calendar',
  'advertising',
  'ascend',
  'paid',
  'content',
  'brandpoint',
  'paid',
  'partner',
  'content',
  'hour',
  'storm',
  'twitter',
  'opens',
  'window)click',
  'facebook',
  'opens',
  'window',
  'courant.com',
  'faq',
  'ct',
  'man',
  'baby',
  'daughter',
  'cause',
  'july',
  'pm',
  'hour',
  'storm',
  'connecticut',
  'friday',
  'twitter',
  'opens',
  'window)click',
  'facebook',
  'opens',
  'window)by',
  'christine',
  'dempsey',
  '',
  '',
  'published',
  'february',
  'a.m.',
  '',
  '',
  'updated',
  'february',
  'schools',
  'driver',
  'inch',
  'snow',
  'drop',
  'connecticut',
  'friday',
  'hour',
  'storm',
  'storm',
  'cry',
  'snowfall',
  'connecticut',
  'week',
  'inch',
  'state',
  'hartford',
  'half',
  'state',
  'winter',
  'weather',
  'advisory',
  'effect',
  'p.m.',
  'friday',
  'national',
  'weather',
  'service',
  'travel',
  'spot',
  'snow',
  'thursday',
  'inch',
  'connecticut',
  'state',
  'hartford',
  'inch',
  'inch',
  'expectation',
  'nws',
  'meteorologist',
  'bryce',
  'williams',
  'friday',
  'morning',
  'storm',
  'snow',
  'band',
  'south',
  'pickup',
  'truck',
  'i-91',
  'rocky',
  'hill',
  'thursday',
  'snow',
  'pickup',
  'direction',
  'corner',
  'picture',
  'snow',
  'taste',
  'storm',
  'day',
  'day',
  'friday',
  'friday',
  'south',
  'inch',
  'williams',
  'north',
  'inch',
  'end',
  'storm',
  'connecticut',
  'inch',
  'snow',
  'state',
  'good',
  'friday',
  'night',
  'snow',
  'p.m.',
  'connecticut',
  'williams',
  'snow',
  'state',
  'thursday',
  'afternoon',
  'west',
  'east',
  'pickup',
  'truck',
  'i-91',
  'rocky',
  'hill',
  'thursday',
  'snow',
  'state',
  'snow',
  'day',
  'snowstorm',
  'snow',
  'period',
  'time',
  'snow',
  'time',
  'sleet',
  'time',
  'report',
  'drizzle',
  'air',
  'williams',
  'precipitation',
  'snow',
  'friday',
  'hartford',
  'area',
  'wind',
  'storm',
  'meteorologist',
  'wind',
  'gust',
  'wind',
  'mph',
  'temperature',
  '20',
  'wind',
  'chill',
  'teen',
  '20',
  'christine',
  'dempsey',
  'cdempsey@courant.com',
  'tag',
  'hartford',
  'tropics',
  'hurricane',
  'center',
  'system',
  'ct',
  'heat',
  'index',
  'hartford',
  'center',
  'depression',
  'weekend',
  'system',
  'africa',
  'ct',
  'lamont',
  'emergency',
  'usda',
  'help',
  'farm',
  'water',
  'm',
  'sale',
  'chicago',
  'tribune',
  'new',
  'york',
  'daily',
  'news',
  'sun',
  'sentinel',
  'fla.',
  'daily',
  'press',
  'va.',
  'daily',
  'meal',
  'baltimore',
  'sun',
  'orlando',
  'sentinel',
  'morning',
  'pa.',
  'virginian',
  'pilot',
  'studio',
  'contact',
  'classifieds',
  'careers',
  'privacy',
  'policy',
  'cookie',
  'policy',
  'terms',
  'service',
  'sitemap',
  'manage',
  'subscription',
  'ez',
  'pay',
  'vacation',
  'stop',
  'delivery',
  'issue',
  'subscriber',
  'term',
  'subscriber',
  'terms',
  'conditions',
  'cookie',
  'policy',
  'cookie',
  'preferences',
  'california',
  'notice',
  'collection',
  'notice',
  'financial',
  'incentive',
  'share',
  'information'],
 ['experience',
  'community',
  'spectrum',
  'news',
  'app',
  'open',
  'spectrum',
  'news',
  'app',
  '×',
  'set',
  'weather',
  'location',
  'forecast',
  'radar',
  'weather',
  'alert',
  'appour',
  'spectrum',
  'news',
  'app',
  'way',
  'story',
  'list',
  'weather',
  'alert',
  'weather',
  'ohio',
  'power',
  'outage',
  'thousand',
  'pm',
  'et',
  'jul.',
  'published',
  'et',
  'jul.',
  'published',
  'edt',
  'jul.',
  'storm',
  'buckeye',
  'state',
  'power',
  'outage',
  'wake',
  'line',
  'storm',
  'ohio',
  'wave',
  'storm',
  'wednesday',
  'night',
  'wind',
  'hail',
  'tornado',
  'storm',
  'prediction',
  'center',
  'spc',
  'ohio',
  'level',
  'risk',
  'weather',
  'wednesday',
  'half',
  'state',
  'risk',
  'level',
  'wind',
  'concern',
  'gust',
  'mph',
  'storm',
  'hail',
  'tornado',
  'wave',
  'state',
  'people',
  'people',
  'toledo',
  'area',
  'p.m.',
  'wave',
  'weather',
  'wednesday',
  'night',
  'storm',
  'midnight',
  'storm',
  'wind',
  'gust',
  'edge',
  'southeast',
  'a.m.',
  'activity',
  'i-70',
  'weather',
  'time',
  'storm',
  'sign',
  'weather',
  'notification',
  'weather',
  'update',
  'article',
  'detail',
  'event',
  'team',
  'meteorologist',
  'science',
  'weather',
  'weather',
  'datum',
  'information',
  'weather',
  'climate',
  'story',
  'weather',
  'blog',
  'section',
  'california',
  'consumer',
  'limit',
  'use',
  'sensitive',
  'personal',
  'information',
  'personal',
  'information',
  'opt',
  'targeted',
  'advertising',
  'â',
  'charter',
  'communications',
  'right'],
 ['contentskip',
  'content',
  'register',
  'article',
  'newsletter',
  'news',
  'inbox',
  'subscriber',
  'sign',
  'article',
  'price',
  'time',
  'owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'lee',
  'enterprises',
  'terms',
  'service',
  '',
  '',
  'privacy',
  'policy',
  'help',
  'center',
  'account',
  'dashboard',
  'profile',
  'item',
  'storm',
  'snow',
  'wisconsin',
  'friday',
  'information',
  'storm',
  'snow',
  'wisconsin',
  'friday',
  'information',
  'storm',
  'wisconsin',
  'friday',
  'afternoon',
  'evening',
  'wind',
  'hail',
  'spot',
  'attention',
  'shift',
  'wisconsin',
  'friday',
  'night',
  'snow',
  'detail',
  'forecast',
  'video',
  'thing',
  'tornado',
  'siren',
  'illinois',
  'nation',
  'tornado',
  'mile',
  'tornado',
  'year',
  'illinois',
  'emergency',
  'management',
  'agency',
  'illinois',
  'tornado',
  'spring',
  'april',
  'june',
  'tornado',
  'month',
  'year',
  'report',
  'state',
  'emergency',
  'agency',
  'state',
  'term',
  'tornado',
  'threat',
  'tornado',
  'warning',
  'emergency',
  'tornado',
  'watch',
  'tornado',
  'area',
  'illinois',
  'emergency',
  'management',
  'agency',
  'national',
  'weather',
  'service',
  'shelter',
  'threat',
  'level',
  'tornado',
  'warning',
  'funnel',
  'cloud',
  'radar',
  'wind',
  'hail',
  'storm',
  'emergency',
  'outdoor',
  'warning',
  'siren',
  'system',
  'tornado',
  'warning',
  'cellphone',
  'weather',
  'alert',
  'iema.finally',
  'tornado',
  'emergency',
  'tornado',
  'life',
  'damage',
  'photo',
  'rich',
  'hein',
  'chicago',
  'sun',
  'times',
  'ap',
  'people',
  'tornado',
  'centers',
  'disease',
  'control',
  'prevention',
  'half',
  'home',
  'tornado',
  'thunderstorm',
  'tornado',
  'expert',
  'shelter',
  'event',
  'chicago',
  'plan',
  'impact',
  'rich',
  'guidice',
  'director',
  'chicago',
  'office',
  'emergency',
  'management',
  'communications',
  'statement',
  'expert',
  'shelter',
  'floor',
  'basement',
  'bathroom',
  'closet',
  'hallway',
  'room',
  'window',
  'wind',
  'cdc',
  'shelter',
  'home',
  'car',
  'bridge',
  'highway',
  'overpass',
  'risk',
  'tornado',
  'area',
  'federal',
  'emergency',
  'management',
  'agency',
  'fema',
  'room',
  'gov',
  'safety',
  'campaign',
  'window',
  'door',
  'air',
  'vent',
  'fireplace',
  'furniture',
  'shoe',
  'helmet',
  'place',
  'injury',
  'debris',
  'emergency',
  'preparedness',
  'kit',
  'emergency',
  'management',
  'weather',
  'agency',
  'household',
  'following',
  'emergency',
  'preparedness',
  'kit',
  'human',
  'disaster',
  'water',
  'food',
  'day',
  'flashlight',
  'battery',
  'battery',
  'hand',
  'crank',
  'radio',
  'weather',
  'alert',
  'phone',
  'phone',
  'charger',
  'aid',
  'kit',
  'prescription',
  'medication',
  'hygiene',
  'product',
  'cash',
  'change',
  'clothing',
  'bag',
  'blanket',
  'document',
  'insurance',
  'policy',
  'identification',
  'item',
  'household',
  'need',
  'infant',
  'pet',
  'family',
  'member',
  'photo',
  'sasha',
  'micek',
  'ap',
  'fema',
  'household',
  'communication',
  'plan',
  'weather',
  'event',
  'national',
  'weather',
  'service',
  'thunderstorm',
  'drill',
  'tornado',
  'chicago',
  'suburb',
  'number',
  'injury',
  'weather',
  'service',
  'chicago',
  'area',
  'office',
  'statement',
  'preparedness',
  'people',
  'action',
  'warning',
  'reminder',
  'importance',
  'mean',
  'warning',
  '”a',
  'household',
  'emergency',
  'plan',
  'template',
  'ready',
  'gov',
  'storm',
  'emergency',
  'outdoor',
  'warning',
  'siren',
  'system',
  'city',
  'county',
  'level',
  'chicago',
  'office',
  'emergency',
  'management',
  'communications',
  'threat',
  'people',
  'place',
  'weather',
  'alert',
  'round',
  'thunderstorm',
  'tornado',
  'weather',
  'event',
  'national',
  'weather',
  'service',
  'threat',
  'chicago',
  'emergency',
  'management',
  'office',
  'people',
  'environment',
  'tree',
  'street',
  'utility',
  'power',
  'line',
  'clothing',
  'shirt',
  'pant',
  'shoe',
  'property',
  'damage',
  'emergency',
  'personnel',
  'injury',
  'weather',
  'service',
  'photo',
  'rich',
  'hein',
  'chicago',
  'sun',
  'times',
  'ap',
  'news',
  'inbox',
  'registration',
  'use',
  'site',
  'agreement',
  'user',
  'agreement',
  'privacy',
  'policy',
  'friday',
  'march',
  'weather',
  'update',
  'wisconsin',
  'southeast',
  'minnesota',
  'county',
  'weather',
  'state',
  'stacker',
  'place',
  'united',
  'states',
  'weather',
  'datum',
  'national',
  'oceanic',
  'atmospheri',
  'copyright',
  'wisconsin',
  'state',
  'journal',
  'fish',
  'hatchery',
  'rd',
  'madison',
  'wi',
  'term',
  'use',
  '',
  '',
  'privacy',
  'policy',
  '',
  '',
  'info',
  '',
  '',
  'cookie',
  'preferences',
  'blox',
  'content',
  'management',
  'system',
  'minute',
  'news',
  'device'],
 ['main',
  'contentskip',
  'wall',
  'street',
  'journalenglish',
  'editionenglish中文',
  'chinese)日本語',
  'japanese)print',
  'headlinesmore',
  'products',
  'wsjbuy',
  'wsjwsj',
  'americamiddle',
  'eastsectionseconomymoreworld',
  'videou.s.sectionseconomylawpoliticsmoreu.s.',
  'videowhat',
  'news',
  'podcastpoliticsmorepolitics',
  'probankruptcycentral',
  'bankingprivate',
  'equityventure',
  'capitalmoreeconomic',
  'forecasting',
  'surveyeconomy',
  'videosectionscapital',
  'reportsthe',
  'future',
  'everythingobituariestech',
  'defenseautos',
  'transportationcommercial',
  'real',
  'estateconsumer',
  'productsenergyentrepreneurshipfinancial',
  'servicesfood',
  'serviceshealth',
  'carehospitalitylawmanufacturingmedia',
  'marketingnatural',
  'resourcesretailc',
  'suitecfo',
  'journalcio',
  'journalcmo',
  'todaylogistics',
  'reportrisk',
  'compliancethe',
  'workplace',
  'reportcolumnsheard',
  'streetwsj',
  'probankruptcycentral',
  'businessventure',
  'capitalmorebusiness',
  'videobusiness',
  'podcastspace',
  'sciencetechsectionscio',
  'journalthe',
  'future',
  'everythingpersonal',
  'techcolumnschristopher',
  'mimsjoanna',
  'sternjulie',
  'jargonnicole',
  'videotech',
  'podcastmarketssectionsbondscommercial',
  'real',
  'estatecommodities',
  'futuresstockspersonal',
  'financewsj',
  'moneystreetwiseintelligent',
  'investorcolumnsheard',
  'streetgreg',
  'ipjason',
  'zweiglaura',
  'saundersjames',
  'mackintoshmarket',
  'datamarket',
  'data',
  'homeu.s.',
  'ratesmutual',
  'funds',
  'journalmarkets',
  'videoyour',
  'money',
  'briefing',
  'podcastsecrets',
  'wealthy',
  'women',
  'podcastsearch',
  'quotes',
  'bakersadanand',
  'dhumeallysia',
  'finleyjames',
  'freemanwilliam',
  'a.',
  'galstondaniel',
  'henningerholman',
  'w.',
  'jenkinsandy',
  'kesslerwilliam',
  'mcgurnwalter',
  'russell',
  'meadpeggy',
  'noonanmary',
  'anastasia',
  "o'gradyjason",
  'rileyjoseph',
  'sternbergkimberley',
  'a.',
  'strasselmoreeditorialscommentaryfuture',
  'viewhouses',
  'worshipcross',
  'countryletters',
  'editorthe',
  'weekend',
  'interviewpotomac',
  'podcastforeign',
  'edition',
  'podcastfree',
  'expression',
  'podcastopinion',
  'videonotable',
  'quotablebooks',
  'artsreviewsfilmtelevisiontheatermasterpiece',
  'seriesmusicdanceoperaexhibitioncultural',
  'commentaryartarchitecturesectionsartsbooksmorewsj',
  'puzzleswhat',
  'watcharts',
  'calendarreal',
  'real',
  'estatemorereal',
  'estate',
  'videolife',
  'worksectionscarscareersfood',
  'drinkhome',
  'designideaspersonal',
  'financerecipestravelwellnesscolumnsyour',
  'healthwork',
  'lifecarry',
  'onbondsturning',
  'pointson',
  'clockmorewsj',
  'puzzlesspace',
  'sciencestylesectionslifestylefashionfilmtelevisionmusicart',
  'monday',
  'morningoff',
  'brandon',
  'trendsportssectionsbaseballbasketballfootballgolfhockeyolympicssoccertenniscolumnsjason',
  'gaysearchhomeworldregionsafricaasiacanadachinaeuropelatin',
  'americamiddle',
  'eastsectionseconomymoreworld',
  'videou.s.sectionseconomylawpoliticsmoreu.s.',
  'videowhat',
  'news',
  'podcastpoliticsmorepolitics',
  'probankruptcycentral',
  'bankingprivate',
  'equityventure',
  'capitalmoreeconomic',
  'forecasting',
  'surveyeconomy',
  'videosectionscapital',
  'reportsthe',
  'future',
  'everythingobituariestech',
  'defenseautos',
  'transportationcommercial',
  'real',
  'estateconsumer',
  'productsenergyentrepreneurshipfinancial',
  'servicesfood',
  'serviceshealth',
  'carehospitalitylawmanufacturingmedia',
  'marketingnatural',
  'resourcesretailc',
  'suitecfo',
  'journalcio',
  'journalcmo',
  'todaylogistics',
  'reportrisk',
  'compliancethe',
  'workplace',
  'reportcolumnsheard',
  'streetwsj',
  'probankruptcycentral',
  'businessventure',
  'capitalmorebusiness',
  'videobusiness',
  'podcastspace',
  'sciencetechsectionscio',
  'journalthe',
  'future',
  'everythingpersonal',
  'techcolumnschristopher',
  'mimsjoanna',
  'sternjulie',
  'jargonnicole',
  'videotech',
  'podcastmarketssectionsbondscommercial',
  'real',
  'estatecommodities',
  'futuresstockspersonal',
  'financewsj',
  'moneystreetwiseintelligent',
  'investorcolumnsheard',
  'streetgreg',
  'ipjason',
  'zweiglaura',
  'saundersjames',
  'mackintoshmarket',
  'datamarket',
  'data',
  'homeu.s.',
  'ratesmutual',
  'funds',
  'journalmarkets',
  'videoyour',
  'money',
  'briefing',
  'podcastsecrets',
  'wealthy',
  'women',
  'podcastsearch',
  'quotes',
  'bakersadanand',
  'dhumeallysia',
  'finleyjames',
  'freemanwilliam',
  'a.',
  'galstondaniel',
  'henningerholman',
  'w.',
  'jenkinsandy',
  'kesslerwilliam',
  'mcgurnwalter',
  'russell',
  'meadpeggy',
  'noonanmary',
  'anastasia',
  "o'gradyjason",
  'rileyjoseph',
  'sternbergkimberley',
  'a.',
  'strasselmoreeditorialscommentaryfuture',
  'viewhouses',
  'worshipcross',
  'countryletters',
  'editorthe',
  'weekend',
  'interviewpotomac',
  'podcastforeign',
  'edition',
  'podcastfree',
  'expression',
  'podcastopinion',
  'videonotable',
  'quotablebooks',
  'artsreviewsfilmtelevisiontheatermasterpiece',
  'seriesmusicdanceoperaexhibitioncultural',
  'commentaryartarchitecturesectionsartsbooksmorewsj',
  'puzzleswhat',
  'watcharts',
  'calendarreal',
  'real',
  'estatemorereal',
  'estate',
  'videolife',
  'worksectionscarscareersfood',
  'drinkhome',
  'designideaspersonal',
  'financerecipestravelwellnesscolumnsyour',
  'healthwork',
  'lifecarry',
  'onbondsturning',
  'pointson',
  'clockmorewsj',
  'puzzlesspace',
  'sciencestylesectionslifestylefashionfilmtelevisionmusicart',
  'monday',
  'morningoff',
  'brandon',
  'trendsportssectionsbaseballbasketballfootballgolfhockeyolympicssoccertenniscolumnsjason',
  'gaysearchsearch',
  'foundwe',
  'page',
  'url',
  'browser',
  'page',
  'site',
  'search',
  'articles',
  'u.s.hunter',
  'biden',
  'tax',
  'charges',
  'u.s.',
  'economyfed',
  'set',
  'rate',
  'year',
  'u.s.',
  'economyfederal',
  'reserve',
  'interest',
  'rate',
  'year',
  'highpopular',
  'videosvideo',
  'center',
  'na',
  'natpkgcongress',
  'ufo',
  'expert',
  'uaps',
  'pose',
  'potential',
  'national',
  'security',
  'threat',
  'na',
  'sothunter',
  'biden',
  'tax',
  'charge',
  'delaware',
  'federal',
  'courtlatest',
  'podcastspodcast',
  'centeropinion',
  'potomac',
  'watchamerica',
  'broken',
  'immigration',
  'law',
  'court',
  'againthe',
  'wall',
  'street',
  'journal',
  'google',
  'news',
  'updatefed',
  'rate',
  'year',
  'highwhat',
  'newsfed',
  'rate',
  'year',
  'highthe',
  'wall',
  'street',
  'journalenglish',
  'editionenglish中文',
  'chinese)日本語',
  'wsj',
  'membershipbuy',
  'exclusivessubscription',
  'optionswhy',
  'subscribe?corporate',
  'subscriptionswsj',
  'higher',
  'education',
  'programwsj',
  'high',
  'school',
  'programpublic',
  'library',
  'programwsj',
  'livecommercial',
  'partnershipscustomer',
  'servicecustomer',
  'centercontact',
  'uscancel',
  'subscriptiontools',
  'featuresnewsletters',
  'alertsguidestopicsmy',
  'newsrss',
  'feedsvideo',
  'real',
  'estate',
  'adsplace',
  'classified',
  'adsell',
  'businesssell',
  'homerecruitment',
  'career',
  'adscouponsdigital',
  'self',
  'servicemoreabout',
  'uscontent',
  'partnershipscorrectionsjobs',
  'archiveregister',
  'freereprints',
  'licensingbuy',
  'issueswsj',
  'shopfacebooktwitterinstagramyoutubepodcastssnapchatgoogle',
  'playapp',
  'storedow',
  'jones',
  "productsbarron'sbigchartsdow",
  'jones',
  'newswiresfactivafinancial',
  'newsmansion',
  'globalmarketwatchrisk',
  'compliancebuy',
  'wsjwsj',
  'prowsj',
  'wineupdated',
  'privacy',
  'noticeupdated',
  'cookie',
  'noticecopyright',
  'policydata',
  'policysubscriber',
  'agreement',
  'terms',
  'useyour',
  'ad',
  'choicesaccessibilitycopyright',
  'dow',
  'jones',
  'company',
  'inc.',
  'rights'],
 ['home',
  'mail',
  'news',
  'finance',
  'sports',
  'entertainment',
  'life',
  'search',
  'shopping',
  'yahoo',
  'plus',
  'yahoo',
  'news',
  'app',
  'yahoo',
  'news',
  'yahoo',
  'news',
  'search',
  'query',
  'sign',
  'mail',
  'sign',
  'mail',
  'news',
  'politics',
  'world',
  'covid-19',
  'climate',
  'change',
  'health',
  'science',
  'originals',
  'skullduggery',
  'podcast',
  'conspiracyland',
  'contact',
  'herald',
  'leadermore',
  'weather',
  'kentucky',
  'community',
  'article',
  'graphic',
  'national',
  'weather',
  'servicechristopher',
  'leachjune',
  'min',
  'readmore',
  'storm',
  'kentucky',
  'end',
  'week',
  'day',
  'thunderstorm',
  'tornado',
  'damage',
  'county',
  'storm',
  'region',
  'thursday',
  'friday',
  'national',
  'weather',
  'service',
  'severity',
  'timeline',
  'storm',
  'wednesday',
  'morning',
  'rain',
  'wind',
  'excess',
  'mph',
  'lightning',
  'nws',
  'weather',
  'way',
  'warning',
  'nws',
  'round',
  'thunderstorm',
  'region',
  'thursday',
  'friday',
  'rainfall',
  'wind',
  'excess',
  'mph',
  'lightning',
  'weather',
  'hazard',
  'kywx',
  'inwx',
  'pic.twitter.com/oweyjyxjdz',
  'nws',
  'louisville',
  '@nwslouisville',
  'june',
  'forecast',
  'wednesday',
  'nws',
  'temperature',
  '80',
  '90',
  'day',
  'region',
  'high',
  '80',
  'condition',
  'thursday',
  'friday',
  'threat',
  'thunderstorm',
  'weather',
  'kywx',
  '',
  '',
  'inwx',
  'pic.twitter.com/j0fh3ei2hr',
  'nws',
  'louisville',
  '@nwslouisville',
  'june',
  'chief',
  'meteorologist',
  'chris',
  'bailey',
  'threat',
  'storm',
  'thursday',
  'sunday',
  'wind',
  'rain',
  'hail',
  'storm',
  'bailey',
  'nws',
  'surveyor',
  'tornado',
  'damage',
  'hardin',
  'russell',
  'county',
  'line',
  'wind',
  'damage',
  'bullitt',
  'madison',
  'grayson',
  'edmonson',
  'warren',
  'county',
  'survey',
  'wednesday',
  'thursday',
  'customer',
  'wednesday',
  'morning',
  'storm',
  'website',
  'power',
  'outage',
  'country',
  'outage',
  'grayson',
  'edmonson',
  'hart',
  'russell',
  'county',
  'storiesin',
  'know',
  'yahoohow',
  'ac',
  'heatwave',
  'genius',
  'this’as',
  'record',
  'heatwave',
  'southwest',
  'midwest',
  'northeast',
  'people',
  'tiktok',
  'hack',
  'cool.15h',
  'agothe',
  'florida',
  'times',
  'unionnational',
  'hurricane',
  'center',
  'system',
  'atlantic',
  'basin',
  'east',
  'floridasome',
  'model',
  'disturbance',
  'east',
  'coast',
  'florida',
  'week',
  'florida',
  'public',
  'radio',
  'emergency',
  'network.2d',
  'agonbc',
  'newslike',
  'tub',
  'water',
  'temperature',
  'florida',
  'degreeson',
  'monday',
  'country',
  'heat',
  'boiling',
  'milestone',
  'buoy',
  'florida',
  'jaw',
  'degree',
  'fahrenheit',
  'water',
  'temperature.1d',
  'agowftv2',
  'disturbance',
  'atlantic',
  'oceanthe',
  'national',
  'hurricane',
  'center',
  'monday',
  'disturbance',
  'atlantic',
  'ocean.2d',
  'agopalm',
  'beach',
  'daily',
  'newshere',
  'list',
  'county',
  'hurricane',
  'florida',
  'statesof',
  'county',
  'loss',
  'hurricane',
  'florida.13h',
  'agoreuterssaguaro',
  'arizona',
  'heat',
  'scientist',
  'saysarizona',
  'symbol',
  'u.s.',
  'west',
  'arm',
  'case',
  'state',
  'record',
  'streak',
  'heat',
  'scientist',
  'tuesday',
  'summer',
  'monsoon',
  'cacti',
  'desert',
  'giant',
  'ability',
  'wild',
  'city',
  'temperature',
  'degree',
  'fahrenheit',
  'celsius',
  'day',
  'phoenix',
  'tania',
  'hernandez',
  'plant',
  'heat',
  'point',
  'heat',
  'water',
  'hernandez',
  'research',
  'scientist',
  'phoenix',
  'acre',
  'hectare',
  'desert',
  'botanical',
  'garden',
  'cactus',
  'specie',
  'sahuaro',
  'foot',
  'agodetroit',
  'free',
  'pressweather',
  'service',
  'threat',
  'michigan',
  'powerfrom',
  'grand',
  'rapids',
  'saginaw',
  'thunderstorm',
  'michigan',
  'rain',
  'wind',
  'power',
  'outages.18h',
  'agothe',
  'telegraphpowerful',
  'mph',
  'wind',
  'philippineswinds',
  'excess',
  'mile',
  'hour',
  'philippines',
  'person',
  'typhoon',
  'doksuri',
  'landfall.19h',
  'agothe',
  'bergen',
  'recordtemperatures',
  'century',
  'mark',
  'north',
  'jersey',
  'brace',
  'heat',
  'wavea',
  'forecast',
  'national',
  'weather',
  'service',
  'office',
  'new',
  'york',
  'city',
  'state',
  'friday',
  'day',
  'week.21h',
  'agomiami',
  'heraldstormy',
  'weather',
  'south',
  'florida',
  'keys',
  'relief',
  'last?heat',
  'advisory',
  'effect',
  'wednesday',
  'rain',
  'bit',
  'weekend.14h',
  'agobuzzfeed13',
  'hot',
  'weather',
  'hack',
  'easy"if',
  'button',
  'second',
  'car',
  'window',
  'agola',
  'timesgiant',
  'crack',
  'santa',
  'monica',
  'pch',
  'emergency',
  'repairsa',
  'portion',
  'bluff',
  'pacific',
  'coast',
  'highway',
  'santa',
  'monica',
  'danger',
  'roadway',
  'below.2d',
  'agostylecasterhere',
  'type',
  'weather',
  'zodiac',
  'sign',
  'moods',
  'emotionsit',
  'calm',
  'storm.1d',
  'wave',
  'coast',
  'africa',
  '%',
  'chance',
  'developinga',
  'piece',
  'energy',
  'bahamas',
  'rain',
  'florida.18h',
  'agoidaho',
  'statesmanweak',
  'bobcat',
  'kitten',
  'tree',
  'search',
  'sibling“each',
  'day',
  'kitten',
  'wild',
  'mother',
  'chance',
  'survival',
  'decrease',
  '”6h',
  'agokansas',
  'city',
  'starflying',
  'squirrel',
  'missouri',
  'birdhouse',
  'face',
  'instant',
  'image',
  'state',
  'wildlife',
  'official',
  'said.11h',
  'agowhiochance',
  'thunderstorm',
  'evening',
  'heat',
  'advisory',
  'region',
  'noon',
  'thursdaymild',
  'tonight',
  'friday',
  'temperature',
  'storm',
  'center',
  'says.5h',
  'agostate',
  'college',
  'centre',
  'daily',
  'timespennsylvania',
  'explosion',
  'motion',
  'plant',
  'lookalikes.2d',
  'agocbs',
  'chicagochicago',
  'alert',
  'weather',
  'storm',
  'wednesdaycbs',
  'chief',
  'meteorologist',
  'albert',
  'ramon',
  'weather',
  'way',
  'chicago',
  'area.1d',
  'agonbc',
  'sports',
  'chicagocould',
  'rain',
  'storm',
  'crosstown',
  'classic',
  'forecastthe',
  'potential',
  'afternoon',
  'rain',
  'storm',
  'game',
  'crosstown',
  'classic',
  'stories',
  'trendingone',
  'family',
  'bottle',
  'arizona',
  'california',
  'fraud',
  'prosecutor',
  'business',
  'insider·2',
  'min',
  'read‘overwhelmed',
  'teen',
  'walks',
  'police',
  'stationthe',
  'daily',
  'beast·5',
  'min',
  'readmitch',
  'mcconnell',
  'press',
  'conference',
  'news·2',
  'min',
  'family',
  'member',
  "grid'bbc·2",
  'min',
  'readamericans',
  'visa',
  'europe',
  'yahoo',
  'news·3',
  'min',
  'popularappleton',
  'oshkosh',
  'thunderstorm',
  'lightning',
  'rain',
  'wednesday',
  'morningthe',
  'post',
  '-',
  'crescentsoutheastern',
  'sd',
  'thunderstorm',
  'watch',
  'argus',
  'leaderstrong',
  'thunderstorm',
  'chicago',
  'wednesdaychicago',
  'tribunesevere',
  'storm',
  'heat',
  'index',
  'news',
  'leaderupdate',
  'national',
  'weather',
  'service',
  'issue',
  'times',
  'herald',
  'yahoo!uspoliticsworldcovid-19climate',
  'usterms',
  'privacy',
  'policyprivacy',
  'dashboardhelpshare',
  'usabout',
  'adssite',
  'app',
  'yahoo',
  'right'],
 ['nature.com',
  'browser',
  'version',
  'support',
  'css',
  'experience',
  'date',
  'browser',
  'compatibility',
  'mode',
  'internet',
  'explorer',
  'meantime',
  'support',
  'site',
  'style',
  'javascript',
  'storm',
  'surge',
  'mangrove',
  'dieback',
  'florida',
  'hurricane',
  'irma',
  'storm',
  'surge',
  'mangrove',
  'dieback',
  'florida',
  'hurricane',
  'irma',
  'david',
  'lagomasino',
  'orcid',
  'orcid.org/0000-0003-4008-53631',
  'temilola',
  'fatoyinbo',
  'orcid',
  'orcid.org/0000-0002-1130-67482',
  'edward',
  'castañeda',
  'moya',
  'orcid',
  'orcid.org/0000-0001-7759-43513',
  'bruce',
  'd.',
  'cook2',
  'paul',
  'm.',
  'montesano2,4',
  'christopher',
  's.',
  'r.',
  'neigh',
  'orcid',
  'orcid.org/0000-0002-5322-63402',
  'lawrence',
  'a.',
  'corp2,4',
  'lesley',
  'e.',
  'ott2',
  'selena',
  'chavez',
  'orcid',
  'orcid.org/0000-0001-9700-45905',
  'douglas',
  'c.',
  'morton2',
  'author',
  'nature',
  'communications',
  'volume',
  'article',
  'number',
  'cite',
  'article',
  'abstractmangroves',
  'ecosystem',
  'hurricane',
  'wind',
  'storm',
  'surge',
  'ability',
  'cyclone',
  'condition',
  'plant',
  'resilience',
  'trait',
  'geomorphology',
  'lidar',
  'satellite',
  'imagery',
  'hurricane',
  'irma',
  '%',
  'mangrove',
  'florida',
  'canopy',
  'damage',
  'impact',
  'forest',
  'mangrove',
  'site',
  '%',
  'leave',
  'year',
  'storm',
  'contrast',
  'site',
  'mangrove',
  'dieback',
  'record',
  'ha',
  'irma',
  'evidence',
  'combination',
  'elevation',
  '=',
  'cm',
  'asl',
  'storm',
  'surge',
  'water',
  'level',
  'ground',
  'surface',
  'isolation',
  'forest',
  'vulnerability',
  'tree',
  'height',
  'wind',
  'exposure',
  'result',
  'storm',
  'surge',
  'dieback',
  'wind',
  'restoration',
  'management',
  'area',
  'mangrove',
  'mortality',
  'resilience',
  'cyclone',
  'introductionworldwide',
  'mangrove',
  'forest',
  'area',
  'coastal',
  'storms1,2',
  'mangrove',
  'property',
  'damage',
  'km2',
  'flooding',
  'year',
  'flood',
  'protection',
  'benefit',
  'cyclones2',
  'coastline',
  'mangrove',
  'forest',
  'economy',
  'period',
  'inactivity',
  'hurricane',
  'month',
  'area',
  'mangrove',
  'cover1,3',
  'change',
  'frequency',
  'intensity',
  'cyclones4,5',
  'feedback',
  'forest',
  'loss',
  'mangrove',
  'damage',
  'cyclone',
  'buffering',
  'capacity',
  'mangrove',
  'future',
  'storms6.damage',
  'forest',
  'cyclone',
  'defoliation',
  'tree',
  'mortality6,7',
  'recovery',
  'storm',
  'damage',
  'function',
  'storm',
  'strength',
  'condition',
  'case',
  'storm',
  'deposit',
  'phosphorus',
  'sediment',
  'mangrove',
  'growth8',
  'area',
  'damage',
  'mortality',
  'mangrove',
  'recovery',
  'month',
  'year',
  'storm9,10',
  'location',
  'mechanism',
  'collapse',
  'mangrove',
  'forest',
  'vulnerability',
  'ecosystem',
  'plan',
  'event',
  'storms11.south',
  'florida',
  'home',
  'tract',
  'mangrove',
  'forest',
  'united',
  'states',
  '%',
  'ha',
  'country',
  'mangrove',
  'everglades',
  'national',
  'park',
  'alone12',
  'development',
  'mangrove',
  'landward',
  'migration',
  'hydrology',
  'vulnerability',
  'sea',
  'level',
  'rise',
  'salt',
  'water',
  'intrusion',
  'stressor',
  'wind',
  'storm',
  'surge',
  'flooding',
  'hurricane',
  'event',
  'mangrove',
  'brink',
  'collapse7,10',
  'variability',
  'risk',
  'mangrove',
  'dieback',
  'characteristic',
  'hurricane15',
  'forest',
  'structure',
  'specie',
  'composition',
  'geomorphology',
  'elevation8,10',
  'september',
  'hurricane',
  'irma',
  'landfall',
  'florida',
  'wind',
  'excess',
  'mps',
  'mph',
  'storm',
  'surge',
  'm',
  'fig',
  'mangrove',
  'southwest',
  'coast',
  'strength',
  'storm',
  'wind',
  'leave',
  'branch',
  'mangrove',
  'tree',
  'storm',
  'surge',
  'topography',
  'sedimentation',
  'erosion',
  'inundation',
  'area',
  'scale',
  'damage',
  'mangrove',
  'reorganization',
  'geomorphology',
  'term',
  'stability',
  'ecosystem',
  'drainage',
  'pattern',
  'forest',
  'succession17,18',
  'study',
  'satellite',
  'imagery',
  'extent',
  'damage',
  'recovery',
  'mangrove',
  'hurricanes15,19',
  'study',
  '3d',
  'change',
  'mangrove',
  'structure20',
  'diversity',
  'hurricane',
  'impact',
  'mangrove',
  'forest',
  'limit',
  'resilience',
  'scale',
  'fig',
  'mangrove',
  'florida',
  'canopy',
  'height',
  'loss',
  'wind',
  'storm',
  'surge',
  'barrier',
  'dieback',
  'area',
  'mangrove',
  'forest',
  'height',
  'track',
  'hurricane',
  'irma',
  'red',
  'nasa',
  'g',
  'liht',
  'lidar',
  'coverage',
  'black',
  'storm',
  'surge',
  'coastal',
  'emergency',
  'risk',
  'assessment',
  'maximum',
  'wind',
  'speed',
  'hurricane',
  'irma',
  'goddard',
  'earth',
  'observing',
  'system',
  'version',
  'model',
  'canopy',
  'height',
  'loss',
  'lidar',
  'resolution',
  'satellite',
  'stereo',
  'imagery',
  'loss',
  'vegetation',
  'cover',
  'fvc',
  'hurricane',
  'irma',
  'landsat',
  'imagery',
  'f',
  'photo',
  'january',
  'harney',
  'river',
  'estuary',
  'g',
  'photo',
  'december',
  'flamingo',
  'photo',
  'location',
  'triangle',
  'size',
  'datum',
  'mangrove',
  'damage',
  'recovery',
  'year',
  'hurricane',
  'irma',
  'fig',
  '.',
  'lidar',
  'datum',
  'april',
  'december',
  'storm',
  'nasa',
  'goddard',
  'lidar',
  'hyperspectral',
  'thermal',
  'g',
  'liht',
  'imager21',
  'change',
  'vegetation',
  'structure',
  'm',
  'resolution',
  'wetland',
  'florida',
  'fig',
  '.',
  'supplementary',
  'fig',
  'g',
  'liht',
  'datum',
  'resolution',
  'satellite',
  'stereo',
  'imagery',
  'landsat',
  'time',
  'series',
  'information',
  'recovery',
  'ecosystem',
  'gradient',
  'exposure',
  'hurricane',
  'wind',
  'storm',
  'surge',
  'community',
  'composition',
  'ground',
  'elevation',
  'supplementary',
  'figs',
  'material',
  'method',
  'material',
  'damage',
  'recovery',
  'trajectory',
  'species',
  'composition',
  'map',
  'elevation',
  'model',
  'hurricane',
  'wind',
  'mangrove',
  'forest',
  'canopy',
  'height',
  'vegetation',
  'cover',
  'storm',
  'surge',
  'elevation',
  'landscape',
  'position',
  'trajectory',
  'forest',
  'recovery',
  'damage',
  'factor',
  'driver',
  'term',
  'dieback',
  'datum',
  'pattern',
  'mangrove',
  'damage',
  'recovery',
  'hurricane',
  'recommendation',
  'vulnerability',
  'hurricane',
  'region',
  'resultshurricane',
  'irma',
  'mangrove',
  'event',
  'region',
  'month',
  'irma',
  'ha',
  'mangrove',
  'evidence',
  'dieback',
  'fig',
  '.',
  'supplementary',
  'fig',
  '.',
  'resilience',
  'area',
  'drop',
  'ndvi',
  'recovery',
  'time',
  'year',
  'material',
  'method',
  'material',
  'area',
  'dieback',
  'patch',
  'elevation',
  'fig',
  'majority',
  'dieback',
  'resilience',
  'area',
  'ground',
  'elevation',
  'cm',
  'asl',
  'fig',
  '.',
  '2b',
  'supplementary',
  'fig',
  '.',
  'supplementary',
  'table',
  'mangrove',
  'region',
  'tip',
  'florida',
  'location',
  'ocean',
  'buttonwood',
  'ridge',
  'barrier',
  'berm',
  'asl',
  'height',
  'exchange',
  'water',
  'mangrove',
  'exchange',
  'florida',
  'bay22',
  'fig',
  '.',
  'barrier',
  'road',
  'levee',
  'region',
  'inflow',
  'freshwater',
  'source',
  'addition',
  'analysis',
  'patch',
  'mangrove',
  'gopher',
  'key',
  'thousand',
  'islands',
  'area',
  'berm',
  'fig',
  '.',
  'mangrove',
  'forest',
  'dieback',
  'area',
  'a.',
  'germinans',
  'salt',
  'specie',
  'neotropic',
  'hotspot',
  'dieback',
  'thousand',
  'islands',
  'gopher',
  'key',
  'cape',
  'sable/',
  'flamingo',
  'distribution',
  'resilience',
  'class',
  'florida',
  'distribution',
  'ground',
  'elevation',
  'resilience',
  'type',
  'line',
  'elevation',
  'value',
  'class',
  'c',
  'frequency',
  'storm',
  'surge',
  'ground',
  'resilience',
  'class',
  'area',
  'resilience',
  'class',
  'mangrove',
  'specie',
  'result',
  'kolmogorov',
  'smirnov',
  'goodness',
  'supplementary',
  'fig',
  '.',
  'supplementary',
  'table',
  'size',
  'storm',
  'surge',
  'level',
  '~3',
  'coast',
  'coast',
  'fig',
  '%',
  'dieback',
  'area',
  'storm',
  'surge',
  'm',
  'ground',
  'surface',
  'fig',
  'supplementary',
  'fig',
  '.',
  'dieback',
  'forest',
  'stand',
  'avicennia',
  'germinan',
  'impact',
  'area',
  '%',
  'ha',
  'dieback',
  'area',
  'fig',
  '2d',
  'irma',
  'pressure',
  'distribution',
  'forest',
  'a.',
  'germinan',
  '%',
  'mangrove',
  'forest',
  '%',
  'forest',
  'community',
  'mortality',
  'recovery',
  'soil',
  'elevation',
  'storm',
  'surge',
  'damage',
  'forest',
  'hurricane',
  'irma',
  'change',
  'satellite',
  'lidar',
  'canopy',
  'height',
  'model',
  'wind',
  'exposure',
  'pre',
  '-',
  'storm',
  'canopy',
  'height',
  'fig',
  '.',
  'supplementary',
  'fig',
  '.',
  'wind',
  'canopy',
  'height',
  'm',
  's.d.',
  '±',
  'fig',
  '.',
  'supplementary',
  'table',
  'forest',
  'height',
  'm',
  'height',
  'average',
  'hurricane',
  'wind',
  'speed',
  'tree',
  'loss',
  'reduction',
  'canopy',
  'height',
  'loss',
  'canopy',
  'branch',
  'tree',
  'fig',
  '.',
  'resolution',
  'imagery',
  'satellite',
  'platform',
  'canopy',
  'height',
  'loss',
  'material',
  'method',
  'material',
  '%',
  '±10.6',
  '%',
  'reduction',
  'mangrove',
  'canopy',
  'volume',
  'measure',
  'biomass23',
  'loss',
  'canopy',
  'height',
  'volume',
  'estuary',
  'shark',
  'harney',
  'rivers',
  'everglades',
  'area',
  'forest',
  'canopy',
  'region',
  'irma',
  'input',
  'fig',
  '.',
  'area',
  'resilience',
  'canopy',
  'm',
  'hurricane',
  'canopy',
  'height',
  'loss',
  'region',
  'recovery',
  'fig',
  '.',
  'supplementary',
  'fig',
  '4).fig',
  '.',
  'change',
  'canopy',
  'height',
  'meter',
  'hurricane',
  'irma',
  'mangrove',
  'forest',
  'wind',
  'speed',
  'class',
  'hour',
  'wind',
  'speed',
  'exposure',
  'hurricane',
  'irma',
  'material',
  'method',
  'material',
  'color',
  'mangrove',
  'area',
  'height',
  'wind',
  'class',
  'superscript',
  'class',
  'p',
  'way',
  'anova',
  'tukey',
  'test',
  'information',
  'error',
  'area',
  'estimate',
  'supplementary',
  'table',
  'size',
  'imagehurricane',
  'irma',
  'mangrove',
  'canopy',
  'defoliation',
  'loss',
  'vegetation',
  'cover',
  'fvc',
  'storm',
  'irma',
  'extent',
  'canopy',
  'mangrove',
  'forest',
  '%',
  'area',
  'fvc',
  'loss',
  'reduction',
  'canopy',
  'height',
  'irma',
  'landfall',
  'fig',
  '.',
  'supplementary',
  'fig',
  '.',
  'loss',
  'canopy',
  'cover',
  'storm',
  'area',
  'canopy',
  'height',
  'loss',
  'area',
  'tree',
  'area',
  '%',
  'decline',
  'fvc',
  'ha',
  'mangrove',
  'dieback',
  '%',
  'contrast',
  '%',
  'mangrove',
  'canopy',
  'loss',
  'resilience',
  'area',
  'supplementary',
  'fig',
  '.',
  'pattern',
  'mangrove',
  'forest',
  'damage',
  'recovery',
  'florida',
  'hurricane',
  'irma',
  'storm',
  'surge',
  'position',
  'frame',
  'drainage',
  'mangrove',
  'dieback',
  'fig',
  '.',
  'mangrove',
  'recovery',
  'elevation',
  'basin',
  'portion',
  'mangrove',
  'forest',
  'patch',
  'floodwater',
  'prism',
  'stressor',
  'sulfide',
  'phytotoxin',
  'wetland',
  'flooding',
  'conditions24',
  'barrier',
  'road',
  'levee',
  'flow',
  'water',
  'flooding',
  'condition',
  'die',
  'shoreline',
  'embankment',
  'sediment',
  'storm',
  'drainage',
  'susceptibility',
  'impoundment',
  'hurricane',
  'storm',
  'surge',
  'gopher',
  'key',
  'cape',
  'sable',
  'region',
  '%',
  'dieback',
  'path',
  'storm',
  'isolation',
  'area',
  'mangrove',
  'irma',
  'time',
  'series',
  'satellite',
  'datum',
  'study',
  'mortality',
  'hurricane',
  'wind',
  'flood',
  'damage',
  'supplementary',
  'fig',
  '3).fig',
  '.',
  'forest',
  'canopy',
  'structure',
  'position',
  'drainage',
  'difference',
  'mangrove',
  'vulnerability',
  'resilience',
  'hurricane',
  'damages.a',
  'areas',
  'salt',
  'water',
  'storm',
  'surge',
  'resilience',
  'risk',
  'dieback',
  'hypersalinization',
  'pore',
  'water',
  'sulfide',
  'mangrove',
  ...],
 ['local',
  'news',
  'brooklyn',
  'bronx',
  'manhattan',
  'queens',
  'staten',
  'island',
  'long',
  'island',
  'northern',
  'suburbs',
  'new',
  'jersey',
  'gilgo',
  'beach',
  'killings',
  'world',
  'news',
  'crime',
  'missing',
  'lottery',
  'thing',
  'destination',
  'ny',
  'marijuana',
  'legalization',
  'ny',
  'nj',
  'traffic',
  'automotive',
  'news',
  'monica',
  'pix',
  'politics',
  'politics',
  'hill',
  'newsletters',
  'press',
  'releases',
  'lawmaker',
  'pot',
  'pet',
  'heat',
  'wave',
  'crane',
  'company',
  'owner',
  'manslaughter',
  'livery',
  'cab',
  'nyc',
  'pix11',
  'news',
  'tv',
  'replay',
  'interactive',
  'radar',
  'daily',
  'hourly',
  'forecast',
  'maps',
  'radar',
  'weather',
  'science',
  'weather',
  'alerts',
  'heat',
  'mr.',
  'g',
  'byron',
  'miranda',
  'stacy',
  'ann',
  'gooden',
  'chris',
  'cimino',
  'dan',
  'mannarino',
  'hazel',
  'sanchez',
  'vanessa',
  'freeman',
  'craig',
  'treadway',
  'kirstin',
  'cole',
  'ben',
  'aaron',
  'byron',
  'miranda',
  'alex',
  'lee',
  'justin',
  'walters',
  'long',
  'island',
  'organization',
  'difference',
  'year',
  'upper',
  'west',
  'shooting',
  'nypd',
  'jeremy',
  'jordan',
  'shop',
  'horrors',
  'nyc',
  'tout',
  'rat',
  'complaint',
  'storm',
  'tree',
  'brooklyn',
  'marysol',
  'castro',
  'alex',
  'lee',
  'ben',
  'aaron',
  'star',
  'harvey',
  'pix11',
  'partner',
  'new',
  'leash',
  'life',
  'flower',
  'friday',
  'people',
  'kindness',
  'comedian',
  'birthday',
  'national',
  'wine',
  'cheese',
  'day',
  'pairing',
  'tequila',
  'cocktail',
  'taste',
  'occasion',
  'barbie',
  'party',
  'ny',
  'sportsnation',
  'mlb',
  'nba',
  'nhl',
  'nfl',
  'liv',
  'golf',
  'pga',
  'championship',
  'pix11',
  'sports',
  'nation',
  'marc',
  'malusis',
  'justin',
  'walters',
  'joe',
  'mauceri',
  'perry',
  'sook',
  'moose',
  'loose',
  'hope',
  'giants',
  'training',
  'rodgers',
  'pay',
  'cut',
  'year',
  'deal',
  'giants',
  'tackle',
  'andrew',
  'thomas',
  'lebron',
  'james',
  'son',
  'arrest',
  'moose',
  'loose',
  'sauce',
  'gardner',
  'ny',
  'mets',
  'livestream',
  'mets',
  'livestream',
  'pix11',
  'mets',
  'livestream',
  'faq',
  'mets',
  'owner',
  'trade',
  'deadline',
  'selloff',
  'contact',
  'pix11',
  'pix11',
  'news',
  'team',
  'pix11',
  'tv',
  'listing',
  'pix11',
  'pix11',
  'news',
  'app',
  'press',
  'releases',
  'advertise',
  'pix11',
  'careers',
  'post',
  'job',
  'job',
  'sharing',
  'medium',
  'pix11',
  'woman',
  'hispanic',
  'heritage',
  'month',
  'broadway',
  'g',
  'thing',
  'changemakers',
  'small',
  'business',
  'spotlight',
  'calendar',
  'pix11',
  'contests',
  'aaa',
  'automotive',
  'impact',
  'new',
  'leash',
  'life',
  'marysol',
  'castro',
  'bestreviews',
  'bestreviews',
  'daily',
  'deals',
  'regional',
  'news',
  'partners',
  'walgreens',
  'myw',
  'days',
  'member',
  'event',
  'new',
  'leash',
  'life',
  'swallow',
  'tail',
  'yellow',
  'jacket',
  'new',
  'leash',
  'life',
  'otter',
  'sand',
  'dollar',
  'japan',
  'cuts',
  'festival',
  'new',
  'japanese',
  'cinema',
  'amazon',
  'prime',
  'day',
  'business',
  'storm',
  'flooding',
  'new',
  'jersey',
  'matthew',
  'euzarraga',
  'video',
  'credit',
  'magee',
  'hickey',
  'apr',
  'pm',
  'edt',
  'apr',
  'pm',
  'edt',
  'matthew',
  'euzarraga',
  'video',
  'credit',
  'magee',
  'hickey',
  'apr',
  'pm',
  'edt',
  'apr',
  'pm',
  'edt',
  'new',
  'york',
  'pix11',
  'national',
  'weather',
  'service',
  'flooding',
  'advisory',
  'saturday',
  'storm',
  'area',
  'rain',
  'wind',
  'p.m.',
  'flood',
  'watch',
  'new',
  'jersey',
  'county',
  'atlantic',
  'atlantic',
  'coastal',
  'cape',
  'camden',
  'cape',
  'coastal',
  'atlantic',
  'coastal',
  'ocean',
  'cumberland',
  'eastern',
  'monmouth',
  'gloucester',
  'northwestern',
  'burlington',
  'ocean',
  'salem',
  'southeastern',
  'burlington',
  'western',
  'monmouth',
  'new',
  'jersey',
  'rainwater',
  'flooding',
  'flood',
  'watch',
  'p.m.',
  'queens',
  'long',
  'island',
  'flooding',
  'flood',
  'alert',
  'sunday',
  'night',
  'southern',
  'queens',
  'far',
  'rockaway',
  'nassau',
  'southwest',
  'suffolk',
  'county',
  'alert',
  'typo',
  'error(required',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'amazon',
  'school',
  'deal',
  'schooler',
  'school',
  'corner',
  'amazon',
  'supply',
  'school',
  'deal',
  'supply',
  'schooler',
  'august',
  'vegetable',
  'flower',
  'flower',
  'plant',
  'hour',
  'soil',
  'air',
  'temperature',
  'sunshine',
  'august',
  'month',
  'planting',
  'chemical',
  'guys',
  'kit',
  'car',
  'car',
  'care',
  'hour',
  'chemical',
  'guys',
  'car',
  'wash',
  'kit',
  'time',
  'deal',
  'bomb',
  'threat',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'russia',
  'un',
  'meeting',
  'transgender',
  'intersex',
  'people',
  'cambodia',
  'hun',
  'sen',
  'asia',
  'leader',
  'bomb',
  'threat',
  'rob',
  'manfred',
  'term',
  'baseball',
  'commissioner',
  'russia',
  'un',
  'meeting',
  'transgender',
  'intersex',
  'people',
  'cambodia',
  'hun',
  'sen',
  'asia',
  'leader',
  'millipede',
  'specie',
  'leg',
  'lawmaker',
  'pot',
  'pet',
  'heat',
  'wave',
  'lawmaker',
  'pot',
  'pet',
  'heat',
  'wave',
  'crane',
  'company',
  'owner',
  'manslaughter',
  'livery',
  'cab',
  'owner',
  'crane',
  'manhattan',
  'ny',
  'nj',
  'forecast',
  'heat',
  'thunderstorm',
  'firefighter',
  'newark',
  'fire',
  'department',
  'moose',
  'loose',
  'hope',
  'giants',
  'training',
  'gilgo',
  'body',
  'year',
  'owner',
  'crane',
  'new',
  'york',
  'city',
  'giants',
  'tackle',
  'andrew',
  'thomas',
  'year',
  'upper',
  'west',
  'shooting',
  'nypd',
  'new',
  'millipede',
  'specie',
  'leg',
  'lawmaker',
  'pot',
  'pet',
  'heat',
  'wave',
  'crane',
  'company',
  'owner',
  'manslaughter',
  'samsung',
  'smartphone',
  'bet',
  'livery',
  'cab',
  'nyc',
  'firefighter',
  'newark',
  'fire',
  'department',
  'pix11',
  'online',
  'catch',
  'mets',
  'queens',
  'lottery',
  'player',
  'powerball',
  'drawing',
  'gilgo',
  'victim',
  'hunter',
  'mta',
  'boss',
  'fla.',
  'shift',
  'exhibit',
  'jay',
  'z',
  'brooklyn',
  'public',
  'nyc',
  'library',
  'book',
  'crane',
  'company',
  'owner',
  'manslaughter',
  'pet',
  'heat',
  'wave',
  'lawmaker',
  'pot',
  'gift',
  'summer',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'home',
  'depot',
  'foot',
  'skeleton',
  'halloween',
  'deal',
  'day',
  'prime',
  'day',
  'favorite',
  'heat',
  'nyc',
  'heat',
  'nyc',
  'resource',
  'tenant',
  'rent',
  'nyc',
  'tenant',
  'suicide',
  'prevention',
  'health',
  'resource',
  'pix11',
  'news',
  'tv',
  'replay',
  'mets',
  'game',
  'rain',
  'news',
  'nyc',
  'news',
  'covid-19',
  'pix11',
  'morning',
  'news',
  'nyc',
  'weather',
  'nyc',
  'sports',
  'contact',
  'report',
  'android',
  'app',
  'google',
  'play',
  'personal',
  'information',
  'personal',
  'information',
  'nexstar',
  'media',
  'inc.',
  'rights'],
 ['owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'account',
  'dashboard',
  'profile',
  'item',
  'log',
  'account',
  'log',
  'account',
  'sign',
  'today',
  'account',
  'dashboard',
  'profile',
  'item',
  'heat',
  'advisory',
  'thu',
  'pm',
  'cdt',
  'thu',
  'pm',
  'cdt',
  'heat',
  'advisory',
  'effect',
  'noon',
  'pm',
  'cdt',
  'thursday',
  'heat',
  'index',
  'value',
  'sauk',
  'iowa',
  'dane',
  'lafayette',
  'green',
  'counties',
  'noon',
  'pm',
  'cdt',
  'thursday',
  'impact',
  'temperature',
  'humidity',
  'heat',
  'illness',
  'plenty',
  'fluid',
  'air',
  'room',
  'sun',
  'relative',
  'neighbor',
  'child',
  'pet',
  'vehicle',
  'circumstance',
  'precaution',
  'time',
  'activity',
  'morning',
  'evening',
  'sign',
  'symptom',
  'heat',
  'exhaustion',
  'heat',
  'stroke',
  'clothing',
  'risk',
  'work',
  'occupational',
  'safety',
  'health',
  'administration',
  'rest',
  'break',
  'air',
  'environment',
  'heat',
  'location',
  'heat',
  'stroke',
  'emergency',
  'jul',
  'jul',
  'stormtrack',
  'app',
  'weather',
  'alertsmadison',
  'wkow',
  'storm',
  'se',
  'madison',
  'beloit',
  'midnight',
  'temps',
  '60',
  'dewpoint',
  'tomorrow',
  'morning',
  'day',
  'high',
  '70',
  'sky',
  'jury',
  'green',
  'bay',
  'woman',
  'boyfriend',
  'heat',
  'art',
  'cheese',
  'festival',
  'madison',
  'evansville',
  'path',
  'ice',
  'age',
  'national',
  'scenic',
  'trail',
  'police',
  'madison',
  'man',
  'business',
  'fire',
  'suspect',
  'lanes',
  'beltline',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'copyright',
  'allen',
  'media',
  'broadcasting',
  'tokay',
  'boulevard',
  'madison',
  'wi',
  'term',
  'use',
  'blox',
  'content',
  'management',
  'system',
  'blox',
  'digital'],
 ['dining',
  'insider',
  'restaurant',
  'reviews',
  'beer',
  'wine',
  'spirits',
  'restaurant',
  'health',
  'wellness',
  'home',
  'garden',
  'beauty',
  'shopping',
  'people',
  'community',
  'education',
  'beach',
  'guide',
  'delaware',
  'wedding',
  'excellence',
  'nursing',
  'best',
  'delaware',
  'party',
  'women',
  'business',
  'subscribe',
  'magazine',
  'delaware',
  'today',
  'email',
  'newsletter',
  'directories',
  'shop',
  'dining',
  'insider',
  'restaurant',
  'reviews',
  'beer',
  'wine',
  'spirits',
  'restaurant',
  'wellness',
  'home',
  'garden',
  'beauty',
  'shopping',
  'people',
  'community',
  'education',
  'beach',
  'guide',
  '302health',
  'delaware',
  'wedding',
  'excellence',
  'nursing',
  'best',
  'delaware',
  'party',
  'women',
  'business',
  'luncheons',
  'aftermath',
  'hurricane',
  'ida',
  'flooding',
  'wilmington',
  'delaware',
  'level',
  'rain',
  'wind',
  'remnant',
  'hurricane',
  'ida',
  'damage',
  'flooding',
  'hurricane',
  'ida',
  'state',
  'louisiana',
  'sunday',
  'august',
  'journey',
  'wednesday',
  'afternoon',
  'thursday',
  'morning',
  'delaware',
  'pennsylvania',
  'new',
  'jersey',
  'delaware',
  'state',
  'new',
  'castle',
  'county',
  'morning',
  'september',
  'brandywine',
  'brandywine',
  'creek',
  'flooding',
  'area',
  'power',
  'outage',
  'road',
  'impact',
  'louisiana',
  'state',
  'east',
  'coast',
  'hurricane',
  'ida',
  'storm',
  'united',
  'states',
  'associated',
  'press',
  'parallel',
  'ida',
  'louisiana',
  'day',
  'hurricane',
  'katrina',
  'year',
  'power',
  'new',
  'orleans',
  'destruction',
  'louisiana',
  'east',
  'coast',
  'photo',
  'evidence',
  'hurricane',
  'ida',
  'delaware',
  'resident',
  '@delawaretodaymagazine',
  'instagram',
  'photo',
  'post',
  'west',
  'post',
  'mike',
  'purzycki',
  '@mikepurzycki',
  'contribution',
  'video',
  'brandywine',
  'creek',
  'wilmington',
  'hospital',
  'park',
  'water',
  'raceway',
  'pic.twitter.com/zuuqncvwbd',
  'maddy',
  '@madds_phillips',
  'september',
  'post',
  'brittnie',
  'post',
  'linda',
  'kaye',
  '@brandywinegal',
  'post',
  'detv',
  'post',
  'linda',
  'kaye',
  '@brandywinegal',
  'delaware',
  'restaurants',
  'tech',
  'new',
  'level',
  'article',
  'le',
  'dîner',
  'blanc',
  'hosts',
  'dinner',
  'wilmington',
  'article',
  'meet',
  'delaware',
  'teachers',
  'impact',
  'education',
  'subscriber',
  'services',
  'advertise',
  'work',
  'privacy',
  'policy',
  'contact',
  'publication'],
 ['georgia',
  'story',
  'email',
  'error',
  'alabama',
  'alaska',
  'arizona',
  'arkansas',
  'northern',
  'california',
  'southern',
  'california',
  'colorado',
  'connecticut',
  'delaware',
  'florida',
  'georgia',
  'hawaii',
  'idaho',
  'illinois',
  'indiana',
  'iowa',
  'kansas',
  'kentucky',
  'louisiana',
  'maine',
  'maryland',
  'massachusetts',
  'michigan',
  'minnesota',
  'mississippi',
  'missouri',
  'montana',
  'nebraska',
  'nevada',
  'new',
  'hampshire',
  'new',
  'jersey',
  'new',
  'mexico',
  'new',
  'york',
  'north',
  'carolina',
  'north',
  'dakota',
  'ohio',
  'oklahoma',
  'oregon',
  'pennsylvania',
  'rhode',
  'island',
  'south',
  'carolina',
  'south',
  'dakota',
  'tennessee',
  'texas',
  'utah',
  'vermont',
  'virginia',
  'washington',
  'west',
  'virginia',
  'wisconsin',
  'wyoming',
  'albuquerque',
  'arlington',
  'atlanta',
  'austin',
  'baltimore',
  'boise',
  'boston',
  'buffalo',
  'charlotte',
  'chicago',
  'cincinnati',
  'cleveland',
  'columbus',
  'd.c.',
  'dallas',
  'fort',
  'worth',
  'denver',
  'des',
  'moines',
  'detroit',
  'galveston',
  'gulf',
  'shores',
  'honolulu',
  'houston',
  'indianapolis',
  'jacksonville',
  'kansas',
  'city',
  'louisville',
  'los',
  'angeles',
  'memphis',
  'miami',
  'milwaukee',
  'minneapolis',
  'nashville',
  'new',
  'orleans',
  'orlando',
  'philadelphia',
  'phoenix',
  'pittsburgh',
  'portland',
  'salt',
  'lake',
  'city',
  'san',
  'antonio',
  'san',
  'diego',
  'san',
  'francisco',
  'seattle',
  'st.',
  'louis',
  'tampa',
  'newsletter',
  'error',
  'georgia',
  'nature',
  'june',
  'marisa',
  'roman',
  'terrifying',
  'storm',
  'georgia',
  'truth',
  'georgia',
  'hurricane',
  'term',
  'monster',
  'storm',
  'past',
  'reason',
  'georgia',
  'brunt',
  'storm',
  'explanation',
  'georgia',
  'coastline',
  'hit',
  'state',
  'mile',
  'coast',
  'neighboring',
  'state',
  'florida',
  'south',
  'carolina',
  'share',
  'hurricane',
  'storm',
  'state',
  'century',
  'georgia',
  'hurricane',
  'point',
  'hurricane',
  'hurricane',
  'record',
  'state',
  'storm',
  'category',
  'storm',
  'landfall',
  'death',
  'rainfall',
  'area',
  'rainfall',
  'storm',
  'surge',
  'flooding',
  'foot',
  'brunswick',
  'cumberland',
  'island',
  'wind',
  'mph',
  'hurricane',
  'landfall',
  'time',
  'history',
  'communication',
  'jacksonville',
  'city',
  'new',
  'york',
  'majority',
  'boat',
  'marsh',
  'savannah',
  'river',
  'foot',
  'savannah',
  'weather',
  'bureau',
  'office',
  'bushel',
  'rice',
  'damage',
  'storm',
  'usd',
  'inflation',
  'doozy',
  'family',
  'member',
  'storm',
  'onlyinyourstate',
  'compensation',
  'affiliate',
  'link',
  'article',
  'georgia',
  'story',
  'email',
  'error',
  'share',
  'share',
  'facebook',
  'pin',
  'pinterest',
  'new',
  'jersey',
  'native',
  'year',
  'writing',
  'experience',
  'marisa',
  'new',
  'york',
  'university',
  'florida',
  'international',
  'university',
  'country',
  'decade',
  'stint',
  'south',
  'florida',
  'marisa',
  'exploration',
  'majority',
  'year',
  'self',
  'sprinter',
  'van',
  'article',
  'publication',
  'year',
  'collection',
  'story',
  'screenplay',
  'belt',
  'gem',
  'destination',
  'inbox',
  'error',
  'picture',
  'perfect',
  'weekend',
  'farm',
  'walton',
  'county',
  'ga',
  'lisa',
  'sammons',
  'ancient',
  'mounds',
  'centuries',
  'history',
  'georgia',
  'lisa',
  'sammons',
  'granite',
  'capital',
  'georgia',
  'charming',
  'town',
  'lisa',
  'sammons',
  'nestled',
  'georgia',
  'wine',
  'country',
  'small',
  'town',
  'mountain',
  'city',
  'charming',
  'place',
  'lisa',
  'sammons',
  'day',
  'unthinkable',
  'georgia',
  'marisa',
  'roman',
  'horrific',
  'hurricanes',
  'georgia',
  'amanda',
  'northern',
  'contact',
  'travel',
  'insights',
  'terms',
  'use',
  'accessibility',
  'copyright',
  'policy',
  'privacy',
  'notice',
  'cookie',
  'notice',
  'california',
  'notice',
  'collection',
  'manage',
  'preferences'],
 ['skip',
  'navigationwatchlivemarketspre',
  'marketsu.s.',
  'marketscurrenciescryptocurrencyfutures',
  'commoditiesbondsfunds',
  'etfsbusinesseconomyfinancehealth',
  'sciencemediareal',
  'estateenergyclimatetransportationindustrialsretailwealthlifesmall',
  'financefintechfinancial',
  'advisorsoptions',
  'actionetf',
  'streetbuffett',
  'archiveearningstrader',
  'talktechcybersecurityenterpriseinternetmediamobilesocial',
  'mediacnbc',
  'disruptor',
  'tvlive',
  'tvlive',
  'audiobusiness',
  'day',
  'showsentertainment',
  'episodeslatest',
  'videotop',
  'interviewscnbc',
  'worlddigital',
  'originalslive',
  'tv',
  'clubtrust',
  'portfolioanalysistrade',
  'videoshomestretchjim',
  'newspro',
  'livemarket',
  'forecastsubscribesign',
  'inmenumake',
  'itselectall',
  'selectcredit',
  'cards',
  'loans',
  'banking',
  'mortgages',
  'insurance',
  'credit',
  'monitoring',
  'personal',
  'finance',
  'small',
  'business',
  'taxes',
  'help',
  'low',
  'credit',
  'scores',
  'investing',
  'selectall',
  'credit',
  'cardsfind',
  'credit',
  'card',
  'youbest',
  'credit',
  'cardsbest',
  'rewards',
  'credit',
  'cardsbest',
  'travel',
  'credit',
  'cardsbest',
  '%',
  'apr',
  'credit',
  'cardsbest',
  'balance',
  'transfer',
  'credit',
  'cash',
  'credit',
  'cardsbest',
  'credit',
  'card',
  'welcome',
  'bonusesbest',
  'credit',
  'cards',
  'loansfind',
  'best',
  'personal',
  'loan',
  'youbest',
  'personal',
  'loansbest',
  'debt',
  'consolidation',
  'loansbest',
  'loans',
  'refinance',
  'credit',
  'card',
  'debtbest',
  'loans',
  'fast',
  'fundingbest',
  'small',
  'personal',
  'loansbest',
  'large',
  'personal',
  'loansbest',
  'personal',
  'loans',
  'onlinebest',
  'student',
  'loan',
  'bankingfind',
  'savings',
  'account',
  'youbest',
  'high',
  'yield',
  'savings',
  'accountsbest',
  'big',
  'bank',
  'savings',
  'accountsbest',
  'big',
  'bank',
  'checking',
  'accountsbest',
  'fee',
  'checking',
  'accountsno',
  'overdraft',
  'fee',
  'checking',
  'accountsbest',
  'checking',
  'account',
  'bonusesbest',
  'money',
  'market',
  'accountsbest',
  'credit',
  'unionsselectall',
  'mortgagesbest',
  'mortgagesbest',
  'mortgages',
  'small',
  'paymentbest',
  'mortgage',
  'paymentbest',
  'mortgage',
  'origination',
  'feebest',
  'mortgages',
  'credit',
  'scoreadjustable',
  'rate',
  'mortgagesaffording',
  'insurancebest',
  'life',
  'insurancebest',
  'homeowners',
  'insurancebest',
  'renters',
  'insurancebest',
  'car',
  'insurancetravel',
  'insuranceselectall',
  'credit',
  'monitoringbest',
  'credit',
  'monitoring',
  'servicesbest',
  'identity',
  'theft',
  'protectionhow',
  'credit',
  'scorecredit',
  'repair',
  'servicesselectall',
  'personal',
  'financebest',
  'budgeting',
  'appsbest',
  'expense',
  'tracker',
  'appsbest',
  'money',
  'transfer',
  'appsbest',
  'resale',
  'apps',
  'sitesbuy',
  'bnpl',
  'appsbest',
  'debt',
  'reliefselectall',
  'small',
  'businessbest',
  'small',
  'business',
  'savings',
  'accountsbest',
  'small',
  'business',
  'checking',
  'accountsbest',
  'credit',
  'cards',
  'small',
  'businessbest',
  'small',
  'business',
  'loansbest',
  'tax',
  'software',
  'taxesbest',
  'tax',
  'softwarebest',
  'tax',
  'software',
  'businessestax',
  'help',
  'low',
  'credit',
  'scoresbest',
  'credit',
  'cards',
  'bad',
  'creditbest',
  'personal',
  'loans',
  'bad',
  'creditbest',
  'debt',
  'consolidation',
  'loans',
  'bad',
  'creditpersonal',
  'loans',
  'creditbest',
  'credit',
  'cards',
  'building',
  'creditpersonal',
  'loans',
  'credit',
  'score',
  'lowerpersonal',
  'loans',
  'credit',
  'score',
  'lowerbest',
  'mortgages',
  'bad',
  'creditbest',
  'hardship',
  'loanshow',
  'credit',
  'scoreselectall',
  'investingbest',
  'ira',
  'accountsbest',
  'roth',
  'ira',
  'accountsbest',
  'investing',
  'appsbest',
  'free',
  'stock',
  'trading',
  'platformsbest',
  'robo',
  'advisorsindex',
  'fundsmutual',
  'fundsetfsbondsusaintlwatchlivesearch',
  'quote',
  'news',
  'videoswatchlistsign',
  'increate',
  'tvwatchlistinvesting',
  'clubpromenuenvironmenthurricane',
  'laura',
  'damage',
  'louisiana',
  'fri',
  'aug',
  'fri',
  'aug',
  'edtemma',
  'newburger@emma_newburgerwatch',
  'pointshurricane',
  'laura',
  'path',
  'property',
  'damage',
  'chemical',
  'fire',
  'people',
  'louisiana',
  'forecaster',
  'laura',
  'state',
  'saturday',
  'laura',
  'area',
  'petrochemical',
  'plant',
  'site',
  'concern',
  'security',
  'oil',
  'gas',
  'plant',
  'path',
  'hurricane',
  'climate',
  'change',
  'nowvideo1:3701:37hurricane',
  'laura',
  'depression',
  'path',
  'videoshurricane',
  'laura',
  'damage',
  'louisiana',
  'depression',
  'tennessee',
  'mississippi',
  'alabama',
  'forecaster',
  'weather',
  'weekend',
  'hurricane',
  'property',
  'damage',
  'chemical',
  'fire',
  'people',
  'louisiana',
  'thursday',
  'night',
  'arkansas',
  'extent',
  'storm',
  'destruction',
  'louisiana',
  'texas',
  'official',
  'damage',
  'packing',
  'mph',
  'wind',
  'laura',
  'hurricane',
  'louisiana',
  'katrina',
  'category',
  'storm',
  'state',
  'investing',
  'outlook',
  'rating',
  'whyzev',
  'fimaa',
  'day',
  'agothe',
  'day',
  'laura',
  'louisiana',
  'authority',
  'warning',
  'half',
  'people',
  'state',
  'laura',
  'land',
  'force',
  'forecast',
  'storm',
  'surge',
  'foot',
  'half',
  'louisiana',
  'forecaster',
  'storm',
  'damage',
  'forecast',
  'night',
  'louisiana',
  'gov.',
  'john',
  'bel',
  'edwards',
  'thursday',
  'afternoon',
  'damage',
  'thousand',
  'thousand',
  'citizen',
  'life',
  'tornado',
  'warning',
  'mississippi',
  'arkansas',
  'forecaster',
  'laura',
  'state',
  'saturday.watch',
  'nowvideo1:2601:26recovery',
  'effort',
  'louisiana',
  'texas',
  'hurricane',
  'laurasquawk',
  'boxareas',
  'louisiana',
  'texas',
  'loss',
  'laura',
  'surge',
  'wind',
  'property',
  'damage',
  'storm',
  'center',
  'area',
  'state',
  'property',
  'datum',
  'analytic',
  'provider',
  'corelogic',
  'place',
  'hurricane',
  'landfall',
  'outcome',
  'population',
  'center',
  'houston',
  'new',
  'orleans',
  'curtis',
  'mcdonald',
  'corelogic',
  'meteorologist',
  'product',
  'manager',
  'president',
  'donald',
  'trump',
  'gulf',
  'coast',
  'weekend',
  'destruction',
  'damage',
  'hurricane',
  'laura',
  'august',
  'grand',
  'lake',
  'louisiana',
  'hurricane',
  'laura',
  'rain',
  'wind',
  'region',
  'state',
  'wind',
  'speed',
  'mph',
  'foot',
  'storm',
  'surge',
  'eric',
  'thayer',
  'getty',
  'imagesthe',
  'damage',
  'hurricanes',
  'climate',
  'change',
  'storm',
  'attention',
  'dozen',
  'petrochemical',
  'plant',
  'site',
  'louisiana',
  'laura',
  'path',
  'fear',
  'potential',
  'damage',
  'health',
  'concern',
  'laura',
  'area',
  'louisiana',
  'texas',
  'lake',
  'charles',
  'area',
  'chemical',
  'plant',
  'port',
  'authur',
  'texas',
  'home',
  'north',
  'america',
  'oil',
  'refinery',
  'fire',
  'chemical',
  'plant',
  'biolab',
  'chemical',
  'household',
  'cleaner',
  'chlorine',
  'pool',
  'chlorine',
  'gas',
  'air',
  'thursday',
  'governor',
  'people',
  'place',
  'air',
  'conditioning',
  'fire',
  'thursday',
  'night',
  'u.s.',
  'people',
  'zone',
  'chemical',
  'storm',
  'community',
  'color',
  'environment',
  'hurricane',
  'season',
  'pace',
  'historyenormous',
  'plastic',
  'ocean',
  'land',
  'actionclimate',
  'change',
  'weather',
  'cancer',
  'survival',
  'rate"a',
  'climate',
  'storm',
  'plant',
  'fire',
  'emission',
  'climate',
  'change',
  'climate',
  'journalist',
  'emily',
  'atkin',
  'tweet',
  'plant',
  'fire',
  'crisis',
  '"when',
  'hurricane',
  'harvey',
  'texas',
  'louisiana',
  'flooding',
  'chemical',
  'plant',
  'oil',
  'refinery',
  'carcinogen',
  'houston',
  'neighborhood',
  'community',
  'houston',
  'level',
  'childhood',
  'leukemia',
  'concentration',
  'chemical',
  'air',
  'laura',
  'storm',
  'u.s.',
  'year',
  'record',
  'u.s.',
  'landfall',
  'end',
  'august',
  'hurricane',
  'season',
  'track',
  'ocean',
  'water',
  'season',
  'end',
  'november',
  'storm',
  'u.s.',
  'storm',
  'hurricane',
  'national',
  'oceanic',
  'atmospheric',
  'administration',
  'car',
  'hurricane',
  'laura',
  'landfall',
  'texas',
  'louisiana',
  'border',
  'lake',
  'charles',
  'louisiana',
  'august',
  'ohare',
  'washington',
  'post',
  'getty',
  'imagessubscribe',
  'cnbc',
  'prolicensing',
  'councilsselect',
  'financecnbc',
  'peacockjoin',
  'cnbc',
  'panelsupply',
  'chain',
  'valuesselect',
  'shoppingclosed',
  'captioningdigital',
  'productsnews',
  'releasesinternshipscorrectionsabout',
  'cnbcad',
  'choicessite',
  'mappodcastscareershelpcontactnews',
  'tipsgot',
  'news',
  'tip',
  'touchadvertise',
  'usplease',
  'contact',
  'uscnbc',
  'newsletterssign',
  'newsletter',
  'cnbc',
  'inboxsign',
  'nowget',
  'inbox',
  'info',
  'product',
  'service',
  'privacy',
  'policy',
  'information',
  'notice',
  'terms',
  'service',
  'cnbc',
  'llc',
  'rights',
  'division',
  'nbcuniversaldata',
  'time',
  'snapshot',
  'data',
  'minute',
  'global',
  'business',
  'financial',
  'news',
  'stock',
  'quotes',
  'market',
  'data',
  'analysis',
  'market',
  'data',
  'terms',
  'use',
  'disclaimersdata'],
 ['sign',
  'offers',
  'press',
  'heraldcentral',
  'mainesun',
  'journaltimes',
  'recordweekly',
  'newspapers',
  'news',
  'times',
  'record',
  'local',
  'state',
  'forecaster',
  'cops',
  'courts',
  'american',
  'journal',
  'politics',
  'lakes',
  'region',
  'weekly',
  'nation',
  'world',
  'mainely',
  'media',
  'weekly',
  'news',
  'schools',
  'society',
  'notebook',
  'business',
  'business',
  'events',
  'people',
  'commercial',
  'estate',
  'sports',
  'high',
  'school',
  'sports',
  'outdoors',
  'maine',
  'mariners',
  'boston',
  'red',
  'sox',
  'portland',
  'sea',
  'dogs',
  'new',
  'england',
  'patriots',
  'a&e',
  'books',
  'daily',
  'crossword',
  'daily',
  'sudoku',
  'puzzles',
  'games',
  'thing',
  'pph',
  'events',
  'guides',
  'event',
  'calendar',
  'event',
  'real',
  'estate',
  'design',
  'maintenance',
  'premier',
  'property',
  'subscribe',
  'year',
  'news',
  'times',
  'record',
  'local',
  'state',
  'forecaster',
  'cops',
  'courts',
  'american',
  'journal',
  'politics',
  'lakes',
  'region',
  'weekly',
  'nation',
  'world',
  'mainely',
  'media',
  'weekly',
  'news',
  'schools',
  'society',
  'notebook',
  'business',
  'business',
  'events',
  'people',
  'commercial',
  'estate',
  'sports',
  'high',
  'school',
  'sports',
  'outdoors',
  'maine',
  'mariners',
  'boston',
  'red',
  'sox',
  'portland',
  'sea',
  'dogs',
  'new',
  'england',
  'patriots',
  'a&e',
  'books',
  'daily',
  'crossword',
  'daily',
  'sudoku',
  'puzzles',
  'games',
  'thing',
  'pph',
  'events',
  'guides',
  'event',
  'calendar',
  'event',
  'real',
  'estate',
  'design',
  'maintenance',
  'premier',
  'property',
  'march',
  'storm',
  'snow',
  'rain',
  'maine',
  'share',
  'article',
  'article',
  'gift',
  'article',
  'month',
  'link',
  'account',
  'article',
  'link',
  'error',
  'gift',
  'article',
  'press',
  'herald',
  'subscription',
  'article',
  'month',
  'subscribe',
  'today',
  'subscription',
  'subscription',
  'page',
  'gift',
  'article',
  'press',
  'herald',
  'subscription',
  'article',
  'month',
  'subscribe',
  'today',
  'subscriber',
  'sign',
  'winter',
  'march',
  'storm',
  'precipitation',
  'state',
  'middle',
  'week',
  'snow',
  'monday',
  'night',
  'coastline',
  'snow',
  'terrain',
  'tuesday',
  'snow',
  'rain',
  'snow',
  'line',
  'precipitation',
  'tuesday',
  'point',
  'coast',
  'inch',
  'snow',
  'changeover',
  'digit',
  'jackpot',
  'potential',
  'coast',
  'oxford',
  'hills',
  'mountain',
  'power',
  'outage',
  'threat',
  'snow',
  'wind',
  'nor’easter',
  'tide',
  'cycle',
  'sea',
  'tuesday',
  'coast',
  'success',
  'page',
  'page',
  'second',
  'page',
  'email',
  'password',
  'comment',
  'password',
  'commenting',
  'profile',
  'story',
  'commenting',
  'profile',
  'profile',
  'addition',
  'subscription',
  'website',
  'login',
  'commenting',
  'profile',
  'login',
  'email',
  'registration',
  'commenting',
  'profile',
  'email',
  'address',
  'password',
  'display',
  'email',
  'registration',
  'display',
  'screen',
  'email',
  'address',
  'discussion',
  'subscriber',
  'comment',
  'access',
  'form',
  'password',
  'account',
  'email',
  'email',
  'reset',
  'code',
  'saturday',
  'storm',
  'travel',
  'problem',
  'maine',
  "nor'easter",
  'arrival',
  'staff',
  'directory',
  'story',
  'tip',
  'letters',
  'editor',
  'faqs',
  'subscribers',
  'subscriber',
  'resource',
  'subscriber',
  'benefits',
  'home',
  'delivery',
  'help',
  'account',
  'bill',
  'access',
  'epaper',
  'newsletters',
  'alerts',
  'mobile',
  'apps',
  'press',
  'herald',
  'event',
  'email',
  'newsletter',
  'podcast',
  'facebook',
  'twitter',
  'instagram',
  'pinterest',
  'advertise',
  'media',
  'kit',
  'contact',
  'advertising',
  'ads',
  'place',
  'obituary',
  'press',
  'herald',
  'event',
  'boss',
  'maine',
  'voices',
  'live',
  'business',
  'series',
  'newsroom',
  'live',
  'source',
  'maine',
  'sustainability',
  'awards',
  'network',
  'work',
  'centralmaine.com',
  'sunjournal.com',
  'timesrecord.com',
  'forecasters',
  'mainely',
  'medium',
  'weeklies',
  'varsity',
  'maine',
  'privacy',
  'policy',
  'cookie',
  'policy',
  'terms',
  'service',
  'commenting',
  'terms',
  'public',
  'notices',
  'photo',
  'store',
  'merch',
  'store',
  'archive',
  'search',
  '',
  '',
  'rights',
  'reserved',
  '',
  '',
  'press',
  'herald'],
 ['service',
  'tornado',
  'indiana',
  'saturdayassociated',
  'press',
  'screenshot',
  'national',
  'weather',
  'service',
  'radar',
  'storm',
  'indiana',
  'p.m.',
  'saturday',
  'weather',
  'service',
  'tornado',
  'church',
  'steeple',
  'indiana',
  'national',
  'guard',
  'camp',
  'atterbury',
  'indiana',
  'saturday',
  'wave',
  'thunderstorm',
  'state',
  'national',
  'weather',
  'service',
  'team',
  'agency',
  'indianapolis',
  'office',
  'storm',
  'survey',
  'sunday',
  'tornado',
  'wind',
  'mph',
  'saturday',
  'brown',
  'county',
  'south',
  'princes',
  'lakes',
  'area',
  'p.m.',
  'tree',
  'ef-0',
  'minute',
  'johnson',
  'county',
  'indiana',
  'national',
  'guard',
  'camp',
  'atterbury',
  'training',
  'area',
  'church',
  'steeple',
  'vehicle',
  'wind',
  'tornado',
  'tree',
  'tornado',
  'ef-1',
  'wind',
  'mph',
  'p.m.',
  'shelby',
  'county',
  'path',
  'tree',
  'mile',
  'length',
  'edinburgh',
  'st.',
  'paul',
  'meteorologist',
  'andrew',
  'white',
  'saturday',
  'storm',
  'injury',
  'weather',
  'service',
  'storm',
  'damage',
  'monroe',
  'county',
  'edge',
  'lake',
  'monroe',
  'tree',
  'damage',
  'tornado',
  'line',
  'wind',
  'tag',
  'weather',
  'servicebrown',
  'countyjohnson',
  'countysupport',
  'journalism',
  'today',
  'wfyi',
  'work',
  'reporting',
  'today',
  'related',
  'newslocal',
  'news',
  'july',
  'response',
  'team',
  'health',
  'crisis',
  'police',
  'indianapolis',
  'clinician',
  'community',
  'response',
  'team',
  'health',
  'crisis',
  'july',
  '1.read',
  'morelocal',
  'news',
  'july',
  'recycling',
  'future',
  'study',
  'committee',
  'city',
  'indianapolis',
  'recycling',
  'program',
  'contract',
  'morelocal',
  'news',
  'july',
  'location',
  'u.s.',
  'version',
  'film',
  'oppenheimer',
  'indianapolis',
  'handful',
  'location',
  'country',
  'world',
  'millimeter',
  'version',
  'film',
  'oppenheimer',
  'week',
  'playingwfyi',
  'fmworld',
  'today',
  'bbc',
  'ws)1:00',
  'playinghd2',
  'radio12:00',
  'amlisten',
  'view',
  'programsindiana',
  'week',
  'review',
  'democrats',
  'republicans',
  'insider',
  'issue',
  'indiana',
  'statehouse',
  'indiana',
  'week',
  'review',
  'wfyi',
  'public',
  'media',
  'host',
  'brandon',
  'smith',
  'expert',
  'debate',
  'indiana',
  'view',
  'program',
  'wfyihomenewsprogramskidseducational',
  'resourceswfyi',
  'mobile',
  'appfollow',
  'passportcorporate',
  'sponsorshipwfyi',
  'newslocal',
  'newspublic',
  'affairseducationarts',
  'culturehealthfollow',
  'memberupdate',
  'payment',
  'methodwills',
  'estate',
  'planningdonate',
  'cargifts',
  'securitiesmatching',
  'centercontact',
  'wfyinewsroom',
  'staffwfyi',
  'press',
  'releasesdonor',
  'privacy',
  'policyfcc',
  'public',
  'inspection',
  'filespublic',
  'reporting',
  'right',
  'reserved.wfyi',
  'indianapolis',
  '',
  '',
  'north',
  'meridian',
  'st',
  'indianapolis',
  'indianapolis',
  'public',
  'media',
  'inconline',
  'privacy',
  'policy',
  'support',
  'wfyi'],
 ['crime',
  'emergencies',
  'west',
  'virginia',
  'national',
  'politics',
  'politics',
  'hill',
  'health',
  'russia',
  'ukraine',
  'conflict',
  'education',
  'technology',
  'automotive',
  'news',
  'restaurant',
  'road',
  'trip',
  'road',
  'patrol',
  'monongalia',
  'preston',
  'entertainment',
  'stories',
  'week',
  'washington',
  'dc',
  'news',
  'wv',
  'outdoors',
  'press',
  'missing',
  'person',
  'west',
  'virginia',
  '25th',
  'read',
  'k',
  'k',
  'wv',
  'team',
  'little',
  'league',
  'tournament',
  'heat',
  'stroke',
  'temp',
  'jackson',
  'cemetery',
  'restoration',
  'read',
  'k',
  'k',
  'heat',
  'stroke',
  'temp',
  'jackson',
  'cemetery',
  'restoration',
  'stonewall',
  'jackson',
  'civil',
  'war',
  'tour',
  'restaurant',
  'road',
  'trip',
  'baker',
  'cheese',
  'company',
  'forecast',
  'details',
  'snowbird',
  'school',
  'closings',
  'radar',
  'predictor',
  'map',
  'center',
  'traffic',
  'stormtracker',
  'winter',
  'weather',
  'special',
  'stormtracker',
  'severe',
  'weather',
  'special',
  'stormtracker',
  'weathereyes',
  'weather',
  'alerts',
  'gold',
  'blue',
  'nation',
  'catch',
  'week',
  'coverage',
  'week',
  'high',
  'school',
  'football',
  'highlights',
  'college',
  'signings',
  'high',
  'school',
  'football',
  'previews',
  'high',
  'school',
  'sports',
  'high',
  'school',
  'scores',
  'athlete',
  'week',
  'west',
  'virginia',
  'college',
  'sports',
  'youth',
  'sports',
  'pet',
  'pride',
  'founder',
  'day',
  'woman',
  'veterans',
  'voices',
  'happy',
  'tales',
  'bestreviews',
  'volunteer',
  'miley',
  'legal',
  'group',
  'clear',
  'shelters',
  'half',
  'hump',
  'day',
  'obituaries',
  'pledge',
  'allegiance',
  'press',
  'releases',
  'school',
  'date',
  'north',
  'central',
  'wv',
  'vote',
  'firework',
  'unique',
  'west',
  'virginia',
  'festival',
  'july',
  'lists',
  'rankings',
  'paranormal',
  'w.va',
  'brews',
  'news',
  'hayhurst',
  'gotcha',
  'day',
  'patriotic',
  'pets',
  'photo',
  'contest',
  'contest',
  'winners',
  'job',
  'post',
  'job',
  'work',
  'newsletter',
  'sign',
  'ups',
  'contact',
  'apps',
  'fcc',
  'public',
  'file',
  'team',
  'regional',
  'news',
  'partners',
  'wboy',
  'alumni',
  'bestreviews',
  'abc',
  'nbc',
  'children',
  'programming',
  'video',
  'center',
  'tv',
  'schedule',
  'wboy',
  'dish',
  'directv',
  'ain’t',
  'snow',
  'west',
  'virginia',
  'mountain',
  'inch',
  'snow',
  'pm',
  'edt',
  'pm',
  'edt',
  'pm',
  'edt',
  'pm',
  'edt',
  'clarksburg',
  'w.va',
  'wboy',
  'snow',
  'winter',
  'storm',
  'warning',
  'portion',
  'west',
  'virginia',
  'mountain',
  'monday',
  'night',
  'tuesday',
  'morning',
  'wednesday',
  'potential',
  'snow',
  'foot',
  'location',
  'winter',
  'weather',
  'advisory',
  'tucker',
  'grant',
  'county',
  'west',
  'virginia',
  'garrett',
  'county',
  'maryland',
  'potential',
  'inch',
  'snow',
  'stormtracker',
  'interactive',
  'radar',
  'upper',
  'level',
  'low',
  'great',
  'lakes',
  'weather.-',
  'wboy',
  'image',
  'level',
  'low',
  'great',
  'lakes',
  'weather',
  'weekend',
  'weather',
  'week',
  'rain',
  'shower',
  'lowland',
  'snow',
  'elevation',
  'elevation',
  'snowflake',
  'accumulation',
  'elevation',
  'snow',
  'wind',
  'mph',
  'mountain',
  'slope',
  'snowfall',
  'rate',
  'ridge',
  'snow',
  'inch',
  'tuesday',
  'morning',
  'foot',
  'snow',
  'wednesday',
  'afternoon',
  'snowshoe',
  'record',
  'day',
  'snowfall',
  'season',
  'inch',
  'winter',
  'day',
  'sun',
  'melting',
  'factor',
  'snow',
  'depth',
  'roadway',
  'snow',
  'west',
  'virginia',
  'history',
  'snowfall',
  'pm',
  'tuesday',
  'wboy',
  'image',
  'ridge',
  'wv',
  'foot',
  'snow',
  'wboy',
  'image',
  'heading',
  'thursday',
  'business',
  'spring',
  'omega',
  'block',
  'pattern',
  'jet',
  'stream',
  'midwest',
  'coast',
  'weather',
  'west',
  'virginia',
  'temperature',
  'mid-70',
  'stormtracker',
  'weather',
  'team',
  'weather',
  'update',
  'facebook',
  'twitter',
  'stormtracker',
  'app',
  'android',
  'apple',
  'device',
  'weather',
  'email',
  'newsletter',
  'news',
  'date',
  'weather',
  'alert',
  'thank',
  'inbox',
  'copyright',
  'nexstar',
  'media',
  'inc.',
  'right',
  'material',
  'hope',
  'gas',
  'clarksburg',
  'mission',
  'veteran',
  'heat',
  'safety',
  'tip',
  'heat',
  'west',
  'el',
  'rey',
  'anniversary',
  'expansion',
  'read',
  '10k',
  'fairmont',
  'hcwvcpa',
  'restoration',
  'jackson',
  'cemetery',
  'lawsuit',
  'west',
  'virginia',
  'state',
  'police',
  'dehaas',
  'north',
  'elementary',
  'principal',
  'amazon',
  'school',
  'deal',
  'schooler',
  'school',
  'corner',
  'amazon',
  'supply',
  'school',
  'deal',
  'supply',
  'schooler',
  'august',
  'vegetable',
  'flower',
  'flower',
  'plant',
  'hour',
  'soil',
  'air',
  'temperature',
  'sunshine',
  'august',
  'month',
  'planting',
  'chemical',
  'guys',
  'kit',
  'car',
  'car',
  'care',
  'hour',
  'chemical',
  'guys',
  'car',
  'wash',
  'kit',
  'time',
  'deal',
  'read',
  'k',
  'k',
  'wv',
  'team',
  'little',
  'league',
  'tournament',
  'heat',
  'stroke',
  'temp',
  'jackson',
  'cemetery',
  'restoration',
  'stonewall',
  'jackson',
  'civil',
  'war',
  'tour',
  'leader',
  'kim',
  'jong',
  'un',
  'russian',
  'senate',
  'gop',
  'leader',
  'mcconnell',
  'news',
  'conference',
  'samsung',
  'smartphone',
  'bet',
  'read',
  'k',
  'k',
  'soldier',
  'niger',
  'journalist',
  'year',
  'prison',
  'wv',
  'team',
  'little',
  'league',
  'tournament',
  'read',
  '10k',
  'fairmont',
  'heat',
  'safety',
  'tip',
  'heat',
  'west',
  'hcwvcpa',
  'restoration',
  'jackson',
  'cemetery',
  'restaurant',
  'road',
  'trip',
  'baker',
  'cheese',
  'company',
  'morgantown',
  'watch',
  'sen.',
  'joe',
  'manchin',
  'detail',
  'step',
  'section',
  'i-79',
  'marion',
  'county',
  'uap',
  'hearing',
  'witness',
  'sighting',
  'cody',
  'frye',
  'abuse',
  'monongalia',
  'hearing',
  'hope',
  'peoples',
  'gas',
  'merger',
  'restaurant',
  'road',
  'trip',
  'baker',
  'cheese',
  'company',
  'manchin',
  'integrity',
  'sport',
  'hunter',
  'biden',
  'plea',
  'deal',
  'hold',
  'judge',
  'mcconnell',
  'briefing',
  'colleague',
  'vehicle',
  'network',
  'update',
  'i-79',
  'vehicle',
  'accident',
  'wv',
  'angler',
  'fishing',
  'record',
  'year',
  'row',
  'whistleblower',
  'congress',
  'gift',
  'summer',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'schooler',
  'amazon',
  'school',
  'deal',
  'home',
  'depot',
  'foot',
  'skeleton',
  'halloween',
  'deal',
  'day',
  'prime',
  'day',
  'favorite',
  'wv',
  'angler',
  'fishing',
  'record',
  'year',
  'row',
  'delaware',
  'teen',
  'marijuana',
  'harrison',
  'best',
  'virginia',
  'herd',
  'game',
  'time',
  'tv',
  'info',
  'dui',
  'checkpoint',
  'ncwv',
  'county',
  'wv',
  'little',
  'league',
  'team',
  'south',
  'carolina',
  'wv',
  'specie',
  'protection',
  'wv',
  'team',
  'little',
  'league',
  'tournament',
  'minister',
  'barbie',
  'movie',
  'influence',
  'man',
  'year',
  'girl',
  'wv',
  'requirement',
  'governor',
  'contact',
  'ads',
  'eeo',
  'fcc',
  'public',
  'file',
  'nexstar',
  'cc',
  'certification',
  'android',
  'app',
  'google',
  'play',
  'android',
  'weather',
  'app',
  'google',
  'play',
  'personal',
  'information',
  'personal',
  'information',
  'nexstar',
  'media',
  'inc.',
  'rights'],
 ['menuweatherclimatestorm',
  'trackerwildfire',
  'trackervideoaudiosearch',
  'cnnclimatestorm',
  'trackerwildfire',
  'trackervideosearchaudioeditionusinternationalarabicespañoleditionusinternationalarabicespañoluscrime',
  'justiceenergy',
  'environmentextreme',
  'weatherspace',
  'kingdompoliticsthe',
  'biden',
  'presidencyfacts',
  'first2022',
  'midtermsbusinesstechmediasuccessperspectivesvideosmarketspre',
  'marketsafter',
  'hoursmarket',
  'moversfear',
  'greedworld',
  'op',
  'edssocial',
  'commentaryhealthlife',
  'futuremission',
  'aheadupstartswork',
  'transformedinnovative',
  'citiesstyleartsdesignfashionarchitectureluxurybeautyvideotraveldestinationsfood',
  'drinkstaynewsvideossportspro',
  'tv',
  'digital',
  'studioscnn',
  'scheduletv',
  'zcnnvraudiocnn',
  'underscoredelectronicsfashionbeautyhealth',
  'fitnesshomereviewsdealsmoneygiftstraveloutdoorspetscnn',
  'storecouponsweatherclimatestorm',
  'trackerwildfire',
  'trackervideomorephotoslongforminvestigationscnn',
  'profilescnn',
  'newsletterswork',
  'cnnfollow',
  'cnn',
  'weather',
  'story',
  'storm',
  'track',
  'f',
  '°',
  'clocal',
  'forecast',
  'current',
  'conditions',
  '°',
  '°',
  'feel',
  'humidity',
  'wind',
  'sunrise',
  'sunset',
  'pressure',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  '°',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  '°',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  '°',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  '°',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  '°',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  '°',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  '°',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  '°',
  'weather',
  'news',
  'forecast',
  'cnn',
  'meteorologist',
  'weather',
  'video',
  'climate',
  'change',
  'hurricane',
  'cnn',
  'storm',
  'tracker',
  'sign',
  'email',
  'update',
  'cnn',
  'meteorologistsapril',
  '11th',
  'river',
  'moisture',
  'storm',
  'tornado',
  'weekmarch',
  'scientist',
  'plane',
  'cloud',
  'hurricane',
  'season',
  'forecast',
  'louisiana',
  'resident',
  'sparedby',
  'jennifer',
  'gray',
  'cnn',
  'hurricane',
  'season',
  'forecast',
  'hurricane',
  'category',
  'hurricane',
  'facility',
  'hurricane',
  'wind',
  'mph',
  'storm',
  'surge',
  'hurricane',
  'louisiana',
  'cancer',
  'alley',
  'hurricane',
  'hunter',
  'plane',
  'pattern',
  'storm',
  'hurricanes',
  'whycheck',
  'video',
  'state',
  'dam',
  'water',
  'lake',
  'powell',
  'today',
  'tornado',
  'truck',
  'shopper',
  'texasfish',
  'sky',
  'weather',
  'weatherin',
  'picture',
  'storm',
  'million',
  'usin',
  'picture',
  'australiain',
  'picture',
  'wildfire',
  'colorado',
  'texasdesert',
  'saudi',
  'arabiaextreme',
  'weather',
  'thunderstorm',
  'tornadohow',
  'lightning4',
  'tornado',
  'safety',
  'tip',
  'blizzard',
  'impact',
  'bethe',
  'difference',
  'tornado',
  'watch',
  'warningflash',
  'flooding',
  'searchaudiouscrime',
  'justiceenergy',
  'environmentextreme',
  'weatherspace',
  'kingdompoliticsthe',
  'biden',
  'presidencyfacts',
  'first2022',
  'midtermsbusinesstechmediasuccessperspectivesvideosmarketspre',
  'marketsafter',
  'hoursmarket',
  'moversfear',
  'greedworld',
  'op',
  'edssocial',
  'commentaryhealthlife',
  'futuremission',
  'aheadupstartswork',
  'transformedinnovative',
  'citiesstyleartsdesignfashionarchitectureluxurybeautyvideotraveldestinationsfood',
  'drinkstaynewsvideossportspro',
  'tv',
  'digital',
  'studioscnn',
  'scheduletv',
  'zcnnvraudiocnn',
  'underscoredelectronicsfashionbeautyhealth',
  'fitnesshomereviewsdealsmoneygiftstraveloutdoorspetscnn',
  'storecouponsweatherclimatestorm',
  'trackerwildfire',
  'trackervideomorephotoslongforminvestigationscnn',
  'profilescnn',
  'newsletterswork',
  'cnnweatheraudiofollow',
  'cnn',
  'term',
  'useprivacy',
  'policyaccessibility',
  'ccad',
  'choicesabout',
  'newsourcesitemap',
  'cable',
  'news',
  'network',
  'warner',
  'bros.',
  'discovery',
  'company',
  'rights',
  'cnn',
  'sans',
  'cable',
  'news',
  'network'],
 ['nowcast',
  'kcci',
  'news',
  'metv',
  'pm',
  'weekday',
  'night',
  'search',
  'homepage',
  'local',
  'news',
  'national',
  'news',
  'politics',
  'fact',
  'ad',
  'matter',
  'fact',
  'local',
  'investigate',
  'weather',
  'radar',
  'alert',
  'closing',
  'skycams',
  'local',
  'radar',
  'wx',
  'pic',
  'sports',
  'high',
  'school',
  'sports',
  'traffic',
  'metv',
  'des',
  'moines',
  'entertainment',
  'iowa',
  'kcci',
  'archive',
  'editorials',
  'news',
  'love',
  'pros',
  'contests',
  'health',
  'project',
  'community',
  'news',
  'team',
  'contact',
  'advertise',
  'kcci',
  'privacy',
  'notice',
  'terms',
  'use',
  'press',
  'type',
  'search',
  'heat',
  'storm',
  'iowa',
  'air',
  'quality',
  'concern',
  'storm',
  'chance',
  'pm',
  'cdt',
  'jun',
  'heat',
  'storm',
  'iowa',
  'air',
  'quality',
  'concern',
  'storm',
  'chance',
  'pm',
  'cdt',
  'jun',
  'alerts',
  'breaking',
  'update',
  'email',
  'inbox',
  'heat',
  'storm',
  'iowa',
  'air',
  'quality',
  'concern',
  'storm',
  'chance',
  'pm',
  'cdt',
  'jun',
  'smoke',
  'today',
  'concern',
  'air',
  'quality',
  'half',
  'state',
  'afternoon',
  'radar',
  'weather',
  'alert',
  'date',
  'information',
  'air',
  'quality',
  'iowa',
  'airnow',
  'website',
  'chance',
  'storm',
  'day',
  'stray',
  'storm',
  'tonight',
  'tomorrow',
  'morning',
  'break',
  'redevelopment',
  'half',
  'day',
  'tomorrow',
  'storm',
  'round',
  'storm',
  'friday',
  'night',
  'saturday',
  'timing',
  'storm',
  'storm',
  'chance',
  'muggy',
  'air',
  'weekend',
  'temperature',
  '80',
  'weekend',
  '90',
  'week',
  'smoke',
  'tomorrow',
  'haze',
  'air',
  'quality',
  'state',
  'watch',
  'climate',
  'wildfire',
  'iowa',
  'weather',
  'forecast',
  'wednesday',
  'night',
  'shower',
  'thunderstorm',
  'winds',
  'e',
  'mph',
  'thursday',
  'chance',
  'shower',
  'storm',
  '90f.',
  'winds',
  'n',
  'mph',
  'thursday',
  'night',
  'shower',
  'storm',
  'thursday',
  'night',
  '69f.',
  'winds',
  'ne',
  'mph',
  'friday',
  'shower',
  'thunderstorm',
  '87f.',
  'winds',
  'ne',
  'mph',
  'des',
  'moines',
  'iowa',
  'smoke',
  'today',
  'concern',
  'air',
  'quality',
  'half',
  'state',
  'afternoon',
  'radar',
  'weather',
  'alert',
  'date',
  'information',
  'air',
  'quality',
  'iowa',
  'airnow',
  'website',
  'chance',
  'storm',
  'day',
  'stray',
  'storm',
  'tonight',
  'tomorrow',
  'morning',
  'break',
  'redevelopment',
  'half',
  'day',
  'tomorrow',
  'storm',
  'round',
  'storm',
  'friday',
  'night',
  'saturday',
  'smoke',
  'iowa',
  'air',
  'risk',
  'arrest',
  'timing',
  'storm',
  'storm',
  'chance',
  'muggy',
  'air',
  'weekend',
  'temperature',
  '80',
  'weekend',
  '90',
  'week',
  'smoke',
  'tomorrow',
  'haze',
  'air',
  'quality',
  'state',
  'smoky',
  'sky',
  'toll',
  'summer',
  'sport',
  'watch',
  'climate',
  'wildfire',
  'iowa',
  'weather',
  'forecast',
  'wednesday',
  'night',
  'shower',
  'thunderstorm',
  'winds',
  'e',
  'mph',
  'thursday',
  'chance',
  'shower',
  'storm',
  '90f.',
  'winds',
  'n',
  'mph',
  'thursday',
  'night',
  'shower',
  'storm',
  'thursday',
  'night',
  '69f.',
  'winds',
  'ne',
  'mph',
  'friday',
  'shower',
  'thunderstorm',
  '87f.',
  'winds',
  'ne',
  'mph',
  'contact',
  'news',
  'team',
  'apps',
  'social',
  'email',
  'alerts',
  'careers',
  'internships',
  'digital',
  'advertising',
  'terms',
  'conditions',
  'broadcast',
  'terms',
  'conditions',
  'rss',
  'eeo',
  'captioning',
  'contacts',
  'public',
  'inspection',
  'file',
  'public',
  'file',
  'assistance',
  'fcc',
  'applications',
  'news',
  'policy',
  'statements',
  'hearst',
  'television',
  'affiliate',
  'marketing',
  'program',
  'commission',
  'product',
  'link',
  'retailer',
  'site',
  'hearst',
  'television',
  'inc.',
  'behalf',
  'kcci',
  'tv',
  'privacy',
  'notice',
  'california',
  'privacy',
  'rights',
  'interest',
  'ads',
  'terms',
  'use',
  'site',
  'map'],
 ['contentskip',
  'navigationskip',
  'navigationprint',
  'subscription',
  'sign',
  'insearch',
  'jobssearchus',
  'editionus',
  'editionuk',
  'editionaustralia',
  'guardian',
  'guardiannewsopinionsportculturelifestyleshowmoreshow',
  'morenewsview',
  'newsus',
  'newsworld',
  'politicsbusinesstechsciencenewslettersfight',
  'democracyopinionview',
  'opinionthe',
  'guardian',
  'viewcolumnistslettersopinion',
  'videoscartoonssportview',
  'sportsoccernfltennismlbmlsnbanhlf1golfcultureview',
  'culturefilmbooksmusicart',
  'designtv',
  'radiostageclassicalgameslifestyleview',
  'lifestylefashionfoodrecipeslove',
  'sexhome',
  'gardenhealth',
  'fitnessfamilytravelmoneysearch',
  'input',
  'google',
  'search',
  'searchsupport',
  'usprint',
  'subscriptionsus',
  'editionuk',
  'editionaustralia',
  'editionsearch',
  'jobsdigital',
  'archiveguardian',
  'puzzles',
  'licensingthe',
  'guardian',
  'guardianguardian',
  'weeklycrosswordswordiplycorrectionsfacebooktwittersearch',
  'jobsdigital',
  'archiveguardian',
  'puzzles',
  'licensingworldeuropeusamericasasiaaustraliamiddle',
  'development',
  'truck',
  'wind',
  'rain',
  'hurricane',
  'ida',
  'bourg',
  'louisiana',
  'photograph',
  'mark',
  'felix',
  'afp',
  'getty',
  'truck',
  'wind',
  'rain',
  'hurricane',
  'ida',
  'bourg',
  'louisiana',
  'photograph',
  'mark',
  'felix',
  'afp',
  'getty',
  'imageshurricanes',
  'article',
  'year',
  'oldhurricane',
  'ida',
  'new',
  'orleans',
  'power',
  'category',
  'storm',
  'article',
  'year',
  'storm',
  'land',
  'anniversary',
  'katrina',
  'louisiana',
  'governor',
  'levee',
  'hurricane',
  'ida',
  'update',
  'power',
  'new',
  'orleans',
  'storm',
  'louisiana',
  'oliver',
  'laughland',
  'new',
  'orleans@oliverlaughlandsun',
  'aug',
  'edtfirst',
  'sat',
  'aug',
  'edthurricane',
  'ida',
  'power',
  'new',
  'orleans',
  'landfall',
  'louisiana',
  'category',
  'storm',
  'coast',
  'mph',
  'wind',
  'katrina',
  'survivor',
  'devastation',
  'texasread',
  'storm',
  'ida',
  'transmission',
  'damage',
  'energy',
  'supplier',
  'entergy',
  'facility',
  'sunday',
  'night',
  'city',
  'darkness',
  'force',
  'storm',
  'flow',
  'mississippi',
  'river',
  'national',
  'weather',
  'service',
  'flash',
  'flood',
  'warning',
  'new',
  'orleans',
  'ida',
  'landfall',
  'sunday',
  'morning',
  'tip',
  'lafourche',
  'parish',
  'port',
  'fourchon',
  'anniversary',
  'hurricane',
  'katrina',
  'hurricane',
  'gulf',
  'coast',
  '2005.as',
  'ida',
  'category',
  'strength',
  'wind',
  'mph',
  'north',
  'west',
  'mph',
  'national',
  'hurricane',
  'center',
  'nhc',
  'storm',
  'devastation',
  'louisiana',
  'power',
  'outage',
  'household',
  'power',
  'mid',
  '-',
  'afternoon',
  'new',
  'orleans',
  'hurricane',
  'force',
  'wind',
  'gust',
  'storm',
  'way',
  'report',
  'tree',
  'roof',
  'passenger',
  'ferry',
  'mississippi',
  'river',
  'louisiana',
  'governor',
  'john',
  'bel',
  'edwards',
  'ida',
  'path”',
  'kind',
  'storm',
  'associated',
  'press',
  'path',
  'hurricane',
  'louisiana',
  'disaster',
  'declaration',
  'louisiana',
  'mississippi',
  'saturday',
  'joe',
  'biden',
  'federal',
  'emergency',
  'management',
  'agency',
  'fema',
  'headquarter',
  'washington',
  'sunday',
  'afternoon',
  'storm',
  'country',
  'rescue',
  'recovery',
  'reporter',
  'fema',
  'impact',
  'ida',
  'monday',
  'wind',
  'palm',
  'tree',
  'utility',
  'company',
  'bucket',
  'truck',
  'canal',
  'street',
  'new',
  'orleans',
  'photograph',
  'patrick',
  't',
  'fallon',
  'afp',
  'getty',
  'imagesalthough',
  'ida',
  'wind',
  'rainfall',
  'katrina',
  'forecast',
  'storm',
  'surge',
  'life',
  'ft',
  'katrina',
  'high',
  'ft',
  'failure',
  'levee',
  'new',
  'orleans',
  'cnn',
  'edwards',
  'levee',
  'investment',
  'system',
  'hurricane',
  'katrina',
  'test',
  'system',
  'system',
  'integrity',
  'system',
  'storm',
  'surge',
  'saturday',
  'edwards',
  'ida',
  'hurricane',
  'history',
  'louisiana',
  'weather',
  'event',
  'hurricane',
  'louisiana',
  'window',
  'time',
  '”ten',
  'thousand',
  'resident',
  'community',
  'evacuation',
  'order',
  'new',
  'orleans',
  'levee',
  'protection',
  'system',
  'evacuation',
  'gridlock',
  'highway',
  'city',
  'saturday',
  'queue',
  'louis',
  'armstrong',
  'airport',
  'flight',
  'sunday',
  'sunday',
  'tornado',
  'watch',
  'pm',
  'new',
  'orleans',
  'number',
  'parish',
  'tornado',
  'watch',
  'place',
  'mississippi',
  'alabama',
  'cbs',
  'edwards',
  'lot',
  'people',
  'storm',
  'wind',
  'mph',
  'category',
  'storm',
  'mph',
  'difference',
  'cat',
  'cat',
  'storm',
  'people',
  'minute',
  'step',
  '”new',
  'orleans',
  'resident',
  'aha',
  'hasan',
  'buffa',
  'lounge',
  'saturday',
  'city',
  'hurricane',
  'ida',
  'photograph',
  'anne',
  'ponton',
  'guardianit',
  'august',
  'new',
  'orleans',
  'community',
  'katrina',
  'government',
  'failure',
  'response',
  'thousand',
  'home',
  'flooding',
  'new',
  'orleans',
  'year',
  'downtown',
  'saturday',
  'evening',
  'street',
  'french',
  'quarter',
  'business',
  'bourbon',
  'st',
  'centre',
  'nightlife',
  'business',
  'buffa',
  'hour',
  'dive',
  'bar',
  'jazz',
  'venue',
  'marigny',
  'neighborhood',
  'weather',
  'regular',
  'aha',
  'hasan',
  'year',
  'camera',
  'technician',
  'beer',
  'shot',
  'storm',
  'floor',
  'apartment',
  'katrina',
  'year',
  'city',
  'hurricane',
  'time',
  '”a',
  'man',
  'picture',
  'wave',
  'shore',
  'lake',
  'pontchartrain',
  'new',
  'orleans',
  'photograph',
  'gerald',
  'herbert',
  'apthe',
  'louisiana',
  'guard',
  'troop',
  'preparation',
  'search',
  'rescue',
  'mission',
  'power',
  'outage',
  'linesman',
  'standby',
  'hospital',
  'louisiana',
  'patient',
  'coronavirus',
  'surge',
  'jennifer',
  'avegno',
  'health',
  'official',
  'new',
  'orleans',
  'resident',
  'storm',
  'covid-19',
  'louisiana',
  'hospital',
  'hospital',
  'neighbouring',
  'state',
  'capacity',
  'pandemic',
  'nursing',
  'home',
  'rehabilitation',
  'facility',
  'edwards',
  'sunday',
  'storm',
  'oil',
  'petrochemical',
  'facility',
  'mississippi',
  'river',
  'new',
  'orleans',
  'baton',
  'rouge',
  'area',
  'cancer',
  'alley',
  'home',
  'plant',
  'area',
  'flooding',
  'research',
  'climate',
  'crisis',
  'hurricane',
  'ocean',
  'temperature',
  'fuel',
  'storm',
  'arrival',
  'ida',
  'time',
  'louisiana',
  'hurricane',
  'mph',
  'wind',
  'year',
  'laura',
  'august',
  'storm',
  'wind',
  'state',
  'associated',
  'press',
  'topicshurricanesus',
  'orleanslouisianamississippihurricane',
  'katrinanewsreuse',
  'storymore',
  'storybefore',
  'hurricane',
  'ida',
  'pictures1',
  'sept',
  'ida',
  'm',
  'power',
  'new',
  'orleans',
  'aug',
  'ida',
  'rampage',
  'louisiana',
  'aug',
  'orleans',
  'hurricane',
  'ida',
  'storm',
  'victim',
  'louisiana30',
  'aug',
  'tennessee',
  'flood',
  'death',
  'toll',
  'home',
  'business',
  'aug',
  'henri',
  'long',
  'island',
  'new',
  'england',
  'brace',
  'aug',
  'drenche',
  'north',
  'east',
  'power',
  'moving',
  'storm23',
  'aug',
  '2021‘it',
  'tennessee',
  'wreckage',
  'flood',
  'aug',
  'ida',
  'louisiana',
  'warning',
  'life',
  'storm’28',
  'aug',
  'viewedworldeuropeusamericasasiaaustraliamiddle',
  'reporting',
  'analysis',
  'guardian',
  'ushelpcomplaint',
  'correctionssecuredropwork',
  'usprivacy',
  'policycookie',
  'policyterms',
  'conditionscontact',
  'usall',
  'topicsall',
  'newspaper',
  'archivefacebookyoutubeinstagramlinkedintwitternewslettersadvertise',
  'labssearch',
  'guardian',
  'news',
  'media',
  'limited',
  'company',
  'right'],
 ['donor',
  'plaza',
  'conference',
  'room',
  'big',
  'brothers',
  'big',
  'sisters',
  'mississippi',
  'valley',
  'rock',
  'falls',
  'police',
  'department',
  'speeder',
  'heat',
  'advisory',
  'friday',
  'temperature',
  '°',
  'heat',
  'week',
  'culprit',
  'weather',
  'weather',
  'service',
  'tornado',
  'friday',
  'night',
  'storm',
  'evidence',
  'ef-2',
  'tornado',
  'damage',
  'wind',
  'mph',
  'grand',
  'mound',
  'charlotte',
  'iowa',
  'example',
  'video',
  'title',
  'video',
  'cdt',
  'april',
  'pm',
  'cdt',
  'april',
  'grand',
  'mound',
  'iowa',
  'team',
  'u.s.',
  'national',
  'weather',
  'service',
  'office',
  'quad',
  'cities',
  'finding',
  'tornado',
  'jackson',
  'clinton',
  'county',
  'iowa',
  'friday',
  'evening',
  'sunday',
  'afternoon',
  'nws',
  'tornado',
  'damage',
  'tornado',
  'wind',
  'mph',
  'dozen',
  'people',
  'injury',
  'storm',
  'tornado',
  'tipton',
  'cedar',
  'county',
  'iowa',
  'p.m.',
  'mile',
  'northeast',
  'bennett',
  'iowa',
  'damage',
  'home',
  'town',
  'semi',
  'interstate',
  'block',
  'silo',
  'damage',
  'people',
  'width',
  'tornado',
  'yard',
  'peak',
  'wind',
  'speed',
  'mph',
  'ef-2',
  'tornado',
  'enhanced',
  'fujita',
  'scale',
  'example',
  'video',
  'title',
  'video',
  'tornado',
  'grand',
  'mound',
  'iowa',
  'p.m.',
  'wind',
  'mph',
  'mile',
  'northeast',
  'charlotte',
  'iowa',
  'weather',
  'service',
  'expert',
  'damage',
  'path',
  'house',
  'charlotte',
  'house',
  'foundation',
  'people',
  'house',
  'grand',
  'mound',
  'person',
  'hospital',
  'injury',
  'tornado',
  'jackson',
  'county',
  'iowa',
  'mile',
  'andrew',
  'p.m.',
  'mile',
  'path',
  'yard',
  'cottonville',
  'p.m.',
  'roof',
  'wall',
  'street',
  'tree',
  'damage',
  'tornado',
  'ef-1',
  'bellevue',
  'iowa',
  'jackson',
  'county',
  'p.m.',
  'wind',
  'mph',
  'tornado',
  'mile',
  'northeast',
  'mississippi',
  'river',
  'hanover',
  'illinois',
  'rv',
  'park',
  'cabin',
  'damage',
  'rv',
  'people',
  'number',
  'tornado',
  'storm',
  'survey',
  'day',
  'update',
  'information',
  'injury',
  'clinton',
  'county',
  'weather',
  'house',
  'people',
  'team',
  'tornado',
  'damage',
  'strength',
  '►',
  'wqad',
  'news',
  'app',
  '►',
  'subscribe',
  'newsletter',
  '►',
  'subscribe',
  'youtube',
  'channel',
  'eeo',
  'public',
  'file',
  'report',
  'fcc',
  'online',
  'public',
  'inspection',
  'file',
  'closed',
  'caption',
  'procedure',
  'personal',
  'information',
  'wqad',
  'tv',
  'rights',
  'notification',
  'news',
  'weather',
  'notification',
  'browser',
  'setting'],
 ['contentskip',
  'content',
  'register',
  'article',
  'newsletter',
  'weather',
  'forecast',
  'weather',
  'alert',
  'inbox',
  'subscriber',
  'sign',
  'time',
  'owner',
  'article',
  'edit',
  'article',
  'new',
  'article',
  'permission',
  'article',
  'lee',
  'enterprises',
  'terms',
  'service',
  '',
  '',
  'privacy',
  'policy',
  'help',
  'center',
  'account',
  'dashboard',
  'profile',
  'item',
  'winter',
  'storm',
  'snow',
  'flood',
  'watch',
  'arizona',
  'winter',
  'storm',
  'snow',
  'flood',
  'watch',
  'arizona',
  'rio',
  'de',
  'flag',
  'flow',
  'northern',
  'arizona',
  'university',
  'campus',
  'wednesday',
  'afternoon',
  'light',
  'rain',
  'snow',
  'precipitation',
  'week',
  'flagstaff',
  'area',
  'rachel',
  'gibbons',
  'arizona',
  'daily',
  'sun',
  'rain',
  'snowmelt',
  'flooding',
  'evacuation',
  'sedona',
  'area',
  'week',
  'national',
  'weather',
  'service',
  'nws',
  'flood',
  'watch',
  'round',
  'winter',
  'weather',
  'arizona',
  'flood',
  'watch',
  'effect',
  'area',
  'mogollon',
  'rim',
  'oak',
  'creek',
  'sedona',
  'camp',
  'verde',
  'midday',
  'tuesday',
  'wednesday',
  'evening',
  'nws',
  'winter',
  'weather',
  'advisory',
  'flagstaff',
  'williams',
  'grand',
  'canyon',
  'area',
  'tuesday',
  'afternoon',
  'round',
  'snowfall',
  'system',
  'west',
  'coast',
  'mark',
  'stubblefield',
  'nws',
  'storm',
  'system',
  'lot',
  'moisture',
  'stubblefield',
  'temperature',
  'type',
  'precipitation',
  'tuesday',
  'wednesday',
  'arizona',
  'precipitation',
  'shift',
  'snow',
  'rain',
  'lake',
  'powell',
  'water',
  'level',
  'lining',
  'cmt',
  'music',
  'video',
  'jason',
  'aldean',
  'song',
  'singer',
  'lyric',
  'window',
  'cleaning',
  'truck',
  'collision',
  'industrial',
  'avenue',
  'flagstaff',
  'coconino',
  'county',
  'board',
  'supervisors',
  'term',
  'ordinance',
  'flagstaff',
  'rescue',
  'hiker',
  'elden',
  'lookout',
  'trail',
  'arizona',
  'woman',
  'power',
  'debt',
  'utility',
  'earthquake',
  'arizona',
  'town',
  'report',
  'injury',
  'damage',
  'bakery',
  'owner',
  'scratch',
  'winter',
  'roof',
  'collapse',
  'kachina',
  'village',
  'arizona',
  'woman',
  'yellowstone',
  'bison',
  'attack',
  'boyfriend',
  'hospital',
  'proposal',
  'tom',
  'brady',
  'supermodel',
  'twitter',
  'x',
  'today',
  'news',
  'building',
  'buffet',
  'pawn',
  'shop',
  'nau',
  'master',
  'plan',
  'mask',
  'burger',
  'chain',
  'employee',
  'state',
  'utah',
  'man',
  'park',
  'grand',
  'canyon',
  'packraft',
  'trip',
  'movie',
  'flagstaff',
  'lady',
  'van',
  'park',
  'downtown',
  'street',
  'artist',
  'jetsonorama',
  'flagstaff',
  'history',
  'mural',
  'south',
  'san',
  'francisco',
  'street',
  'uncertainty',
  'rain',
  'snow',
  'stubblefield',
  'bit',
  'moisture',
  'storm',
  'system',
  'bit',
  'wind',
  'moisture',
  'inch',
  'snow',
  'flagstaff',
  'grand',
  'canyon',
  'area',
  'foot',
  'snow',
  'area',
  'foot',
  'elevation',
  'flooding',
  'concern',
  'rain',
  'snow',
  'flood',
  'risk',
  'nws',
  'official',
  'briefing',
  'resident',
  'roadway',
  'water',
  'drainage',
  'rockslide',
  'canyon',
  'hillside',
  'lot',
  'river',
  'drainage',
  'stubblefield',
  'stream',
  'swell',
  'conjunction',
  'flooding',
  'mar.',
  'example',
  'mar.',
  'oak',
  'creek',
  'sedona',
  'height',
  'foot',
  'storm',
  'forecast',
  'surge',
  'area',
  'foot',
  'factor',
  'flood',
  'risk',
  'snowmelt',
  'rainfall',
  'snowpack',
  'arizona',
  'plenty',
  'monday',
  'morning',
  'snowpack',
  'verde',
  'river',
  'basin',
  '%',
  'peak',
  'san',
  'francisco',
  'peaks',
  'snowpack',
  '%',
  'peak',
  'pattern',
  'rain',
  'snow',
  'moisture',
  'watershed',
  'stubblefield',
  'pattern',
  'winter',
  'snowmelt',
  'arizona',
  'watershed',
  'soil',
  'fall',
  'snow',
  'stubblefield',
  'ground',
  'elevation',
  'moisture',
  'bit',
  'rain',
  'week',
  'chance',
  'snow',
  'saturday',
  'condition',
  'sunday',
  'middle',
  'week',
  'chance',
  'storm',
  'activity',
  'end',
  'march',
  'april',
  'storm',
  'track',
  'stubblefield',
  'precipitation',
  'producer',
  'sean',
  'golightly',
  'sgolightly@azdailysun.com',
  'weather',
  'forecast',
  'weather',
  'alert',
  'inbox',
  'registration',
  'use',
  'site',
  'agreement',
  'user',
  'agreement',
  'privacy',
  'policy',
  'direction',
  'flood',
  'warning',
  'oak',
  'creek',
  'sedona',
  'thursday',
  'sedona',
  'flood',
  'warning',
  'oak',
  'creek',
  'sedona',
  'thursday',
  'hour',
  'resident',
  'e',
  'flagstaff',
  'resident',
  'floodwater',
  'flooding',
  'community',
  'range',
  'severity',
  'watch',
  'mitch',
  'mcconnell',
  'freezes',
  'press',
  'conference',
  'republican',
  'colleagues',
  'ivy',
  'league',
  'colleges',
  'rich',
  'class',
  'student',
  'ivy',
  'league',
  'colleges',
  'rich',
  'class',
  'student',
  'swimming',
  'seine',
  'returns',
  'paris',
  'year',
  'swimming',
  'seine',
  'returns',
  'paris',
  'year',
  'fifa',
  'lotr',
  'fan',
  'new',
  'zealand',
  'hobbiton',
  'fifa',
  'lotr',
  'fan',
  'new',
  'zealand',
  'hobbiton',
  'copyright',
  'arizona',
  'daily',
  'sun',
  's',
  'thompson',
  'st',
  'flagstaff',
  'az',
  'term',
  'use',
  '',
  '',
  'privacy',
  'policy',
  '',
  '',
  'info',
  '',
  '',
  'cookie',
  'preferences',
  'blox',
  'content',
  'management',
  'system',
  'minute',
  'news',
  'device'],
 ['permission',
  'article',
  'justice',
  'state',
  'emergency',
  'county',
  'wv',
  'winter',
  'storm',
  'today',
  '71f.',
  'winds',
  's',
  'mph',
  'tonight',
  '71f.',
  'winds',
  's',
  'mph',
  'july',
  'pm',
  'justice',
  'state',
  'emergency',
  'county',
  'wv',
  'winter',
  'storm',
  'charleston',
  'gov.',
  'jim',
  'justice',
  'thursday',
  'state',
  'emergency',
  'west',
  'virginia',
  'county',
  'winter',
  'storm',
  'event',
  'state',
  'day',
  'national',
  'weather',
  'service',
  'snow',
  'rain',
  'wind',
  'chill',
  'wind',
  'today',
  'week',
  'holiday',
  'weekend',
  'gov.',
  'justice',
  'proclamation',
  'friday',
  'dec.',
  'day',
  'state',
  'holiday',
  'employee',
  'employee',
  'emergency',
  'response',
  'duty',
  'supervisor',
  'west',
  'virginians',
  'impact',
  'winter',
  'storm',
  'state',
  'gov.',
  'justice',
  'west',
  'virginians',
  'attention',
  'emergency',
  'official',
  'medium',
  'outlet',
  'power',
  'outage',
  'west',
  'virginians',
  'care',
  'holiday',
  'weekend',
  'neighbor',
  '”the',
  'state',
  'emergency',
  'state',
  'agency',
  'weather',
  'event',
  'personnel',
  'vehicle',
  'equipment',
  'asset',
  'gov.',
  'justice',
  'state',
  'preparedness',
  'county',
  'week',
  'following',
  'summary',
  'preparation',
  'state',
  'agency',
  'west',
  'virginia',
  'emergency',
  'management',
  'division:“this',
  'storm',
  'travel',
  'condition',
  'emd',
  'director',
  'ge',
  'mccabe',
  'emd',
  'contact',
  'office',
  'emergency',
  'management',
  'state',
  'partner',
  'utility',
  'company',
  'representative',
  'help',
  '”coordinating',
  'agency',
  'standby',
  'state',
  'emergency',
  'operations',
  'center',
  'seoc',
  'need',
  'emergency',
  'management',
  'staff',
  'state',
  'emergency',
  'operations',
  'center',
  'seoc',
  'platform',
  'emd',
  'watch',
  'center',
  'monitoring',
  '24/7',
  'change',
  'weather',
  'development',
  'safety',
  'information',
  'agency',
  'leader',
  'action',
  'emd',
  'day',
  'briefing',
  'national',
  'weather',
  'service',
  'county',
  'emergency',
  'agency',
  'briefing',
  'forecast',
  'update',
  'information',
  'emd',
  'contact',
  'county',
  'emergency',
  'management',
  'agency',
  'request',
  'assistance',
  'unmet',
  'need',
  'time',
  'emd',
  'number',
  'county',
  'center',
  'citizen',
  'help',
  'area',
  'station',
  'assistance',
  'west',
  'virginia',
  'national',
  'guard:“at',
  'direction',
  'governor',
  'justice',
  'west',
  'virginia',
  'national',
  'guard',
  'location',
  'state',
  'west',
  'virginia',
  'shelter',
  'citizen',
  'event',
  'power',
  'outage',
  'need',
  'shelter',
  'maj',
  '.',
  'gen.',
  'bill',
  'crane',
  'adjutant',
  'general',
  'department',
  'emergency',
  'management',
  'county',
  'emergency',
  'manager',
  'facility',
  'need',
  'soldiers',
  'airmen',
  'west',
  'virginians',
  'time',
  'need',
  'virginia',
  'division',
  'highways',
  'district',
  'engineers',
  'district',
  'managers',
  'west',
  'virginia',
  'division',
  'highways',
  'doh',
  'district',
  'county',
  'administrator',
  'district',
  'county',
  'snow',
  'ice',
  'winter',
  'storm',
  'jimmy',
  'wriston',
  'secretary',
  'west',
  'virginia',
  'department',
  'transportation',
  'run',
  'october',
  'salt',
  'abrasive',
  'truck',
  'month',
  'storm',
  'sric',
  'truck',
  'snow',
  'equipment',
  'state',
  'wvdoh.doh',
  'attention',
  'weather',
  'report',
  'emergency',
  'weather',
  'forecast',
  'national',
  'weather',
  'service',
  'precipitation',
  'advance',
  'system',
  'region',
  'today',
  'rain',
  'sleet',
  'slope',
  'mountain',
  'rest',
  'region',
  'rain',
  'winter',
  'weather',
  'precipitation',
  'impact',
  'slope',
  'mountain',
  'impact',
  'friday',
  'morning',
  'transition',
  'snow',
  'location',
  'wind',
  'air',
  'snow',
  'drop',
  'temperature',
  'flash',
  'freeze',
  'friday',
  'morning',
  'combination',
  'wind',
  'air',
  'wind',
  'chill',
  'value',
  'friday',
  'weekend',
  'weather',
  'return',
  'saturday',
  'start',
  'week',
  'warming',
  'trend',
  'sunday',
  'christmas',
  'day',
  'group',
  'warming',
  'station',
  'oak',
  'hill',
  'response',
  'week',
  'weather',
  'forecast',
  'quartet',
  'organization',
  'w',
  'pet',
  'articlesfayetteville',
  'brake',
  'pump',
  'rim',
  'rotary',
  'club',
  'district',
  'club',
  'yearfayette',
  'team',
  'state',
  'dollar',
  'general',
  'dg',
  'marketbsa',
  'national',
  'jamboree',
  'arrivedhunter',
  'season',
  'changespsc',
  'emergency',
  'order',
  'armstrong',
  'psd',
  'casegreenbrier',
  'county',
  'man',
  'fraud',
  'bears',
  'brews',
  'festival',
  'saturdaypublic',
  'comment',
  'hearing',
  'charleston',
  'appalachian',
  'power',
  'fuel',
  'cost',
  'case',
  'videossorry',
  'result',
  'video',
  'commentedsorry',
  'result',
  'article',
  'amendment',
  'congress',
  'law',
  'establishment',
  'religion',
  'exercise',
  'freedom',
  'speech',
  'press',
  'right',
  'people',
  'government',
  'redress',
  'grievance',
  'main',
  'street',
  'oak',
  'hill',
  'wv',
  'browser',
  'date',
  'security',
  'risk',
  'browser',
  'blox',
  'content',
  'management',
  'system',
  'blox',
  'digital'],
 ['ie',
  'experience',
  'site',
  'browser',
  'skip',
  'news',
  'newsworldbusinesshealthvideoculture',
  'trendsnbc',
  'news',
  'tiplineshare',
  'save',
  'newsmanage',
  'profileemail',
  'preferencessign',
  'outsearchsearchprofile',
  'newssign',
  'sign',
  'increate',
  'profilesectionsu.s.',
  'newspoliticsworldlocalbusinesshealthinvestigationsculture',
  'trendssciencesportstech',
  'mediavideo',
  'featuresphotosweathernbc',
  'selectdecision',
  'blknbc',
  'newsmsnbcmeet',
  'pressdatelinefeaturednbc',
  'news',
  'nowbetternightly',
  'filmsstay',
  'tunedspecial',
  'featuresnewsletterspodcastslisten',
  'nowmore',
  'nbccnbcnbc.comnbcu',
  'learnpeacocknext',
  'steps',
  'vetsparent',
  'news',
  'site',
  'maphelpfollow',
  'nbc',
  'newssearchsearchfacebooktwitteremailsmsprintwhatsappredditpocketflipboardpinterestlinkedinweathersecond',
  'round',
  'winter',
  'storm',
  'snow',
  'danger',
  'u.s.',
  'minnesota',
  'emergency',
  'inch',
  'snow',
  'thursday',
  'evening',
  'winter',
  'storm',
  'havoc',
  'midwest04:02get',
  'news',
  'nowprintfeb',
  'utc',
  'feb.',
  'pm',
  'phil',
  'helselsevere',
  'weather',
  'disruption',
  'u.s.',
  'round',
  'snow',
  'blizzard',
  'warning',
  'country',
  'minnesota',
  'snowfall',
  'record',
  'official',
  'city',
  'minneapolis',
  'st.',
  'paul',
  'inch',
  'snow',
  'p.m.',
  'wednesday',
  'p.m.',
  'thursday',
  'national',
  'weather',
  'service',
  'inch',
  'thursday',
  'morning',
  'snow',
  'portion',
  'minnesota',
  'wisconsin',
  'great',
  'lakes',
  'new',
  'england',
  'snow',
  'storm',
  'country',
  'minnesota',
  'gov.',
  'tim',
  'walz',
  'statement',
  'wednesday',
  'minnesotans',
  'stranger',
  'weather',
  'storm',
  'record',
  'colorado',
  'temperature',
  'denver',
  'thursday',
  'record',
  'date',
  'year',
  'weather',
  'service',
  'boulder',
  'degree',
  'hour',
  'people',
  'plains',
  'boston',
  'maine',
  'u.s.',
  'coast',
  'winter',
  'weather',
  'warning',
  'advisory',
  'wednesday',
  'night',
  'weather',
  'service',
  'blizzard',
  'warning',
  'place',
  'ice',
  'storm',
  'warning',
  'los',
  'angeles',
  'area',
  'blizzard',
  'warning',
  'effect',
  'mountain',
  'time',
  'weather',
  'service',
  'oxnard',
  'bay',
  'area',
  'winter',
  'storm',
  'time',
  'series',
  'pressure',
  'wave',
  'snow',
  'blizzard',
  'condition',
  'plains',
  'midwest',
  'weather',
  'service',
  'disruption',
  'plane',
  '%',
  'flight',
  'ann',
  'viksnins',
  'minneapolis',
  'airport',
  'wednesday',
  'airport',
  'paul',
  'international',
  'airport',
  'cancellation',
  'wednesday',
  'sioux',
  'falls',
  'south',
  'dakota',
  'police',
  'lt',
  'andrew',
  'siebenborn',
  'reporter',
  'foot',
  'end',
  'driveway',
  'squad',
  'car',
  'storm',
  'lot',
  'wednesday',
  'people',
  'inch',
  'snow',
  'city',
  'airport',
  'p.m.',
  'wednesday',
  'weather',
  'service',
  'round',
  'snow',
  'inch',
  'hour',
  'midnight',
  'arizona',
  'transportation',
  'department',
  'interstate',
  'state',
  'route',
  'wednesday',
  'winter',
  'storm',
  'inch',
  'snow',
  'flagstaff',
  'area',
  'wind',
  'mph',
  'weather',
  'service',
  'storm',
  'state',
  'winter',
  'weather',
  'snow',
  'risk',
  'u.s.',
  'california',
  'thursday',
  'friday',
  'storm',
  'weather',
  'service',
  'blizzard',
  'warning',
  'southern',
  'california',
  'mountain',
  'los',
  'angeles',
  'ventura',
  'county',
  'a.m.',
  'friday',
  'p.m.',
  'saturday',
  'mountain',
  'foot',
  'snow',
  'minneapolis',
  'st.',
  'paul',
  'winter',
  'storm',
  'noon',
  'thursday',
  'forecaster',
  'travel',
  'condition',
  'thursday',
  'morning',
  'green',
  'bay',
  'wisconsin',
  'winter',
  'storm',
  'p.m.',
  'thursday',
  'warning',
  'bangor',
  'maine',
  'phil',
  'helselphil',
  'helsel',
  'reporter',
  'nbc',
  'news',
  'minyvonne',
  'burke',
  'kathryn',
  'prociv',
  'aboutcontacthelpcareersad',
  'choicesprivacy',
  'policydo',
  'informationca',
  'noticenew',
  'terms',
  'service',
  'july',
  'news',
  'sitemapadvertiseselect',
  'shoppingselect',
  'personal',
  'finance',
  'nbc',
  'universalnbc',
  'news',
  'logomsnbc',
  'logotoday',
  'logo'],
 ['suspect',
  'self',
  'gunshot',
  'wound',
  'westbank',
  'expressway',
  'swat',
  'presence',
  'drum',
  'church',
  'sundays',
  'night',
  'harvey',
  'home',
  'death',
  'humidity',
  'bit',
  'day',
  'wave',
  'coast',
  'africa',
  'chance',
  'development',
  'nation',
  'world',
  'deep',
  'south',
  'tornado',
  'daylight',
  'house',
  'pile',
  'rubble',
  'car',
  'tree',
  'branch',
  'example',
  'video',
  'title',
  'video',
  'cdt',
  'march',
  'cdt',
  'march',
  'rolling',
  'fork',
  'miss',
  'rescuers',
  'saturday',
  'survivor',
  'people',
  'tornado',
  'path',
  'mississippi',
  'people',
  'dozen',
  'block',
  'house',
  'mississippi',
  'delta',
  'town',
  'path',
  'destruction',
  'hour',
  'person',
  'alabama',
  'tornado',
  'swath',
  'town',
  'rolling',
  'fork',
  'home',
  'pile',
  'rubble',
  'car',
  'town',
  'water',
  'tower',
  'resident',
  'bath',
  'tub',
  'hallway',
  'friday',
  'night',
  'storm',
  'john',
  'deere',
  'store',
  'triage',
  'center',
  'mississippi',
  'emergency',
  'management',
  'agency',
  'saturday',
  'afternoon',
  'tweet',
  'death',
  'toll',
  'people',
  'dozen',
  'wonder',
  'bolden',
  'granddaughter',
  'journey',
  'remnant',
  'mother',
  'home',
  'rolling',
  'fork',
  'breeze',
  'deep',
  'south',
  'damage',
  'twister',
  'man',
  'morgan',
  'county',
  'alabama',
  'sheriff',
  'department',
  'tweet',
  'wonder',
  'bolden',
  'granddaughter',
  'journey',
  'remnant',
  'mother',
  'home',
  'rolling',
  'fork',
  'breeze',
  'saturday',
  'shock',
  'debris',
  'tree',
  'chain',
  'saw',
  'survivor',
  'power',
  'line',
  'decade',
  'oak',
  'root',
  'ground',
  'mississippi',
  'gov.',
  'tate',
  'reeves',
  'state',
  'emergency',
  'damage',
  'area',
  'expanse',
  'cotton',
  'corn',
  'soybean',
  'field',
  'catfish',
  'farming',
  'pond',
  'president',
  'joe',
  'biden',
  'help',
  'damage',
  'damage',
  'rolling',
  'fork',
  'storm',
  'chaser',
  'weather',
  'livestream',
  'funnel',
  'cloud',
  'search',
  'rescue',
  'help',
  'chase',
  'people',
  'hospital',
  'community',
  'hospital',
  'town',
  'patient',
  'sheddrick',
  'bell',
  'partner',
  'daughter',
  'closet',
  'rolling',
  'fork',
  'home',
  'minute',
  'tornado',
  'daughter',
  'partner',
  'eye',
  'rodney',
  'porter',
  'mile',
  'kilometer',
  'rolling',
  'fork',
  'fire',
  'department',
  'water',
  'fuel',
  'family',
  'bomb',
  'house',
  'house',
  'crew',
  'gas',
  'line',
  'town',
  'resident',
  'responder',
  'warning',
  'national',
  'weather',
  'service',
  'storm',
  'word',
  'life',
  'cover',
  'information',
  'estimate',
  'storm',
  'report',
  'radar',
  'datum',
  'ground',
  'hour',
  'mile',
  'kilometer',
  'lance',
  'perrilloux',
  'meteorologist',
  'weather',
  'service',
  'jackson',
  'mississippi',
  'office',
  'path',
  'instability',
  'ingredient',
  'credit',
  'ap',
  'pickup',
  'truck',
  'restaurant',
  'chuck',
  'dairy',
  'cafe',
  'rolling',
  'fork',
  'miss.',
  'saturday',
  'march',
  'ap',
  'photo',
  'rogelio',
  'v.',
  'solis',
  'perrilloux',
  'finding',
  'tornado',
  'path',
  'destruction',
  'rolling',
  'fork',
  'community',
  'midnight',
  'silver',
  'city',
  'tchula',
  'black',
  'hawk',
  'winona',
  'supercell',
  'twister',
  'tornado',
  'damage',
  'north',
  'central',
  'alabama',
  'brian',
  'squitieri',
  'storm',
  'storm',
  'prediction',
  'center',
  'norman',
  'oklahoma',
  'alabama',
  'morgan',
  'county',
  'year',
  'man',
  'trailer',
  'storm',
  'responder',
  'hospital',
  'al.com',
  'survey',
  'team',
  'tornado',
  'severity',
  'storm',
  'prediction',
  'center',
  'potential',
  'hail',
  'wind',
  'tornado',
  'sunday',
  'mississippi',
  'louisiana',
  'cornel',
  'knight',
  'associated',
  'press',
  'wife',
  'year',
  'daughter',
  'relative',
  'home',
  'rolling',
  'fork',
  'tornado',
  'sky',
  'direction',
  'transformer',
  'tornado',
  'relative',
  'home',
  'cornfield',
  'wall',
  'home',
  'people',
  'royce',
  'steed',
  'emergency',
  'manager',
  'humphreys',
  'county',
  'silver',
  'city',
  'damage',
  'hurricane',
  'katrina',
  'devastation',
  'crew',
  'building',
  'damage',
  'assessment',
  'town',
  'population',
  'map',
  'town',
  'roof',
  'noel',
  'crook',
  'home',
  'wife',
  'yesterday',
  'yesterday',
  'crook',
  'tomorrow',
  'control',
  'today',
  'tornado',
  'radar',
  'town',
  'amory',
  'mile',
  'kilometer',
  'southeast',
  'tupelo',
  'mississippi',
  'meteorologist',
  'prayer',
  'radar',
  'information',
  'man',
  'wtva',
  'matt',
  'laubhan',
  'broadcast',
  'jesus',
  'town',
  'water',
  'curfew',
  'effect',
  'dozen',
  'shelter',
  'state',
  'feeling',
  'gratitude',
  'people',
  'face',
  'meal',
  'william',
  'trueblood',
  'emergency',
  'disaster',
  'service',
  'director',
  'salvation',
  'army',
  'alabama',
  'louisiana',
  'mississippi',
  'division',
  'area',
  'supply',
  'way',
  'home',
  'weather',
  'sign',
  'improvement',
  'power',
  'outage',
  'point',
  'customer',
  'tennessee',
  'mississippi',
  'alabama',
  'midafternoon',
  'saturday',
  'meteorologist',
  'tornado',
  'risk',
  'region',
  'week',
  'advance',
  'northern',
  'illinois',
  'university',
  'meteorology',
  'professor',
  'walker',
  'ashley',
  'tornado',
  'expert',
  'ashley',
  'risk',
  'exposure',
  'region',
  'people',
  'landscape',
  'track',
  'tornado',
  'disaster',
  'ashley',
  'email',
  'un',
  '%',
  'world',
  'drinking',
  'water',
  '%',
  'sanitation',
  'chemical',
  'cancer',
  'birth',
  'complication',
  'drinking',
  'water',
  'epa',
  'associated',
  'press',
  'writer',
  'emily',
  'wagster',
  'pettus',
  'jackson',
  'mississippi',
  'jim',
  'salter',
  "o'fallon",
  'missouri',
  'lisa',
  'baumann',
  'bellingham',
  'washington',
  'robert',
  'jablon',
  'los',
  'angeles',
  'jackie',
  'quinn',
  'washington',
  'd.c.',
  'report',
  'eeo',
  'public',
  'file',
  'report',
  'fcc',
  'online',
  'public',
  'inspection',
  'file',
  'closed',
  'caption',
  'procedure',
  'personal',
  'information',
  'wwl',
  'tv',
  'rights',
  'wwl',
  'notification',
  'news',
  'weather',
  'notification',
  'browser',
  'setting'],
 ['search',
  'fox',
  'weather',
  'fox',
  'weather',
  'app',
  'podcast',
  'weather',
  'news',
  'november',
  'est',
  'condition',
  'north',
  'dakota',
  'season',
  'winter',
  'storm',
  'winter',
  'storm',
  'season',
  'plains',
  'condition',
  'power',
  'line',
  'travel',
  'hillary',
  'andrews',
  'aaron',
  'barker',
  'source',
  'fox',
  'weather',
  'facebook',
  'twitter',
  'email',
  'copy',
  'link',
  'blizzard',
  'mile',
  'inch',
  'ice',
  'foot',
  'snow',
  'mess',
  'north',
  'dakota',
  'accident',
  'state',
  'nd',
  'dot',
  'section',
  'visibility',
  'wreck',
  'bismarck',
  'n.d.',
  'coating',
  'ice',
  'snow',
  'north',
  'dakota',
  'authority',
  'travel',
  'region',
  'thursday',
  'plains',
  'winter',
  'storm',
  'season',
  'wednesday',
  'night',
  'rain',
  'rain',
  'contact',
  'road',
  'bridge',
  'glaze',
  'inch',
  'place',
  'rain?fox',
  'weather',
  'max',
  'gorden',
  'trouble',
  'bismarck',
  'north',
  'dakota',
  'storm',
  'concern',
  'runway',
  'airport',
  'ice',
  'snow',
  'national',
  'weather',
  'service',
  'rate',
  'inch',
  'hour',
  'wind',
  'mph',
  'snow',
  'visibility',
  'quarter',
  'mile',
  'condition',
  'travel',
  'nightmare',
  'winter',
  'storm',
  'season',
  'plains',
  'home',
  'north',
  'dakota',
  'official',
  'driver',
  'half',
  'inch',
  'ice',
  'foot',
  'snow',
  'state',
  'north',
  'dakota',
  'department',
  'transportation',
  'travel',
  'advisories',
  'state',
  'bismarck',
  'road',
  'pile',
  'interstate',
  'fox',
  'chain',
  'reaction',
  'pile',
  'highway',
  'patrol',
  'trooper',
  'car',
  'o.k.',
  'north',
  'dakota',
  'highway',
  'patrol',
  'fox',
  'weather)snow',
  'plow',
  'driver',
  'road',
  'responder',
  'plow',
  'driver',
  'emergency',
  'route',
  'bismarck',
  'snow',
  'gorden',
  'road',
  '"zero',
  'visibility',
  'stretch',
  'u.s.',
  'highway',
  'u.s.',
  'highway',
  'ice',
  'snow',
  'power',
  'line',
  'branch',
  'home',
  'business',
  'darkness',
  'height',
  'storm',
  'poweroutage.us',
  'number',
  'thursday',
  'evening',
  'ice',
  'knock',
  'power',
  'damage',
  'foot',
  'snow',
  'north',
  'dakota',
  'snow',
  'night',
  'blizzard',
  'warning',
  'effect',
  'half',
  'state',
  'midnight',
  'snow',
  'weather',
  'thursday',
  'day',
  'record',
  'bismarck',
  'year',
  'recordkeeping',
  'airport',
  'inch',
  'thursday',
  'evening',
  'storm',
  'snow',
  'fox',
  'weather',
  'center',
  'temperature',
  'weekend',
  'storm',
  'criterion',
  'blizzard',
  'wind',
  'mph',
  'visibility',
  'quarter',
  'mile',
  'hour',
  'tag',
  'winter',
  'dakotatransportationextreme',
  'weather',
  'fox',
  'weather',
  'app',
  'available',
  'android',
  'weather',
  'news',
  'loading',
  'fox',
  'weather',
  'app',
  'privacy',
  'policy',
  'terms',
  'condition',
  'privacy',
  'choices',
  'media',
  'relations',
  'corporate',
  'information',
  'facebook',
  'twitter',
  'instagram',
  'youtube',
  'linkedin',
  'tiktok',
  'rss',
  'download',
  'app',
  'store',
  'google',
  'play',
  'material',
  'fox',
  'news',
  'network',
  'llc',
  'right'],
 ['ad',
  'issue',
  'video',
  'player',
  'content',
  'ad',
  'video',
  'content',
  'ad',
  'audio',
  'ad',
  'ad',
  'page',
  'content',
  'ad',
  'ad',
  'ad',
  'effort',
  'contribution',
  'feedback',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'i-95',
  'virginia',
  'winter',
  'storm',
  'driver',
  'hour',
  'jason',
  'hanna',
  'steve',
  'almasy',
  'alisha',
  'ebrahimji',
  'cnn',
  'est',
  'd',
  'january',
  'woman',
  'hour',
  'i-95',
  'woman',
  'hour',
  'i-95',
  'concertgoers',
  'hail',
  'colorado',
  'body',
  'temperature',
  'flooding',
  'china',
  'couple',
  'car',
  'house',
  'cliff',
  'river',
  'foundation',
  'video',
  'tornado',
  'home',
  'debris',
  'video',
  'moment',
  'soldier',
  'heat',
  'video',
  'tornado',
  'texas',
  'barren',
  'land',
  'impact',
  'spain',
  'record',
  'heat',
  'windshield',
  'helicopter',
  'hail',
  'shelf',
  'cloud',
  'sky',
  'downtown',
  'chicago',
  'man',
  'street',
  'flooding',
  'man',
  'tornado',
  'van',
  'footage',
  'california',
  'weather',
  'crisis',
  'lake',
  'life',
  'unbelievable',
  'cnn',
  'reporter',
  'snowfall',
  'california',
  'graphic',
  'change',
  'temperature',
  'mile',
  'stretch',
  'interstate',
  'virginia',
  'tuesday',
  'night',
  'winter',
  'storm',
  'motorist',
  'highway',
  'hour',
  'vehicle',
  'i-95',
  'stretch',
  'fredericksburg',
  'area',
  'richmond',
  'washington',
  'd.c.',
  'p.m.',
  'transportation',
  'official',
  'monday',
  'storm',
  'foot',
  'snow',
  'area',
  'highway',
  'traveler',
  'traffic',
  'road',
  'amtrak',
  'passenger',
  'train',
  'hour',
  'point',
  'storm',
  'customer',
  'atlantic',
  'southeast',
  'power',
  'virginia',
  'motorist',
  'monday',
  'tuesday',
  'truck',
  'way',
  'condition',
  'state',
  'transportation',
  'official',
  'driver',
  'engine',
  'time',
  'fuel',
  'food',
  'supply',
  'crew',
  'truck',
  'way',
  'ice',
  'snow',
  'temperature',
  'teen',
  'jim',
  'defede',
  'journalist',
  'miami',
  'holiday',
  'visit',
  'family',
  'new',
  'york',
  'cnn',
  'jake',
  'tapper',
  'tuesday',
  'hour',
  'car',
  'ice',
  'way',
  'emergency',
  'responder',
  'report',
  'death',
  'injury',
  'luck',
  'point',
  'lot',
  'update',
  'driver',
  'hour',
  'i-95',
  'trucker',
  'bottle',
  'water',
  'bread',
  'delivery',
  'truck',
  'door',
  'people',
  'loaf',
  'defede',
  'direction',
  'hour',
  'interstate',
  'place',
  'sen.',
  'tim',
  'kaine',
  'washington',
  'hour',
  'image',
  'virginia',
  'department',
  'transportation',
  'section',
  'interstate',
  'fredericksburg',
  'virginia',
  'january',
  'virginia',
  'department',
  'transportation',
  'ap',
  'virginia',
  'senator',
  'hour',
  'winter',
  'storm',
  'point',
  'travel',
  'day',
  'kind',
  'survival',
  'mode',
  'day',
  'virginia',
  'democrat',
  'cnn',
  'alisyn',
  'camerota',
  'tuesday',
  'phone',
  'road',
  'car',
  'food',
  'car',
  'mess',
  'line',
  'vehicle',
  'portion',
  'mile',
  'stretch',
  'exit',
  'ruther',
  'glen',
  'exit',
  'dumfries',
  'authority',
  'portion',
  'highway',
  'worker',
  'vehicle',
  'road',
  'snow',
  'icing',
  'virginia',
  'department',
  'transportation',
  'condition',
  'wednesday',
  'road',
  'vdot',
  'winter',
  'storm',
  'central',
  'virginia',
  'thursday',
  'friday',
  'morning',
  'snow',
  'travel',
  'disruption',
  'friday',
  'morning',
  'commute',
  'national',
  'weather',
  'service',
  'wednesday',
  'morning',
  'motorist',
  'i-95',
  'fredericksburg',
  'virginia',
  'tuesday',
  'morning',
  'motorist',
  'frustration',
  'medium',
  'monday',
  'tuesday',
  'vehicle',
  'i-95',
  'freezing',
  'morning',
  'temperature',
  'a.m.',
  'tuesday',
  'susan',
  'phalen',
  'car',
  'northbound',
  'i-95',
  'stafford',
  'hour',
  'phalen',
  'cnn',
  'phone',
  'traffic',
  'morning',
  'truck',
  'truck',
  'truck',
  'inch',
  'i-95',
  'jennifer',
  'travis',
  'husband',
  'year',
  'daughter',
  'car',
  'virginia',
  'home',
  'florida',
  'return',
  'flight',
  'i-95',
  'hour',
  'tuesday',
  'fuel',
  'heat',
  'water',
  'food',
  'family',
  'exit',
  'road',
  'road',
  'region',
  'tree',
  'wintry',
  'condition',
  'authority',
  'i-95',
  'travel',
  'tree',
  'car',
  'travis',
  'cnn',
  'phone',
  'video',
  'cnn',
  'affiliate',
  'wjla',
  'vehicle',
  'tuesday',
  'morning',
  'lane',
  'i-95',
  'caroline',
  'county',
  'fredericksburg',
  'people',
  'child',
  'car',
  'man',
  'dog',
  'leash',
  'phalen',
  'fredericksburg',
  'fredericksburg',
  'p.m.',
  'monday',
  'trip',
  'alexandria',
  'hour',
  'fredericksburg',
  'home',
  'power',
  'cell',
  'phone',
  'service',
  'cell',
  'phone',
  'internet',
  'connection',
  'house',
  'fredericksburg',
  'nightmare',
  'dab',
  'middle',
  'phalen',
  'tank',
  'gas',
  'car',
  'heat',
  'foot',
  'snow',
  'people',
  'snow',
  'capitol',
  'hill',
  'monday',
  'jan.',
  'washington',
  'dc',
  'winter',
  'storm',
  'district',
  'county',
  'monday',
  'afternoon',
  'washington',
  'dc',
  'record',
  'snow',
  'storm',
  'system',
  'east',
  'fredericksburg',
  'area',
  'inch',
  'snow',
  'storm',
  'national',
  'weather',
  'service',
  'baltimore',
  'washington',
  'area',
  'people',
  'time',
  'period',
  'closure',
  'area',
  'truck',
  'blockage',
  'driver',
  'traffic',
  'flow',
  'kelly',
  'hannon',
  'spokesperson',
  'vdot',
  'fredericksburg',
  'district',
  'cnn',
  'tuesday',
  'trucker',
  'jean',
  'carlo',
  'gachet',
  'hour',
  'i-95',
  'dale',
  'city',
  'a.m.',
  'tuesday',
  'food',
  'water',
  'microwave',
  'breakfast',
  'man',
  'mother',
  'vehicle',
  'traffic',
  'jam',
  'gachet',
  'rhode',
  'island',
  'p.m.',
  'monday',
  'georgia',
  'car',
  'snow',
  'alexandria',
  'virginia',
  'winter',
  'snow',
  'storm',
  'state',
  'monday',
  'cnn',
  'en',
  'español',
  'correspondent',
  'gustavo',
  'valdés',
  'traffic',
  'gas',
  'p.m.',
  'gps',
  'hour',
  'washington',
  'a.m.',
  'tuesday',
  'valdés',
  'highway',
  'quantico',
  'virginia',
  'road',
  'route',
  '1a',
  'area',
  'jackknifed',
  'truck',
  'snowplow',
  'cnn',
  'en',
  'español',
  'correspondent',
  'gustavo',
  'valdés',
  'photo',
  'route',
  '1a',
  'virginia',
  'valdés',
  'road',
  'night',
  'car',
  'hotel',
  'room',
  'traffic',
  'wheel',
  'drive',
  'vehicle',
  'path',
  'snow',
  'vehicle',
  'traffic',
  'interstate',
  'driver',
  'roadway',
  'dozen',
  'traffic',
  'signal',
  'service',
  'power',
  'outage',
  'official',
  'customer',
  'tuesday',
  'afternoon',
  'georgia',
  'maryland',
  'outage',
  'virginia',
  'poweroutage',
  'federal',
  'office',
  'washington',
  'hour',
  'delay',
  'i-95',
  'government',
  'office',
  'washington',
  'dc',
  'hour',
  'delay',
  'tuesday',
  'monday',
  'weather',
  'district',
  'inch',
  'snow',
  'monday',
  'day',
  'snow',
  'total',
  'january',
  'cnn',
  'meteorologist',
  'brandon',
  'miller',
  'capitol',
  'heights',
  'maryland',
  'inch',
  'snow',
  'baltimore',
  'washington',
  'international',
  'airport',
  'inch',
  'week',
  'snow',
  'cnn',
  'meteorologist',
  'pedram',
  'javaheri',
  'layer',
  'snow',
  'cover',
  'sunlight',
  'coolant',
  'ground',
  'surface',
  'day',
  'temperature',
  'degree',
  'inch',
  'snow',
  'javaheri',
  'washington',
  'area',
  'mark',
  'end',
  'week',
  'person',
  'sidewalk',
  'alexandria',
  'virginia',
  'winter',
  'snow',
  'storm',
  'area',
  'monday',
  'suv',
  'snowplow',
  'official',
  'death',
  'maryland',
  'suv',
  'occupant',
  'snowplow',
  'shiera',
  'goff',
  'spokesperson',
  'montgomery',
  'county',
  'police',
  'department',
  'woman',
  'man',
  'scene',
  'goff',
  'victim',
  'man',
  'area',
  'hospital',
  'condition',
  'investigation',
  'cause',
  'collision',
  'goff',
  'southeast',
  'child',
  'tree',
  'monday',
  'morning',
  'official',
  'georgia',
  'year',
  'boy',
  'atlanta',
  'area',
  'tree',
  'home',
  'wind',
  'dekalb',
  'county',
  'fire',
  'rescue',
  'spokesman',
  'capt',
  'jaeson',
  'daniels',
  'cnn',
  'affiliate',
  'wsb',
  'boy',
  'mother',
  'outlet',
  'temperature',
  'snow',
  'town',
  'shock',
  'monday',
  'ground',
  'area',
  'rainfall',
  'daniels',
  'wsb',
  'weather',
  'service',
  'atlanta',
  'wind',
  'gust',
  'mph',
  'monday',
  'morning',
  'tennessee',
  'year',
  'girl',
  'monday',
  'tree',
  'home',
  'knoxville',
  'area',
  'blount',
  'county',
  'sheriff',
  'office',
  'cnn',
  'affiliate',
  'wvlt',
  'tree',
  'county',
  'townsend',
  'foothill',
  'great',
  'smoky',
  'national',
  'park',
  'bcso',
  'public',
  'information',
  'officer',
  'marian',
  'o’briant',
  'wvlt',
  'lot',
  'tree',
  'snow',
  'tree',
  'cnn',
  'dekalb',
  'county',
  'fire',
  'rescue',
  'blount',
  'county',
  'sheriff',
  'office',
  'cnn',
  'kelly',
  'mccleary',
  'jennifer',
  'henderson',
  'joe',
  'sutton',
  'amir',
  'vera',
  'michael',
  'guy',
  'pete',
  'muntean',
  'amy',
  'simonson',
  'report',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cnn',
  'account',
  'log',
  'cnn',
  'account',
  'cable',
  'news',
  'network',
  'warner',
  'bros.',
  'discovery',
  'company',
  'rights',
  'cnn',
  'sans',
  'cable',
  'news',
  'network'],
 ['chronicle',
  'national',
  'news',
  'politics',
  'fact',
  'fact',
  'health',
  'money',
  'ben',
  'sports',
  'boston',
  'marathon',
  'entertainment',
  'project',
  'community',
  'community',
  'cityline',
  'news',
  'love',
  'homes',
  'money',
  'boston',
  'ad',
  'editorials',
  'news',
  'team',
  'contact',
  'advertise',
  'wcvb',
  'metv',
  'contests',
  'internships',
  'privacy',
  'notice',
  'terms',
  'use',
  'press',
  'type',
  'search',
  'video',
  'storm',
  'threat',
  'mass.',
  'evening',
  'pm',
  'edt',
  'jul',
  'video',
  'storm',
  'threat',
  'mass.',
  'evening',
  'pm',
  'edt',
  'jul',
  'north',
  'hour',
  'close',
  'kind',
  'way',
  'lot',
  'north',
  'map',
  'area',
  'gotten',
  'rain',
  'eye',
  'evening',
  'mentioned',
  'severe',
  'thunderstorm',
  'watch',
  'tonight',
  'downpour',
  'tonight',
  'line',
  'way',
  'boston',
  'heaviest',
  'rain',
  'boston',
  'sunset',
  'line',
  'sink',
  'way',
  'southward',
  'shore',
  'rain',
  'kind',
  'falls',
  'apart',
  'totals',
  'tomorrow',
  'starts',
  'humid',
  'clouds',
  'nice',
  'drying',
  'ominous',
  'right',
  'moisture',
  'air',
  'cover',
  'degrees',
  'dew',
  'point',
  'thick',
  'degrees',
  'thunderstorm',
  'grabs',
  'moisture',
  'downpour',
  'worcester',
  'rain',
  'north',
  'doesn’t',
  'ominous',
  'right',
  'degrees',
  'shower',
  'fairly',
  'muggy',
  'way',
  'dew',
  'point',
  'drop',
  'tonight',
  'tomorrow',
  'hold',
  'sunday',
  'absolutely',
  'tomorrow',
  'kind',
  'transition',
  'day',
  'clouds',
  'morning',
  'clearing',
  'afternoon',
  'muggy',
  'morning',
  'humid',
  'afternoon',
  'sunday',
  'comes',
  'sunshine',
  'humid',
  'mid',
  'nice',
  'july',
  'forecast',
  'humidity',
  'monday',
  'tuesday',
  'thunderstorms',
  'tuesday',
  'gets',
  'warm',
  'muggy',
  'week',
  'thunderstorms',
  'friday',
  'overall',
  'drier',
  'pattern',
  'lately',
  'heavy',
  'thunderstorms',
  'f',
  'alerts',
  'breaking',
  'update',
  'email',
  'inbox',
  'video',
  'storm',
  'threat',
  'mass.',
  'evening',
  'pm',
  'edt',
  'jul',
  'mike',
  'wankum',
  'look',
  'forecast',
  'boston',
  'massachusetts',
  'new',
  'england',
  'mike',
  'wankum',
  'look',
  'forecast',
  'boston',
  'massachusetts',
  'new',
  'england',
  'contact',
  'news',
  'team',
  'apps',
  'social',
  'email',
  'alerts',
  'careers',
  'internships',
  'digital',
  'advertising',
  'terms',
  'conditions',
  'broadcast',
  'terms',
  'conditions',
  'rss',
  'eeo',
  'captioning',
  'contacts',
  'public',
  'inspection',
  'file',
  'public',
  'file',
  'assistance',
  'fcc',
  'applications',
  'news',
  'wcvb',
  'news',
  'policy',
  'statements',
  'hearst',
  'television',
  'affiliate',
  'marketing',
  'program',
  'commission',
  'product',
  'link',
  'retailer',
  'site',
  'hearst',
  'television',
  'inc.',
  'behalf',
  'wcvb',
  'tv',
  'privacy',
  'notice',
  'california',
  'privacy',
  'rights',
  'interest',
  'ads',
  'terms',
  'use',
  'site',
  'map'],
 ['blizzard',
  'snowstorm',
  'wind',
  'mph',
  'cleveland',
  'winter',
  'snowstorm',
  'proximity',
  'lake',
  'erie',
  'lake',
  'effect',
  'snow',
  'cleveland',
  'blizzard',
  'national',
  'weather',
  'service',
  'record',
  'nov.',
  'nov.',
  'jan.',
  'blizzard',
  'cleveland',
  'suburb',
  'storm',
  'canadian',
  'northwest',
  'cleveland',
  'georgia',
  'new',
  'york',
  'great',
  'lakes',
  'rain',
  'sunday',
  'nov.',
  'night',
  'mph',
  'wind',
  'window',
  'fire',
  'hour',
  'barometer',
  'record',
  'time',
  'wire',
  'horse',
  'trolley',
  'communication',
  'city',
  'plowing',
  'snow',
  'day',
  'storm',
  'great',
  'lakes',
  'ship',
  'sailor',
  'storm',
  'tuesday',
  'food',
  'fuel',
  'delivery',
  'city',
  'good',
  'e.',
  '55th',
  'w.',
  'street',
  'thaw',
  'thursday',
  'temperature',
  'degree',
  'condition',
  'friday',
  'weather',
  'bureau',
  'storm',
  'record',
  'blizzard',
  'traffic',
  'west',
  'street',
  'day',
  'thanksgiving',
  'blizzard',
  'arctic',
  'air',
  'mass',
  'temperature',
  'degree',
  'day',
  'nov.',
  'pressure',
  'virginia',
  'ohio',
  'blizzard',
  'wind',
  'snow',
  'airport',
  'mayor',
  'thomas',
  'burke',
  'national',
  'guard',
  'snow',
  'removal',
  'equipment',
  'snow',
  'storm',
  'snow',
  'car',
  'effort',
  'burke',
  'state',
  'emergency',
  'travel',
  'downtown',
  'business',
  'hour',
  'transit',
  'burden',
  'car',
  'downtown',
  'storm',
  'monday',
  'area',
  'school',
  'storm',
  'guardsman',
  'wednesday',
  'cleveland',
  'school',
  'week',
  'child',
  'transit',
  'line',
  'auto',
  'ban',
  'cts',
  'line',
  'saturday',
  'parking',
  'problem',
  'police',
  'traffic',
  'condition',
  'temperature',
  'degree',
  'storm',
  'area',
  'week',
  'life',
  'blizzard',
  'cleveland',
  'history',
  'thursday',
  'jan.',
  'pressure',
  'mississippi',
  'valley',
  'ohio',
  'pressure',
  'great',
  'lakes',
  'cyclone',
  'wind',
  'pressure',
  'eye',
  'cleveland',
  'a.m.',
  'barometer',
  'record',
  'temperature',
  'degree',
  'hour',
  'wind',
  'mph',
  'mph',
  'gust',
  'wind',
  'chill',
  '-100deg',
  'f',
  'snow',
  'hopkins',
  'airport',
  'visibility',
  'illuminating',
  'co.',
  'crew',
  'line',
  'wind',
  'branch',
  'greater',
  'cleveland',
  'home',
  'power',
  'blizzard',
  'storm',
  'winter',
  'u.s.',
  'mayor',
  'dennis',
  'kucinich',
  'return',
  'washington',
  'dc',
  'finance',
  'director',
  'joseph',
  'tegreene',
  'command',
  'post',
  'mayor',
  'national',
  'guard',
  'gov.',
  'james',
  'rhodes',
  'emergency',
  'storm',
  'worker',
  'job',
  'rta',
  'demand',
  'bus',
  'service',
  'bus',
  'line',
  'road',
  'area',
  'freeway',
  'storm',
  'ohio',
  'turnpike',
  'time',
  'condition',
  'day',
  'hopkins',
  'airport',
  'highway',
  'turnpike',
  'east',
  'elyria',
  'food',
  'supply',
  'weekend',
  'winter',
  'city',
  'case',
  'western',
  'reserve',
  'university'],
 ['content',
  'press',
  'enter',
  'weapon',
  'mass',
  'destruction',
  'civil',
  'support',
  'team',
  'id',
  'main',
  'command',
  'post',
  '-',
  'operational',
  'detachment',
  '1st',
  'battalion',
  'regiment',
  'nco',
  'academy',
  '3rd',
  'battalion',
  'rti',
  'field',
  'artillery',
  'z',
  'kv728',
  'member',
  'utah',
  'national',
  'guard',
  'brigade',
  'support',
  'battalion',
  '118th',
  'transportation',
  'company',
  'community',
  'debris',
  'landfill',
  'september',
  'farmington',
  'utah',
  'area',
  'utah',
  'wind',
  'event',
  'wind',
  'mph',
  'area',
  'damage',
  'property',
  'u.s.',
  'air',
  'national',
  'guard',
  'photo',
  'master',
  'sgt',
  'john',
  'winn',
  'z',
  'xl345',
  'soldier',
  'utah',
  'national',
  'guard',
  'community',
  'debris',
  'landfill',
  'september',
  'bountiful',
  'utah',
  'northern',
  'utah',
  'wind',
  'event',
  'wind',
  'mph',
  'area',
  'damage',
  'property',
  'u.s.',
  'air',
  'national',
  'guard',
  'photo',
  'tech',
  'sgt',
  'annie',
  'edwards',
  'z',
  'dp148',
  'member',
  'utah',
  'national',
  'guard',
  'community',
  'debris',
  'landfill',
  'september',
  'bountiful',
  'utah',
  'area',
  'utah',
  'experience',
  'wind',
  'event',
  'wind',
  'mph',
  'area',
  'damage',
  'property',
  'u.s.',
  'air',
  'national',
  'guard',
  'photo',
  'staff',
  'sgt',
  'danny',
  'whitlock',
  'utah',
  'national',
  'guard',
  'utah',
  'windstorm',
  'emergency',
  'cleanup',
  'maj',
  'jaime',
  'thomas',
  'utah',
  'national',
  'guard',
  'direction',
  'gov.',
  'gary',
  'r.',
  'herbert',
  'service',
  'member',
  'utah',
  'national',
  'guard',
  'state',
  'emergency',
  'effort',
  'hurricane',
  'level',
  'wind',
  'utah',
  'salt',
  'lake',
  'davis',
  'weber',
  'cache',
  'counties',
  'utah',
  'national',
  'guard',
  'support',
  'scale',
  'operation',
  'sept.',
  'gov.',
  'herbert',
  'executive',
  'order',
  'state',
  'emergency',
  'weather',
  'condition',
  'sept.',
  'effect',
  'threat',
  'danger',
  'disaster',
  'extent',
  'emergency',
  'condition',
  'national',
  'guard',
  'mission',
  'support',
  'government',
  'agency',
  'disaster',
  'hazmat',
  'incident',
  'emergency',
  'gov.',
  'herbert',
  'utah',
  'guard',
  'role',
  'state',
  'support',
  'service',
  'utahns',
  'weather',
  'event',
  'damage',
  'tree',
  'power',
  'outage',
  'utility',
  'water',
  'break',
  'gas',
  'leak',
  'damage',
  'home',
  'vehicle',
  'wind-',
  'debris',
  'roadway',
  'engineering',
  'element',
  'maneuver',
  'enhancement',
  'brigade',
  'direction',
  'unified',
  'command',
  'state',
  'emergency',
  'operations',
  'center',
  'agency',
  'debris',
  'removal',
  'community',
  'operation',
  'area',
  'davis',
  'salt',
  'lake',
  'county',
  'maneuver',
  'enhancement',
  'brigade',
  'emergency',
  'response',
  'operation',
  'history',
  'excellence',
  'state',
  'emergency',
  'col',
  '.',
  'woodrow',
  'miner',
  'commander',
  'maneuver',
  'enhancement',
  'brigade',
  'mission',
  'community',
  'utah',
  'national',
  'guard',
  'capability',
  'emergency',
  'responder',
  'government',
  'effort',
  'state',
  'emergency',
  'element',
  'utah',
  'national',
  'guard',
  'effort',
  'utah',
  'national',
  'guard',
  'track',
  'record',
  'authority',
  'emergency',
  'question',
  'maj',
  'jaime',
  'thomas',
  'ng.ut.utarng.list.pao@mail.mil',
  'utah',
  'airman',
  'region',
  'soldiers',
  'best',
  'warrior',
  'competition',
  'staff',
  'sgt',
  'jordan',
  'hack',
  'airman',
  'kevin',
  'buckner',
  'fire',
  'protection',
  'journeyman',
  'civil',
  'engineering',
  'squadron',
  'winner',
  'soldier',
  'year',
  'category',
  'year',
  'utah',
  'national',
  'guard',
  'best',
  'warrior',
  'competition',
  'utah',
  'educator',
  'black',
  'hawk',
  'helicopter',
  'salt',
  'lake',
  'utah',
  'county',
  'ileen',
  'kennedy',
  '',
  '',
  'march',
  'educator',
  'salt',
  'lake',
  'utah',
  'counties',
  'chance',
  'uh-60',
  'black',
  'hawk',
  'helicopter',
  'member',
  'utah',
  'national',
  'guard',
  'general',
  'support',
  'aviation',
  'battalion',
  '211th',
  'aviation',
  'regiment',
  'utah',
  'guardsmen',
  'cooks',
  'country',
  'sgt',
  '1st',
  'class',
  'richard',
  'stowell',
  'march',
  'soldier',
  '1457th',
  'forward',
  'support',
  'company',
  '1457th',
  'engineer',
  'battalion',
  'utah',
  'national',
  'guard',
  'final',
  'philip',
  'a.',
  'connelly',
  'competition',
  'camp',
  'williams',
  'utah',
  'february',
  'tech',
  'sgt',
  'nicholas',
  'perez',
  'feb.',
  'communication',
  'success',
  'field',
  'military',
  'stake',
  'environment',
  'communication',
  'safety',
  'troop',
  'utah',
  'national',
  'guard',
  'world',
  'polyglot',
  'games',
  'mi',
  'language',
  'conference',
  'master',
  'sgt',
  'samantha',
  'xanthos',
  'feb.',
  'competitor',
  'organization',
  'country',
  'year',
  'polyglot',
  'game',
  'military',
  'intelligence',
  'brigade',
  'participant',
  'organization',
  'utah',
  'air',
  'national',
  'guard',
  'honors',
  'airmen',
  'year',
  'tech',
  'sgt',
  'danny',
  'whitlock',
  'jan.',
  'utah',
  'air',
  'national',
  'guard',
  'airmen',
  'year',
  'banquet',
  'honor',
  'utah',
  'cultural',
  'celebration',
  'center',
  'jan.',
  'west',
  'valley',
  'city',
  'utah',
  'airmen',
  'year',
  'award',
  'program',
  'utah',
  'national',
  'guard',
  'hosts',
  'multi',
  '-',
  'agency',
  'disaster',
  'response',
  'exercise',
  'capt',
  'megan',
  'tidwell',
  'nov.',
  'utah',
  'national',
  'guard',
  'domestic',
  'operations',
  'office',
  'conjunction',
  'state',
  'utah',
  'emergency',
  'operation',
  'center',
  'division',
  'emergency',
  'management',
  'training',
  'event',
  'camp',
  'williams',
  'bluffdale',
  'esgr',
  'awards',
  'civic',
  'leaders',
  'maj',
  'chris',
  'kroeber',
  'oct.',
  'employer',
  'support',
  'guard',
  'reserve',
  'seven',
  'seals',
  'patriot',
  'awards',
  'leader',
  'ceremony',
  'wednesday',
  'gov.',
  'spencer',
  'cox',
  'esgr',
  'seven',
  'seals',
  'award',
  'patriot',
  'award',
  'mr',
  'leader',
  'host',
  'governor',
  'spencer',
  'cox',
  'exercise',
  'morocco',
  'lt',
  '.',
  'col',
  '.',
  'chris',
  'kroeber',
  'june',
  'leader',
  'utah',
  'national',
  'guard',
  'u.s.',
  'africa',
  'command',
  'southern',
  'european',
  'task',
  'force',
  'africa',
  'royal',
  'moroccan',
  'armed',
  'forces',
  'utah',
  'governor',
  'spencer',
  'cox',
  'military',
  'utah',
  'national',
  'guard',
  'officers',
  'club',
  'renovation',
  'lt',
  '.',
  'col',
  '.',
  'chris',
  'kroeber',
  'utah',
  'national',
  'guard',
  'ribbon',
  'ceremony',
  'completion',
  'renovation',
  'camp',
  'williams',
  'officer',
  'club',
  'p.m.',
  'officer',
  'club',
  'utah',
  'historical',
  'triple',
  'deuce',
  'field',
  'artillery',
  'fire',
  'demonstration',
  'recruiting',
  'family',
  'day',
  'event',
  'keith',
  'garner',
  'battalion',
  '222nd',
  'field',
  'artillery',
  'utah',
  'army',
  'national',
  'guard',
  'recruiting',
  'family',
  'day',
  'camp',
  'williams',
  'event',
  'saturday',
  'pm',
  'utah',
  'national',
  'guard',
  'day',
  'night',
  'fire',
  'artillery',
  'exercise',
  'camp',
  'williams',
  'lt',
  '.',
  'col',
  '.',
  'chris',
  'kroeber',
  'march',
  'utah',
  'national',
  'guard',
  'field',
  'artillery',
  'battalion',
  'fire',
  'artillery',
  'training',
  'exercise',
  'a.m.',
  'midnight',
  'mar.',
  'april',
  'april',
  'noon',
  'camp',
  'utah',
  'national',
  'guard',
  'honorary',
  'colonels',
  'corps',
  'annual',
  'bronze',
  'minuteman',
  'awards',
  'dinner',
  'lt',
  '.',
  'col',
  '.',
  'chris',
  'kroeber',
  'march',
  'utah',
  'national',
  'guard',
  'honorary',
  'colonels',
  'corps',
  'annual',
  'bronze',
  'minuteman',
  'awards',
  'dinner',
  'thursday',
  'march',
  'salt',
  'lake',
  'city',
  'little',
  'america',
  'hotel',
  'concern',
  'weekend',
  'flight',
  'pattern',
  'west',
  'jordan',
  'lt',
  '.',
  'col',
  '.',
  'chris',
  'kroeber',
  'march',
  'utah',
  'national',
  'guard',
  'helicopter',
  'flight',
  'weekend',
  'flight',
  'pattern',
  'concern',
  'community',
  'south',
  'valley',
  'regional',
  'airport',
  'utah',
  'utah',
  'national',
  'guard',
  '1457th',
  'forward',
  'support',
  'company',
  'finalist',
  'national',
  'connelly',
  'food',
  'services',
  'competition',
  'maj',
  'chris',
  'kroeber',
  'feb.',
  'utah',
  'national',
  'guard',
  '1457th',
  'forward',
  'support',
  'company',
  'finalist',
  'u.s.',
  'army',
  'phillip',
  'a.',
  'connelly',
  'award',
  'competition',
  'camp',
  'williams',
  'utah',
  'feb.',
  'utah',
  'national',
  'guard',
  'cst',
  'eod',
  'team',
  'nba',
  'event',
  'maj',
  'chris',
  'kroeber',
  'feb.',
  'utah',
  'national',
  'guard',
  'weapons',
  'mass',
  'destruction',
  'civil',
  'support',
  'team',
  'law',
  'enforcement',
  'safety',
  'agency',
  'nba',
  'weekend',
  'salt',
  'lake',
  'city',
  'utah',
  'feb.',
  'home',
  'site',
  'map',
  'privacy',
  'security',
  'link',
  'disclaimer',
  'web',
  'policy',
  'foia',
  'fear',
  'act',
  'accessibility',
  'section',
  'contact',
  'guard',
  'careers',
  'office',
  'special',
  'counsel',
  'whistleblower',
  'protection',
  'defense',
  'media',
  'activity',
  'web.mil'],
 ['main',
  'content',
  'sensor',
  'network',
  'maps',
  'radar',
  'severe',
  'weather',
  'news',
  'blogs',
  'mobile',
  'apps',
  'nearest',
  'station',
  'manage',
  'favorite',
  'citieslog',
  'joinsettingsaccount_box',
  'log',
  'person_add',
  'join',
  'setting',
  'settings',
  'sensor',
  'networkmaps',
  'radarsevere',
  'weathernews',
  'blogsmobile',
  'appshistorical',
  'weatherstarnews',
  'blogs',
  'category',
  'new',
  'stories',
  'infographics',
  'posters',
  'category',
  'category',
  'wind',
  'pennsylvania',
  'connecticutbob',
  'henson',
  'pm',
  'edtabove',
  'tree',
  'power',
  'line',
  'main',
  'street',
  'south',
  'bridgewater',
  'conn.',
  'storm',
  'area',
  'tuesday',
  'credit',
  'john',
  'woike',
  'hartford',
  'courant',
  'ap.at',
  'death',
  'tuesday',
  'u.s.',
  'onslaught',
  'thunderstorm',
  'wind',
  'hail',
  'flooding',
  'rain',
  'tornado',
  'complex',
  'storm',
  'region',
  'pennsylvania',
  'connecticut',
  'hudson',
  'valley',
  'new',
  'york',
  'customer',
  'northeast',
  'power',
  'height',
  'storm',
  'storm',
  'death',
  'tree',
  'car',
  'weather.com',
  'evolution',
  'today',
  'weather',
  'event',
  'northeast',
  'goes16',
  'ir',
  'pic.twitter.com/yuviqvlviv',
  'sam',
  'lillo',
  '@splillo',
  'noaa',
  'nws',
  'storm',
  'prediction',
  'center',
  'log',
  'storm',
  'report',
  'tuesday',
  'report',
  'wind',
  'northeast',
  'storm',
  'case',
  'monday',
  'event',
  'definition',
  'derecho',
  'swath',
  'line',
  'wind',
  'thunderstorm',
  'study',
  'walker',
  'ashley',
  'thomas',
  'mote',
  'weather.com',
  'jon',
  'erdman',
  'brian',
  'donegan',
  'wind',
  'swath',
  'monday',
  'tuesday',
  'kilometer',
  'mile',
  'wind',
  'criterion',
  'ashley',
  'mote',
  'km',
  'mile',
  'criterion',
  'definition',
  'nws',
  'scientist',
  'paper',
  'tuesday',
  'storm',
  'new',
  'york',
  'area',
  'transportation',
  'network',
  'chaos',
  'tree',
  'railway',
  'line',
  'metro',
  'north',
  'commuter',
  'rail',
  'system',
  'tuesday',
  'evening',
  'rush',
  'hour',
  'thousand',
  'people',
  'grand',
  'central',
  'station',
  'hour',
  'scene',
  'time',
  'commuter',
  'chaos',
  'announcement',
  'train',
  'service',
  'grand',
  'central',
  'nyc',
  'grandcentral',
  'andrew',
  'katz',
  '@katzandrews',
  'hail',
  'state',
  'record',
  'supercell',
  'storm',
  'west',
  'east',
  'area',
  'storm',
  'wind',
  'packing',
  'squall',
  'line',
  'system',
  'spotter',
  'tornado',
  'yulan',
  'new',
  'york',
  'tuesday',
  'afternoon',
  'national',
  'weather',
  'service',
  'meteorologist',
  'storm',
  'area',
  'new',
  'york',
  'connecticut',
  'wednesday',
  'tornado',
  'spc',
  'log',
  'hail',
  'report',
  'tuesday',
  'report',
  'baseball',
  'hail',
  'diameter',
  'harford',
  'pennsylvania',
  'clermont',
  'new',
  'york',
  'report',
  'frederick',
  'maryland',
  'granby',
  'connecticut',
  'wu',
  'weather',
  'historian',
  'chris',
  'burt',
  'list',
  'state',
  'level',
  'hailstone',
  'size',
  'record',
  'hailstone',
  'granby',
  'ct',
  'state',
  'record',
  'hailstone',
  'hamden',
  'ct',
  'july',
  'state',
  'record',
  'firm',
  'new',
  'york',
  'otsego',
  'county',
  'aug.',
  'pennsylvania',
  'meadville',
  'june',
  'maryland',
  'annapolis',
  'june',
  'hail',
  'area',
  'tsp',
  'columbia',
  'co.',
  'pic.twitter.com/kzcgljoubk',
  'julian',
  'diamond',
  '@juliancd38',
  'new',
  'york',
  'state',
  'mesonet',
  'network',
  'quality',
  'weather',
  'station',
  'thunderstorm',
  'wind',
  'gust',
  'founding',
  'second',
  'gust',
  'mph',
  'beacon',
  'ny',
  'mile',
  'manhattan',
  'hudson',
  'river',
  'pm',
  'edt',
  'peak',
  'mesonet',
  'new',
  'york',
  'city',
  'mph',
  'bronx',
  'mph',
  'queens',
  'mph',
  'manhattan',
  'pm',
  'edt.the',
  'mesonet',
  'state',
  'record',
  'weather',
  'event',
  'week',
  'gust',
  'mph',
  'malone',
  'new',
  'york',
  'figure',
  'wind',
  'gust',
  'new',
  'york',
  'state',
  'mesonet',
  'tuesday',
  'new',
  'york',
  'wind',
  'gust',
  'mph',
  'credit',
  'nys',
  'mesonet',
  'figure',
  'weather',
  'observation',
  'minute',
  'interval',
  'new',
  'york',
  'state',
  'mesonet',
  'station',
  'beacon',
  'ny',
  'tuesday',
  'peak',
  'wind',
  'gust',
  'anemometer',
  'height',
  'meter',
  'foot',
  'mph',
  'pm',
  'arrival',
  'thunderstorm',
  'temperature',
  'drop',
  'meter',
  'instrument',
  'height',
  '°',
  'f',
  'pm',
  'edt',
  '°',
  'f',
  'pm',
  'credit',
  'nys',
  'mesonet',
  'video',
  'tree',
  'thunderstorm',
  'wind',
  'mph',
  'beacon',
  'ny',
  'tree',
  'video',
  'webcam',
  'new',
  'york',
  'state',
  'mesonet',
  'site',
  'beacon',
  'credit',
  'nys',
  'mesonet',
  'wind',
  'meteotsunami',
  'enhancement',
  'tide',
  'weather',
  'feature',
  'coast',
  'delaware',
  'new',
  'england',
  'water',
  'level',
  'pulse',
  'order',
  'inch',
  'period',
  'hour',
  'angela',
  'fritz',
  'capital',
  'weather',
  'gang',
  'storm',
  'seasonif',
  'u.s.',
  'winter',
  'summer',
  'reason',
  'month',
  'aprils',
  'record',
  'u.s.',
  'jet',
  'stream',
  'swath',
  'air',
  'situation',
  'weather',
  'outbreak',
  'figure',
  'monday',
  'year',
  'tornado',
  'thunderstorm',
  'watch',
  'noaa',
  'nws',
  'storm',
  'prediction',
  'center',
  'point',
  'year',
  'credit',
  'sam',
  'lillo',
  'university',
  'oklahoma',
  '@splillo',
  'level',
  'wind',
  'standard',
  'week',
  'storm',
  'great',
  'plains',
  'midwest',
  'chance',
  'weather',
  'central',
  'high',
  'plains',
  'thursday',
  'friday',
  'day',
  'risk',
  'area',
  'wednesday',
  'morning',
  'end',
  'weather',
  'supercell',
  'report',
  'weather',
  'tornado',
  'figure',
  'wu',
  'depiction',
  'weather',
  'risk',
  'area',
  'day',
  'thursday',
  'friday',
  'noaa',
  'nws',
  'spc',
  'wednesday',
  'morning',
  'weather',
  'company',
  'mission',
  'weather',
  'news',
  'environment',
  'importance',
  'science',
  'life',
  'story',
  'position',
  'parent',
  'company',
  'ibm',
  'bob',
  'hensonbob',
  'henson',
  'meteorologist',
  'writer',
  'weather.com',
  'category',
  'news',
  'site',
  'weather',
  'underground',
  'year',
  'national',
  'center',
  'atmospheric',
  'research',
  'author',
  'thinking',
  'person',
  'guide',
  'climate',
  'change',
  'air',
  'history',
  'broadcast',
  'meteorology',
  'articlescategory',
  'sight',
  'rainbow',
  'bob',
  'henson',
  'june',
  'edt',
  'section',
  'miscellaneous',
  'alexander',
  'von',
  'humboldt',
  'scientist',
  'extraordinaire',
  'tom',
  'niziol',
  'june',
  'pm',
  'edt',
  'section',
  'time',
  'weather',
  'underground',
  'favorite',
  'posts',
  'christopher',
  'c.',
  'burt',
  'june',
  'pm',
  'edt',
  'section',
  'miscellaneous',
  'appsabout',
  'uscontactcareerspws',
  'networkwundermapfeedback',
  'supportterms',
  'useprivacy',
  'policyaccessibility',
  'statementadchoicesdata',
  'vendorswe',
  'responsibility',
  'datum',
  'technology',
  'datum',
  'data',
  'vendor',
  'control',
  'datum',
  'datum',
  'rightspowered',
  'ibm',
  'cloud',
  'copyright',
  'twc',
  'product',
  'technology',
  'llc',
  'javascript',
  'application'],
 ['contentskip',
  'navigationskip',
  'navigationprint',
  'subscription',
  'sign',
  'insearch',
  'jobssearchus',
  'editionus',
  'editionuk',
  'editionaustralia',
  'guardian',
  'guardiannewsopinionsportculturelifestyleshowmoreshow',
  'morenewsview',
  'newsus',
  'newsworld',
  'politicsbusinesstechsciencenewslettersfight',
  'democracyopinionview',
  'opinionthe',
  'guardian',
  'viewcolumnistslettersopinion',
  'videoscartoonssportview',
  'sportsoccernfltennismlbmlsnbanhlf1golfcultureview',
  'culturefilmbooksmusicart',
  'designtv',
  'radiostageclassicalgameslifestyleview',
  'lifestylefashionfoodrecipeslove',
  'sexhome',
  'gardenhealth',
  'fitnessfamilytravelmoneysearch',
  'input',
  'google',
  'search',
  'searchsupport',
  'usprint',
  'subscriptionsus',
  'editionuk',
  'editionaustralia',
  'editionsearch',
  'jobsdigital',
  'archiveguardian',
  'puzzles',
  'licensingthe',
  'guardian',
  'guardianguardian',
  'weeklycrosswordswordiplycorrectionsfacebooktwittersearch',
  'jobsdigital',
  'archiveguardian',
  'puzzles',
  'licensingusworldenvironmentsoccerus',
  'democracy',
  'home',
  'tree',
  'tornado',
  'little',
  'rock',
  'arkansas',
  'photograph',
  'andrew',
  'demillo',
  'apa',
  'home',
  'tree',
  'tornado',
  'little',
  'rock',
  'arkansas',
  'photograph',
  'andrew',
  'demillo',
  'observeru',
  'weather',
  'article',
  'month',
  'storm',
  'system',
  'article',
  'month',
  'oldtornadoe',
  'devastation',
  'arkansas',
  'illinois',
  'iowa',
  'oklahoma',
  'theatre',
  'roof',
  'concertedward',
  'helmore',
  'associated',
  'presssun',
  'apr',
  'edtfirst',
  'fri',
  'mar',
  'edtat',
  'people',
  'place',
  'power',
  'monster',
  'storm',
  'system',
  'midwest',
  'tornado',
  'home',
  'shopping',
  'center',
  'theatre',
  'roof',
  'metal',
  'concert',
  'illinois',
  'report',
  'tornado',
  'state',
  'storm',
  'friday',
  'night',
  'twister',
  'condition',
  'saturday',
  'storm',
  'system',
  'swath',
  'home',
  'people',
  'spring',
  'storm',
  'blizzard',
  'tornado',
  'shower',
  'weather',
  'death',
  'tennessee',
  'county',
  'death',
  'alabama',
  'illinois',
  'mississippi',
  'little',
  'rock',
  'arkansas',
  'mayor',
  'building',
  'tornado',
  'path',
  'national',
  'weather',
  'service',
  'tornado',
  'end',
  'ef3',
  'twister',
  'wind',
  'speed',
  'mph',
  'km',
  'h',
  'path',
  'mile',
  'kms).three',
  'indiana',
  'area',
  'sullivan',
  'city',
  'mile',
  'drive',
  'south',
  'west',
  'indianapolis',
  'madison',
  'county',
  'alabama',
  'person',
  'official',
  'death',
  'number',
  'fatality',
  'mcnairy',
  'county',
  'tennessee',
  'power',
  'outage',
  'figure',
  'resource',
  'site',
  'saturday',
  'area',
  'arkansas',
  'city',
  'wynne',
  'storm',
  'home',
  'people',
  'debris',
  'state',
  'governor',
  'sarah',
  'huckabee',
  'sanders',
  'town',
  'mile',
  'memphis',
  'tennessee',
  'damage',
  'tornado',
  'city',
  'council',
  'member',
  'lisa',
  'powell',
  'carter',
  'wynne',
  'power',
  'road',
  'debris',
  'debris',
  'clothing',
  'insulation',
  'roofing',
  'paper',
  'toy',
  'furniture',
  'pickup',
  'truck',
  'window',
  'scene',
  'devastation',
  'weather',
  'event',
  'climate',
  'change',
  'town',
  'heidi',
  'jenkins',
  'salon',
  'owner',
  'school',
  'church',
  'people',
  'home',
  'mississippi',
  'pontotoc',
  'county',
  'person',
  'mississippi',
  'emergency',
  'management',
  'agency',
  'illinois',
  'chicago',
  'area',
  'type',
  'weather',
  'warning',
  'friday',
  'night',
  'hour',
  'national',
  'weather',
  'service',
  'situation',
  'face',
  'outbreak',
  'thunderstorm',
  'potential',
  'hail',
  'wind',
  'gust',
  'tornado',
  'distance',
  'ground',
  'meteorologist',
  'condition',
  'friday',
  'week',
  'twister',
  'people',
  'home',
  'mississippi',
  'people',
  'debris',
  'roof',
  'apollo',
  'theater',
  'belvidere',
  'illinois',
  'photograph',
  'jessica',
  'bahena',
  'hernandez',
  'reuterslate',
  'friday',
  'town',
  'belvidere',
  'mile',
  'km',
  'north',
  'west',
  'chicago',
  'person',
  'life',
  'injury',
  'roof',
  'apollo',
  'theatre',
  'tornado',
  'belvidere',
  'fire',
  'department',
  'chief',
  'shawn',
  'schadle',
  'people',
  'venue',
  'time',
  'responder',
  'elevator',
  'power',
  'line',
  'theatre',
  'town',
  'police',
  'chief',
  'shane',
  'woody',
  'scene',
  'collapse',
  'chaos',
  'chaos”',
  'twister',
  'iowa',
  'grass',
  'fire',
  'oklahoma',
  'wind',
  'mph',
  'oklahoma',
  'city',
  'people',
  'home',
  'trooper',
  'portion',
  'interstate',
  'weather',
  'joe',
  'biden',
  'aftermath',
  'tornado',
  'mississippi',
  'week',
  'president',
  'government',
  'area',
  'little',
  'rock',
  'tornado',
  'neighbourhood',
  'city',
  'shopping',
  'centre',
  'arkansas',
  'river',
  'little',
  'rock',
  'city',
  'damage',
  'home',
  'business',
  'vehicle',
  'baptist',
  'health',
  'medical',
  'center',
  'little',
  'rock',
  'official',
  'katv',
  'afternoon',
  'people',
  'tornado',
  'injury',
  'condition',
  'mayor',
  'frank',
  'scott',
  'jr',
  'assistance',
  'guard',
  'evening',
  'property',
  'damage',
  'panic',
  'wynne',
  'house',
  'tree',
  'street',
  'area',
  'night',
  'tornado',
  'damage',
  'sherwood',
  'arkansas',
  'friday',
  'photograph',
  'colin',
  'murphey',
  'apthe',
  'police',
  'department',
  'tennessee',
  'city',
  'covington',
  'facebook',
  'city',
  'power',
  'line',
  'tree',
  'road',
  'storm',
  'friday',
  'evening',
  'authority',
  'tipton',
  'county',
  'north',
  'memphis',
  'tornado',
  'school',
  'covington',
  'location',
  'county',
  'tornado',
  'iowa',
  'damage',
  'building',
  'image',
  'barn',
  'house',
  'roofing',
  'siding',
  'tornado',
  'iowa',
  'city',
  'home',
  'university',
  'iowa',
  'watch',
  'party',
  'campus',
  'arena',
  'woman',
  'basketball',
  'final',
  'game',
  'video',
  'kcrg',
  'tv',
  'power',
  'pole',
  'roof',
  'apartment',
  'building',
  'suburb',
  'coralville',
  'home',
  'city',
  'hills',
  'observerextreme',
  'weatherarkansastennesseetornadoesnewsreuse',
  'viewedmost',
  'viewedusworldenvironmentsoccerus',
  'politicsbusinesstechsciencenewslettersfight',
  'reporting',
  'analysis',
  'guardian',
  'ushelpcomplaint',
  'correctionssecuredropwork',
  'usprivacy',
  'policycookie',
  'policyterms',
  'conditionscontact',
  'usall',
  'topicsall',
  'newspaper',
  'archivefacebookyoutubeinstagramlinkedintwitternewslettersadvertise',
  'labssearch',
  'guardian',
  'news',
  'media',
  'limited',
  'company',
  'right'],
 ...]

Train Word2Vec model using df['nouns'] data to obtain word embeddings¶

In [ ]:
'''
Use gemsin W2V model that implements skip-grams and continuous-bag-of-words
to capture conceptual similarities and train it using the word tokens from 
df to consider words that appear at least 5 times
'''
w2v = Word2Vec(gensim_words, min_count=5)
w2v.wv.save_word2vec_format("articles_extended.w2v")
# Get the keyedModel vectors
word_vectors = w2v.wv
# Example of content, aka number of keys or features, and their corresponding index
print(len(word_vectors.key_to_index.keys())) # word keys and length
word_vectors.key_to_index
22948
Out[ ]:
{'storm': 0,
 'weather': 1,
 'news': 2,
 'tornado': 3,
 'state': 4,
 'county': 5,
 'wind': 6,
 'area': 7,
 'snow': 8,
 'damage': 9,
 'people': 10,
 'power': 11,
 'day': 12,
 'new': 13,
 'national': 14,
 'service': 15,
 'home': 16,
 'hurricane': 17,
 'republic': 18,
 'rain': 19,
 'city': 20,
 'year': 21,
 'water': 22,
 'time': 23,
 'winter': 24,
 'hour': 25,
 'wednesday': 26,
 'emergency': 27,
 'inch': 28,
 'road': 29,
 'flooding': 30,
 'tree': 31,
 'video': 32,
 'thursday': 33,
 'morning': 34,
 'temperature': 35,
 'friday': 36,
 'south': 37,
 'north': 38,
 'condition': 39,
 'heat': 40,
 'warning': 41,
 'week': 42,
 'system': 43,
 'mph': 44,
 'community': 45,
 'tuesday': 46,
 'thunderstorm': 47,
 'report': 48,
 'night': 49,
 'school': 50,
 'pm': 51,
 '': 52,
 'center': 53,
 'forecast': 54,
 'official': 55,
 'monday': 56,
 'flood': 57,
 'resident': 58,
 'p.m.': 59,
 'outage': 60,
 'information': 61,
 'event': 62,
 'july': 63,
 'line': 64,
 'sunday': 65,
 'region': 66,
 'privacy': 67,
 'climate': 68,
 'foot': 69,
 'business': 70,
 'florida': 71,
 'texas': 72,
 'disaster': 73,
 'today': 74,
 'level': 75,
 'river': 76,
 'saturday': 77,
 'datum': 78,
 'mile': 79,
 'public': 80,
 'west': 81,
 'policy': 82,
 'car': 83,
 'change': 84,
 'air': 85,
 'california': 86,
 'york': 87,
 'team': 88,
 'risk': 89,
 'fire': 90,
 'house': 91,
 'impact': 92,
 'afternoon': 93,
 'coast': 94,
 'record': 95,
 'island': 96,
 'press': 97,
 'watch': 98,
 'family': 99,
 'u.s.': 100,
 'alert': 101,
 'death': 102,
 'article': 103,
 'town': 104,
 '%': 105,
 'life': 106,
 '-': 107,
 'site': 108,
 'office': 109,
 '.': 110,
 'property': 111,
 'photo': 112,
 'customer': 113,
 'man': 114,
 'way': 115,
 'account': 116,
 'mississippi': 117,
 'virginia': 118,
 'evening': 119,
 'carolina': 120,
 'tv': 121,
 'blizzard': 122,
 'place': 123,
 'month': 124,
 'police': 125,
 'et': 126,
 'terms': 127,
 'content': 128,
 'contact': 129,
 'meteorologist': 130,
 'fox': 131,
 'vehicle': 132,
 'email': 133,
 'update': 134,
 'park': 135,
 'surge': 136,
 'department': 137,
 'app': 138,
 'weekend': 139,
 'street': 140,
 'effect': 141,
 'google': 142,
 'hail': 143,
 'march': 144,
 'ice': 145,
 'world': 146,
 'building': 147,
 'iowa': 148,
 'deal': 149,
 'season': 150,
 'travel': 151,
 'food': 152,
 'story': 153,
 'east': 154,
 'cnn': 155,
 'degree': 156,
 'valley': 157,
 'management': 158,
 'sports': 159,
 'use': 160,
 'highway': 161,
 'sign': 162,
 'credit': 163,
 'vermont': 164,
 'arizona': 165,
 'lake': 166,
 'arkansas': 167,
 'biden': 168,
 'crew': 169,
 'term': 170,
 'woman': 171,
 'a.m.': 172,
 'dakota': 173,
 'summer': 174,
 'mountain': 175,
 'oklahoma': 176,
 'june': 177,
 'ian': 178,
 'rainfall': 179,
 'agency': 180,
 'bay': 181,
 'threat': 182,
 'search': 183,
 'high': 184,
 'flash': 185,
 'file': 186,
 'media': 187,
 'debris': 188,
 'health': 189,
 'local': 190,
 'star': 191,
 'energy': 192,
 'roof': 193,
 'washington': 194,
 'georgia': 195,
 'study': 196,
 'personal': 197,
 'twitter': 198,
 'snowfall': 199,
 'precipitation': 200,
 'illinois': 201,
 'traffic': 202,
 'chance': 203,
 'alabama': 204,
 'kingdom': 205,
 'facebook': 206,
 'safety': 207,
 'location': 208,
 'sea': 209,
 'beach': 210,
 'minnesota': 211,
 'february': 212,
 'gust': 213,
 'nws': 214,
 'jersey': 215,
 'guard': 216,
 'post': 217,
 'population': 218,
 'shelter': 219,
 'rescue': 220,
 'type': 221,
 'number': 222,
 'company': 223,
 'ground': 224,
 'map': 225,
 'rights': 226,
 'point': 227,
 'governor': 228,
 'states': 229,
 'injury': 230,
 'april': 231,
 'utah': 232,
 'airport': 233,
 'right': 234,
 'copyright': 235,
 'station': 236,
 'wave': 237,
 'gov.': 238,
 'activity': 239,
 'ap': 240,
 'september': 241,
 'university': 242,
 'al': 243,
 'ohio': 244,
 'united': 245,
 'program': 246,
 'history': 247,
 'associated': 248,
 'kansas': 249,
 'indiana': 250,
 'date': 251,
 'colorado': 252,
 'ad': 253,
 'flight': 254,
 'case': 255,
 'advisory': 256,
 'delaware': 257,
 'link': 258,
 'radar': 259,
 'missouri': 260,
 'central': 261,
 'group': 262,
 'northeast': 263,
 '°': 264,
 'store': 265,
 'lot': 266,
 'government': 267,
 'louisiana': 268,
 'newsletter': 269,
 'country': 270,
 'thing': 271,
 'thousand': 272,
 'scholar': 273,
 'share': 274,
 'december': 275,
 'ocean': 276,
 'rate': 277,
 'st.': 278,
 'child': 279,
 'supply': 280,
 'medium': 281,
 'person': 282,
 'category': 283,
 'rock': 284,
 'tennessee': 285,
 'sheriff': 286,
 'census': 287,
 'august': 288,
 'result': 289,
 'minute': 290,
 'plan': 291,
 'fcc': 292,
 'kentucky': 293,
 'effort': 294,
 'response': 295,
 'income': 296,
 'amazon': 297,
 'browser': 298,
 'cbs': 299,
 'severe': 300,
 'chicago': 301,
 'daily': 302,
 'dozen': 303,
 'hawaii': 304,
 'notice': 305,
 'model': 306,
 'inc.': 307,
 'michigan': 308,
 'truck': 309,
 'statement': 310,
 'work': 311,
 'total': 312,
 'shower': 313,
 'help': 314,
 'analysis': 315,
 'tract': 316,
 'website': 317,
 'cloud': 318,
 'inbox': 319,
 'research': 320,
 'technology': 321,
 'little': 322,
 'advertise': 323,
 'son': 324,
 'source': 325,
 'maine': 326,
 'page': 327,
 'forecaster': 328,
 'recovery': 329,
 'wisconsin': 330,
 'president': 331,
 'edt': 332,
 'resilience': 333,
 'hospital': 334,
 'f': 335,
 'window': 336,
 'noaa': 337,
 'neighborhood': 338,
 'network': 339,
 'class': 340,
 'midwest': 341,
 'nebraska': 342,
 'k': 343,
 'image': 344,
 'tide': 345,
 'singer': 346,
 'southern': 347,
 'science': 348,
 'metro': 349,
 'figure': 350,
 'end': 351,
 'support': 352,
 'member': 353,
 'interstate': 354,
 'hampshire': 355,
 'j.': 356,
 'portion': 357,
 'period': 358,
 'c': 359,
 'staff': 360,
 'san': 361,
 'fan': 362,
 'great': 363,
 'issue': 364,
 'job': 365,
 'director': 366,
 'boston': 367,
 'gas': 368,
 'red': 369,
 'insurance': 370,
 'view': 371,
 'leader': 372,
 'transportation': 373,
 'digital': 374,
 'landfall': 375,
 'atlantic': 376,
 'january': 377,
 'track': 378,
 'index': 379,
 'southwest': 380,
 'moment': 381,
 'land': 382,
 'big': 383,
 'student': 384,
 'path': 385,
 'cyclone': 386,
 'infrastructure': 387,
 'concern': 388,
 'wyoming': 389,
 'tip': 390,
 'england': 391,
 'm': 392,
 'mobile': 393,
 'pattern': 394,
 'route': 395,
 'southeast': 396,
 'fort': 397,
 'mexico': 398,
 'twister': 399,
 'assistance': 400,
 'conference': 401,
 'force': 402,
 'phone': 403,
 'montana': 404,
 'hill': 405,
 'massachusetts': 406,
 'driver': 407,
 'cdt': 408,
 'data': 409,
 'hunter': 410,
 'authority': 411,
 'downtown': 412,
 'utility': 413,
 'spring': 414,
 'hazard': 415,
 'light': 416,
 'northwest': 417,
 'text': 418,
 'loss': 419,
 'round': 420,
 'crash': 421,
 'owner': 422,
 'green': 423,
 'journal': 424,
 'list': 425,
 'resource': 426,
 'pressure': 427,
 'alaska': 428,
 'nevada': 429,
 'destruction': 430,
 'material': 431,
 'mid': 432,
 'best': 433,
 'cookie': 434,
 'elevation': 435,
 'prediction': 436,
 'log': 437,
 'international': 438,
 'care': 439,
 'expert': 440,
 'plains': 441,
 'orleans': 442,
 'district': 443,
 "o'connor": 444,
 'a.': 445,
 'newsletters': 446,
 'joe': 447,
 'security': 448,
 'sky': 449,
 'scale': 450,
 'law': 451,
 'tonight': 452,
 'peak': 453,
 'assessment': 454,
 'wall': 455,
 'real': 456,
 'tropical': 457,
 'bridge': 458,
 'falls': 459,
 'inspection': 460,
 'plea': 461,
 'jackson': 462,
 'fact': 463,
 'money': 464,
 'half': 465,
 'monsoon': 466,
 'northern': 467,
 'control': 468,
 'lee': 469,
 'connecticut': 470,
 'access': 471,
 'mother': 472,
 'experience': 473,
 'jul': 474,
 'federal': 475,
 'body': 476,
 'john': 477,
 'interest': 478,
 'plant': 479,
 'market': 480,
 'dog': 481,
 'pet': 482,
 'mayor': 483,
 'education': 484,
 'notification': 485,
 'democratic': 486,
 'future': 487,
 'eeo': 488,
 'accumulation': 489,
 'alerts': 490,
 'order': 491,
 'oregon': 492,
 'radio': 493,
 'value': 494,
 'situation': 495,
 'operation': 496,
 'james': 497,
 'october': 498,
 'nature': 499,
 'info': 500,
 'sun': 501,
 'author': 502,
 'electricity': 503,
 'opens': 504,
 'drought': 505,
 'gulf': 506,
 'roadway': 507,
 'friend': 508,
 'dam': 509,
 'grid': 510,
 'pennsylvania': 511,
 'teen': 512,
 'ufo': 513,
 'eastern': 514,
 'wife': 515,
 'neighbor': 516,
 'floodwater': 517,
 'environment': 518,
 'politics': 519,
 'accessibility': 520,
 'maryland': 521,
 'evacuation': 522,
 'ex': 523,
 'careers': 524,
 'florence': 525,
 'television': 526,
 'scott': 527,
 'organization': 528,
 'stream': 529,
 'low': 530,
 'girl': 531,
 'product': 532,
 'forest': 533,
 'white': 534,
 'game': 535,
 'small': 536,
 'mangrove': 537,
 'thank': 538,
 'example': 539,
 'vulnerability': 540,
 'section': 541,
 'wildfire': 542,
 'profile': 543,
 'kit': 544,
 'closure': 545,
 'moisture': 546,
 'action': 547,
 'relief': 548,
 'usa': 549,
 'officer': 550,
 'field': 551,
 'daughter': 552,
 'entertainment': 553,
 'los': 554,
 'potential': 555,
 'need': 556,
 'drive': 557,
 'american': 558,
 'llc': 559,
 'problem': 560,
 'comment': 561,
 'cross': 562,
 'facility': 563,
 'idaho': 564,
 'reporter': 565,
 'size': 566,
 'chief': 567,
 'humidity': 568,
 'movie': 569,
 'address': 570,
 'development': 571,
 'sale': 572,
 'apps': 573,
 'husband': 574,
 'question': 575,
 'series': 576,
 'kid': 577,
 'podcast': 578,
 'hand': 579,
 'door': 580,
 'administration': 581,
 'project': 582,
 'abc': 583,
 'creek': 584,
 'angeles': 585,
 'discussion': 586,
 'conditions': 587,
 'crime': 588,
 'equipment': 589,
 'restaurant': 590,
 'speed': 591,
 'worker': 592,
 'format': 593,
 'schooler': 594,
 'college': 595,
 'court': 596,
 'lightning': 597,
 'club': 598,
 'loans': 599,
 'nbc': 600,
 'read': 601,
 'tax': 602,
 'estate': 603,
 'room': 604,
 'guide': 605,
 'scientist': 606,
 'couple': 607,
 'chill': 608,
 'barbie': 609,
 'bank': 610,
 'music': 611,
 'nation': 612,
 'cost': 613,
 'fall': 614,
 'item': 615,
 'difference': 616,
 'snowstorm': 617,
 'editor': 618,
 'canada': 619,
 'reporting': 620,
 'subscription': 621,
 'holiday': 622,
 'black': 623,
 'rise': 624,
 'online': 625,
 'request': 626,
 'cover': 627,
 'web': 628,
 'branch': 629,
 'delay': 630,
 'america': 631,
 'kim': 632,
 'structure': 633,
 'phoenix': 634,
 'chain': 635,
 'bill': 636,
 'fatality': 637,
 'player': 638,
 'getty': 639,
 'fork': 640,
 'coverage': 641,
 'katrina': 642,
 'heart': 643,
 'quality': 644,
 'lane': 645,
 'arrest': 646,
 'eye': 647,
 'picture': 648,
 'doi': 649,
 'decade': 650,
 'mission': 651,
 'employee': 652,
 'la': 653,
 'co': 654,
 'rolling': 655,
 'review': 656,
 'middle': 657,
 'madison': 658,
 'patrol': 659,
 'charleston': 660,
 'grand': 661,
 'live': 662,
 'pacific': 663,
 'look': 664,
 'services': 665,
 'crossref': 666,
 'responder': 667,
 'component': 668,
 'miami': 669,
 'shore': 670,
 'play': 671,
 'detail': 672,
 'head': 673,
 'range': 674,
 'zone': 675,
 'channel': 676,
 'declaration': 677,
 'twin': 678,
 'derecho': 679,
 's.': 680,
 'collapse': 681,
 'addition': 682,
 'salt': 683,
 'western': 684,
 'extent': 685,
 'boy': 686,
 'volunteer': 687,
 'portland': 688,
 'approach': 689,
 'captioning': 690,
 'congress': 691,
 'android': 692,
 'norman': 693,
 'toll': 694,
 'cities': 695,
 'blog': 696,
 'bestreviews': 697,
 'rhode': 698,
 'c.': 699,
 'stories': 700,
 'bomb': 701,
 'dec.': 702,
 'increase': 703,
 'applications': 704,
 'november': 705,
 'sierra': 706,
 'atlanta': 707,
 'survey': 708,
 'closing': 709,
 'e': 710,
 'pipe': 711,
 'rss': 712,
 'training': 713,
 'gazette': 714,
 'aftermath': 715,
 'sport': 716,
 'dc': 717,
 'special': 718,
 'r.': 719,
 'church': 720,
 'main': 721,
 'visibility': 722,
 'denver': 723,
 'space': 724,
 'division': 725,
 'repair': 726,
 'visit': 727,
 'un': 728,
 'noon': 729,
 'storms': 730,
 'victim': 731,
 'preparedness': 732,
 'camp': 733,
 'sept.': 734,
 'train': 735,
 'height': 736,
 'permission': 737,
 'generator': 738,
 'footage': 739,
 'houston': 740,
 'spot': 741,
 'step': 742,
 'regional': 743,
 'tc': 744,
 'print': 745,
 'century': 746,
 'tracker': 747,
 'love': 748,
 'lakes': 749,
 'release': 750,
 'accountsbest': 751,
 'sinéad': 752,
 'agreement': 753,
 'feb.': 754,
 'louis': 755,
 'cold': 756,
 'atmospheric': 757,
 'soldier': 758,
 'provider': 759,
 'army': 760,
 'johnson': 761,
 'manager': 762,
 'david': 763,
 'mike': 764,
 'christmas': 765,
 'chemical': 766,
 'm.': 767,
 'cape': 768,
 'calendar': 769,
 'million': 770,
 'sandy': 771,
 'window)click': 772,
 'device': 773,
 'baseball': 774,
 'jul.': 775,
 'philadelphia': 776,
 'surface': 777,
 'times': 778,
 'irene': 779,
 'golf': 780,
 'football': 781,
 'distribution': 782,
 'nexstar': 783,
 'return': 784,
 'gift': 785,
 'michael': 786,
 'apartment': 787,
 'blox': 788,
 'chris': 789,
 'charge': 790,
 'trailer': 791,
 'covid-19': 792,
 'schedule': 793,
 'trail': 794,
 'corner': 795,
 'direction': 796,
 'dashboard': 797,
 'nicole': 798,
 'film': 799,
 'animal': 800,
 'challenge': 801,
 'board': 802,
 'aid': 803,
 'dallas': 804,
 'danger': 805,
 'george': 806,
 'fund': 807,
 'quarter': 808,
 'process': 809,
 'rest': 810,
 'set': 811,
 'strike': 812,
 'carbon': 813,
 'scene': 814,
 'austin': 815,
 'opinion': 816,
 'mar': 817,
 'mom': 818,
 'fema': 819,
 'patch': 820,
 'hudson': 821,
 'border': 822,
 'dollar': 823,
 'tomorrow': 824,
 'summit': 825,
 'campus': 826,
 'cluster': 827,
 'journalism': 828,
 'warming': 829,
 'farm': 830,
 'dust': 831,
 'message': 832,
 'ida': 833,
 'boat': 834,
 'cell': 835,
 'free': 836,
 'outlook': 837,
 'trend': 838,
 'vegas': 839,
 'basement': 840,
 'minority': 841,
 'form': 842,
 'desantis': 843,
 'unit': 844,
 'percent': 845,
 'motorist': 846,
 'paul': 847,
 'shop': 848,
 'setting': 849,
 'chesapeake': 850,
 'parent': 851,
 'advertising': 852,
 'products': 853,
 'parking': 854,
 'jones': 855,
 'smith': 856,
 'charles': 857,
 'sleet': 858,
 'accident': 859,
 'outbreak': 860,
 'attack': 861,
 'harris': 862,
 'fig': 863,
 'apr': 864,
 'book': 865,
 'user': 866,
 'tips': 867,
 'mcconnell': 868,
 'error': 869,
 'start': 870,
 'judge': 871,
 'table': 872,
 'decision': 873,
 'average': 874,
 'mail': 875,
 'union': 876,
 'jan.': 877,
 'women': 878,
 'flower': 879,
 'territory': 880,
 'selma': 881,
 'sunshine': 882,
 'capital': 883,
 'd.': 884,
 'band': 885,
 'midnight': 886,
 'housing': 887,
 'edition': 888,
 'pole': 889,
 'jan': 890,
 'bus': 891,
 'nyc': 892,
 'price': 893,
 'foundation': 894,
 'newsroom': 895,
 'arab': 896,
 'el': 897,
 'birthday': 898,
 'trip': 899,
 'minneapolis': 900,
 'photos': 901,
 'instagram': 902,
 'parish': 903,
 'briefing': 904,
 'mix': 905,
 'base': 906,
 'box': 907,
 'finance': 908,
 'hit': 909,
 'strength': 910,
 'detroit': 911,
 'w.': 912,
 'ukraine': 913,
 'break': 914,
 'coastal': 915,
 'soil': 916,
 'mark': 917,
 'politic': 918,
 'springs': 919,
 'pubmed': 920,
 'gauge': 921,
 'race': 922,
 'grocery': 923,
 'cards': 924,
 'partner': 925,
 'smoke': 926,
 'bit': 927,
 'las': 928,
 'taylor': 929,
 'commonwealth': 930,
 'hotel': 931,
 'trump': 932,
 'santa': 933,
 'sister': 934,
 'position': 935,
 'whyy': 936,
 'affiliate': 937,
 'feature': 938,
 'shoreline': 939,
 'nashville': 940,
 'whistleblower': 941,
 'lincoln': 942,
 'upper': 943,
 'dress': 944,
 'orange': 945,
 'barrier': 946,
 'passenger': 947,
 'intensity': 948,
 'photograph': 949,
 'delivery': 950,
 'opportunity': 951,
 'run': 952,
 'social': 953,
 'yard': 954,
 'javascript': 955,
 'opening': 956,
 'herald': 957,
 'albany': 958,
 'commissioner': 959,
 'meeting': 960,
 'election': 961,
 'visitor': 962,
 'cup': 963,
 'memphis': 964,
 'islands': 965,
 'option': 966,
 'shift': 967,
 'restoration': 968,
 'crop': 969,
 'devastation': 970,
 'claim': 971,
 'thu': 972,
 'garden': 973,
 'youtube': 974,
 'party': 975,
 'newspaper': 976,
 'ads': 977,
 'resort': 978,
 'stage': 979,
 'choices': 980,
 'breaking': 981,
 'stock': 982,
 'erosion': 983,
 'concert': 984,
 'jun': 985,
 'career': 986,
 'brian': 987,
 'events': 988,
 'demand': 989,
 'sanders': 990,
 'library': 991,
 'blue': 992,
 'cedar': 993,
 'card': 994,
 'socialist': 995,
 'mount': 996,
 'collection': 997,
 'ryan': 998,
 'stretch': 999,
 ...}

Represent each document via a one real-valued embedding vector/document embedding using the previously produced TF-IDF weights AND w2v embeddings¶

In [ ]:
''' 
Use semantic transformation to create the real-value embedding
of a document by averaging all the embedding values of features
found in said document
'''

# List containing averaged word vectors from tf/idf, aka doc vectors
doc_v = []

# Get features from the tfidf vectorizer
fn = tfidf_vectorizer.get_feature_names_out()

# Iterate over all TF/IDF vectors, aka all documents/rows
for i in tqdm(range(tfidf_vectors.shape[0])): # adding tqdm to account for time it takes to process
    # Create array with size 100 (vector dimensions)from 
    # w2v to start averaged word vector of a current document to 0
    v = np.zeros(word_vectors.vector_size)

    ''' 
    Get the row and column index vals for tfidf vectors with nonzeros
    as this represents the words that actually occur in the i-th document
    ''' 
    rows, cols = tfidf_vectors[i].nonzero()

    # For index number in columns array
    for c in cols:
        
        # Extract feature from tfidf list of features
        feature = fn[c]
        '''
        If feature word found in this document is also in the word embeddings of w2v,
        multiply its tfidf value against vectors from embedding
        Example, decimal like 0.03849398273 * array['100 vectors values here']
        Then add it to v array of started as zeros of same length
        So basically, mutiply both vectors for same word from different methods,
        Then total sum all these vectors for all the words existing into a single vector
        to represent document
        '''
        if feature in word_vectors.key_to_index:
            wv = word_vectors[feature] # Extract embedding of w2v of given word
            v += tfidf_vectors[i][0,c] * (wv)
            
    ''' 
    Once you add all vectors from w2v * value of given features,
    normalize it if needed when the total values greater than 0
    '''
    if np.linalg.norm(v) > 0:
        v = v/np.linalg.norm(v)
    # Add normalized averaged vector value into the list
    doc_v.append(v)
100%|██████████| 3696/3696 [00:51<00:00, 72.28it/s]

Test embeddings provided by Word2Vec¶

In [ ]:
# Test document embeddings given a keyword related to disaster topic
token = 'tornado'
# Get embedding/vector for said token from word vectors produced by word2Vec
token_v = word_vectors[token]
token_v # Array of 100 vals considered the dimensions of the word
Out[ ]:
array([-1.9829326 ,  0.7320774 ,  3.293356  ,  0.9877704 ,  1.3039805 ,
       -2.1519935 , -0.01983259, -0.44603795,  3.7409554 , -1.9179201 ,
        0.798887  ,  1.3320421 , -0.9369816 , -0.39762715,  0.78927857,
       -0.18617967,  1.7177906 , -0.45545614, -2.497579  , -0.22051217,
        0.39438334, -1.2982242 , -1.6697628 , -0.44038883, -1.0553797 ,
       -1.9406283 ,  0.9832364 ,  0.94890076,  0.3384368 , -0.05972191,
       -3.3342881 , -0.95717406, -0.33249825,  1.1144415 , -0.36511102,
        1.4388624 ,  1.8248267 , -4.871404  , -3.4187784 ,  2.430374  ,
        2.8409526 ,  2.503085  ,  0.8959569 , -0.7301209 ,  4.0382524 ,
        1.1185901 ,  0.75934184, -2.4578133 , -0.94011545,  0.9659979 ,
        2.641465  ,  2.8574533 , -2.0446062 ,  0.33952764,  0.03778506,
        0.63980204, -0.34452754,  3.1599083 ,  0.4603129 ,  0.01330951,
       -0.27908933,  1.1830375 ,  1.3427063 , -2.84597   ,  4.0366464 ,
        0.40502697,  1.2784637 , -1.7043315 ,  2.591941  , -2.9397523 ,
        1.3127282 , -1.0150856 ,  1.5146633 ,  0.70779586,  0.08104063,
       -1.1376133 ,  1.6215256 , -0.35157517, -0.17480887,  2.4753888 ,
        2.1680224 ,  4.3721333 , -1.1210883 ,  0.72515386, -0.22283025,
        0.32744706,  2.4984934 , -1.5748953 , -0.24956293,  1.7701424 ,
       -1.9320362 ,  1.1635563 ,  0.4885531 , -1.847722  ,  1.9001147 ,
        0.86616373,  1.2103161 ,  1.9847162 , -0.02923566, -3.6780345 ],
      dtype=float32)

Test document embeddings and its similarities to token word¶

In [ ]:
'''
Test if vectors appropiate by calculating cosine similarity distance to find out the document
most related to this token
'''
doc_list = cosine_similarity(doc_v, [token_v]) # Must be a double-nested list
# Lenght is all docs available in document embeddings/df
print(len(doc_list))
# Extract most similar document index and output
the_doc = doc_list.argmax()
print('Article title: ', df.iloc[the_doc]['title'])
df.iloc[the_doc]
3696
Article title:  Tornado Facts and History - StormAware
Out[ ]:
title                     Tornado Facts and History - StormAware
author                                                      None
publication                                                 None
body_text      MO.gov Find a State Agency Online Services Soc...
url             https://stormaware.mo.gov/tornado-facts-history/
state                                                   Missouri
nouns          MO.gov|State|Agency|Online|Services|Social|Med...
adjetives      wide|visible|nearby|little|possible|dark|green...
verbs          find|watch|be|strike|be|appear|rotate|shape|ex...
nav            MO.gov|find|State|Agency|Online|Services|Socia...
lemmas         MO.gov|find|a|State|Agency|Online|Services|Soc...
num_tokens                                                1018.0
Name: 275, dtype: object
In [ ]:
# Another test
token_v = word_vectors['hurricane']
doc_list = cosine_similarity(doc_v, [token_v]) # Must be a double-nested list
# Lenght is all docs available in document embeddings/df
print(len(doc_list))
# Extract most similar document index and output
the_doc = doc_list.argmax()
print('Article title: ', df.iloc[the_doc]['title'])
df.iloc[the_doc]
3696
Article title:  Powerful Storm and Hurricanes that happened in Georgia - Hurricane Information for Savannah GA
Out[ ]:
title          Powerful Storm and Hurricanes that happened in...
author                                              Daniel Smith
publication                                                 None
body_text      Latest information for Hurricanes Elsa in Sava...
url            https://hurricanesavannah.com/blog/powerful-st...
state                                                    Georgia
nouns          information|Hurricanes|Elsa|Savannah|GA|Powerf...
adjetives      late|bad|natural|more|deadly|southeastern|othe...
verbs          happen|be|think|be|have|hit|pass|start|cause|s...
nav            late|information|Hurricanes|Elsa|Savannah|GA|P...
lemmas         late|information|for|Hurricanes|Elsa|in|Savann...
num_tokens                                                 630.0
Name: 1372, dtype: object

Perform k-means clustering algorithm to group documents based on similarities which will be found via the document embeddings created through tf-idf and w2v¶

In [ ]:
'''
k-means function to calculate the cluster given a:
    params:
        - numint => number of desired clusters
        - doc_v:list => produced document embeddings list
        - print:bool => indicate if to print clusters as process being performed
    returns:
        - dictionary
        - indirectly edits df provided
'''
def k_clusters(df:pd.DataFrame, num_clusters:int, doc_v:list, printit:bool):
    # Dictionary to store clusters
    clusters = {}
    ''' 
    KMeans from sklearn package call function to create clusters
    Params:     n_clusters = number of desired clusters
                random_state = control level of randomness
    '''
    kmeans_doc = KMeans(n_clusters=num_clusters, random_state=42).fit(doc_v)

    # Get sets and index of documents in df
    sets = list([(i,d) for d,i in enumerate(kmeans_doc.labels_)])
    # Sort based on cluster number from 0 to cluster_num
    sets.sort(key=lambda x: x[0])

    # Store in dictionary and print out docs based on cluster number
    for i in range(num_clusters):

        # Get index representing document number
        cd = [tuple[1] for tuple in sets if tuple[0] == i]

        # Extract indexes and titles and store in dictionary
        clusters[i] = list(zip(cd, df.iloc[cd]['title'].tolist()))

        # Extract indexes and titles for print output
        # df.iloc[cd]['cluster_num'] = i
        df.loc[cd,'cluster_num'] = i
        
        # Print list of article titles
        if printit:
            print('passed')
            titles = pd.DataFrame(df.iloc[cd]['title'], columns=['title'])
            titles = titles.rename_axis('Document Number')
            print(f'\nCluster {i} contains a total of {len(cd)} documents with the following titles:\n')
            print(titles)

    return kmeans_doc, clusters
In [ ]:
# Create duplicate df and call K-Means algorithm function
df_temp = df.copy(deep=True)
num_c = 25
kmeans_c, cluster_dict = k_clusters(df_temp, num_c, doc_v, True)
passed

Cluster 0 contains a total of 60 documents with the following titles:

                                                             title
Document Number                                                   
2                Terrifying moment monster tornado rips apart A...
41                 Severe storms cause damage in western Wisconsin
153              Moment tornado barrels towards Nebraska highwa...
173                        wyoming storm | News, Videos & Articles
230              Georgia storm sees 19 dead as tornado clean-up...
285              Tornado-ravaged Mississippi faces MORE extreme...
347              Terrifying moment monster tornado rips apart A...
358              PHOTOS: Severe storms take down trees, powerli...
517              \n\tNevada Guardsman, movie subject, leads Nev...
672                        wyoming storm | News, Videos & Articles
708              PHOTOS: Severe storms take down trees, powerli...
718              PHOTOS: Severe storms take down trees, powerli...
874              Weird weather: Boise residents posted the stra...
891                   North Dakota storm | News, Videos & Articles
899              'This shook my soul:' Photos, videos show seve...
910                                     Page unavailable | AP News
1025                       wyoming storm | News, Videos & Articles
1152             PHOTOS: Severe storms take down trees, powerli...
1155             Moment tornado barrels towards Nebraska highwa...
1291             Tropical Storm Calvin leaves minor flooding in...
1299             Georgia storm sees 19 dead as tornado clean-up...
1307                       wyoming storm | News, Videos & Articles
1311             Winter isn't done: Powerful storm will bring s...
1314             Terrifying moment monster tornado rips apart A...
1470             Winter isn't done: Powerful storm will bring s...
1557                       wyoming storm | News, Videos & Articles
1567                  North Dakota storm | News, Videos & Articles
1647               Severe storms cause damage in western Wisconsin
1692             \n\tNevada Guardsman, movie subject, leads Nev...
1704               Severe storms cause damage in western Wisconsin
1877                       wyoming storm | News, Videos & Articles
1958             Moment tornado barrels towards Nebraska highwa...
1980                                    Page unavailable | AP News
1986             Georgia storm sees 19 dead as tornado clean-up...
2035             Tornadoes and severe storms tear through Kansa...
2101                                    Page unavailable | AP News
2243                  North Dakota storm | News, Videos & Articles
2330             Tornado-ravaged Mississippi faces MORE extreme...
2422             Winter isn't done: Powerful storm will bring s...
2458             Tornado-ravaged Mississippi faces MORE extreme...
2533                       wyoming storm | News, Videos & Articles
2570             Terrifying moment monster tornado rips apart A...
2597             Terrifying moment monster tornado rips apart A...
2604                  North Dakota storm | News, Videos & Articles
2757                  North Dakota storm | News, Videos & Articles
2864             PHOTOS: Severe storms take down trees, powerli...
2892                                    Page unavailable | AP News
2921                                    Page unavailable | AP News
2971             Terrifying moment monster tornado rips apart A...
3035                                    Page unavailable | AP News
3080             Terrifying moment monster tornado rips apart A...
3098               Severe storms cause damage in western Wisconsin
3283             Historic Winter Storm dumps TWO FEET of snow i...
3287                 west virginia storm | News, Videos & Articles
3381                  North Dakota storm | News, Videos & Articles
3432                                    Page unavailable | AP News
3521                  South Dakota storm | News, Videos & Articles
3583             Terrifying moment monster tornado rips apart A...
3664             Tornadoes and severe storms tear through Kansa...
3676             Three die after killer tornados and severe sto...
passed

Cluster 1 contains a total of 213 documents with the following titles:

                                                             title
Document Number                                                   
13               More flash flooding looms for Vermont as sever...
58                  Severe storms possible in Ohio Wednesday night
97               Southwestern Kansas sees tornado after forecas...
134              Weather 101: Understanding Oklahoma's severe s...
160              Washington DC, Maryland, Virginia Weather: Sto...
...                                                            ...
3656             Severe storms possible in Wisconsin Wednesday ...
3661             Historic floods hit Nebraska after 'bomb cyclo...
3679                    Storms wrap up overnight | News | wkow.com
3682             More bad weather projected as Kentucky communi...
3683             Thursday forecast: Severe weather for 40M; 3 d...

[213 rows x 1 columns]
passed

Cluster 2 contains a total of 276 documents with the following titles:

                                                             title
Document Number                                                   
8                GALLERY: Utah's Weather Authority captures pho...
28               Illinois surveys storm damage after tornadoes ...
37               BREAKING Friday night storm hits Wellman hard ...
42               Severe storms cause damage throughout Western ...
75               Tornado and other severe weather kill 3, damag...
...                                                            ...
3648             Major damage reported in NH as severe storms m...
3668             Terrible tempest sweeps through Keokuk | Daily...
3677             GALLERY: Utah's Weather Authority captures pho...
3687             Severe storms topple trees, leave thousands wi...
3690             Tornado warned storms leave paths of damage in...

[276 rows x 1 columns]
passed

Cluster 3 contains a total of 45 documents with the following titles:

                                                             title
Document Number                                                   
16               Stormy Monday night in Nebraska with severe st...
33               \n\tStorms cause destruction in NW Ohio | The ...
189                          Weather news and local forecast - CNN
362                          Weather news and local forecast - CNN
392              More rain in Nebraska Friday; small chance of ...
756                Severe storms expected in Nebraska Friday night
813              More rain in Nebraska Friday; small chance of ...
854                          Weather news and local forecast - CNN
873                          Weather news and local forecast - CNN
875                          Weather news and local forecast - CNN
929              More rain in Nebraska Friday; small chance of ...
985                          Weather news and local forecast - CNN
1186                         Weather news and local forecast - CNN
1331               Severe storms expected in Nebraska Friday night
1440             Stormy Monday night in Nebraska with severe st...
1513                         Weather news and local forecast - CNN
1674                         Weather news and local forecast - CNN
1741             Stormy Monday night in Nebraska with severe st...
1746             \n\tStorms cause destruction in NW Ohio | The ...
2158             \n\tStorms cause destruction in NW Ohio | The ...
2238             Stormy Monday night in Nebraska with severe st...
2288                         Weather news and local forecast - CNN
2302             \n\tStorms cause destruction in NW Ohio | The ...
2314               Severe storms expected in Nebraska Friday night
2419             More rain in Nebraska Friday; small chance of ...
2558                         Weather news and local forecast - CNN
2608                         Weather news and local forecast - CNN
2621             Colorado State University predicting an above-...
2641                         Weather news and local forecast - CNN
2677               Severe storms expected in Nebraska Friday night
2758             More rain in Nebraska Friday; small chance of ...
2826                         Weather news and local forecast - CNN
2851             Arkansas Storm Team Weather Blog: Watching two...
2945               Severe storms expected in Nebraska Friday night
3065                         Weather news and local forecast - CNN
3134             \n\tStorms cause destruction in NW Ohio | The ...
3160             Arkansas Storm Team Weather Blog: Watching two...
3344                         Weather news and local forecast - CNN
3398                         Weather news and local forecast - CNN
3418                         Weather news and local forecast - CNN
3492                         Weather news and local forecast - CNN
3508             \n\tStorms cause destruction in NW Ohio | The ...
3523                         Weather news and local forecast - CNN
3570             Stormy Monday night in Nebraska with severe st...
3654             Colorado State University predicting an above-...
passed

Cluster 4 contains a total of 174 documents with the following titles:

                                                             title
Document Number                                                   
11               SE Wyoming Storm Could Bring Over A Foot Of Sn...
39                                            Nevada | FOX Weather
40               Colorado Weather: Winter Storm Watch Front Ran...
45               Tornado kills 1 in Sussex County as storm carv...
105               Wyoming Statutes § 40-12-704 (2019) - Disclos...
...                                                            ...
3652             Photographer captures wall of dust in South Da...
3653             US braces for Arctic Christmas weather; winter...
3666             Severe weather in Delaware sends beach umbrell...
3672             Henri heads out to sea, leaving behind $12B in...
3689             Storms take down wires, wash out roads in part...

[174 rows x 1 columns]
passed

Cluster 5 contains a total of 151 documents with the following titles:

                                                             title
Document Number                                                   
23               Winter Storm Riley Brings Massive Flooding to ...
47               Explaining the forces that fueled Alabama’s de...
109              On This Day: The 1993 Storm of the Century | N...
151              It’s Too Soon to Attribute the California Stor...
210              Big Island Storm Damage Results From Hawaii’s ...
...                                                            ...
3617             Year Round Weather & Present Day Forecasts for...
3628             Montana's extreme weather helps shape characte...
3670                                             Arizona — Weather
3671             It’s Too Soon to Attribute the California Stor...
3693                                          New Mexico — Weather

[151 rows x 1 columns]
passed

Cluster 6 contains a total of 176 documents with the following titles:

                                                             title
Document Number                                                   
49               Louisiana hurricane rapid intensification threat 
60               Alaska braces for impact of 'historic-level st...
65               Ian regains hurricane strength as it moves tow...
70               Tropical Storm Calvin passes over Hawaii and l...
82               Storm in Atlantic not immediate concern for So...
...                                                            ...
3647             Alaska's western coast is expecting high winds...
3657             Dangerous paradise? Complacency among longtime...
3674             Hawaii Gets Through 2020 Hurricane Season Sans...
3675             Tropical Storm Calvin passes over Hawaii and l...
3680             Dangerous paradise? Complacency among longtime...

[176 rows x 1 columns]
passed

Cluster 7 contains a total of 209 documents with the following titles:

                                                             title
Document Number                                                   
4                Wind, cold, and snow set to paralyze Iowa trav...
19               Storms cause flooding in parts of New Jersey |...
44               76,000 without power following severe storms T...
55               Agencies, utilities across the state prepare f...
61               Wind, cold, and snow set to paralyze Iowa trav...
...                                                            ...
3594             Lingering storm damage, power outages across J...
3623             Reports of damage after severe storms move thr...
3627             Nearly 200 Mississippi structures damaged by r...
3658             Western Mass News: Springfield News, Weather, ...
3681             What you should know about tornadoes and storm...

[209 rows x 1 columns]
passed

Cluster 8 contains a total of 85 documents with the following titles:

                                                             title
Document Number                                                   
78               Winter Storm Sage: Difficult Commutes Ahead; N...
115              Tornadoes, Storms Slam Arkansas, Illinois, Iow...
116              Storm system moving into New Mexico, dangerous...
118              Tropical Storm Calvin is affecting travel for ...
150              WV's Eastern mountains brace for rare May snow...
...                                                            ...
3579             Atmospheric River-Fed Storm Pummels California...
3589             Vermont, New York Hit With Destructive Floodin...
3605             Tornadoes, Storms Slam Arkansas, Illinois, Iow...
3610             OH:  OHIO, WEST VIRGINIA STORM DAMAGE | Nation...
3631             Rare, clockwise-spinning tornado touches down ...

[85 rows x 1 columns]
passed

Cluster 9 contains a total of 171 documents with the following titles:

                                                             title
Document Number                                                   
21               Flash floods kill at least 5 people in Pennsyl...
38               BREAKING NEWS (updated with photos): Storm pro...
64               Vermonters rush to dry out flooded homes and b...
85               Vermont floods have led to more than 100 rescu...
94               More rain, more bodies in flooded Kentucky mou...
...                                                            ...
3528             Tropical Storm Henri makes landfall in Rhode I...
3613             Vermont governor seeks major disaster declarat...
3637             Vermont floods have led to more than 100 rescu...
3655             \n    Governor: Search for victims in Kentucky...
3662             North Carolina agricultural town threatened by...

[171 rows x 1 columns]
passed

Cluster 10 contains a total of 250 documents with the following titles:

                                                             title
Document Number                                                   
3                Maryland weather: Storms cease Tuesday night a...
32               Severe weather threat dissipates as morning th...
50               Parts of Missouri left with storm damage after...
51               Hurricane Ian: Will it affect Nashville and Mi...
56                4 tornadoes touch down in New Jersey: NWS - WHYY
...                                                            ...
3584              Spring storm hits Maine island with 70 mph gusts
3586             NYC Weather: Severe storms cause damage across...
3602             Chicago weather: Strong storms move through pa...
3660             \n\tWinter storm causes some damage with anoth...
3667             Severe storms possible in Baltimore area on Tu...

[250 rows x 1 columns]
passed

Cluster 11 contains a total of 91 documents with the following titles:

                                                             title
Document Number                                                   
174              Tornadoes, Storms Carve Deadly Path Through Ar...
284              Blizzard Dumps Over A Foot Of Snow From Utah t...
294              Tornadoes, Storms Carve Deadly Path Through Ar...
323              Tornadoes, Storms Carve Deadly Path Through Ar...
334              Derecho Leaves Trail Of Damage Across Illinois...
...                                                            ...
3562             Winter Storm Sage: Northeast, New England Begi...
3575             Blizzard Dumps Over A Foot Of Snow From Utah t...
3620             What 11 Feet of Snow In Four Days Looks Like i...
3621             Tornadoes, Storms Carve Deadly Path Through Ar...
3686             Active Storm Track Makes Montana This Winter's...

[91 rows x 1 columns]
passed

Cluster 12 contains a total of 210 documents with the following titles:

                                                             title
Document Number                                                   
1                Fatality confirmed in Vermont flooding amid ex...
17               Tornado damages Pfizer plant in North Carolina...
35               \n    Huge storm system brings killer tornadoe...
43               Tornadoes spawned by huge system destroy homes...
63               Fatality confirmed in Vermont flooding amid ex...
...                                                            ...
3614             1 killed and almost 2 dozen injured in overnig...
3616             Winter storm: Tornadoes and severe winds strik...
3626             EF3 tornado rips through North Carolina amid e...
3650             More storms headed for Great Plains after torn...
3669             Fatality confirmed in Vermont flooding amid ex...

[210 rows x 1 columns]
passed

Cluster 13 contains a total of 61 documents with the following titles:

                                                             title
Document Number                                                   
5                Characterization of storm flow dynamics of hea...
191              Environmental impacts of Hurricane Florence fl...
193              Storm surge and ponding explain mangrove dieba...
218                         Saving New Jersey from the Rising Tide
247              Frontiers | Impact of Hurricane Katrina on the...
...                                                            ...
3481             Community-scale big data reveals disparate imp...
3484                             Storm Surges | Maryland Sea Grant
3487                    Arctic Storms (U.S. National Park Service)
3515             New Mexico - Desert, Semi-Arid, Arid | Britannica
3564                              TNC Lessons from Hurricane Sandy

[61 rows x 1 columns]
passed

Cluster 14 contains a total of 96 documents with the following titles:

                                                             title
Document Number                                                   
9                                     Texas winter storm explained
36               Texas’s Winter Storm Killed Hundreds More Than...
59               Entergy Mississippi storm update – 6/17/23, 10...
67               Texans brace for freezing weather in hopes sto...
73               Winter Storm Preparedness & Blizzard Safety | ...
...                                                            ...
3468             Texans brace for freezing weather in hopes sto...
3530                                  Texas winter storm explained
3549             Texas’s Winter Storm Killed Hundreds More Than...
3619             Michigan ice storm leaves power out to more th...
3673             Winter Storm Preparedness & Blizzard Safety | ...

[96 rows x 1 columns]
passed

Cluster 15 contains a total of 38 documents with the following titles:

                          title
Document Number                
96               Page Not Found
139              Page Not Found
342              Page Not Found
486              Page Not Found
542              Page Not Found
694              Page Not Found
735              Page Not Found
780              Page Not Found
974              Page Not Found
1104             Page Not Found
1129             Page Not Found
1271             Page Not Found
1454             Page Not Found
1506             Page Not Found
1559             Page Not Found
1564             Page Not Found
1603             Page Not Found
1628             Page Not Found
1630             Page Not Found
1650             Page Not Found
1670             Page Not Found
1700             Page Not Found
1729             Page Not Found
1822             Page Not Found
1833             Page Not Found
1930             Page Not Found
2208             Page Not Found
2335             Page Not Found
2408             Page Not Found
2417             Page Not Found
2746             Page Not Found
2775             Page Not Found
2782             Page Not Found
2823             Page Not Found
3230             Page Not Found
3234             Page Not Found
3368             Page Not Found
3489             Page Not Found
passed

Cluster 16 contains a total of 176 documents with the following titles:

                                                             title
Document Number                                                   
6                Extreme wind, snow left thousands without powe...
7                Storm Area 51 still affects tiny Nevada town a...
15               Tornado hits South Dakota hospital: ‘All are s...
53               \n\tUpdate: Intense storm dumps snow, knocks o...
57               Montana and North Dakota are hit by 'one-in-a-...
...                                                            ...
3533             PHOTO GALLERY: Storms wallop East Central Illi...
3540                          Storm on the Salmon - IDAHO magazine
3553             Montana and North Dakota are hit by 'one-in-a-...
3615             Storm strands hundreds overnight on Virginia h...
3688             Wind, hail and winter storm were among costly ...

[176 rows x 1 columns]
passed

Cluster 17 contains a total of 204 documents with the following titles:

                                                             title
Document Number                                                   
22               Winter weather: NH, Maine see snow, slick road...
31               ‘Unprecedented’ storm brings Minnesota’s first...
84               Here’s How Much Snow Central Maine is Going to...
98               Winter storm: North America hit by blizzards a...
100              Montana hit by ‘unprecedented’ September winte...
...                                                            ...
3640             Record-breaking storm blasts Northern Nevada, ...
3644                       Utah Weather in the Fall - PhotoJeepers
3649             Montana hit by ‘unprecedented’ September winte...
3692             Winter Storm Approaching Idaho; Expert Boise S...
3694             Snow maps: Massachusetts forecast for March 3-...

[204 rows x 1 columns]
passed

Cluster 18 contains a total of 29 documents with the following titles:

                                                             title
Document Number                                                   
119              Winter storm blankets Western Oregon, SW. Wash...
148              How massive Sierra storms are helping Nevada's...
182              Winter storm blankets Western Oregon, SW. Wash...
194              Wisconsin storms bring 3 tornados; 1 man dies ...
402              Streets flood as heavy rain, high winds lash R...
530              PHOTOS: Some damage reported as storms hit Mid...
806              Winter storm blankets Western Oregon, SW. Wash...
869              Beaches prep for summer, as some Delaware town...
950              Wisconsin storms bring 3 tornados; 1 man dies ...
1142             How massive Sierra storms are helping Nevada's...
1363             Coastal communities prepare for storm's potent...
1582             Powerful Storm Set to Pack a Punch in Maine | ...
1973             SEE IT: Hail downpours damage Cambridge, Maryl...
2022             Streets flood as heavy rain, high winds lash N...
2067             FIRST ALERT WEATHER: Winter storm continues to...
2080             Streets flood as heavy rain, high winds lash R...
2165             How massive Sierra storms are helping Nevada's...
2406             How massive Sierra storms are helping Nevada's...
2409             Winter storm blankets Western Oregon, SW. Wash...
2428             Winter storm blankets Western Oregon, SW. Wash...
2492             Winter storm blankets Western Oregon, SW. Wash...
2610             Streets flood as heavy rain, high winds lash R...
2666             SEE IT: Hail downpours damage Cambridge, Maryl...
2796             Widespread travel impacts as a winter storm br...
2976             How massive Sierra storms are helping Nevada's...
3167             Coastal storm system pumping more moisture int...
3383             How massive Sierra storms are helping Nevada's...
3412             Utah residents dig out from storm amid flood c...
3641             Powerful Storm Set to Pack a Punch in Maine | ...
passed

Cluster 19 contains a total of 49 documents with the following titles:

                                                             title
Document Number                                                   
224              Powerful storms slam South; at least 6 killed ...
227              Kentucky Gov. declares state of emergency afte...
433              Tropical storm Lane threatens more Hawaii floo...
646              At least 8 dead as ice storm rages in the Sout...
789              Powerful storms slam South; at least 6 killed ...
898              Possible tornado hits Arkansas; Deep South bra...
911              Tropical storm Lane threatens more Hawaii floo...
981              Hurricane Laura leaves damage in Louisiana, we...
1030             Kentucky Gov. declares state of emergency afte...
1107             Ian now tropical storm after hitting Florida a...
1146             Kentucky Gov. declares state of emergency afte...
1265             Nor'easter spurs rescues in New Jersey as area...
1361             Hurricane winds will get stronger in places li...
1375             Powerful storms slam South; at least 6 killed ...
1432             Thousands without power as California storms b...
1450             Kentucky Gov. declares state of emergency afte...
1460             Flooding threatens Vermont's capital as crews ...
1493             Flood waters receding after storm batters west...
1563             At least 8 dead as ice storm rages in the Sout...
1656             California braces for powerful atmospheric riv...
1735             Powerful storms slam South; at least 6 killed ...
1891             Powerful storms slam South; at least 6 killed ...
1927             Hurricane Laura leaves damage in Louisiana, we...
1984             Hurricane Laura leaves damage in Louisiana, we...
2130             Kentucky Gov. declares state of emergency afte...
2225             Tropical storm Lane threatens more Hawaii floo...
2255             Nor'easter spurs rescues in New Jersey as area...
2275             Flood waters receding after storm batters west...
2364             Powerful storms slam South; at least 6 killed ...
2381             Tropical storm Lane threatens more Hawaii floo...
2414             Powerful storms slam South; at least 6 killed ...
2440             Kentucky Gov. declares state of emergency afte...
2592             Kentucky Gov. declares state of emergency afte...
2627             Tropical storm Lane threatens more Hawaii floo...
2724             Tropical storm Lane threatens more Hawaii floo...
2725             At least 8 dead as ice storm rages in the Sout...
2791             Kentucky tornadoes: 74 confirmed dead, Biden t...
3005             At least 8 dead as ice storm rages in the Sout...
3175             At least 8 dead as ice storm rages in the Sout...
3219             Nor'easter spurs rescues in New Jersey as area...
3221             Kentucky Gov. declares state of emergency afte...
3251             Ian now tropical storm after hitting Florida a...
3319             Kentucky Gov. declares state of emergency afte...
3371             Nor'easter spurs rescues in New Jersey as area...
3380             Tropical storm Lane threatens more Hawaii floo...
3419             Flood waters receding after storm batters west...
3460             Ian now tropical storm after hitting Florida a...
3539             Nor'easter spurs rescues in New Jersey as area...
3651             Powerful storms slam South; at least 6 killed ...
passed

Cluster 20 contains a total of 179 documents with the following titles:

                                                             title
Document Number                                                   
0                Tornadoes severe weather updates: 26 dead in M...
14               US: Biden declares emergency for Mississippi’s...
24               At least 24 dead after tornado rips through Na...
26               Missouri tornado kills multiple people, wreaks...
27               Tornadoes severe weather updates: 26 dead in M...
...                                                            ...
3554             Tornadoes strike Texas, Oklahoma; more storms ...
3622             Photos: Punishing storms devastate Louisiana |...
3638             US tornado and storms kill at least 25 people ...
3659             \n    At least 33 dead, dozens more injured as...
3684             Missouri Tornado: 5 Killed In Latest Severe Ea...

[179 rows x 1 columns]
passed

Cluster 21 contains a total of 244 documents with the following titles:

                                                             title
Document Number                                                   
18                                 Climate Journal | Minnesota DNR
29               Massive winter storm to unload snow from Illin...
30               The Remnants of Hurricane Nicole will bring tr...
54                        Welcome To Southeast New Mexico Weather.
81               OH:  OHIO, WEST VIRGINIA STORM DAMAGE | Weathe...
...                                                            ...
3600                                                       Weather
3629             Coast-to-coast storm set to follow early week ...
3663             First major winter storm forecast for northcen...
3685             Northeast Ohio will get hit with severe storms...
3691             Snow In Wednesday Forecast For NJ: See Storm T...

[244 rows x 1 columns]
passed

Cluster 22 contains a total of 310 documents with the following titles:

                                                             title
Document Number                                                   
12               Winter storm predicted for much of North Dakot...
20               New Mexico storm expected to cause severe driv...
25               Montana issues winter storm advisory, followed...
34               Blizzard conditions projected as southwest Nor...
46               Weather wallop: Winter storm to bring signific...
...                                                            ...
3618             Winter storm closes roads in Wyoming, Colorado...
3635             These Are The Worst Snowstorms In Pennsylvania...
3639             Los Angeles area still blanketed by snow in ra...
3645             Winter storm rolls through North Dakota, north...
3678             A Terrifying, Deadly Storm Struck Maine In 195...

[310 rows x 1 columns]
passed

Cluster 23 contains a total of 44 documents with the following titles:

                                                             title
Document Number                                                   
129              \n\tNearly 250 Soldiers on winter storm duty i...
221              45 Years Ago: Georgia National Guard Responds ...
394              \n\tNearly 250 Soldiers on winter storm duty i...
462              Justice declares State of Emergency for all 55...
465              \n\tSouth Dakota National Guard continues supp...
579              \n\tTexas Army Guard responds to winter storm,...
585              \n\tAlaska National Guard stages second team i...
600              45 Years Ago: Georgia National Guard Responds ...
627              \n\tNearly 250 Soldiers on winter storm duty i...
633              Justice declares State of Emergency for all 55...
990              Justice declares State of Emergency for all 55...
997              \n\tUtah National Guard responds to Utah’s win...
1049             \n\tUtah National Guard responds to Utah’s win...
1189             \n\tNearly 250 Soldiers on winter storm duty i...
1276             \n\tUtah National Guard responds to Utah’s win...
1312             \n\tUtah National Guard responds to Utah’s win...
1319             Justice declares State of Emergency for all 55...
1449             \n\tNearly 250 Soldiers on winter storm duty i...
1532             \n\tAlaska National Guard stages second team i...
1667             \n\tUtah National Guard responds to Utah’s win...
1680             45 Years Ago: Georgia National Guard Responds ...
1732             \n\tNearly 250 Soldiers on winter storm duty i...
1940             \n\tAlaska National Guard stages second team i...
2030             \n\tVirginia National Guard staged, ready for ...
2062             45 Years Ago: Georgia National Guard Responds ...
2203             \n\tNearly 250 Soldiers on winter storm duty i...
2296             Justice declares State of Emergency for all 55...
2340             \n\tVirginia National Guard mobilizes for Trop...
2512                                   History of the Georgia N...
2522             \n\tVirginia National Guard staged, ready for ...
2537             \n\tSouth Dakota National Guard continues supp...
2549             45 Years Ago: Georgia National Guard Responds ...
2668             Justice declares State of Emergency for all 55...
2744             \n\tAlaska National Guard stages second team i...
2788             \n\tNearly 250 Soldiers on winter storm duty i...
2866             \n\tNearly 250 Soldiers on winter storm duty i...
2967             45 Years Ago: Georgia National Guard Responds ...
3233             Justice declares State of Emergency for all 55...
3262             \n\tSouth Dakota National Guard continues supp...
3555             \n\tAlaska National Guard stages second team i...
3603             45 Years Ago: Georgia National Guard Responds ...
3630             45 Years Ago: Georgia National Guard Responds ...
3632             \n\tIdaho National Guard helps with snow remov...
3665             45 Years Ago: Georgia National Guard Responds ...
passed

Cluster 24 contains a total of 155 documents with the following titles:

                                                             title
Document Number                                                   
10               Hawaii Severe Weather Events | Hawaii Severe s...
48               Commentary: The climate crisis is Maine’s stor...
95               Wisconsin is woefully unprepared for increase ...
152                                RI.gov: Rhode Island Government
219                  Tornado Season: Are You Ready? | MU Extension
...                                                            ...
3503             EXECUTIVE ORDER AUTHORIZING EMERGENCY PAID LEA...
3507             Hawaii Severe Weather Events | Hawaii Severe s...
3581                           Storm Damage · Modern Remodeling MD
3643             Samaritan’s Purse Responds to Storms in Marked...
3695             Pennsylvania must do better to address storm w...

[155 rows x 1 columns]
In [ ]:
# Output sample df with clusters set for 25
df_temp.sample(4)
Out[ ]:
title author publication body_text url state nouns adjetives verbs nav lemmas num_tokens cluster_num
1342 New York deadly storm kills woman in her mid-3... Claudia Aoraha None US women spark fury with ANOTHER listless rend... https://www.dailymail.co.uk/news/article-12281... New York US|woman|fury|rendition|Star|Spangled|Banner|W... listless|other|dramatic|second|irreconcilable|... spark|sing|wrap|escape|burn|crash|do|need|let|... US|woman|spark|fury|listless|rendition|Star|Sp... US|woman|spark|fury|with|another|listless|rend... 4767.0 16.0
559 Winter storm sweeps through Maine, bringing sn... None None Sign in or Subscribe See Offers Sun JournalPr... https://www.sunjournal.com/2022/01/17/winter-s... Maine sign|Offers|Sun|JournalPress|HeraldCentral|Mai... 175th|175th|icy|significant|more|more|active|h... subscribe|see|do|add|subscribe|pay|do|add|swee... sign|subscribe|see|Offers|Sun|JournalPress|Her... sign|in|or|subscribe| |see|Offers|Sun|JournalP... 1588.0 17.0
272 Storm headed into West Virginia packs a punch ... Chris Lawrence None About Us    |    Our People    |    Affiliates... https://wvmetronews.com/2023/03/24/storm-heade... West Virginia Us|People|Affiliates|||Advertise|Talkline|Hopp... high|next|usual|sure|same|necessary|minor|majo... head|pack|say|be|strike|could|create|be|stretc... Us|People|Affiliates|||Advertise|Talkline|Hopp... about|Us|   |||   |our|People|   |||   |Affili... 743.0 9.0
3408 American Red Cross Responds to Western Alaska ... None None Virtual Family Assistance Center (COVID-19 Con... https://www.redcross.org/local/alaska/about-us... Alaska Virtual|Family|Assistance|Center|COVID-19|Cond... small|severe|small|common|accessible|particula... load|travel|call|be|impact|be|be|view|be|hit|b... Virtual|Family|Assistance|Center|COVID-19|Cond... Virtual|Family|Assistance|Center|(|COVID-19|Co... 1769.0 24.0
In [ ]:
# Store df as picke if needed for temporary analysis
df_temp.to_pickle(f'k_cluster_{num_c}.pkl')

Cluster Mean Similarity to check levels of similarity between clusters created by program¶

In [ ]:
def mean_similarity(kmeans_doc, num_clusters, doc_v):
    # Make documents embeddings into a dataframe
    dv_df = pd.DataFrame(doc_v)

    # Navigate through all clusters
    clusters_mean = []

    for cluster in range(num_clusters):
        # Get sets and index of documents in df
        sets = list([(i,d) for d,i in enumerate(kmeans_doc.labels_)])
        # Sort based on cluster number from 0 to cluster_num
        sets.sort(key=lambda x: x[0])

        # Get document index for all documents in said cluster
        doc_indx = [tuple[1] for tuple in sets if tuple[0] == cluster]
        cluster_df = dv_df.iloc[doc_indx]

        # Create cosine similarity matrix for all values in cluster
        pairs = cosine_similarity(cluster_df, cluster_df)

        # Extract non-repeated pairs in cosine matrix
        count = 1
        count_pairs = 0
        suma = 0
        for i in range(len(pairs)):
            for j in range(count, len(pairs[0])):
                count_pairs += 1 # Tracking # of pairs
                suma += pairs[i][j] # add up cosine value for pairs to total sum
                
            # Update count so to not repeat pairs on df
            count += 1
        # Divide the sum by number of pairs to calculate mean of clusters
        clusters_mean.append(suma/count_pairs)
        print(f'\nDocument cluster {cluster} has: \n{len(doc_indx)} Documents \n{count_pairs} document pairs \nMean similarity of {clusters_mean[cluster]}')
    
    return clusters_mean
In [ ]:
means = mean_similarity(kmeans_c, num_c, doc_v)
means
Document cluster 0 has: 
60 Documents 
1770 document pairs 
Mean similarity of 0.8078847102979843

Document cluster 1 has: 
213 Documents 
22578 document pairs 
Mean similarity of 0.8231114619109814

Document cluster 2 has: 
276 Documents 
37950 document pairs 
Mean similarity of 0.843177892986852

Document cluster 3 has: 
45 Documents 
990 document pairs 
Mean similarity of 0.801595518781986

Document cluster 4 has: 
174 Documents 
15051 document pairs 
Mean similarity of 0.713291398564226

Document cluster 5 has: 
151 Documents 
11325 document pairs 
Mean similarity of 0.8203965524078194

Document cluster 6 has: 
176 Documents 
15400 document pairs 
Mean similarity of 0.811755508994434

Document cluster 7 has: 
209 Documents 
21736 document pairs 
Mean similarity of 0.88775067203513

Document cluster 8 has: 
85 Documents 
3570 document pairs 
Mean similarity of 0.8937867397487473

Document cluster 9 has: 
171 Documents 
14535 document pairs 
Mean similarity of 0.8672576331190377

Document cluster 10 has: 
250 Documents 
31125 document pairs 
Mean similarity of 0.8242778381433684

Document cluster 11 has: 
91 Documents 
4095 document pairs 
Mean similarity of 1.0000000000000002

Document cluster 12 has: 
210 Documents 
21945 document pairs 
Mean similarity of 0.8709456466155662

Document cluster 13 has: 
61 Documents 
1830 document pairs 
Mean similarity of 0.8572662143751438

Document cluster 14 has: 
96 Documents 
4560 document pairs 
Mean similarity of 0.8372063460677439

Document cluster 15 has: 
38 Documents 
703 document pairs 
Mean similarity of 0.999683649780931

Document cluster 16 has: 
176 Documents 
15400 document pairs 
Mean similarity of 0.8255299288104371

Document cluster 17 has: 
204 Documents 
20706 document pairs 
Mean similarity of 0.7907995892355921

Document cluster 18 has: 
29 Documents 
406 document pairs 
Mean similarity of 0.8080245822244392

Document cluster 19 has: 
49 Documents 
1176 document pairs 
Mean similarity of 0.9419211284237851

Document cluster 20 has: 
179 Documents 
15931 document pairs 
Mean similarity of 0.8470431868643211

Document cluster 21 has: 
244 Documents 
29646 document pairs 
Mean similarity of 0.8327296570371865

Document cluster 22 has: 
310 Documents 
47895 document pairs 
Mean similarity of 0.8525582272128276

Document cluster 23 has: 
44 Documents 
946 document pairs 
Mean similarity of 0.9109437581438963

Document cluster 24 has: 
155 Documents 
11935 document pairs 
Mean similarity of 0.8080591453656234
Out[ ]:
[0.8078847102979843,
 0.8231114619109814,
 0.843177892986852,
 0.801595518781986,
 0.713291398564226,
 0.8203965524078194,
 0.811755508994434,
 0.88775067203513,
 0.8937867397487473,
 0.8672576331190377,
 0.8242778381433684,
 1.0000000000000002,
 0.8709456466155662,
 0.8572662143751438,
 0.8372063460677439,
 0.999683649780931,
 0.8255299288104371,
 0.7907995892355921,
 0.8080245822244392,
 0.9419211284237851,
 0.8470431868643211,
 0.8327296570371865,
 0.8525582272128276,
 0.9109437581438963,
 0.8080591453656234]
In [ ]:
df_temp
Out[ ]:
title author publication body_text url state nouns adjetives verbs nav lemmas num_tokens cluster_num
0 Tornadoes severe weather updates: 26 dead in M... None None Start the day smarter How often do women givin... https://www.usatoday.com/story/news/nation/202... Mississippi day|woman|birth|hospital|heart|attack|seizure|... smart|individual|other|deadly|notable|severe|d... start|do|give|experience|podcast|sell|topic'wi... start|day|smart|do|woman|give|birth|individual... start|the|day|smart|how|often|do|woman|give|bi... 2488.0 20.0
1 Fatality confirmed in Vermont flooding amid ex... ABC News None ABC NewsVideoLiveShowsElectionsInterest Succe... https://abcnews.go.com/US/tornadoes-midwest-fl... Illinois ABC|NewsVideoLiveShowsElectionsInterest|Succes... aboutturn|extreme|nationwideExtreme|most|multi... notify|break|confirm|flood|continue|affect|pas... ABC|NewsVideoLiveShowsElectionsInterest|Succes... |ABC|NewsVideoLiveShowsElectionsInterest|Succ... 998.0 12.0
2 Terrifying moment monster tornado rips apart A... Aneeta Bhole None US women spark fury with ANOTHER listless rend... https://www.dailymail.co.uk/news/article-11926... Arkansas US|woman|fury|rendition|Star|Spangled|Banner|W... listless|other|new|devastated|second|irreconci... spark|sing|wrap|file|feel|abandon|file|cite|be... US|woman|spark|fury|listless|rendition|Star|Sp... US|woman|spark|fury|with|another|listless|rend... 13383.0 0.0
3 Maryland weather: Storms cease Tuesday night a... None None Close this dialog This website stores data suc... https://www.baltimoresun.com/weather/bs-md-thu... Maryland dialog|website|datum|cookie|site|functionality... such|essential|new|new|new|new|new|new|new|new... close|store|enable|remain|indicate|services(op... close|dialog|website|store|datum|such|cookie|e... close|this|dialog|this|website|store|datum|suc... 928.0 10.0
4 Wind, cold, and snow set to paralyze Iowa trav... None None Election Results Streaming Iowa News Metro New... https://who13.com/weather/winter-storm-targeti... Iowa election|result|Iowa|News|Metro|News|National|... black|newborn|republican|ready|senior|cardiac|... stream|vote|honor|accuse|drown|plead|arrest|as... election|result|stream|Iowa|News|Metro|News|Na... election|result|stream|Iowa|News|Metro|News|Na... 1601.0 7.0
... ... ... ... ... ... ... ... ... ... ... ... ... ...
3691 Snow In Wednesday Forecast For NJ: See Storm T... None None Skip to main contentAcross New JerseySubscribe... https://patch.com/new-jersey/across-nj/snow-ic... New Jersey NewsCommunity|CornerCrime|SafetyPolitics|Gover... main|new|jerseysubscribepostadvertisestate|lat... skip|communitiesAdvertiseNearby|see|could|peak... skip|main|new|jerseysubscribepostadvertisestat... skip|to|main|contentacross|new|jerseysubscribe... 1415.0 21.0
3692 Winter Storm Approaching Idaho; Expert Boise S... None None Skip to main contentSkip to site footerTrendin... https://liteonline.com/major-winter-storm-appr... Idaho contentskip|footertrending|Great|Dolphin|DunkD... main|significant|young|impossible|same|further... skip|site|win|kanelistenlisten|livealexagoogle... skip|main|contentskip|site|footertrending|Grea... skip|to|main|contentskip|to|site|footertrendin... 1326.0 17.0
3693 New Mexico — Weather None None If you don't have an account yet, make one her... https://www.iexplore.com/articles/travel-guide... New Mexico account|sign|Sign|Facebook|New|Mexico|land|cli... high|dry|southern|warm|mild|daily|hot|dry|Most... do|have|make|click|acknowledge|be|share|be|tra... do|have|account|make|click|sign|Sign|Facebook|... if|you|do|not|have|an|account|yet|,|make|one|h... 474.0 5.0
3694 Snow maps: Massachusetts forecast for March 3-... Dialynn Dwyer None Tell Us Readers Say Book Club Cocktail Club Th... https://www.boston.com/weather/weather/2023/03... Massachusetts Us|reader|Say|Book|Club|Cocktail|Club|B|start|... side|fresh|side|fresh|much|sloppy|immediate|wi... tell|tell|map|expect|change|say|might|want|kee... tell|Us|reader|Say|Book|Club|Cocktail|Club|B|s... tell|Us|reader|Say|Book|Club|Cocktail|Club|the... 1005.0 17.0
3695 Pennsylvania must do better to address storm w... None None Skip to ArticleSet weatherBack To Main MenuClo... https://www.pennlive.com/opinion/2022/03/penns... Pennsylvania articleset|weatherback|main|weatherset|locatio... evident|previous|historic|own|9th|less|prepare... skip|menuclosecustomize|must|do|address|break|... skip|articleset|weatherback|main|menuclosecust... skip|to|articleset|weatherback|to|main|menuclo... 811.0 24.0

3696 rows × 13 columns

In [ ]:
# looking at the clusters and their titles/nouns into a dictionary
clusters = {}
for index, i in df_temp.iterrows():
    if i['cluster_num'] not in clusters:
        clusters[i['cluster_num']] = {}
        clusters[i['cluster_num']]['titles'] = [i['title']]
        clusters[i['cluster_num']]['nouns'] = [i['nouns']]
    else:
        clusters[i['cluster_num']]['titles'].append(i['title'])
        clusters[i['cluster_num']]['nouns'].append(i['nouns'])

    

for i in clusters:
    print('Cluster: ', i)
    count = 0
    for j in clusters[i]['titles']:
        print(j)
        count += 1
        if count > 10:
            break
    print()
Cluster:  20.0
Tornadoes severe weather updates: 26 dead in Mississippi, Alabama
US: Biden declares emergency for Mississippi’s storm recovery | Weather News | Al Jazeera
At least 24 dead after tornado rips through Nashville and central Tennessee
Missouri tornado kills multiple people, wreaks havoc
Tornadoes severe weather updates: 26 dead in Mississippi, Alabama
1 dead, others injured as storms pummel Louisiana
Extreme weather meets reality of poverty to create a tragedy in Mississippi 
At least 26 dead after tornadoes rake US Midwest, South | AP News
At least 3 dead and multiple injured as tornadoes wreak havoc across Louisiana and the Southeast | CNN
Missouri tornado kills multiple people, wreaks havoc
Arkansas tornado cleanup mostly unaffected by new round of storms, governor says

Cluster:  12.0
Fatality confirmed in Vermont flooding amid extreme weather nationwide - ABC News
Tornado damages Pfizer plant in North Carolina as scorching heat and floods sock other parts of US | AP News

    Huge storm system brings killer tornadoes to South, blizzard-like conditions to Great Plains - CBS News
Tornadoes spawned by huge system destroy homes in Arkansas; 3 dead | News | newscenter1.tv
Fatality confirmed in Vermont flooding amid extreme weather nationwide - ABC News
Severe storms bring giant hail, tornadoes to Iowa – Weather News
Fatality confirmed in Vermont flooding amid extreme weather nationwide - ABC News
Punishing winds, possible tornadoes inflict damage as storms cross US South | AP News
1 killed and almost 2 dozen injured in overnight storms in Mississippi, officials say | CNN
Severe storms blamed for 3 deaths in South Dakota, Minnesota | AP News
Severe weather in the South leaves 5 dead in Kentucky - ABC News

Cluster:  0.0
Terrifying moment monster tornado rips apart Arkansas capital Little Rock with 80mph winds | Daily Mail Online
Severe storms cause damage in western Wisconsin
Moment tornado barrels towards Nebraska highway - as TWO DOZEN twisters rip through heartland | Daily Mail Online
wyoming storm | News, Videos & Articles
Georgia storm sees 19 dead as tornado clean-up begins | Daily Mail Online
Tornado-ravaged Mississippi faces MORE extreme weather after deadly storms killed at least 26 | Daily Mail Online
Terrifying moment monster tornado rips apart Arkansas capital Little Rock with 80mph winds | Daily Mail Online
PHOTOS: Severe storms take down trees, powerlines in north Georgia during storm

	Nevada Guardsman, movie subject, leads Nevada Storm to women’s football championship  > 152nd Airlift Wing > Article Display

wyoming storm | News, Videos & Articles
PHOTOS: Severe storms take down trees, powerlines in north Georgia during storm

Cluster:  10.0
Maryland weather: Storms cease Tuesday night after flooding streets and damaging residences
Severe weather threat dissipates as morning thunderstorms fall apart
Parts of Missouri left with storm damage after severe weather sweeps through the state - ABC17NEWS
Hurricane Ian: Will it affect Nashville and Middle Tennessee?
4 tornadoes touch down in New Jersey: NWS - WHYY
Parts of Missouri left with storm damage after severe weather sweeps through the state - ABC17NEWS
Minnesota, Iowa slammed with severe weather - ABC 6 News - kaaltv.com
Severe storms possible in Baltimore area on Tuesday afternoon
Here’s how two derechos ravaged Wisconsin last week. - The Washington Post
Recap: Severe Storms, Tornado Warnings In Oklahoma
Chicago weather: Strong storms move through parts of NW Indiana; suspected tornado seen near Indianapolis - ABC7 Chicago

Cluster:  7.0
Wind, cold, and snow set to paralyze Iowa travel through the end of the week | who13.com
Storms cause flooding in parts of New Jersey | PIX11
76,000 without power following severe storms Thursday - Indiana Daily Student
Agencies, utilities across the state prepare for Tropical Storm Calvin | KHON2
Wind, cold, and snow set to paralyze Iowa travel through the end of the week | who13.com
Governor Jim Justice declares State of Preparedness for all 55 Counties ahead of winter storm
Kansas City weather: Winter Storm Warning issued Thursday
Idaho Falls homeowners face rough road to recover after flood damage - Local News 8
Arkansas Storm Team Weather Blog: Severe Thunderstorm Watch Expired | KLRT - FOX16.com
Virginia preps for more bad weather amid storm of questions | PAhomepage.com
Nearly 200 Mississippi structures damaged by recent storms

Cluster:  13.0
Characterization of storm flow dynamics of headwater streams in the South Carolina lower coastal plain | US Forest Service Research and Development
Environmental impacts of Hurricane Florence flooding in eastern North Carolina: temporal analysis of contaminant distribution and potential human health risks | Journal of Exposure Science & Environmental Epidemiology
Storm surge and ponding explain mangrove dieback in southwest Florida following Hurricane Irma | Nature Communications
Saving New Jersey from the Rising Tide
Frontiers | Impact of Hurricane Katrina on the Coastal Systems of Southern Louisiana
JMSE | Free Full-Text | Effect of Coastal Erosion on Storm Surge: A Case Study in the Southern Coast of Rhode Island
Saving New Jersey from the Rising Tide
Saving New Jersey from the Rising Tide
NJDEP| Remembering Superstorm Sandy | Home
Superstorm Sandy Showed Ocean State What Future Storms Could Look Like - ecoRI News
JMSE | Free Full-Text | Effect of Coastal Erosion on Storm Surge: A Case Study in the Southern Coast of Rhode Island

Cluster:  16.0
Extreme wind, snow left thousands without power in Arizona — and the storm has just begun
Storm Area 51 still affects tiny Nevada town a year later | Las Vegas Review-Journal
Tornado hits South Dakota hospital: ‘All are safe and sound’ – Twin Cities

	Update: Intense storm dumps snow, knocks out power, upends most voting

Montana and North Dakota are hit by 'one-in-a-century' blizzard | Daily Mail Online
As Tropical Storm Bret becomes hurricane, Delaware will see rain — but not from this storm
WTOP | Washington’s Top News | DC, MD & VA News, Traffic & Weather
Blizzard of 1888 - History Nebraska
National Weather Service prophecizes another Utah winter storm | Gephardt Daily
Delaware County, all of southeastern Pennsylvania in T-storm watch
KCTV | Kansas Local News, Weather, Sports | Fairway, KS

Cluster:  2.0
GALLERY: Utah's Weather Authority captures photos of lightning storm in Northern Utah
Illinois surveys storm damage after tornadoes hit Chicago area – Hartford Courant
BREAKING Friday night storm hits Wellman hard | Southeast Iowa Union
Severe storms cause damage throughout Western Kentucky, Southern Illinois | Kentucky | wsiltv.com
Tornado and other severe weather kill 3, damage homes in multiple states
Oklahoma tornado kills mother and baby as region suffers yet another devastating set of storms
US: Severe Storms Hit Northeast Ohio, Tornado Warning Issued | National News | kulr8.com
National Weather Service confirms tornado touched down in Waycross
Red Cross Urges Tennessee Residents to Prepare for Severe Weather - WGNS Radio
BREAKING Friday night storm hits Wellman hard | Southeast Iowa Union
Severe weather causes damage to buildings in Crawford County | ksdk.com

Cluster:  14.0
Texas winter storm explained
Texas’s Winter Storm Killed Hundreds More Than Reported
Entergy Mississippi storm update – 6/17/23, 10 p.m.
Texans brace for freezing weather in hopes storm won’t be repeat of 2021 | Texas | The Guardian
Winter Storm Preparedness & Blizzard Safety | Red Cross 
Winter storm in Texas: Here's how a week of frigid weather and catastrophe unfolded | CNN
Winter Storm Preparedness & Blizzard Safety | Red Cross 
Winter Storm Safety Tips | Mass.gov
Before and After the Storm – Private Wells and Onsite Sewage Systems - Environmental Health
Winter Weather Basics and FAQ | Portland.gov
Winter Storm Preparedness & Blizzard Safety | Red Cross 

Cluster:  24.0
Hawaii Severe Weather Events | Hawaii Severe storms | Hawaii Floods — Sunrun
Commentary: The climate crisis is Maine’s storm of the century 
Wisconsin is woefully unprepared for increase in severe weather · The Badger Herald
RI.gov: Rhode Island Government
Tornado Season: Are You Ready? | MU Extension
Samaritan’s Purse Responds to Storms in Marked Tree, Arkansas
How To Stay Safe In Delaware This Hurricane Season
In western Kentucky, tornadoes are frequent — and put billions at risk
Winter Storm Uri 2021
Tax relief for Indiana victims of storms, straight-line winds, and tornadoes | Wolters Kluwer
How To Stay Safe In Delaware This Hurricane Season

Cluster:  4.0
SE Wyoming Storm Could Bring Over A Foot Of Snow, Strong Winds
Nevada | FOX Weather
Colorado Weather: Winter Storm Watch Front Range/Palmer Divide | Denver, CO Patch
Tornado kills 1 in Sussex County as storm carves a 14-mile path of destruction
 Wyoming Statutes § 40-12-704 (2019) - Disclosure Requirements for Exterior Storm Damage Repair Contracts. :: 2019 Wyoming Statutes :: US Codes and Statutes :: US Law :: Justia
Weather service, governor to survey Illinois storm damage
Hurricane-force winds in Utah flip 45 semitrucks, kill 1 person as thousands remain without power | Fox News
 Wyoming Statutes § 40-12-704 (2019) - Disclosure Requirements for Exterior Storm Damage Repair Contracts. :: 2019 Wyoming Statutes :: US Codes and Statutes :: US Law :: Justia
Severe storms leave hundreds of thousands without power across Wisconsin, Michigan | Fox News
Storm resources: Where to take storm damage, yard waste and keep track of power outages across Kansas City
At least 6 killed as Tornado, thunderstorms strike central Alabama | Reuters

Cluster:  22.0
Winter storm predicted for much of North Dakota - The Dickinson Press | News, weather, sports from Dickinson North Dakota
New Mexico storm expected to cause severe driving conditions | AP News
Montana issues winter storm advisory, followed by temps in the 90s
Blizzard conditions projected as southwest North Dakota enters winter storm watch - The Dickinson Press | News, weather, sports from Dickinson North Dakota
Weather wallop: Winter storm to bring significant snow, wind to western South Dakota
Massive winter storm to unload snow from Illinois to Maine
Winter storm in the North and heat wave in the South creates 100-degree difference across US | CNN
North Dakota remembers a 'perfect' storm - Agweek | #1 source for agriculture news, farming, markets
Winter storm causes 'extreme weather conditions' in north Arizona | 12news.com
Wave of storms heading toward Southwest Colorado – The Durango Herald
Winter storm update: Hundreds of thousands are without power : NPR

Cluster:  1.0
More flash flooding looms for Vermont as severe storms, tornadoes likely to erupt across Northeast on Thursday
Severe storms possible in Ohio Wednesday night
Southwestern Kansas sees tornado after forecast for no chance of rain - The Washington Post
Weather 101: Understanding Oklahoma's severe storm, tornado threats | Article | The United States Army
Washington DC, Maryland, Virginia Weather: Storm Team4 Forecast – NBC4 Washington
Severe storms possible in western Iowa Wednesday
Severe Weather 101: Tornado Basics
Thursday forecast: Severe weather for 40M; 3 die in Oklahoma tornadoes
Historic floods hit Nebraska after 'bomb cyclone' storm | Reuters
Tornadoes terrorize Indiana Sunday as severe storms knock out power to over 700K from Ohio Valley to South
Severe Weather 101: Tornado Basics

Cluster:  3.0
Stormy Monday night in Nebraska with severe storms possible

	Storms cause destruction in NW Ohio | The Courier At least 1 tornado confirmed

Weather news and local forecast - CNN
Weather news and local forecast - CNN
More rain in Nebraska Friday; small chance of severe storms
Severe storms expected in Nebraska Friday night
More rain in Nebraska Friday; small chance of severe storms
Weather news and local forecast - CNN
Weather news and local forecast - CNN
Weather news and local forecast - CNN
More rain in Nebraska Friday; small chance of severe storms

Cluster:  21.0
Climate Journal | Minnesota DNR
Massive winter storm to unload snow from Illinois to Maine
The Remnants of Hurricane Nicole will bring tropical moisture to Northeast Ohio
Welcome To Southeast New Mexico Weather.
OH:  OHIO, WEST VIRGINIA STORM DAMAGE | Weather | 2news.com
Heavy storms move into Arkansas as system pushes east
Tue. AM UPDATE: High-impact blizzard expected Tuesday into Wednesday across the Northern Plains
Central Texas strong storms with potential for hail | kvue.com
WSAZ Weather | First Warning Forecast | dual doppler radar
Another late season winter storm set to hit Minnesota Tuesday and Wednesday | Local News | voiceofalexandria.com
Strong storm system to hit Nebraska

Cluster:  9.0
Flash floods kill at least 5 people in Pennsylvania  : NPR
BREAKING NEWS (updated with photos): Storm prompts state of emergency; motorists stranded, thousands without power | Local News | register-herald.com
Vermonters rush to dry out flooded homes and businesses with more storms on the horizon | AP News
Vermont floods have led to more than 100 rescues, officials say
More rain, more bodies in flooded Kentucky mountain towns | AP News
Hurricane Henri New Hampshire: Granite State Braces for Storm’s Impact – NBC Boston
Severe weather could dump more rain on already vulnerable Vermont
Hurricane Florence aftermath: Flooding crisis in North and South Carolina - live updates as rescues continue

    Vermont flooding leaves railroad track "dangling" mid-air over a gorge - CBS News
Hurricane Ian heads for South Carolina after devastating Florida

    Vermont flooding leaves railroad track "dangling" mid-air over a gorge - CBS News

Cluster:  17.0
Winter weather: NH, Maine see snow, slick roads in 2023 storm
‘Unprecedented’ storm brings Minnesota’s first reported December tornado
Here’s How Much Snow Central Maine is Going to Get From This Nor’Easter
Winter storm: North America hit by blizzards and heat wave - BBC News
Montana hit by ‘unprecedented’ September winter storm, piling over 4 feet of snow in some areas
Blizzard of 1888 - Weather - LibGuides Home at Connecticut State Library.
Potentially 'Significant' Winter Storm Headed To Ohio: Forecast | Cleveland, OH Patch
New Hampshire tourism businesses feel impact of this summer's heavy rains | WBUR News
Record-breaking storm blasts Northern Nevada, California | Las Vegas Review-Journal
Virginia Weather - Virginia Is For Lovers
Western Massachusetts Braces for Another Winter Storm

Cluster:  5.0
Winter Storm Riley Brings Massive Flooding to New England—Again | WIRED
Explaining the forces that fueled Alabama’s deadly tornado | PBS NewsHour
On This Day: The 1993 Storm of the Century | News | National Centers for Environmental Information (NCEI)
It’s Too Soon to Attribute the California Storms to Climate Change, Experts Say - FactCheck.org
Big Island Storm Damage Results From Hawaii’s December 2022 Winter Storm
Climate change will make Arizona's monsoon more extreme and erratic
On This Day: The 1993 Storm of the Century | News | National Centers for Environmental Information (NCEI)
Kansas — Weather
Correction to a Raiden Storm quote about the Arizona monsoon season forecast | Arizona Weatherman | NewsBreak Original
Statewide Utah Weather Updates | Visit Utah
Winter Storm Riley Brings Massive Flooding to New England—Again | WIRED

Cluster:  6.0
Louisiana hurricane rapid intensification threat 
Alaska braces for impact of 'historic-level storm' | CBC News
Ian regains hurricane strength as it moves toward South Carolina | PBS NewsHour
Tropical Storm Calvin passes over Hawaii and leaves minor flooding in its wake - ABC News
Storm in Atlantic not immediate concern for South Carolina | Hurricane Wire | postandcourier.com
Tropical Storm Calvin threatens to bring heavy rainfall and dangerous coastal surf to the Hawaiian islands | CNN
Nicole updates: 'Unprecedented' structural damage; many without power
Storm that spawned tornado in Washington state now moving toward eastern US - ABC News
Hurricane Ian latest updates: storm makes second US landfall in South Carolina – as it happened | Hurricane Ian | The Guardian
Georgia Hurricane of 1893 - Today In Georgia History
Tropical storm Henri makes landfall in Rhode Island, to bring high winds and heavy rain to Upper Valley |  The Dartmouth  

Cluster:  8.0
Winter Storm Sage: Difficult Commutes Ahead; New England Slammed | Weather.com
Tornadoes, Storms Slam Arkansas, Illinois, Iowa | Weather.com
Storm system moving into New Mexico, dangerous 'snow squall' possible in Farmington, Gallup areas | Local News | abqjournal.com
Tropical Storm Calvin is affecting travel for Hawaii Island | News | kitv.com
WV's Eastern mountains brace for rare May snowstorm | News | wvgazettemail.com
At Least Six Dead In Alabama Tornado, Storms Carve Path Of Destruction Across South  | Weather.com
Tornadoes, Storms Slam Arkansas, Illinois, Iowa | Weather.com
OH:  OHIO, WEST VIRGINIA STORM DAMAGE | National and World News | channel3000.com
Fog overnight, hot and humid tomorrow with ALERT DAY for Severe T-storms on Friday- Greg | Latest Weather Forecast | channel3000.com
OH:  OHIO, WEST VIRGINIA STORM DAMAGE | National and World News | channel3000.com
Vermont, New York Hit With Destructive Flooding | Weather.com

Cluster:  15.0
Page Not Found
Page Not Found
Page Not Found
Page Not Found
Page Not Found
Page Not Found
Page Not Found
Page Not Found
Page Not Found
Page Not Found
Page Not Found

Cluster:  18.0
Winter storm blankets Western Oregon, SW. Wash. in snow, cold & dry pattern ahead | KATU
How massive Sierra storms are helping Nevada's drought conditions | KRNV
Winter storm blankets Western Oregon, SW. Wash. in snow, cold & dry pattern ahead | KATU
Wisconsin storms bring 3 tornados; 1 man dies in crash | WLUK
Streets flood as heavy rain, high winds lash Rhode Island | WPDE
PHOTOS: Some damage reported as storms hit Middle Tennessee | WZTV
Winter storm blankets Western Oregon, SW. Wash. in snow, cold & dry pattern ahead | KATU
Beaches prep for summer, as some Delaware towns face damage after coastal storm | WBFF
Wisconsin storms bring 3 tornados; 1 man dies in crash | WLUK
How massive Sierra storms are helping Nevada's drought conditions | KRNV
Coastal communities prepare for storm's potential impacts | WZTV

Cluster:  23.0

	Nearly 250 Soldiers on winter storm duty in Iowa, Minnesota and Wisconsin > National Guard > Guard News - The National Guard

45 Years Ago: Georgia National Guard Responds To 1973 Winter Storms | Article | The United States Army

	Nearly 250 Soldiers on winter storm duty in Iowa, Minnesota and Wisconsin > National Guard > Guard News - The National Guard

Justice declares State of Emergency for all 55 counties in WV ahead of winter storm | News | fayettetribune.com

	South Dakota National Guard continues support to state after slam by winter storm > National Guard > Guard News - The National Guard


	Texas Army Guard responds to winter storm, helps stranded motorists > National Guard > Article View


	Alaska National Guard stages second team in response to ongoing winter storms  > Alaska National Guard > News

45 Years Ago: Georgia National Guard Responds To 1973 Winter Storms | Article | The United States Army

	Nearly 250 Soldiers on winter storm duty in Iowa, Minnesota and Wisconsin > National Guard > Guard News - The National Guard

Justice declares State of Emergency for all 55 counties in WV ahead of winter storm | News | fayettetribune.com
Justice declares State of Emergency for all 55 counties in WV ahead of winter storm | News | fayettetribune.com

Cluster:  11.0
Tornadoes, Storms Carve Deadly Path Through Arkansas, Illinois, Iowa, Tennessee | Weather Underground
Blizzard Dumps Over A Foot Of Snow From Utah to Minnesota; Record Snowstorm In Casper, Wyoming | Weather Underground
Tornadoes, Storms Carve Deadly Path Through Arkansas, Illinois, Iowa, Tennessee | Weather Underground
Tornadoes, Storms Carve Deadly Path Through Arkansas, Illinois, Iowa, Tennessee | Weather Underground
Derecho Leaves Trail Of Damage Across Illinois, Iowa, Indiana | Weather Underground
Tropical Storm Bertha, A Quick Developing System Near Charleston, South Carolina (Recap) | Weather Underground
Storms Leave Damage in Alabama, Georgia, South Carolina | Weather Underground
Blizzard Dumps Over A Foot Of Snow From Utah to Minnesota; Record Snowstorm In Casper, Wyoming | Weather Underground
Missouri Tornado Death Toll Climbs; 2 Twisters Leave Damage In Illinois | Weather Underground
Derecho Leaves Trail Of Damage Across Illinois, Iowa, Indiana | Weather Underground
Rounds Of Rain To Return To The Northeast After Quieter Monday | Weather Underground

Cluster:  19.0
Powerful storms slam South; at least 6 killed in Alabama
Kentucky Gov. declares state of emergency after deadly tornado
Tropical storm Lane threatens more Hawaii floods before turning away   
At least 8 dead as ice storm rages in the South, causing travel chaos and outages
Powerful storms slam South; at least 6 killed in Alabama
Possible tornado hits Arkansas; Deep South braces for storms 
Tropical storm Lane threatens more Hawaii floods before turning away   
Hurricane Laura leaves damage in Louisiana, weakens to tropical depression
Kentucky Gov. declares state of emergency after deadly tornado
Ian now tropical storm after hitting Florida as a category 4 hurricane
Kentucky Gov. declares state of emergency after deadly tornado

In [ ]:
# creating a word cloud of the nouns for each cluster

# importing libraries
import wordcloud as wc
import matplotlib.pyplot as plt
# creating a word cloud for each cluster
for i in clusters:
    print('Cluster', i)
    current_nouns = []
    for j in clusters[i]['nouns']:
        current_nouns.append(j)
    # creating a word cloud
    current_nouns = ' '.join(current_nouns)
    wordcloud = wc.WordCloud(width = 800, height = 800,
                    background_color ='white',
                    min_font_size = 10).generate(current_nouns)
    # plotting the word cloud
    plt.figure(figsize = (8, 8), facecolor = None)
    plt.imshow(wordcloud)
    plt.axis("off")
    plt.tight_layout(pad = 0)
    plt.show()

    # saving the word cloud as a png file in 'word_clouds' folder
    os.makedirs('word_clouds', exist_ok=True)
    wordcloud.to_file('word_clouds/cluster_' + str(i) + '.png')
Cluster 20.0
Cluster 12.0
Cluster 0.0
Cluster 10.0
Cluster 7.0
Cluster 13.0
Cluster 16.0
Cluster 2.0
Cluster 14.0
Cluster 24.0
Cluster 4.0
Cluster 22.0
Cluster 1.0
Cluster 3.0
Cluster 21.0
Cluster 9.0
Cluster 17.0
Cluster 5.0
Cluster 6.0
Cluster 8.0
Cluster 15.0
Cluster 18.0
Cluster 23.0
Cluster 11.0
Cluster 19.0

END OF PART TWO¶